mirror of
https://github.com/janishutz/BiogasControllerApp.git
synced 2025-11-25 05:44:23 +00:00
Config, Lots of docs, Format
Added a config validator and documented code that was previously undocumented, for the plot_generator scripts, documented them.
This commit is contained in:
55
lib/com.py
55
lib/com.py
@@ -4,6 +4,22 @@ import serial
|
||||
import struct
|
||||
import serial.tools.list_ports
|
||||
|
||||
# The below class is abstract to have a consistent, targetable interface
|
||||
# for both the real connection module and the simulation module
|
||||
#
|
||||
# If you are unaware of what classes are, you can mostly ignore the ComSuperClass
|
||||
#
|
||||
# For the interested, a quick rundown of what the benefits of doing it this way is:
|
||||
# This class provides a way to have two wholly different implementations that have
|
||||
# the same function interface (i.e. all functions take the same arguments)
|
||||
#
|
||||
# Another benefit of having classes is that we can pass a single instance around to
|
||||
# various components and have one shared instance that all can modify, reducing some
|
||||
# overhead.
|
||||
#
|
||||
# The actual implementation of most functions (called methods in OOP) are implemented
|
||||
# in the Com class below.
|
||||
|
||||
|
||||
class ComSuperClass(ABC):
|
||||
def __init__(
|
||||
@@ -52,6 +68,15 @@ class ComSuperClass(ABC):
|
||||
pass
|
||||
|
||||
|
||||
# ┌ ┐
|
||||
# │ Main Com Class Implementation │
|
||||
# └ ┘
|
||||
# Below you can find what you were most likely looking for. This is the implementation of the communication with the microcontroller.
|
||||
# You may also be interested in the decoder.py and instructions.py file, as the decoding and the hooking / syncing process are
|
||||
# implemented there. It is recommended that you do NOT read the test/com.py file, as that one is only there for simulation purposes
|
||||
# and is much more complicated than this here, if you are not well versed with Python or are struggling with the basics
|
||||
|
||||
|
||||
class Com(ComSuperClass):
|
||||
def _connection_check(self) -> bool:
|
||||
if self._serial == None:
|
||||
@@ -84,17 +109,30 @@ class Com(ComSuperClass):
|
||||
return ""
|
||||
|
||||
def _open(self) -> bool:
|
||||
"""Open the connection. Internal function, not to be called directly
|
||||
|
||||
Returns:
|
||||
Boolean indicates if connection was successful or not
|
||||
"""
|
||||
# Get the com port the controller has connected to
|
||||
comport = self.get_comport()
|
||||
|
||||
# Comport search returns empty string if search unsuccessful
|
||||
if comport == "":
|
||||
# Try to generate a new Serial object with the configuration of this class
|
||||
# self._baudrate contains the baud rate and defaults to 19200
|
||||
try:
|
||||
self._serial = serial.Serial(comport, self._baudrate, timeout=5)
|
||||
except serial.SerialException as e:
|
||||
# If an error occurs, catch it, handle it and store the error
|
||||
# for the UI and return False to indicate failed connection
|
||||
self._err = e
|
||||
return False
|
||||
|
||||
# Connection succeeded, return True
|
||||
return True
|
||||
else:
|
||||
# Haven't found a comport
|
||||
return False
|
||||
|
||||
def connect(self) -> bool:
|
||||
@@ -110,8 +148,13 @@ class Com(ComSuperClass):
|
||||
pass
|
||||
|
||||
def receive(self, byte_count: int) -> bytes:
|
||||
"""Recieve bytes from microcontroller over serial. Returns bytes. Might want to decode using functions from lib.tools"""
|
||||
"""Receive bytes from microcontroller over serial. Returns bytes. Might want to decode using functions from lib.decoder"""
|
||||
# Check connection
|
||||
self._connection_check()
|
||||
|
||||
# Ignore this boilerplate (extra code), the body of the if is the only thing important.
|
||||
# The reason for the boilerplate is that the type checker will notice that self._serial can be
|
||||
# None, thus showing errors.
|
||||
if self._serial != None:
|
||||
return self._serial.read(byte_count)
|
||||
else:
|
||||
@@ -119,7 +162,12 @@ class Com(ComSuperClass):
|
||||
|
||||
def send(self, msg: str) -> None:
|
||||
"""Send a string over serial connection. Will open a connection if none is available"""
|
||||
# Check connection
|
||||
self._connection_check()
|
||||
|
||||
# Ignore this boilerplate (extra code), the body of the if is the only thing important.
|
||||
# The reason for the boilerplate is that the type checker will notice that self._serial can be
|
||||
# None, thus showing errors.
|
||||
if self._serial != None:
|
||||
self._serial.write(msg.encode())
|
||||
else:
|
||||
@@ -127,7 +175,12 @@ class Com(ComSuperClass):
|
||||
|
||||
def send_float(self, msg: float) -> None:
|
||||
"""Send a float number over serial connection"""
|
||||
# Check connection
|
||||
self._connection_check()
|
||||
|
||||
# Ignore this boilerplate (extra code), the body of the if is the only thing important.
|
||||
# The reason for the boilerplate is that the type checker will notice that self._serial can be
|
||||
# None, thus showing errors.
|
||||
if self._serial != None:
|
||||
self._serial.write(bytearray(struct.pack(">f", msg))[0:3])
|
||||
else:
|
||||
|
||||
144
lib/config.py
Normal file
144
lib/config.py
Normal file
@@ -0,0 +1,144 @@
|
||||
import configparser
|
||||
from typing import List
|
||||
|
||||
# Load the config
|
||||
config = configparser.ConfigParser()
|
||||
config.read("./config.ini")
|
||||
|
||||
global first_error
|
||||
first_error = True
|
||||
|
||||
global is_verbose
|
||||
is_verbose = True
|
||||
|
||||
|
||||
def set_verbosity(verbose: bool):
|
||||
global is_verbose
|
||||
is_verbose = verbose
|
||||
|
||||
print("\n", "-" * 20, "\nValidating configuration...\n")
|
||||
|
||||
|
||||
def str_to_bool(val: str) -> bool | None:
|
||||
"""Convert a string to boolean, converting "True" and "true" to True, same for False
|
||||
|
||||
Args:
|
||||
val: The value to try to convert
|
||||
|
||||
Returns:
|
||||
Returns either a boolean if conversion was successful, or None if not a boolean
|
||||
"""
|
||||
return {"True": True, "true": True, "False": False, "false": False}.get(val, None)
|
||||
|
||||
|
||||
def read_config(
|
||||
key_0: str,
|
||||
key_1: str,
|
||||
default: str,
|
||||
valid_entries: List[str] = [],
|
||||
type_to_validate: str = "",
|
||||
) -> str:
|
||||
"""Read the configuration, report potential configuration issues and validate each entry
|
||||
|
||||
Args:
|
||||
key_0: The first key (top level)
|
||||
key_1: The second key (where the actual key-value pair is)
|
||||
default: The default value to return if the check fails
|
||||
valid_entries: [Optiona] The entries that are valid ones to check against
|
||||
type_to_validate: [Optional] Data type to validate
|
||||
|
||||
Returns:
|
||||
[TODO:return]
|
||||
"""
|
||||
# Try loading the keys
|
||||
tmp = {}
|
||||
try:
|
||||
tmp = config[key_0]
|
||||
except KeyError:
|
||||
print_config_error(key_0, key_1, "", default, "unknown", index=1)
|
||||
return default
|
||||
|
||||
value = ""
|
||||
try:
|
||||
value = tmp[key_1]
|
||||
except KeyError:
|
||||
print_config_error(key_0, key_1, "", default, "unknown")
|
||||
return default
|
||||
|
||||
if len(value) == 0:
|
||||
print_config_error(key_0, key_1, value, default, "not_empty")
|
||||
|
||||
# Validate input
|
||||
if type_to_validate != "":
|
||||
# Need to validate
|
||||
if type_to_validate == "int":
|
||||
try:
|
||||
int(value)
|
||||
except ValueError:
|
||||
print_config_error(key_0, key_1, value, default, "int")
|
||||
return default
|
||||
if type_to_validate == "float":
|
||||
try:
|
||||
float(value)
|
||||
except ValueError:
|
||||
print_config_error(key_0, key_1, value, default, "float")
|
||||
return default
|
||||
|
||||
if type_to_validate == "bool":
|
||||
if str_to_bool(value) == None:
|
||||
print_config_error(key_0, key_1, value, default, "bool")
|
||||
return default
|
||||
|
||||
if len(valid_entries) > 0:
|
||||
# Need to validate the names
|
||||
try:
|
||||
valid_entries.index(value)
|
||||
except ValueError:
|
||||
print_config_error(
|
||||
key_0, key_1, value, default, "oneof", valid_entries=valid_entries
|
||||
)
|
||||
return default
|
||||
|
||||
return value
|
||||
|
||||
|
||||
def print_config_error(
|
||||
key_0: str,
|
||||
key_1: str,
|
||||
value: str,
|
||||
default: str,
|
||||
expected: str,
|
||||
valid_entries: List[str] = [],
|
||||
msg: str = "",
|
||||
index: int = 1,
|
||||
):
|
||||
"""Print configuration errors to the shell
|
||||
|
||||
Args:
|
||||
key_0: The first key (top level)
|
||||
key_1: The second key (where the actual value is to be found)
|
||||
expected: The data type expected. If unknown key, set to "unknown" and set index; If should be one of, use "oneof" and set valid_entries list
|
||||
msg: The message to print
|
||||
index: The index in the chain (i.e. if key_0 or key_1)
|
||||
"""
|
||||
if not is_verbose:
|
||||
return
|
||||
|
||||
print(f" ==> Using default setting ({default}) for {key_0}.{key_1}")
|
||||
|
||||
if expected == "unknown":
|
||||
# The field was unknown
|
||||
print(f' -> Unknown field "{key_0 if index == 0 else key_1}"')
|
||||
elif expected == "oneof":
|
||||
print(
|
||||
f' -> Invalid name "{value}". Has to be one of', ", ".join(valid_entries)
|
||||
)
|
||||
elif expected == "not_empty":
|
||||
print(" -> Property is unexpectedly None")
|
||||
elif expected == "bool":
|
||||
print(f' -> Boolean property expected, but instead found "{value}".')
|
||||
else:
|
||||
print(f" -> Expected a config option of type {expected}.")
|
||||
|
||||
if msg != "":
|
||||
print(msg)
|
||||
@@ -1,18 +1,24 @@
|
||||
import struct
|
||||
|
||||
|
||||
# Decoder to decode various sent values from the microcontroller
|
||||
class Decoder:
|
||||
# Decode an ascii character
|
||||
def decode_ascii(self, value: bytes) -> str:
|
||||
try:
|
||||
return value.decode()
|
||||
except:
|
||||
return 'Error'
|
||||
return "Error"
|
||||
|
||||
# Decode a float (6 bits)
|
||||
def decode_float(self, value: bytes) -> float:
|
||||
return struct.unpack('>f', bytes.fromhex(str(value, 'ascii') + '00'))[0]
|
||||
return struct.unpack(">f", bytes.fromhex(str(value, "ascii") + "00"))[0]
|
||||
|
||||
# Decode a float, but with additional offsets
|
||||
def decode_float_long(self, value: bytes) -> float:
|
||||
return struct.unpack('>f', bytes.fromhex(str(value, 'ascii') + '0000'))[0]
|
||||
return struct.unpack(">f", bytes.fromhex(str(value, "ascii") + "0000"))[0]
|
||||
|
||||
# Decode an int
|
||||
def decode_int(self, value: bytes) -> int:
|
||||
# return int.from_bytes(value, 'big')
|
||||
return int(value, base=16)
|
||||
|
||||
@@ -2,7 +2,6 @@ from lib.com import ComSuperClass
|
||||
import lib.decoder
|
||||
import time
|
||||
|
||||
# TODO: Load filters (for comport search)
|
||||
decoder = lib.decoder.Decoder()
|
||||
|
||||
|
||||
@@ -35,12 +34,13 @@ class Instructions:
|
||||
|
||||
# Only run for a limited amount of time
|
||||
while time.time() - start < 5:
|
||||
# If the decoded ascii character is equal to the next expected character, move pointer right by one
|
||||
# If not, jump back to start
|
||||
data = decoder.decode_ascii(self._com.receive(1));
|
||||
# Receive and decode a single byte and decode as ASCII
|
||||
data = decoder.decode_ascii(self._com.receive(1))
|
||||
if data == sequence[pointer]:
|
||||
# Increment the pointer (move to next element in the List)
|
||||
pointer += 1
|
||||
else:
|
||||
# Jump back to start
|
||||
pointer = 0
|
||||
|
||||
# If the pointer has reached the end of the sequence, return True, as now the hook was successful
|
||||
@@ -58,16 +58,26 @@ class Instructions:
|
||||
# Wait to find a CR character (enter)
|
||||
char = decoder.decode_ascii(self._com.receive(1))
|
||||
while char != "\n":
|
||||
# Check for timeout
|
||||
if time.time() - start > 3:
|
||||
return False
|
||||
|
||||
# Set the next character by receiving and decoding it as ASCII
|
||||
char = decoder.decode_ascii(self._com.receive(1))
|
||||
|
||||
# Store the position in the hooking process
|
||||
state = 0
|
||||
distance = 0
|
||||
|
||||
# While we haven't timed out and have not reached the last state execute
|
||||
# The last state indicates that the sync was successful
|
||||
while time.time() - start < 5 and state < 3:
|
||||
# Receive the next char and decode it as ASCII
|
||||
char = decoder.decode_ascii(self._com.receive(1))
|
||||
|
||||
# The character we look for when syncing is Space (ASCII char 32 (decimal))
|
||||
# It is sent every 4 bits. If we have received 3 with the correct distance from
|
||||
# the previous in a row, we are synced
|
||||
if char == " ":
|
||||
if distance == 4:
|
||||
state += 1
|
||||
@@ -79,6 +89,7 @@ class Instructions:
|
||||
else:
|
||||
distance += 1
|
||||
|
||||
# Read 5 more bits to correctly sync up
|
||||
self._com.receive(5)
|
||||
|
||||
return state == 3
|
||||
|
||||
@@ -11,12 +11,17 @@ import struct
|
||||
|
||||
from lib.com import ComSuperClass
|
||||
|
||||
# ┌ ┐
|
||||
# │ Testing Module For Com │
|
||||
# └ ┘
|
||||
# This file contains a Com class that can be used to test the functionality
|
||||
# even without a microcontroller. It is not documented in a particularly
|
||||
# beginner-friendly way, nor is the code written with beginner-friendliness
|
||||
# in mind. It is the most complicated piece of code of the entire application
|
||||
|
||||
# All double __ prefixed properties and methods are not available in the actual one
|
||||
# ────────────────────────────────────────────────────────────────────
|
||||
|
||||
# All double __ prefixed properties and methods are not available in the actual impl
|
||||
|
||||
instruction_lut: dict[str, list[str]] = {
|
||||
"PR": ["\n", "P", "R", "\n"],
|
||||
@@ -162,6 +167,7 @@ class Com(ComSuperClass):
|
||||
self.__add_ascii_char("\n")
|
||||
|
||||
def __fill_queue(self):
|
||||
# Simulate a full cycle
|
||||
for _ in range(4):
|
||||
self.__add_integer_as_hex(self.__generate_random_int(200))
|
||||
self.__simulated_data.put(bytes(" ", "ascii"))
|
||||
|
||||
Reference in New Issue
Block a user