2019-06-15 06:06:18 +10:00
|
|
|
#!/usr/bin/python
|
|
|
|
|
2019-06-17 23:02:01 +10:00
|
|
|
# Read specified number of bytes in specified blkdev ID and spit it to stdout.
|
|
|
|
# The proper blkdev has to be selected and placed already.
|
2019-06-15 06:06:18 +10:00
|
|
|
|
|
|
|
import argparse
|
|
|
|
import os
|
|
|
|
import sys
|
|
|
|
import time
|
|
|
|
|
2019-06-17 23:02:01 +10:00
|
|
|
# Some place where it's safe to write 0xff bytes.
|
|
|
|
MEMPTR = '9000'
|
|
|
|
|
2019-06-15 06:06:18 +10:00
|
|
|
def sendcmd(fd, cmd):
|
|
|
|
# The serial link echoes back all typed characters and expects us to read
|
|
|
|
# them. We have to send each char one at a time.
|
2019-06-17 23:02:01 +10:00
|
|
|
print("Executing {}".format(cmd.decode()), file=sys.stderr)
|
2019-06-15 06:06:18 +10:00
|
|
|
for c in cmd:
|
|
|
|
os.write(fd, bytes([c]))
|
|
|
|
os.read(fd, 1)
|
|
|
|
os.write(fd, b'\n')
|
|
|
|
os.read(fd, 2) # sends back \r\n
|
|
|
|
|
|
|
|
|
|
|
|
def main():
|
|
|
|
parser = argparse.ArgumentParser()
|
|
|
|
parser.add_argument('device')
|
|
|
|
parser.add_argument('bytecount')
|
|
|
|
args = parser.parse_args()
|
|
|
|
|
|
|
|
try:
|
2019-06-17 23:02:01 +10:00
|
|
|
bytecount = int(args.bytecount, 16)
|
2019-06-15 06:06:18 +10:00
|
|
|
except ValueError:
|
2019-06-17 23:02:01 +10:00
|
|
|
print("bytecount has to be hexadecimal without prefix.")
|
2019-06-15 06:06:18 +10:00
|
|
|
return 1
|
|
|
|
fd = os.open(args.device, os.O_RDWR)
|
2019-06-17 23:02:01 +10:00
|
|
|
sendcmd(fd, 'mptr {}'.format(MEMPTR).encode())
|
|
|
|
os.read(fd, 9)
|
2019-06-15 06:06:18 +10:00
|
|
|
while bytecount > 0:
|
2019-06-17 23:02:01 +10:00
|
|
|
toread = min(bytecount, 0x100)
|
|
|
|
sendcmd(fd, 'load {:x}'.format(toread & 0xff).encode())
|
|
|
|
os.read(fd, 5)
|
|
|
|
sendcmd(fd, 'peek {:x}'.format(toread & 0xff).encode())
|
2019-06-15 06:06:18 +10:00
|
|
|
peek = b''
|
|
|
|
while len(peek) < toread * 2:
|
|
|
|
peek += os.read(fd, 1)
|
|
|
|
time.sleep(0.0001)
|
|
|
|
os.read(fd, 5)
|
|
|
|
while peek:
|
|
|
|
c = peek[:2]
|
|
|
|
sys.stdout.buffer.write(bytes([int(c, 16)]))
|
|
|
|
peek = peek[2:]
|
|
|
|
bytecount -= toread
|
|
|
|
os.close(fd)
|
|
|
|
return 0
|
|
|
|
|
|
|
|
if __name__ == '__main__':
|
|
|
|
sys.exit(main())
|
|
|
|
|