Files
primadiag-pybash/picowatch_d/picowatch.py

556 lines
17 KiB
Python
Raw Normal View History

2022-12-31 01:56:48 +01:00
#!/usr/bin/env python
# Primadiag SAS - Paris
# Author: Gino D.
# Copyright (c) 2023 Primadiag
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE
2022-12-30 23:33:59 +01:00
import os
2022-12-29 16:37:55 +01:00
import sys
import time
2022-12-30 23:33:59 +01:00
import json
import serial
2022-12-29 17:20:41 +01:00
import binascii
2022-12-30 23:33:59 +01:00
import textwrap
2022-12-29 17:20:41 +01:00
2022-12-31 01:56:48 +01:00
from watchdog.observers import Observer
from watchdog.events import PatternMatchingEventHandler
2022-12-30 23:33:59 +01:00
from typing import Dict, List, Optional, Tuple
2022-12-29 17:20:41 +01:00
2022-12-31 01:56:48 +01:00
BUFFER_SIZE: int = 256
# class TelnetToSerial:
# def __init__(self, ip, user, password, read_timeout=None):
# import telnetlib
# self.tn = telnetlib.Telnet(ip, timeout=15)
# self.read_timeout = read_timeout
# if b'Login as:' in self.tn.read_until(b'Login as:', timeout=read_timeout):
# self.tn.write(bytes(user, 'ascii') + b"\r\n")
# if b'Password:' in self.tn.read_until(b'Password:', timeout=read_timeout):
# # needed because of internal implementation details of the telnet server
# time.sleep(0.2)
# self.tn.write(bytes(password, 'ascii') + b"\r\n")
# if b'for more information.' in self.tn.read_until(b'Type "help()" for more information.', timeout=read_timeout):
# # login succesful
# from collections import deque
# self.fifo = deque()
# return
# raise Exception('Failed to establish a telnet connection with the board')
# def __del__(self):
# self.close()
# def close(self):
# try:
# self.tn.close()
# except:
# # the telnet object might not exist yet, so ignore this one
# pass
# def read(self, size=1):
# while len(self.fifo) < size:
# timeout_count = 0
# data = self.tn.read_eager()
# if len(data):
# self.fifo.extend(data)
# timeout_count = 0
# else:
# time.sleep(0.25)
# if self.read_timeout is not None and timeout_count > 4 * self.read_timeout:
# break
# timeout_count += 1
# data = b''
# while len(data) < size and len(self.fifo) > 0:
# data += bytes([self.fifo.popleft()])
# return data
# def write(self, data):
# self.tn.write(data)
# return len(data)
# def in_waiting(self):
# n_waiting = len(self.fifo)
# if not n_waiting:
# data = self.tn.read_eager()
# self.fifo.extend(data)
# return len(data)
# else:
# return n_waiting
class Pyboard(object):
2022-12-30 23:33:59 +01:00
serial: serial.Serial
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def __init__(self, device: str, baudrate: int = 115200):
for _ in range(0, 3):
try:
self.serial = serial.Serial(device, baudrate=baudrate, interCharTimeout=1)
break
except:
time.sleep(1)
else:
raise Exception(f'Failed to access {device}')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def close(self):
self.serial.close()
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def stdout_write_bytes(self, data: str):
sys.stdout.buffer.write(data.replace(b'\x04', b''))
sys.stdout.buffer.flush()
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def send_ok(self) -> bytes:
self.serial.write(b'\x04')
return b'OK'
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def send_ctrl_a(self) -> bytes:
# ctrl-A: enter raw REPL
self.serial.write(b'\x01')
return b'raw REPL; CTRL-B to exit\r\n>'
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def send_ctrl_b(self):
# ctrl-B: exit raw REPL
self.serial.write(b'\x02')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def send_ctrl_c(self, max_times: int = 2) -> bytes:
# ctrl-C twice: interrupt any running program
for _ in range(0, max_times):
self.serial.write(b'\x03')
time.sleep(0.1)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
return b'raw REPL; CTRL-B to exit\r\n'
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def send_ctrl_d(self) -> bytes:
# ctrl-D: soft reset
self.serial.write(b'\x04')
return b'soft reboot\r\n'
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def read_until(self, delimiter: bytes, stream_output: bool = False) -> Optional[bytes]:
data = self.serial.read(1)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if stream_output:
self.stdout_write_bytes(data)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
timeout = 0
max_len = len(delimiter)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
while not timeout >= 1000:
if data.endswith(delimiter):
return data
elif self.serial.inWaiting() > 0:
timeout = 0
stream_data = self.serial.read(1)
data += stream_data
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if stream_output:
self.stdout_write_bytes(stream_data)
data = data[-max_len:]
else:
timeout += 1
time.sleep(0.001)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def __enter__(self):
self.send_ctrl_c()
2022-12-29 17:20:41 +01:00
n = self.serial.inWaiting()
2022-12-30 23:33:59 +01:00
2022-12-29 17:20:41 +01:00
while n > 0:
self.serial.read(n)
n = self.serial.inWaiting()
2022-12-30 23:33:59 +01:00
for _ in range(0, 5):
if self.read_until(self.send_ctrl_a()):
2022-12-29 17:20:41 +01:00
break
2022-12-30 23:33:59 +01:00
time.sleep(0.01)
2022-12-29 17:20:41 +01:00
else:
2022-12-30 23:33:59 +01:00
raise Exception('REPL: could not enter')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not self.read_until(self.send_ctrl_d()):
raise Exception('REPL: could not soft reboot')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not self.read_until(self.send_ctrl_c()):
raise Exception('REPL: could not interrupt after soft reboot')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
return self.__terminal
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def __exit__(self, a, b, c):
self.send_ctrl_b()
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def __terminal(self, command: str, stream_output: bool = False, catch_output: bool = True) -> Optional[str]:
command = textwrap.dedent(command)
# send input
if not isinstance(command, bytes):
command = bytes(command, encoding='utf8')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not self.read_until(b'>'):
raise Exception('Terminal: prompt has been lost')
2022-12-29 17:20:41 +01:00
2022-12-31 01:56:48 +01:00
for i in range(0, len(command), BUFFER_SIZE):
self.serial.write(command[i: min(i + BUFFER_SIZE, len(command))])
2022-12-30 23:33:59 +01:00
time.sleep(0.001)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not self.read_until(self.send_ok()):
raise Exception('Terminal: could not execute command')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not catch_output:
return
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
# catch output
data = self.read_until(b'\x04', stream_output=stream_output)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not data:
raise Exception('Terminal: timeout waiting for first EOF reception')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
exception = self.read_until(b'\x04')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not exception:
raise Exception('Terminal: timeout waiting for second EOF reception')
2022-12-29 20:08:50 +01:00
2022-12-30 23:33:59 +01:00
data, exception = (data[:-1].decode('utf-8'), exception[:-1].decode('utf-8'))
2022-12-29 20:08:50 +01:00
2022-12-30 23:33:59 +01:00
if exception:
2022-12-29 20:08:50 +01:00
reason = 'Traceback (most recent call last):'
2022-12-30 23:33:59 +01:00
traceback = exception.split(reason)
2022-12-29 20:08:50 +01:00
if len(traceback) == 2:
for call in traceback[1][:-2].split('\\r\\n'):
reason += f'{call}\n'
2022-12-31 01:56:48 +01:00
raise Exception(f'-------\n{reason.strip()}')
2022-12-30 23:33:59 +01:00
else:
2022-12-31 01:56:48 +01:00
raise Exception(f'-------\n{exception}')
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
return data.strip()
2022-12-29 17:20:41 +01:00
2022-12-31 01:56:48 +01:00
class FileSystem(object):
2022-12-30 23:33:59 +01:00
_pyboard: Pyboard
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def __init__(self, pyboard: Pyboard):
self._pyboard = pyboard
2022-12-31 01:56:48 +01:00
def checksum(self, source: str, data: str) -> str:
2022-12-30 23:33:59 +01:00
output = self.terminal(f"""
def checksum(data):
v = 21
for c in data.decode("utf-8"):
v ^= ord(c)
return v
with open("{source}", "rb") as fh:
print(checksum(fh.read()))
""")
if isinstance(data, bytes):
data = data.decode('utf-8')
v = 21
for c in data:
v ^= ord(c)
2022-12-31 01:56:48 +01:00
return f'{v}:{output}'
2022-12-30 23:33:59 +01:00
def get(self, filename: str) -> Tuple[bytes, bool]:
if not filename.startswith('/'):
filename = '/' + filename
output = self.terminal(f"""
2022-12-29 17:20:41 +01:00
import sys
import ubinascii
with open('{filename}', 'rb') as infile:
while True:
2022-12-31 01:56:48 +01:00
result = infile.read({BUFFER_SIZE})
2022-12-29 17:20:41 +01:00
if result == b'':
break
2022-12-30 23:33:59 +01:00
sys.stdout.write(ubinascii.hexlify(result))
""")
output = binascii.unhexlify(output)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
return (output, self.checksum(filename, output))
2022-12-29 17:20:41 +01:00
2022-12-31 01:56:48 +01:00
def download(self, source: str, destination: str) -> str:
2022-12-30 23:33:59 +01:00
output, checksum = self.get(source)
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
with open(destination, 'wb') as fh:
fh.write(output)
2022-12-31 01:56:48 +01:00
return checksum
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
def put(self, filename: str, data: bytes) -> Tuple[str, bool]:
if not filename.startswith('/'):
filename = '/' + filename
2022-12-29 17:20:41 +01:00
2022-12-30 23:33:59 +01:00
if not isinstance(data, bytes):
data = bytes(data, encoding='utf8')
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
try:
2022-12-29 16:37:55 +01:00
if os.path.dirname(filename):
2022-12-30 23:33:59 +01:00
self.mkdir(os.path.dirname(filename))
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
with self._pyboard as terminal:
size = len(data)
terminal(f"""fh = open("{filename}", "wb")""")
2022-12-29 16:37:55 +01:00
2022-12-31 01:56:48 +01:00
for i in range(0, size, BUFFER_SIZE):
chunk_size = min(BUFFER_SIZE, size - i)
2022-12-30 23:33:59 +01:00
chunk = repr(data[i : i + chunk_size])
terminal(f"""fh.write({chunk})""")
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
terminal("""fh.close()""")
except Exception as e:
raise e
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
return (filename, self.checksum(filename, data))
2022-12-29 16:37:55 +01:00
2022-12-31 01:56:48 +01:00
def upload(self, source: str, destination: str) -> str:
2022-12-30 23:33:59 +01:00
with open(source, 'rb') as fh:
2022-12-31 01:56:48 +01:00
_, checksum = self.put(destination, fh.read())
return checksum
2022-12-29 20:08:50 +01:00
2022-12-31 01:56:48 +01:00
def ls(self, dirname: str = '/') -> Tuple[int, List, str]:
2022-12-30 23:33:59 +01:00
if not dirname.startswith('/'):
dirname = '/' + dirname
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
output = self.terminal(f"""
try:
import os
import json
except ImportError:
import uos as os
import ujson as json
def ls(dirname):
2022-12-31 01:56:48 +01:00
e = []
s = os.stat(dirname)
if s[0] == 0x4000:
if not dirname.endswith("/"):
dirname += "/"
for t in os.ilistdir(dirname):
if t[1] == 0x4000:
e.append((dirname + t[0] + '/', -1))
e.extend(ls(dirname + t[0] + '/'))
else:
e.append((dirname + t[0], os.stat(dirname + t[0])[6]))
else:
e.append((dirname, s[6]))
return e
try:
s = 1
r = ls("{dirname}")
x = ''
except Exception as e:
s = 0
r = [("{dirname}", -2)]
x = str(e)
2022-12-29 16:37:55 +01:00
2022-12-31 01:56:48 +01:00
print(json.dumps([s, r, x]))
2022-12-30 23:33:59 +01:00
""")
return json.loads(output)
2022-12-29 16:37:55 +01:00
2022-12-31 01:56:48 +01:00
def rm(self, filename: str) -> Tuple[int, List, str]:
2022-12-30 23:33:59 +01:00
if not filename.startswith('/'):
filename = '/' + filename
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
output = self.terminal(f"""
try:
import os
import json
except ImportError:
import uos as os
import ujson as json
def ls(dirname):
2022-12-31 01:56:48 +01:00
e = []
2022-12-30 23:33:59 +01:00
if not dirname.endswith("/"):
dirname += "/"
for t in os.ilistdir(dirname):
if t[1] == 0x4000:
2022-12-31 01:56:48 +01:00
e.append((dirname + t[0] + '/', -1))
e.extend(ls(dirname + t[0] + '/'))
2022-12-30 23:33:59 +01:00
else:
2022-12-31 01:56:48 +01:00
e.append((dirname + t[0], os.stat(dirname + t[0])[6]))
return e
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
def rm(filename):
r = []
if os.stat(filename)[0] == 0x4000:
2022-12-31 01:56:48 +01:00
e = ls(filename)
e.append((filename, -1))
for f, s in e:
if not s == -1:
try:
os.remove(f)
r.append((f, 1, ''))
except Exception as e:
r.append((f, 0, str(e)))
for f, s in e:
if s == -1:
try:
os.rmdir(f)
r.append((f, 1, ''))
except Exception as e:
r.append((f, 0, str(e)))
2022-12-30 23:33:59 +01:00
else:
try:
os.remove(filename)
2022-12-31 01:56:48 +01:00
r.append((filename, 1, ''))
2022-12-30 23:33:59 +01:00
except Exception as e:
r.append((filename, 0, str(e)))
return r
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
try:
2022-12-31 01:56:48 +01:00
s = 1
r = rm("{filename}")
x = ''
2022-12-30 23:33:59 +01:00
except Exception as e:
2022-12-31 01:56:48 +01:00
s = 0
r = [("{filename}", 0, str(e))]
x = str(e)
print(json.dumps([s, r, x]))
2022-12-30 23:33:59 +01:00
""")
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
return json.loads(output)
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
def mkdir(self, dirname: str) -> List:
if not dirname.startswith('/'):
dirname = '/' + dirname
if dirname.endswith('/'):
dirname = dirname[:-1]
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
output = self.terminal(f"""
try:
import os
import json
except ImportError:
import uos as os
import ujson as json
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
r = []
d = []
for zd in str("{dirname}").split("/"):
if not zd:
continue
d.append(zd)
zd = "/".join(d)
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
try:
os.mkdir(zd)
r.append(("/" + zd, 1))
except Exception as e:
if str(e).find('EEXIST'):
r.append(("/" + zd, 1))
else:
r.append(("/" + zd, 0, str(e)))
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
print(json.dumps(r))
""")
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
return json.loads(output)
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
def launch(self, filename: str):
try:
self.terminal(f"""
with open("{filename}", "r") as fh:
exec(fh.read())
""", stream_output=True)
except Exception as e:
print(str(e))
2022-12-29 16:37:55 +01:00
2022-12-30 23:33:59 +01:00
def terminal(self, command: str, stream_output: bool = False) -> str:
with self._pyboard as terminal:
try:
return terminal(command, stream_output=stream_output)
except Exception as e:
raise e
2022-12-29 16:37:55 +01:00
2022-12-31 01:56:48 +01:00
PRINT_PREFIX_EXCEPTION = '\t =>'
class Picowatch(object):
_fs: FileSystem
def __init__(self, pyboard: Pyboard):
self._fs = FileSystem(pyboard)
def listing(self, remote: str = '/'):
status, output, exception = self._fs.ls(remote)
if status:
for name, size in output:
if size == -1:
print('[/]', name[1:])
else:
print('[·]', name[1:], f'({size}b)')
else:
print('[?]', remote, PRINT_PREFIX_EXCEPTION, exception)
def upload(self, local: str, remote: str = ''):
pass
def download(self, filepath: str):
status, output, exception = self._fs.ls(filepath)
2022-12-29 16:37:55 +01:00
2022-12-31 01:56:48 +01:00
if status:
for remote, size in output:
if size == -1:
os.makedirs(remote, 777, exist_ok=True)
2022-12-29 17:20:41 +01:00
2022-12-31 01:56:48 +01:00
for remote, size in output:
if not size == -1:
try:
print('[↓]', remote, PRINT_PREFIX_EXCEPTION, self._fs.download(remote, f'.{remote}'))
except Exception as e:
print('[?]', remote, PRINT_PREFIX_EXCEPTION, str(e))
else:
print('[?]', filepath, PRINT_PREFIX_EXCEPTION, exception)
def delete(self, filepath: str):
status, output, exception = self._fs.rm(filepath)
if status:
for remote, checked, message in output:
if checked:
print('[-]', remote)
else:
print('[?]', remote, PRINT_PREFIX_EXCEPTION, message)
else:
print('[?]', filepath, PRINT_PREFIX_EXCEPTION, exception)
def execute(self, filepath: str):
pass
def watch(self, local: str):
pass
# picowatch = Picowatch(Pyboard('COM5'))
2022-12-29 16:37:55 +01:00
2022-12-31 01:56:48 +01:00
# picowatch.listing('/lib/')