Picadae hardware and control code
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

picadae_shell.py 6.8KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170
  1. ##| Copyright: (C) 2018-2020 Kevin Larke <contact AT larke DOT org>
  2. ##| License: GNU GPL version 3.0 or above. See the accompanying LICENSE file.
  3. import os,sys,argparse,yaml,types,select,serial,logging,time
  4. from picadae_api import Picadae
  5. from picadae_api import Result
  6. class PicadaeShell:
  7. def __init__( self, cfg ):
  8. self.p = None
  9. self.parseD = {
  10. 'q':{ "func":None, "minN":0, "maxN":0, "help":"quit"},
  11. '?':{ "func":"_help", "minN":0, "maxN":0, "help":"Print usage text."},
  12. 'w':{ "func":"_write", "minN":-1, "maxN":-1,"help":"write <i2c_addr> <reg_addr> <data0> ... <dataN>"},
  13. 'r':{ "func":"_read", "minN":4, "maxN":4, "help":"read <i2c_addr> <src> <reg_addr> <byteN> src: 0=reg_array 1=vel_table 2=eeprom"},
  14. 'v':{ "func":"note_on_vel", "minN":2, "maxN":2, "help":"note-on <pitch> <vel>"},
  15. 'u':{ "func":"note_on_us", "minN":2, "maxN":3, "help":"note-on <pitch> <usec> <prescale> (1=1, 2=8 .5us, 3=64 4us,(4)=256 16us, 5=1024 64us)"},
  16. 'o':{ "func":"note_off", "minN":1, "maxN":1, "help":"note-off <pitch>"},
  17. 'T':{ "func":"set_vel_map", "minN":3, "maxN":3, "help":"table <pitch> <vel> <usec>"},
  18. 't':{ "func":"get_vel_map", "minN":2, "maxN":2, "help":"table <pitch> <vel>"},
  19. 'D':{ "func":"set_pwm_duty", "minN":2, "maxN":4, "help":"duty <pitch> <percent> {<hz> {<div>}} " },
  20. 'd':{ "func":"get_pwm_duty", "minN":1, "maxN":1, "help":"duty <pitch>"},
  21. 'H':{ "func":"set_hold_delay", "minN":2, "maxN":2, "help":"hold delay <pitch> <usec>"},
  22. 'h':{ "func":"get_hold_delay", "minN":1, "maxN":1, "help":"hold delay <pitch>"},
  23. 'F':{ "func":"set_pwm_freq", "minN":2, "maxN":2, "help":"pwm freq <pitch> <hz> 254=~123Hz"},
  24. 'f':{ "func":"get_pwm_freq", "minN":1, "maxN":1, "help":"pwm freq <pitch>"},
  25. 'I':{ "func":"set_pwm_div", "minN":2, "maxN":2, "help":"pwm div <pitch> <div> div:2=2,3=4,4=8,(5)=16 1us,6=32,7=64,8=128,9=256,10=512 32us, 11=1024,12=2048,13=4096,14=8192,15=16384"},
  26. 'i':{ "func":"get_pwm_div", "minN":1, "maxN":1, "help":"pwm div <pitch>"},
  27. 'W':{ "func":"write_table", "minN":1, "maxN":1, "help":"write_table <pitch>"},
  28. 'N':{ "func":"make_note", "minN":3, "maxN":3, "help":"note <pitch> <atkUs> <durMs>"},
  29. 'S':{ "func":"make_seq", "minN":5, "maxN":5, "help":"seq <pitch> <atkUs> <durMs> <deltaUs> <note_count>"},
  30. 'L':{ "func":"set_log_level", "minN":1, "maxN":1, "help":"log <level> (0-1)."}
  31. }
  32. def _help( self, _=None ):
  33. for k,d in self.parseD.items():
  34. s = "{} = {}".format( k, d['help'] )
  35. print(s)
  36. return Result()
  37. def _write( self, argL ):
  38. return self.p.write(argL[0], argL[1], argL[2:])
  39. def _read( self, i2c_addr, src_id, reg_addr, byteN ):
  40. return self.p.block_on_picadae_read(i2c_addr, src_id, reg_addr, byteN)
  41. def _syntaxError( self, msg ):
  42. print("Syntax Error: " + msg )
  43. return Result()
  44. def _exec_cmd( self, tokL ):
  45. result = Result()
  46. if len(tokL) <= 0:
  47. return None
  48. opcode = tokL[0]
  49. if opcode not in self.parseD:
  50. return self._syntaxError("Unknown opcode: '{}'.".format(opcode))
  51. d = self.parseD[ opcode ]
  52. func_name = d['func']
  53. func = None
  54. # find the function associated with this command
  55. if hasattr(self, func_name ):
  56. func = getattr(self, func_name )
  57. elif hasattr(self.p, func_name ):
  58. func = getattr(self.p, func_name )
  59. else:
  60. return self._syntaxError("Exec function not found: '{}'.".format(func_name))
  61. try:
  62. # convert the parameter list into integers
  63. argL = [ int(tokL[i]) for i in range(1,len(tokL)) ]
  64. except:
  65. return self._syntaxError("Unable to create integer arguments.")
  66. # validate the count of command args
  67. if d['minN'] != -1 and (d['minN'] > len(argL) or len(argL) > d['maxN']):
  68. return self._syntaxError("Argument count mismatch. {} is out of range:{} to {}".format(len(argL),d['minN'],d['maxN']))
  69. # call the command function
  70. result = func(*argL)
  71. return result
  72. def run( self ):
  73. # create the API object
  74. self.p = Picadae( cfg.key_mapL, cfg.i2c_base_addr, cfg.serial_dev, cfg.serial_baud, cfg.prescaler_usec )
  75. # wait for the letter 'a' to come back from the serial port
  76. result = self.p.wait_for_serial_sync(timeoutMs=cfg.serial_sync_timeout_ms)
  77. if not result:
  78. print("Serial port sync failed.")
  79. else:
  80. print(result.value)
  81. print("'q'=quit '?'=help")
  82. time_out_secs = 1
  83. while True:
  84. # wait for keyboard activity
  85. i, o, e = select.select( [sys.stdin], [], [], time_out_secs )
  86. if (i):
  87. # read the command
  88. s = sys.stdin.readline().strip()
  89. # tokenize the command
  90. tokL = s.split(' ')
  91. # if this is the 'quit' command
  92. if tokL[0] == 'q':
  93. break
  94. # execute the command
  95. result = self._exec_cmd( tokL )
  96. if result.value:
  97. print(result.value)
  98. self.p.close()
  99. def parse_args():
  100. """Parse the command line arguments."""
  101. descStr = """Picadae auto-calibrate."""
  102. logL = ['debug','info','warning','error','critical']
  103. ap = argparse.ArgumentParser(description=descStr)
  104. ap.add_argument("-s","--setup", default="picadae_cmd.yml", help="YAML configuration file.")
  105. ap.add_argument("-c","--cmd", nargs="*", help="Give a command as multiple tokens")
  106. ap.add_argument("-r","--run", help="Run a named command list from the setup file.")
  107. ap.add_argument("-l","--log_level",choices=logL, default="warning", help="Set logging level: debug,info,warning,error,critical. Default:warning")
  108. return ap.parse_args()
  109. def parse_yaml_cfg( fn ):
  110. """Parse the YAML configuration file."""
  111. cfg = None
  112. with open(fn,"r") as f:
  113. cfgD = yaml.load(f, Loader=yaml.FullLoader)
  114. cfg = types.SimpleNamespace(**cfgD['picadae_cmd'])
  115. return cfg
  116. if __name__ == "__main__":
  117. args = parse_args()
  118. cfg = parse_yaml_cfg( args.setup )
  119. app = PicadaeShell(cfg)
  120. app.run()