code
stringlengths
1
1.05M
repo_name
stringlengths
6
83
path
stringlengths
3
242
language
stringclasses
222 values
license
stringclasses
20 values
size
int64
1
1.05M
#pragma once #include <string> #include "system/hardware/base.h" #include "common/util.h" #if QCOM2 #include "system/hardware/tici/hardware.h" #define Hardware HardwareTici #else #include "system/hardware/pc/hardware.h" #define Hardware HardwarePC #endif namespace Path { inline std::string openpilot_prefix() { return util::getenv("OPENPILOT_PREFIX", ""); } inline std::string comma_home() { return util::getenv("HOME") + "/.comma" + Path::openpilot_prefix(); } inline std::string log_root() { if (const char *env = getenv("LOG_ROOT")) { return env; } return Hardware::PC() ? Path::comma_home() + "/media/0/realdata" : "/data/media/0/realdata"; } inline std::string params() { return util::getenv("PARAMS_ROOT", Hardware::PC() ? (Path::comma_home() + "/params") : "/data/params"); } inline std::string rsa_file() { return Hardware::PC() ? Path::comma_home() + "/persist/comma/id_rsa" : "/persist/comma/id_rsa"; } inline std::string swaglog_ipc() { return "ipc:///tmp/logmessage" + Path::openpilot_prefix(); } inline std::string download_cache_root() { if (const char *env = getenv("COMMA_CACHE")) { return env; } return "/tmp/comma_download_cache" + Path::openpilot_prefix() + "/"; } } // namespace Path
2301_81045437/openpilot
system/hardware/hw.h
C++
mit
1,300
import os from pathlib import Path from openpilot.system.hardware import PC DEFAULT_DOWNLOAD_CACHE_ROOT = "/tmp/comma_download_cache" class Paths: @staticmethod def comma_home() -> str: return os.path.join(str(Path.home()), ".comma" + os.environ.get("OPENPILOT_PREFIX", "")) @staticmethod def log_root() -> str: if os.environ.get('LOG_ROOT', False): return os.environ['LOG_ROOT'] elif PC: return str(Path(Paths.comma_home()) / "media" / "0" / "realdata") else: return '/data/media/0/realdata/' @staticmethod def swaglog_root() -> str: if PC: return os.path.join(Paths.comma_home(), "log") else: return "/data/log/" @staticmethod def swaglog_ipc() -> str: return "ipc:///tmp/logmessage" + os.environ.get("OPENPILOT_PREFIX", "") @staticmethod def download_cache_root() -> str: if os.environ.get('COMMA_CACHE', False): return os.environ['COMMA_CACHE'] + "/" return DEFAULT_DOWNLOAD_CACHE_ROOT + os.environ.get("OPENPILOT_PREFIX", "") + "/" @staticmethod def persist_root() -> str: if PC: return os.path.join(Paths.comma_home(), "persist") else: return "/persist/" @staticmethod def stats_root() -> str: if PC: return str(Path(Paths.comma_home()) / "stats") else: return "/data/stats/" @staticmethod def config_root() -> str: if PC: return Paths.comma_home() else: return "/tmp/.comma"
2301_81045437/openpilot
system/hardware/hw.py
Python
mit
1,456
#pragma once #include <string> #include "system/hardware/base.h" class HardwarePC : public HardwareNone { public: static std::string get_os_version() { return "openpilot for PC"; } static std::string get_name() { return "pc"; } static cereal::InitData::DeviceType get_device_type() { return cereal::InitData::DeviceType::PC; } static bool PC() { return true; } static bool TICI() { return util::getenv("TICI", 0) == 1; } static bool AGNOS() { return util::getenv("TICI", 0) == 1; } static void config_cpu_rendering(bool offscreen) { if (offscreen) { setenv("QT_QPA_PLATFORM", "offscreen", 1); } setenv("__GLX_VENDOR_LIBRARY_NAME", "mesa", 1); setenv("LP_NUM_THREADS", "0", 1); // disable threading so we stay on our assigned CPU } };
2301_81045437/openpilot
system/hardware/pc/hardware.h
C++
mit
776
import random from cereal import log from openpilot.system.hardware.base import HardwareBase, ThermalConfig NetworkType = log.DeviceState.NetworkType NetworkStrength = log.DeviceState.NetworkStrength class Pc(HardwareBase): def get_os_version(self): return None def get_device_type(self): return "pc" def get_sound_card_online(self): return True def reboot(self, reason=None): print("REBOOT!") def uninstall(self): print("uninstall") def get_imei(self, slot): return "%015d" % random.randint(0, 1 << 32) def get_serial(self): return "cccccccc" def get_network_info(self): return None def get_network_type(self): return NetworkType.wifi def get_sim_info(self): return { 'sim_id': '', 'mcc_mnc': None, 'network_type': ["Unknown"], 'sim_state': ["ABSENT"], 'data_connected': False } def get_network_strength(self, network_type): return NetworkStrength.unknown def get_current_power_draw(self): return 0 def get_som_power_draw(self): return 0 def shutdown(self): print("SHUTDOWN!") def get_thermal_config(self): return ThermalConfig(cpu=((None,), 1), gpu=((None,), 1), mem=(None, 1), bat=(None, 1), pmic=((None,), 1)) def set_screen_brightness(self, percentage): pass def get_screen_brightness(self): return 0 def set_power_save(self, powersave_enabled): pass def get_gpu_usage_percent(self): return 0 def get_modem_temperatures(self): return [] def get_nvme_temperatures(self): return [] def initialize_hardware(self): pass def get_networks(self): return None
2301_81045437/openpilot
system/hardware/pc/hardware.py
Python
mit
1,655
#!/usr/bin/env python3 import hashlib import json import lzma import os import struct import subprocess import time from collections.abc import Generator import requests import openpilot.system.updated.casync.casync as casync SPARSE_CHUNK_FMT = struct.Struct('H2xI4x') CAIBX_URL = "https://commadist.azureedge.net/agnosupdate/" AGNOS_MANIFEST_FILE = "system/hardware/tici/agnos.json" class StreamingDecompressor: def __init__(self, url: str) -> None: self.buf = b"" self.req = requests.get(url, stream=True, headers={'Accept-Encoding': None}, timeout=60) self.it = self.req.iter_content(chunk_size=1024 * 1024) self.decompressor = lzma.LZMADecompressor(format=lzma.FORMAT_AUTO) self.eof = False self.sha256 = hashlib.sha256() def read(self, length: int) -> bytes: while len(self.buf) < length: self.req.raise_for_status() try: compressed = next(self.it) except StopIteration: self.eof = True break out = self.decompressor.decompress(compressed) self.buf += out result = self.buf[:length] self.buf = self.buf[length:] self.sha256.update(result) return result def unsparsify(f: StreamingDecompressor) -> Generator[bytes, None, None]: # https://source.android.com/devices/bootloader/images#sparse-format magic = struct.unpack("I", f.read(4))[0] assert(magic == 0xed26ff3a) # Version major = struct.unpack("H", f.read(2))[0] minor = struct.unpack("H", f.read(2))[0] assert(major == 1 and minor == 0) f.read(2) # file header size f.read(2) # chunk header size block_sz = struct.unpack("I", f.read(4))[0] f.read(4) # total blocks num_chunks = struct.unpack("I", f.read(4))[0] f.read(4) # crc checksum for _ in range(num_chunks): chunk_type, out_blocks = SPARSE_CHUNK_FMT.unpack(f.read(12)) if chunk_type == 0xcac1: # Raw # TODO: yield in smaller chunks. Yielding only block_sz is too slow. Largest observed data chunk is 252 MB. yield f.read(out_blocks * block_sz) elif chunk_type == 0xcac2: # Fill filler = f.read(4) * (block_sz // 4) for _ in range(out_blocks): yield filler elif chunk_type == 0xcac3: # Don't care yield b"" else: raise Exception("Unhandled sparse chunk type") # noop wrapper with same API as unsparsify() for non sparse images def noop(f: StreamingDecompressor) -> Generator[bytes, None, None]: while not f.eof: yield f.read(1024 * 1024) def get_target_slot_number() -> int: current_slot = subprocess.check_output(["abctl", "--boot_slot"], encoding='utf-8').strip() return 1 if current_slot == "_a" else 0 def slot_number_to_suffix(slot_number: int) -> str: assert slot_number in (0, 1) return '_a' if slot_number == 0 else '_b' def get_partition_path(target_slot_number: int, partition: dict) -> str: path = f"/dev/disk/by-partlabel/{partition['name']}" if partition.get('has_ab', True): path += slot_number_to_suffix(target_slot_number) return path def get_raw_hash(path: str, partition_size: int) -> str: raw_hash = hashlib.sha256() pos, chunk_size = 0, 1024 * 1024 with open(path, 'rb+') as out: while pos < partition_size: n = min(chunk_size, partition_size - pos) raw_hash.update(out.read(n)) pos += n return raw_hash.hexdigest().lower() def verify_partition(target_slot_number: int, partition: dict[str, str | int], force_full_check: bool = False) -> bool: full_check = partition['full_check'] or force_full_check path = get_partition_path(target_slot_number, partition) if not isinstance(partition['size'], int): return False partition_size: int = partition['size'] if not isinstance(partition['hash_raw'], str): return False partition_hash: str = partition['hash_raw'] if full_check: return get_raw_hash(path, partition_size) == partition_hash.lower() else: with open(path, 'rb+') as out: out.seek(partition_size) return out.read(64) == partition_hash.lower().encode() def clear_partition_hash(target_slot_number: int, partition: dict) -> None: path = get_partition_path(target_slot_number, partition) with open(path, 'wb+') as out: partition_size = partition['size'] out.seek(partition_size) out.write(b"\x00" * 64) os.sync() def extract_compressed_image(target_slot_number: int, partition: dict, cloudlog): path = get_partition_path(target_slot_number, partition) downloader = StreamingDecompressor(partition['url']) with open(path, 'wb+') as out: # Flash partition last_p = 0 raw_hash = hashlib.sha256() f = unsparsify if partition['sparse'] else noop for chunk in f(downloader): raw_hash.update(chunk) out.write(chunk) p = int(out.tell() / partition['size'] * 100) if p != last_p: last_p = p print(f"Installing {partition['name']}: {p}", flush=True) if raw_hash.hexdigest().lower() != partition['hash_raw'].lower(): raise Exception(f"Raw hash mismatch '{raw_hash.hexdigest().lower()}'") if downloader.sha256.hexdigest().lower() != partition['hash'].lower(): raise Exception("Uncompressed hash mismatch") if out.tell() != partition['size']: raise Exception("Uncompressed size mismatch") os.sync() def extract_casync_image(target_slot_number: int, partition: dict, cloudlog): path = get_partition_path(target_slot_number, partition) seed_path = path[:-1] + ('b' if path[-1] == 'a' else 'a') target = casync.parse_caibx(partition['casync_caibx']) sources: list[tuple[str, casync.ChunkReader, casync.ChunkDict]] = [] # First source is the current partition. try: raw_hash = get_raw_hash(seed_path, partition['size']) caibx_url = f"{CAIBX_URL}{partition['name']}-{raw_hash}.caibx" try: cloudlog.info(f"casync fetching {caibx_url}") sources += [('seed', casync.FileChunkReader(seed_path), casync.build_chunk_dict(casync.parse_caibx(caibx_url)))] except requests.RequestException: cloudlog.error(f"casync failed to load {caibx_url}") except Exception: cloudlog.exception("casync failed to hash seed partition") # Second source is the target partition, this allows for resuming sources += [('target', casync.FileChunkReader(path), casync.build_chunk_dict(target))] # Finally we add the remote source to download any missing chunks sources += [('remote', casync.RemoteChunkReader(partition['casync_store']), casync.build_chunk_dict(target))] last_p = 0 def progress(cur): nonlocal last_p p = int(cur / partition['size'] * 100) if p != last_p: last_p = p print(f"Installing {partition['name']}: {p}", flush=True) stats = casync.extract(target, sources, path, progress) cloudlog.error(f'casync done {json.dumps(stats)}') os.sync() if not verify_partition(target_slot_number, partition, force_full_check=True): raise Exception(f"Raw hash mismatch '{partition['hash_raw'].lower()}'") def flash_partition(target_slot_number: int, partition: dict, cloudlog, standalone=False): cloudlog.info(f"Downloading and writing {partition['name']}") if verify_partition(target_slot_number, partition): cloudlog.info(f"Already flashed {partition['name']}") return # Clear hash before flashing in case we get interrupted full_check = partition['full_check'] if not full_check: clear_partition_hash(target_slot_number, partition) path = get_partition_path(target_slot_number, partition) if ('casync_caibx' in partition) and not standalone: extract_casync_image(target_slot_number, partition, cloudlog) else: extract_compressed_image(target_slot_number, partition, cloudlog) # Write hash after successful flash if not full_check: with open(path, 'wb+') as out: out.seek(partition['size']) out.write(partition['hash_raw'].lower().encode()) def swap(manifest_path: str, target_slot_number: int, cloudlog) -> None: update = json.load(open(manifest_path)) for partition in update: if not partition.get('full_check', False): clear_partition_hash(target_slot_number, partition) while True: out = subprocess.check_output(f"abctl --set_active {target_slot_number}", shell=True, stderr=subprocess.STDOUT, encoding='utf8') if ("No such file or directory" not in out) and ("lun as boot lun" in out): cloudlog.info(f"Swap successful {out}") break else: cloudlog.error(f"Swap failed {out}") def flash_agnos_update(manifest_path: str, target_slot_number: int, cloudlog, standalone=False) -> None: update = json.load(open(manifest_path)) cloudlog.info(f"Target slot {target_slot_number}") # set target slot as unbootable os.system(f"abctl --set_unbootable {target_slot_number}") for partition in update: success = False for retries in range(10): try: flash_partition(target_slot_number, partition, cloudlog, standalone) success = True break except requests.exceptions.RequestException: cloudlog.exception("Failed") cloudlog.info(f"Failed to download {partition['name']}, retrying ({retries})") time.sleep(10) if not success: cloudlog.info(f"Failed to flash {partition['name']}, aborting") raise Exception("Maximum retries exceeded") cloudlog.info(f"AGNOS ready on slot {target_slot_number}") def verify_agnos_update(manifest_path: str, target_slot_number: int) -> bool: update = json.load(open(manifest_path)) return all(verify_partition(target_slot_number, partition) for partition in update) if __name__ == "__main__": import argparse import logging parser = argparse.ArgumentParser(description="Flash and verify AGNOS update", formatter_class=argparse.ArgumentDefaultsHelpFormatter) parser.add_argument("--verify", action="store_true", help="Verify and perform swap if update ready") parser.add_argument("--swap", action="store_true", help="Verify and perform swap, downloads if necessary") parser.add_argument("manifest", help="Manifest json") args = parser.parse_args() logging.basicConfig(level=logging.INFO) target_slot_number = get_target_slot_number() if args.verify: if verify_agnos_update(args.manifest, target_slot_number): swap(args.manifest, target_slot_number, logging) exit(0) exit(1) elif args.swap: while not verify_agnos_update(args.manifest, target_slot_number): logging.error("Verification failed. Flashing AGNOS") flash_agnos_update(args.manifest, target_slot_number, logging, standalone=True) logging.warning(f"Verification succeeded. Swapping to slot {target_slot_number}") swap(args.manifest, target_slot_number, logging) else: flash_agnos_update(args.manifest, target_slot_number, logging, standalone=True)
2301_81045437/openpilot
system/hardware/tici/agnos.py
Python
mit
10,832
#!/usr/bin/env python3 import time from smbus2 import SMBus from collections import namedtuple # https://datasheets.maximintegrated.com/en/ds/MAX98089.pdf AmpConfig = namedtuple('AmpConfig', ['name', 'value', 'register', 'offset', 'mask']) EQParams = namedtuple('EQParams', ['K', 'k1', 'k2', 'c1', 'c2']) def configs_from_eq_params(base, eq_params): return [ AmpConfig("K (high)", (eq_params.K >> 8), base, 0, 0xFF), AmpConfig("K (low)", (eq_params.K & 0xFF), base + 1, 0, 0xFF), AmpConfig("k1 (high)", (eq_params.k1 >> 8), base + 2, 0, 0xFF), AmpConfig("k1 (low)", (eq_params.k1 & 0xFF), base + 3, 0, 0xFF), AmpConfig("k2 (high)", (eq_params.k2 >> 8), base + 4, 0, 0xFF), AmpConfig("k2 (low)", (eq_params.k2 & 0xFF), base + 5, 0, 0xFF), AmpConfig("c1 (high)", (eq_params.c1 >> 8), base + 6, 0, 0xFF), AmpConfig("c1 (low)", (eq_params.c1 & 0xFF), base + 7, 0, 0xFF), AmpConfig("c2 (high)", (eq_params.c2 >> 8), base + 8, 0, 0xFF), AmpConfig("c2 (low)", (eq_params.c2 & 0xFF), base + 9, 0, 0xFF), ] BASE_CONFIG = [ AmpConfig("MCLK prescaler", 0b01, 0x10, 4, 0b00110000), AmpConfig("PM: enable speakers", 0b11, 0x4D, 4, 0b00110000), AmpConfig("PM: enable DACs", 0b11, 0x4D, 0, 0b00000011), AmpConfig("Enable PLL1", 0b1, 0x12, 7, 0b10000000), AmpConfig("Enable PLL2", 0b1, 0x1A, 7, 0b10000000), AmpConfig("DAI1: I2S mode", 0b00100, 0x14, 2, 0b01111100), AmpConfig("DAI2: I2S mode", 0b00100, 0x1C, 2, 0b01111100), AmpConfig("DAI1 Passband filtering: music mode", 0b1, 0x18, 7, 0b10000000), AmpConfig("DAI1 voice mode gain (DV1G)", 0b00, 0x2F, 4, 0b00110000), AmpConfig("DAI1 attenuation (DV1)", 0x0, 0x2F, 0, 0b00001111), AmpConfig("DAI2 attenuation (DV2)", 0x0, 0x31, 0, 0b00001111), AmpConfig("DAI2: DC blocking", 0b1, 0x20, 0, 0b00000001), AmpConfig("DAI2: High sample rate", 0b0, 0x20, 3, 0b00001000), AmpConfig("ALC enable", 0b1, 0x43, 7, 0b10000000), AmpConfig("ALC/excursion limiter release time", 0b101, 0x43, 4, 0b01110000), AmpConfig("ALC multiband enable", 0b1, 0x43, 3, 0b00001000), AmpConfig("DAI1 EQ enable", 0b0, 0x49, 0, 0b00000001), AmpConfig("DAI2 EQ clip detection disabled", 0b1, 0x32, 4, 0b00010000), AmpConfig("DAI2 EQ attenuation", 0x5, 0x32, 0, 0b00001111), AmpConfig("Excursion limiter upper corner freq", 0b100, 0x41, 4, 0b01110000), AmpConfig("Excursion limiter lower corner freq", 0b00, 0x41, 0, 0b00000011), AmpConfig("Excursion limiter threshold", 0b000, 0x42, 0, 0b00001111), AmpConfig("Distortion limit (THDCLP)", 0x6, 0x46, 4, 0b11110000), AmpConfig("Distortion limiter release time constant", 0b0, 0x46, 0, 0b00000001), AmpConfig("Right DAC input mixer: DAI1 left", 0b0, 0x22, 3, 0b00001000), AmpConfig("Right DAC input mixer: DAI1 right", 0b0, 0x22, 2, 0b00000100), AmpConfig("Right DAC input mixer: DAI2 left", 0b1, 0x22, 1, 0b00000010), AmpConfig("Right DAC input mixer: DAI2 right", 0b0, 0x22, 0, 0b00000001), AmpConfig("DAI1 audio port selector", 0b10, 0x16, 6, 0b11000000), AmpConfig("DAI2 audio port selector", 0b01, 0x1E, 6, 0b11000000), AmpConfig("Enable left digital microphone", 0b1, 0x48, 5, 0b00100000), AmpConfig("Enable right digital microphone", 0b1, 0x48, 4, 0b00010000), AmpConfig("Enhanced volume smoothing disabled", 0b0, 0x49, 7, 0b10000000), AmpConfig("Volume adjustment smoothing disabled", 0b0, 0x49, 6, 0b01000000), AmpConfig("Zero-crossing detection disabled", 0b0, 0x49, 5, 0b00100000), ] CONFIGS = { "tici": [ AmpConfig("Right speaker output from right DAC", 0b1, 0x2C, 0, 0b11111111), AmpConfig("Right Speaker Mixer Gain", 0b00, 0x2D, 2, 0b00001100), AmpConfig("Right speaker output volume", 0x1c, 0x3E, 0, 0b00011111), AmpConfig("DAI2 EQ enable", 0b1, 0x49, 1, 0b00000010), *configs_from_eq_params(0x84, EQParams(0x274F, 0xC0FF, 0x3BF9, 0x0B3C, 0x1656)), *configs_from_eq_params(0x8E, EQParams(0x1009, 0xC6BF, 0x2952, 0x1C97, 0x30DF)), *configs_from_eq_params(0x98, EQParams(0x0F75, 0xCBE5, 0x0ED2, 0x2528, 0x3E42)), *configs_from_eq_params(0xA2, EQParams(0x091F, 0x3D4C, 0xCE11, 0x1266, 0x2807)), *configs_from_eq_params(0xAC, EQParams(0x0A9E, 0x3F20, 0xE573, 0x0A8B, 0x3A3B)), ], "tizi": [ AmpConfig("Left speaker output from left DAC", 0b1, 0x2B, 0, 0b11111111), AmpConfig("Right speaker output from right DAC", 0b1, 0x2C, 0, 0b11111111), AmpConfig("Left Speaker Mixer Gain", 0b00, 0x2D, 0, 0b00000011), AmpConfig("Right Speaker Mixer Gain", 0b00, 0x2D, 2, 0b00001100), AmpConfig("Left speaker output volume", 0x17, 0x3D, 0, 0b00011111), AmpConfig("Right speaker output volume", 0x17, 0x3E, 0, 0b00011111), AmpConfig("DAI2 EQ enable", 0b0, 0x49, 1, 0b00000010), AmpConfig("DAI2: DC blocking", 0b0, 0x20, 0, 0b00000001), AmpConfig("ALC enable", 0b0, 0x43, 7, 0b10000000), AmpConfig("DAI2 EQ attenuation", 0x2, 0x32, 0, 0b00001111), AmpConfig("Excursion limiter upper corner freq", 0b001, 0x41, 4, 0b01110000), AmpConfig("Excursion limiter threshold", 0b100, 0x42, 0, 0b00001111), AmpConfig("Distortion limit (THDCLP)", 0x0, 0x46, 4, 0b11110000), AmpConfig("Distortion limiter release time constant", 0b1, 0x46, 0, 0b00000001), AmpConfig("Left DAC input mixer: DAI1 left", 0b0, 0x22, 7, 0b10000000), AmpConfig("Left DAC input mixer: DAI1 right", 0b0, 0x22, 6, 0b01000000), AmpConfig("Left DAC input mixer: DAI2 left", 0b1, 0x22, 5, 0b00100000), AmpConfig("Left DAC input mixer: DAI2 right", 0b0, 0x22, 4, 0b00010000), AmpConfig("Right DAC input mixer: DAI2 left", 0b0, 0x22, 1, 0b00000010), AmpConfig("Right DAC input mixer: DAI2 right", 0b1, 0x22, 0, 0b00000001), AmpConfig("Volume adjustment smoothing disabled", 0b1, 0x49, 6, 0b01000000), ], } class Amplifier: AMP_I2C_BUS = 0 AMP_ADDRESS = 0x10 def __init__(self, debug=False): self.debug = debug def _get_shutdown_config(self, amp_disabled: bool) -> AmpConfig: return AmpConfig("Global shutdown", 0b0 if amp_disabled else 0b1, 0x51, 7, 0b10000000) def _set_configs(self, configs: list[AmpConfig]) -> None: with SMBus(self.AMP_I2C_BUS) as bus: for config in configs: if self.debug: print(f"Setting \"{config.name}\" to {config.value}:") old_value = bus.read_byte_data(self.AMP_ADDRESS, config.register, force=True) new_value = (old_value & (~config.mask)) | ((config.value << config.offset) & config.mask) bus.write_byte_data(self.AMP_ADDRESS, config.register, new_value, force=True) if self.debug: print(f" Changed {hex(config.register)}: {hex(old_value)} -> {hex(new_value)}") def set_configs(self, configs: list[AmpConfig]) -> bool: # retry in case panda is using the amp tries = 15 for i in range(15): try: self._set_configs(configs) return True except OSError: print(f"Failed to set amp config, {tries - i - 1} retries left") time.sleep(0.02) return False def set_global_shutdown(self, amp_disabled: bool) -> bool: return self.set_configs([self._get_shutdown_config(amp_disabled), ]) def initialize_configuration(self, model: str) -> bool: cfgs = [ self._get_shutdown_config(True), *BASE_CONFIG, *CONFIGS[model], self._get_shutdown_config(False), ] return self.set_configs(cfgs) if __name__ == "__main__": with open("/sys/firmware/devicetree/base/model") as f: model = f.read().strip('\x00') model = model.split('comma ')[-1] amp = Amplifier() amp.initialize_configuration(model)
2301_81045437/openpilot
system/hardware/tici/amplifier.py
Python
mit
7,568
#!/usr/bin/env python3 import os import math import time import binascii import requests import serial import subprocess def post(url, payload): print() print("POST to", url) r = requests.post( url, data=payload, verify=False, headers={ "Content-Type": "application/json", "X-Admin-Protocol": "gsma/rsp/v2.2.0", "charset": "utf-8", "User-Agent": "gsma-rsp-lpad", }, ) print("resp", r) print("resp text", repr(r.text)) print() r.raise_for_status() ret = f"HTTP/1.1 {r.status_code}" ret += ''.join(f"{k}: {v}" for k, v in r.headers.items() if k != 'Connection') return ret.encode() + r.content class LPA: def __init__(self): self.dev = serial.Serial('/dev/ttyUSB2', baudrate=57600, timeout=1, bytesize=8) self.dev.reset_input_buffer() self.dev.reset_output_buffer() assert "OK" in self.at("AT") def at(self, cmd): print(f"==> {cmd}") self.dev.write(cmd.encode() + b'\r\n') r = b"" cnt = 0 while b"OK" not in r and b"ERROR" not in r and cnt < 20: r += self.dev.read(8192).strip() cnt += 1 r = r.decode() print(f"<== {repr(r)}") return r def download_ota(self, qr): return self.at(f'AT+QESIM="ota","{qr}"') def download(self, qr): smdp = qr.split('$')[1] out = self.at(f'AT+QESIM="download","{qr}"') for _ in range(5): line = out.split("+QESIM: ")[1].split("\r\n\r\nOK")[0] parts = [x.strip().strip('"') for x in line.split(',', maxsplit=4)] print(repr(parts)) trans, ret, url, payloadlen, payload = parts assert trans == "trans" and ret == "0" assert len(payload) == int(payloadlen) r = post(f"https://{smdp}/{url}", payload) to_send = binascii.hexlify(r).decode() chunk_len = 1400 for i in range(math.ceil(len(to_send) / chunk_len)): state = 1 if (i+1)*chunk_len < len(to_send) else 0 data = to_send[i * chunk_len : (i+1)*chunk_len] out = self.at(f'AT+QESIM="trans",{len(to_send)},{state},{i},{len(data)},"{data}"') assert "OK" in out if '+QESIM:"download",1' in out: raise Exception("profile install failed") elif '+QESIM:"download",0' in out: print("done, successfully loaded") break def enable(self, iccid): self.at(f'AT+QESIM="enable","{iccid}"') def disable(self, iccid): self.at(f'AT+QESIM="disable","{iccid}"') def delete(self, iccid): self.at(f'AT+QESIM="delete","{iccid}"') def list_profiles(self): out = self.at('AT+QESIM="list"') return out.strip().splitlines()[1:] if __name__ == "__main__": import sys if "RESTART" in os.environ: subprocess.check_call("sudo systemctl stop ModemManager", shell=True) subprocess.check_call("/usr/comma/lte/lte.sh stop_blocking", shell=True) subprocess.check_call("/usr/comma/lte/lte.sh start", shell=True) while not os.path.exists('/dev/ttyUSB2'): time.sleep(1) time.sleep(3) lpa = LPA() print(lpa.list_profiles()) if len(sys.argv) > 1: lpa.download(sys.argv[1]) print(lpa.list_profiles())
2301_81045437/openpilot
system/hardware/tici/esim.py
Python
mit
3,104
#pragma once #include <cstdlib> #include <fstream> #include <map> #include <string> #include "common/params.h" #include "common/util.h" #include "system/hardware/base.h" class HardwareTici : public HardwareNone { public: static constexpr float MAX_VOLUME = 0.9; static constexpr float MIN_VOLUME = 0.1; static bool TICI() { return true; } static bool AGNOS() { return true; } static std::string get_os_version() { return "AGNOS " + util::read_file("/VERSION"); } static std::string get_name() { std::string model = util::read_file("/sys/firmware/devicetree/base/model"); return model.substr(std::string("comma ").size()); } static cereal::InitData::DeviceType get_device_type() { return (get_name() == "tizi") ? cereal::InitData::DeviceType::TIZI : (get_name() == "mici" ? cereal::InitData::DeviceType::MICI : cereal::InitData::DeviceType::TICI); } static int get_voltage() { return std::atoi(util::read_file("/sys/class/hwmon/hwmon1/in1_input").c_str()); } static int get_current() { return std::atoi(util::read_file("/sys/class/hwmon/hwmon1/curr1_input").c_str()); } static std::string get_serial() { static std::string serial(""); if (serial.empty()) { std::ifstream stream("/proc/cmdline"); std::string cmdline; std::getline(stream, cmdline); auto start = cmdline.find("serialno="); if (start == std::string::npos) { serial = "cccccc"; } else { auto end = cmdline.find(" ", start + 9); serial = cmdline.substr(start + 9, end - start - 9); } } return serial; } static void reboot() { std::system("sudo reboot"); } static void poweroff() { std::system("sudo poweroff"); } static void set_brightness(int percent) { std::string max = util::read_file("/sys/class/backlight/panel0-backlight/max_brightness"); std::ofstream brightness_control("/sys/class/backlight/panel0-backlight/brightness"); if (brightness_control.is_open()) { brightness_control << (int)(percent * (std::stof(max)/100.)) << "\n"; brightness_control.close(); } } static void set_display_power(bool on) { std::ofstream bl_power_control("/sys/class/backlight/panel0-backlight/bl_power"); if (bl_power_control.is_open()) { bl_power_control << (on ? "0" : "4") << "\n"; bl_power_control.close(); } } static std::map<std::string, std::string> get_init_logs() { std::map<std::string, std::string> ret = { {"/BUILD", util::read_file("/BUILD")}, {"lsblk", util::check_output("lsblk -o NAME,SIZE,STATE,VENDOR,MODEL,REV,SERIAL")}, {"SOM ID", util::read_file("/sys/devices/platform/vendor/vendor:gpio-som-id/som_id")}, }; std::string bs = util::check_output("abctl --boot_slot"); ret["boot slot"] = bs.substr(0, bs.find_first_of("\n")); std::string temp = util::read_file("/dev/disk/by-partlabel/ssd"); temp.erase(temp.find_last_not_of(std::string("\0\r\n", 3))+1); ret["boot temp"] = temp; // TODO: log something from system and boot for (std::string part : {"xbl", "abl", "aop", "devcfg", "xbl_config"}) { for (std::string slot : {"a", "b"}) { std::string partition = part + "_" + slot; std::string hash = util::check_output("sha256sum /dev/disk/by-partlabel/" + partition); ret[partition] = hash.substr(0, hash.find_first_of(" ")); } } return ret; } static bool get_ssh_enabled() { return Params().getBool("SshEnabled"); } static void set_ssh_enabled(bool enabled) { Params().putBool("SshEnabled", enabled); } static void config_cpu_rendering(bool offscreen) { if (offscreen) { setenv("QT_QPA_PLATFORM", "eglfs", 1); // offscreen doesn't work with EGL/GLES } setenv("LP_NUM_THREADS", "0", 1); // disable threading so we stay on our assigned CPU } };
2301_81045437/openpilot
system/hardware/tici/hardware.h
C++
mit
3,845
import json import math import os import subprocess import time import tempfile from enum import IntEnum from functools import cached_property, lru_cache from pathlib import Path from cereal import log from openpilot.common.gpio import gpio_set, gpio_init, get_irqs_for_action from openpilot.system.hardware.base import HardwareBase, ThermalConfig from openpilot.system.hardware.tici import iwlist from openpilot.system.hardware.tici.pins import GPIO from openpilot.system.hardware.tici.amplifier import Amplifier NM = 'org.freedesktop.NetworkManager' NM_CON_ACT = NM + '.Connection.Active' NM_DEV = NM + '.Device' NM_DEV_WL = NM + '.Device.Wireless' NM_DEV_STATS = NM + '.Device.Statistics' NM_AP = NM + '.AccessPoint' DBUS_PROPS = 'org.freedesktop.DBus.Properties' MM = 'org.freedesktop.ModemManager1' MM_MODEM = MM + ".Modem" MM_MODEM_SIMPLE = MM + ".Modem.Simple" MM_SIM = MM + ".Sim" class MM_MODEM_STATE(IntEnum): FAILED = -1 UNKNOWN = 0 INITIALIZING = 1 LOCKED = 2 DISABLED = 3 DISABLING = 4 ENABLING = 5 ENABLED = 6 SEARCHING = 7 REGISTERED = 8 DISCONNECTING = 9 CONNECTING = 10 CONNECTED = 11 class NMMetered(IntEnum): NM_METERED_UNKNOWN = 0 NM_METERED_YES = 1 NM_METERED_NO = 2 NM_METERED_GUESS_YES = 3 NM_METERED_GUESS_NO = 4 TIMEOUT = 0.1 REFRESH_RATE_MS = 1000 NetworkType = log.DeviceState.NetworkType NetworkStrength = log.DeviceState.NetworkStrength # https://developer.gnome.org/ModemManager/unstable/ModemManager-Flags-and-Enumerations.html#MMModemAccessTechnology MM_MODEM_ACCESS_TECHNOLOGY_UMTS = 1 << 5 MM_MODEM_ACCESS_TECHNOLOGY_LTE = 1 << 14 def sudo_write(val, path): try: with open(path, 'w') as f: f.write(str(val)) except PermissionError: os.system(f"sudo chmod a+w {path}") try: with open(path, 'w') as f: f.write(str(val)) except PermissionError: # fallback for debugfs files os.system(f"sudo su -c 'echo {val} > {path}'") def sudo_read(path: str) -> str: try: return subprocess.check_output(f"sudo cat {path}", shell=True, encoding='utf8') except Exception: return "" def affine_irq(val, action): irqs = get_irqs_for_action(action) if len(irqs) == 0: print(f"No IRQs found for '{action}'") return for i in irqs: sudo_write(str(val), f"/proc/irq/{i}/smp_affinity_list") @lru_cache def get_device_type(): # lru_cache and cache can cause memory leaks when used in classes with open("/sys/firmware/devicetree/base/model") as f: model = f.read().strip('\x00') return model.split('comma ')[-1] class Tici(HardwareBase): @cached_property def bus(self): import dbus return dbus.SystemBus() @cached_property def nm(self): return self.bus.get_object(NM, '/org/freedesktop/NetworkManager') @property # this should not be cached, in case the modemmanager restarts def mm(self): return self.bus.get_object(MM, '/org/freedesktop/ModemManager1') @cached_property def amplifier(self): if self.get_device_type() == "mici": return None return Amplifier() def get_os_version(self): with open("/VERSION") as f: return f.read().strip() def get_device_type(self): return get_device_type() def get_sound_card_online(self): if os.path.isfile('/proc/asound/card0/state'): with open('/proc/asound/card0/state') as f: return f.read().strip() == 'ONLINE' return False def reboot(self, reason=None): subprocess.check_output(["sudo", "reboot"]) def uninstall(self): Path("/data/__system_reset__").touch() os.sync() self.reboot() def get_serial(self): return self.get_cmdline()['androidboot.serialno'] def get_network_type(self): try: primary_connection = self.nm.Get(NM, 'PrimaryConnection', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) primary_connection = self.bus.get_object(NM, primary_connection) primary_type = primary_connection.Get(NM_CON_ACT, 'Type', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) if primary_type == '802-3-ethernet': return NetworkType.ethernet elif primary_type == '802-11-wireless': return NetworkType.wifi else: active_connections = self.nm.Get(NM, 'ActiveConnections', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) for conn in active_connections: c = self.bus.get_object(NM, conn) tp = c.Get(NM_CON_ACT, 'Type', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) if tp == 'gsm': modem = self.get_modem() access_t = modem.Get(MM_MODEM, 'AccessTechnologies', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) if access_t >= MM_MODEM_ACCESS_TECHNOLOGY_LTE: return NetworkType.cell4G elif access_t >= MM_MODEM_ACCESS_TECHNOLOGY_UMTS: return NetworkType.cell3G else: return NetworkType.cell2G except Exception: pass return NetworkType.none def get_modem(self): objects = self.mm.GetManagedObjects(dbus_interface="org.freedesktop.DBus.ObjectManager", timeout=TIMEOUT) modem_path = list(objects.keys())[0] return self.bus.get_object(MM, modem_path) def get_wlan(self): wlan_path = self.nm.GetDeviceByIpIface('wlan0', dbus_interface=NM, timeout=TIMEOUT) return self.bus.get_object(NM, wlan_path) def get_wwan(self): wwan_path = self.nm.GetDeviceByIpIface('wwan0', dbus_interface=NM, timeout=TIMEOUT) return self.bus.get_object(NM, wwan_path) def get_sim_info(self): modem = self.get_modem() sim_path = modem.Get(MM_MODEM, 'Sim', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) if sim_path == "/": return { 'sim_id': '', 'mcc_mnc': None, 'network_type': ["Unknown"], 'sim_state': ["ABSENT"], 'data_connected': False } else: sim = self.bus.get_object(MM, sim_path) return { 'sim_id': str(sim.Get(MM_SIM, 'SimIdentifier', dbus_interface=DBUS_PROPS, timeout=TIMEOUT)), 'mcc_mnc': str(sim.Get(MM_SIM, 'OperatorIdentifier', dbus_interface=DBUS_PROPS, timeout=TIMEOUT)), 'network_type': ["Unknown"], 'sim_state': ["READY"], 'data_connected': modem.Get(MM_MODEM, 'State', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) == MM_MODEM_STATE.CONNECTED, } def get_imei(self, slot): if slot != 0: return "" return str(self.get_modem().Get(MM_MODEM, 'EquipmentIdentifier', dbus_interface=DBUS_PROPS, timeout=TIMEOUT)) def get_network_info(self): try: modem = self.get_modem() info = modem.Command("AT+QNWINFO", math.ceil(TIMEOUT), dbus_interface=MM_MODEM, timeout=TIMEOUT) extra = modem.Command('AT+QENG="servingcell"', math.ceil(TIMEOUT), dbus_interface=MM_MODEM, timeout=TIMEOUT) state = modem.Get(MM_MODEM, 'State', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) except Exception: return None if info and info.startswith('+QNWINFO: '): info = info.replace('+QNWINFO: ', '').replace('"', '').split(',') extra = "" if extra is None else extra.replace('+QENG: "servingcell",', '').replace('"', '') state = "" if state is None else MM_MODEM_STATE(state).name if len(info) != 4: return None technology, operator, band, channel = info return({ 'technology': technology, 'operator': operator, 'band': band, 'channel': int(channel), 'extra': extra, 'state': state, }) else: return None def parse_strength(self, percentage): if percentage < 25: return NetworkStrength.poor elif percentage < 50: return NetworkStrength.moderate elif percentage < 75: return NetworkStrength.good else: return NetworkStrength.great def get_network_strength(self, network_type): network_strength = NetworkStrength.unknown try: if network_type == NetworkType.none: pass elif network_type == NetworkType.wifi: wlan = self.get_wlan() active_ap_path = wlan.Get(NM_DEV_WL, 'ActiveAccessPoint', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) if active_ap_path != "/": active_ap = self.bus.get_object(NM, active_ap_path) strength = int(active_ap.Get(NM_AP, 'Strength', dbus_interface=DBUS_PROPS, timeout=TIMEOUT)) network_strength = self.parse_strength(strength) else: # Cellular modem = self.get_modem() strength = int(modem.Get(MM_MODEM, 'SignalQuality', dbus_interface=DBUS_PROPS, timeout=TIMEOUT)[0]) network_strength = self.parse_strength(strength) except Exception: pass return network_strength def get_network_metered(self, network_type) -> bool: try: primary_connection = self.nm.Get(NM, 'PrimaryConnection', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) primary_connection = self.bus.get_object(NM, primary_connection) primary_devices = primary_connection.Get(NM_CON_ACT, 'Devices', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) for dev in primary_devices: dev_obj = self.bus.get_object(NM, str(dev)) metered_prop = dev_obj.Get(NM_DEV, 'Metered', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) if network_type == NetworkType.wifi: if metered_prop in [NMMetered.NM_METERED_YES, NMMetered.NM_METERED_GUESS_YES]: return True elif network_type in [NetworkType.cell2G, NetworkType.cell3G, NetworkType.cell4G, NetworkType.cell5G]: if metered_prop == NMMetered.NM_METERED_NO: return False except Exception: pass return super().get_network_metered(network_type) def get_modem_version(self): try: modem = self.get_modem() return modem.Get(MM_MODEM, 'Revision', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) except Exception: return None def get_modem_nv(self): timeout = 0.2 # Default timeout is too short files = ( '/nv/item_files/modem/mmode/ue_usage_setting', '/nv/item_files/ims/IMS_enable', '/nv/item_files/modem/mmode/sms_only', ) try: modem = self.get_modem() return { fn: str(modem.Command(f'AT+QNVFR="{fn}"', math.ceil(timeout), dbus_interface=MM_MODEM, timeout=timeout)) for fn in files} except Exception: return None def get_modem_temperatures(self): timeout = 0.2 # Default timeout is too short try: modem = self.get_modem() temps = modem.Command("AT+QTEMP", math.ceil(timeout), dbus_interface=MM_MODEM, timeout=timeout) return list(map(int, temps.split(' ')[1].split(','))) except Exception: return [] def get_nvme_temperatures(self): ret = [] try: out = subprocess.check_output("sudo smartctl -aj /dev/nvme0", shell=True) dat = json.loads(out) ret = list(map(int, dat["nvme_smart_health_information_log"]["temperature_sensors"])) except Exception: pass return ret def get_current_power_draw(self): return (self.read_param_file("/sys/class/hwmon/hwmon1/power1_input", int) / 1e6) def get_som_power_draw(self): return (self.read_param_file("/sys/class/power_supply/bms/voltage_now", int) * self.read_param_file("/sys/class/power_supply/bms/current_now", int) / 1e12) def shutdown(self): os.system("sudo poweroff") def get_thermal_config(self): return ThermalConfig(cpu=(["cpu%d-silver-usr" % i for i in range(4)] + ["cpu%d-gold-usr" % i for i in range(4)], 1000), gpu=(("gpu0-usr", "gpu1-usr"), 1000), mem=("ddr-usr", 1000), bat=(None, 1), pmic=(("pm8998_tz", "pm8005_tz"), 1000)) def set_screen_brightness(self, percentage): try: with open("/sys/class/backlight/panel0-backlight/max_brightness") as f: max_brightness = float(f.read().strip()) val = int(percentage * (max_brightness / 100.)) with open("/sys/class/backlight/panel0-backlight/brightness", "w") as f: f.write(str(val)) except Exception: pass def get_screen_brightness(self): try: with open("/sys/class/backlight/panel0-backlight/max_brightness") as f: max_brightness = float(f.read().strip()) with open("/sys/class/backlight/panel0-backlight/brightness") as f: return int(float(f.read()) / (max_brightness / 100.)) except Exception: return 0 def set_power_save(self, powersave_enabled): # amplifier, 100mW at idle if self.amplifier is not None: self.amplifier.set_global_shutdown(amp_disabled=powersave_enabled) if not powersave_enabled: self.amplifier.initialize_configuration(self.get_device_type()) # *** CPU config *** # offline big cluster, leave core 4 online for boardd for i in range(5, 8): val = '0' if powersave_enabled else '1' sudo_write(val, f'/sys/devices/system/cpu/cpu{i}/online') for n in ('0', '4'): gov = 'ondemand' if powersave_enabled else 'performance' sudo_write(gov, f'/sys/devices/system/cpu/cpufreq/policy{n}/scaling_governor') # *** IRQ config *** # boardd core affine_irq(4, "spi_geni") # SPI affine_irq(4, "xhci-hcd:usb3") # aux panda USB (or potentially anything else on USB) if "tici" in self.get_device_type(): affine_irq(4, "xhci-hcd:usb1") # internal panda USB (also modem) # GPU affine_irq(5, "kgsl-3d0") # camerad core camera_irqs = ("cci", "cpas_camnoc", "cpas-cdm", "csid", "ife", "csid-lite", "ife-lite") for n in camera_irqs: affine_irq(5, n) def get_gpu_usage_percent(self): try: with open('/sys/class/kgsl/kgsl-3d0/gpubusy') as f: used, total = f.read().strip().split() return 100.0 * int(used) / int(total) except Exception: return 0 def initialize_hardware(self): if self.amplifier is not None: self.amplifier.initialize_configuration(self.get_device_type()) # Allow thermald to write engagement status to kmsg os.system("sudo chmod a+w /dev/kmsg") # Ensure fan gpio is enabled so fan runs until shutdown, also turned on at boot by the ABL gpio_init(GPIO.SOM_ST_IO, True) gpio_set(GPIO.SOM_ST_IO, 1) # *** IRQ config *** # mask off big cluster from default affinity sudo_write("f", "/proc/irq/default_smp_affinity") # move these off the default core affine_irq(1, "msm_drm") # display affine_irq(1, "msm_vidc") # encoders affine_irq(1, "i2c_geni") # sensors # *** GPU config *** # https://github.com/commaai/agnos-kernel-sdm845/blob/master/arch/arm64/boot/dts/qcom/sdm845-gpu.dtsi#L216 sudo_write("1", "/sys/class/kgsl/kgsl-3d0/min_pwrlevel") sudo_write("1", "/sys/class/kgsl/kgsl-3d0/max_pwrlevel") sudo_write("1", "/sys/class/kgsl/kgsl-3d0/force_bus_on") sudo_write("1", "/sys/class/kgsl/kgsl-3d0/force_clk_on") sudo_write("1", "/sys/class/kgsl/kgsl-3d0/force_rail_on") sudo_write("1000", "/sys/class/kgsl/kgsl-3d0/idle_timer") sudo_write("performance", "/sys/class/kgsl/kgsl-3d0/devfreq/governor") sudo_write("710", "/sys/class/kgsl/kgsl-3d0/max_clock_mhz") # setup governors sudo_write("performance", "/sys/class/devfreq/soc:qcom,cpubw/governor") sudo_write("performance", "/sys/class/devfreq/soc:qcom,memlat-cpu0/governor") sudo_write("performance", "/sys/class/devfreq/soc:qcom,memlat-cpu4/governor") # *** VIDC (encoder) config *** sudo_write("N", "/sys/kernel/debug/msm_vidc/clock_scaling") sudo_write("Y", "/sys/kernel/debug/msm_vidc/disable_thermal_mitigation") def configure_modem(self): sim_id = self.get_sim_info().get('sim_id', '') modem = self.get_modem() try: manufacturer = str(modem.Get(MM_MODEM, 'Manufacturer', dbus_interface=DBUS_PROPS, timeout=TIMEOUT)) except Exception: manufacturer = None cmds = [] if manufacturer == 'Cavli Inc.': cmds += [ # use sim slot 'AT^SIMSWAP=1', # ethernet config 'AT$QCPCFG=usbNet,0', 'AT$QCNETDEVCTL=3,1', ] else: cmds += [ # configure modem as data-centric 'AT+QNVW=5280,0,"0102000000000000"', 'AT+QNVFW="/nv/item_files/ims/IMS_enable",00', 'AT+QNVFW="/nv/item_files/modem/mmode/ue_usage_setting",01', ] if self.get_device_type() == "tizi": cmds += [ # SIM hot swap 'AT+QSIMDET=1,0', 'AT+QSIMSTAT=1', ] # clear out old blue prime initial APN os.system('mmcli -m any --3gpp-set-initial-eps-bearer-settings="apn="') for cmd in cmds: try: modem.Command(cmd, math.ceil(TIMEOUT), dbus_interface=MM_MODEM, timeout=TIMEOUT) except Exception: pass # eSIM prime if sim_id.startswith('8985235'): dest = "/etc/NetworkManager/system-connections/esim.nmconnection" with open(Path(__file__).parent/'esim.nmconnection') as f, tempfile.NamedTemporaryFile(mode='w') as tf: dat = f.read() dat = dat.replace("sim-id=", f"sim-id={sim_id}") tf.write(dat) tf.flush() # needs to be root os.system(f"sudo cp {tf.name} {dest}") os.system(f"sudo nmcli con load {dest}") def get_networks(self): r = {} wlan = iwlist.scan() if wlan is not None: r['wlan'] = wlan lte_info = self.get_network_info() if lte_info is not None: extra = lte_info['extra'] # <state>,"LTE",<is_tdd>,<mcc>,<mnc>,<cellid>,<pcid>,<earfcn>,<freq_band_ind>, # <ul_bandwidth>,<dl_bandwidth>,<tac>,<rsrp>,<rsrq>,<rssi>,<sinr>,<srxlev> if 'LTE' in extra: extra = extra.split(',') try: r['lte'] = [{ "mcc": int(extra[3]), "mnc": int(extra[4]), "cid": int(extra[5], 16), "nmr": [{"pci": int(extra[6]), "earfcn": int(extra[7])}], }] except (ValueError, IndexError): pass return r def get_modem_data_usage(self): try: wwan = self.get_wwan() # Ensure refresh rate is set so values don't go stale refresh_rate = wwan.Get(NM_DEV_STATS, 'RefreshRateMs', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) if refresh_rate != REFRESH_RATE_MS: u = type(refresh_rate) wwan.Set(NM_DEV_STATS, 'RefreshRateMs', u(REFRESH_RATE_MS), dbus_interface=DBUS_PROPS, timeout=TIMEOUT) tx = wwan.Get(NM_DEV_STATS, 'TxBytes', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) rx = wwan.Get(NM_DEV_STATS, 'RxBytes', dbus_interface=DBUS_PROPS, timeout=TIMEOUT) return int(tx), int(rx) except Exception: return -1, -1 def has_internal_panda(self): return True def reset_internal_panda(self): gpio_init(GPIO.STM_RST_N, True) gpio_set(GPIO.STM_RST_N, 1) time.sleep(1) gpio_set(GPIO.STM_RST_N, 0) def recover_internal_panda(self): gpio_init(GPIO.STM_RST_N, True) gpio_init(GPIO.STM_BOOT0, True) gpio_set(GPIO.STM_RST_N, 1) gpio_set(GPIO.STM_BOOT0, 1) time.sleep(0.5) gpio_set(GPIO.STM_RST_N, 0) time.sleep(0.5) gpio_set(GPIO.STM_BOOT0, 0) def booted(self): # this normally boots within 8s, but on rare occasions takes 30+s encoder_state = sudo_read("/sys/kernel/debug/msm_vidc/core0/info") if "Core state: 0" in encoder_state and (time.monotonic() < 60*2): return False return True if __name__ == "__main__": t = Tici() t.configure_modem() t.initialize_hardware() t.set_power_save(False)
2301_81045437/openpilot
system/hardware/tici/hardware.py
Python
mit
19,572
import subprocess def scan(interface="wlan0"): result = [] try: r = subprocess.check_output(["iwlist", interface, "scan"], encoding='utf8') mac = None for line in r.split('\n'): if "Address" in line: # Based on the adapter eithere a percentage or dBm is returned # Add previous network in case no dBm signal level was seen if mac is not None: result.append({"mac": mac}) mac = None mac = line.split(' ')[-1] elif "dBm" in line: try: level = line.split('Signal level=')[1] rss = int(level.split(' ')[0]) result.append({"mac": mac, "rss": rss}) mac = None except ValueError: continue # Add last network if no dBm was found if mac is not None: result.append({"mac": mac}) return result except Exception: return None
2301_81045437/openpilot
system/hardware/tici/iwlist.py
Python
mit
890
# TODO: these are also defined in a header # GPIO pin definitions class GPIO: # both GPIO_STM_RST_N and GPIO_LTE_RST_N are misnamed, they are high to reset HUB_RST_N = 30 UBLOX_RST_N = 32 UBLOX_SAFEBOOT_N = 33 GNSS_PWR_EN = 34 # SCHEMATIC LABEL: GPIO_UBLOX_PWR_EN STM_RST_N = 124 STM_BOOT0 = 134 SIREN = 42 SOM_ST_IO = 49 LTE_RST_N = 50 LTE_PWRKEY = 116 LTE_BOOT = 52 # GPIO_CAM0_DVDD_EN = /sys/kernel/debug/regulator/camera_rear_ldo CAM0_AVDD_EN = 8 CAM0_RSTN = 9 CAM1_RSTN = 7 CAM2_RSTN = 12 # Sensor interrupts BMX055_ACCEL_INT = 21 BMX055_GYRO_INT = 23 BMX055_MAGN_INT = 87 LSM_INT = 84
2301_81045437/openpilot
system/hardware/tici/pins.py
Python
mit
640
#!/usr/bin/env python3 import sys import time import datetime import numpy as np from collections import deque from openpilot.common.realtime import Ratekeeper from openpilot.common.filter_simple import FirstOrderFilter def read_power(): with open("/sys/bus/i2c/devices/0-0040/hwmon/hwmon1/power1_input") as f: return int(f.read()) / 1e6 def sample_power(seconds=5) -> list[float]: rate = 123 rk = Ratekeeper(rate, print_delay_threshold=None) pwrs = [] for _ in range(rate*seconds): pwrs.append(read_power()) rk.keep_time() return pwrs def get_power(seconds=5): pwrs = sample_power(seconds) return np.mean(pwrs) def wait_for_power(min_pwr, max_pwr, min_secs_in_range, timeout): start_time = time.monotonic() pwrs = deque([min_pwr - 1.]*min_secs_in_range, maxlen=min_secs_in_range) while (time.monotonic() - start_time < timeout): pwrs.append(get_power(1)) if all(min_pwr <= p <= max_pwr for p in pwrs): break return np.mean(pwrs) if __name__ == "__main__": duration = None if len(sys.argv) > 1: duration = int(sys.argv[1]) rate = 23 rk = Ratekeeper(rate, print_delay_threshold=None) fltr = FirstOrderFilter(0, 5, 1. / rate, initialized=False) measurements = [] start_time = time.monotonic() try: while duration is None or time.monotonic() - start_time < duration: fltr.update(read_power()) if rk.frame % rate == 0: measurements.append(fltr.x) t = datetime.timedelta(seconds=time.monotonic() - start_time) avg = sum(measurements) / len(measurements) print(f"Now: {fltr.x:.2f} W, Avg: {avg:.2f} W over {t}") rk.keep_time() except KeyboardInterrupt: pass t = datetime.timedelta(seconds=time.monotonic() - start_time) avg = sum(measurements) / len(measurements) print(f"\nAverage power: {avg:.2f}W over {t}")
2301_81045437/openpilot
system/hardware/tici/power_monitor.py
Python
mit
1,854
#!/usr/bin/env python3 import numpy as np from openpilot.system.hardware.tici.power_monitor import sample_power if __name__ == '__main__': print("measuring for 5 seconds") for _ in range(3): pwrs = sample_power() print(f"mean {np.mean(pwrs):.2f} std {np.std(pwrs):.2f}")
2301_81045437/openpilot
system/hardware/tici/precise_power_measure.py
Python
mit
284
#!/usr/bin/bash #nmcli connection modify --temporary lte gsm.home-only yes #nmcli connection modify --temporary lte gsm.auto-config yes #nmcli connection modify --temporary lte connection.autoconnect-retries 20 sudo nmcli connection reload sudo systemctl stop ModemManager nmcli con down lte nmcli con down blue-prime # power cycle modem /usr/comma/lte/lte.sh stop_blocking /usr/comma/lte/lte.sh start sudo systemctl restart NetworkManager #sudo systemctl restart ModemManager sudo ModemManager --debug
2301_81045437/openpilot
system/hardware/tici/restart_modem.sh
Shell
mit
507
#!/usr/bin/env python3 import argparse import collections import multiprocessing import os import requests from tqdm import tqdm import openpilot.system.hardware.tici.casync as casync def get_chunk_download_size(chunk): sha = chunk.sha.hex() path = os.path.join(remote_url, sha[:4], sha + ".cacnk") if os.path.isfile(path): return os.path.getsize(path) else: r = requests.head(path, timeout=10) r.raise_for_status() return int(r.headers['content-length']) if __name__ == "__main__": parser = argparse.ArgumentParser(description='Compute overlap between two casync manifests') parser.add_argument('frm') parser.add_argument('to') args = parser.parse_args() frm = casync.parse_caibx(args.frm) to = casync.parse_caibx(args.to) remote_url = args.to.replace('.caibx', '') most_common = collections.Counter(t.sha for t in to).most_common(1)[0][0] frm_dict = casync.build_chunk_dict(frm) # Get content-length for each chunk with multiprocessing.Pool() as pool: szs = list(tqdm(pool.imap(get_chunk_download_size, to), total=len(to))) chunk_sizes = {t.sha: sz for (t, sz) in zip(to, szs, strict=True)} sources: dict[str, list[int]] = { 'seed': [], 'remote_uncompressed': [], 'remote_compressed': [], } for chunk in to: # Assume most common chunk is the zero chunk if chunk.sha == most_common: continue if chunk.sha in frm_dict: sources['seed'].append(chunk.length) else: sources['remote_uncompressed'].append(chunk.length) sources['remote_compressed'].append(chunk_sizes[chunk.sha]) print() print("Update statistics (excluding zeros)") print() print("Download only with no seed:") print(f" Remote (uncompressed)\t\t{sum(sources['seed'] + sources['remote_uncompressed']) / 1000 / 1000:.2f} MB\tn = {len(to)}") print(f" Remote (compressed download)\t{sum(chunk_sizes.values()) / 1000 / 1000:.2f} MB\tn = {len(to)}") print() print("Upgrade with seed partition:") print(f" Seed (uncompressed)\t\t{sum(sources['seed']) / 1000 / 1000:.2f} MB\t\t\t\tn = {len(sources['seed'])}") sz, n = sum(sources['remote_uncompressed']), len(sources['remote_uncompressed']) print(f" Remote (uncompressed)\t\t{sz / 1000 / 1000:.2f} MB\t(avg {sz / 1000 / 1000 / n:4f} MB)\tn = {n}") sz, n = sum(sources['remote_compressed']), len(sources['remote_compressed']) print(f" Remote (compressed download)\t{sz / 1000 / 1000:.2f} MB\t(avg {sz / 1000 / 1000 / n:4f} MB)\tn = {n}")
2301_81045437/openpilot
system/hardware/tici/tests/compare_casync_manifest.py
Python
mit
2,498
Import('env', 'cereal', 'messaging', 'common') env.Program('logcatd', 'logcatd_systemd.cc', LIBS=[cereal, messaging, common, 'zmq', 'capnp', 'kj', 'systemd', 'json11'])
2301_81045437/openpilot
system/logcatd/SConscript
Python
mit
170
#include <systemd/sd-journal.h> #include <cassert> #include <csignal> #include <map> #include <string> #include "third_party/json11/json11.hpp" #include "cereal/messaging/messaging.h" #include "common/timing.h" #include "common/util.h" ExitHandler do_exit; int main(int argc, char *argv[]) { PubMaster pm({"androidLog"}); sd_journal *journal; int err = sd_journal_open(&journal, 0); assert(err >= 0); err = sd_journal_get_fd(journal); // needed so sd_journal_wait() works properly if files rotate assert(err >= 0); err = sd_journal_seek_tail(journal); assert(err >= 0); // workaround for bug https://github.com/systemd/systemd/issues/9934 // call sd_journal_previous_skip after sd_journal_seek_tail (like journalctl -f does) to makes things work. sd_journal_previous_skip(journal, 1); while (!do_exit) { err = sd_journal_next(journal); assert(err >= 0); // Wait for new message if we didn't receive anything if (err == 0) { err = sd_journal_wait(journal, 1000 * 1000); assert(err >= 0); continue; // Try again } uint64_t timestamp = 0; err = sd_journal_get_realtime_usec(journal, &timestamp); assert(err >= 0); const void *data; size_t length; std::map<std::string, std::string> kv; SD_JOURNAL_FOREACH_DATA(journal, data, length) { std::string str((char*)data, length); // Split "KEY=VALUE"" on "=" and put in map std::size_t found = str.find("="); if (found != std::string::npos) { kv[str.substr(0, found)] = str.substr(found + 1, std::string::npos); } } MessageBuilder msg; // Build message auto androidEntry = msg.initEvent().initAndroidLog(); androidEntry.setTs(timestamp); androidEntry.setMessage(json11::Json(kv).dump()); if (kv.count("_PID")) androidEntry.setPid(std::atoi(kv["_PID"].c_str())); if (kv.count("PRIORITY")) androidEntry.setPriority(std::atoi(kv["PRIORITY"].c_str())); if (kv.count("SYSLOG_IDENTIFIER")) androidEntry.setTag(kv["SYSLOG_IDENTIFIER"]); pm.send("androidLog", msg); } sd_journal_close(journal); return 0; }
2301_81045437/openpilot
system/logcatd/logcatd_systemd.cc
C++
mit
2,130
Import('env', 'arch', 'cereal', 'messaging', 'common', 'visionipc') libs = [common, cereal, messaging, visionipc, 'zmq', 'capnp', 'kj', 'z', 'avformat', 'avcodec', 'swscale', 'avutil', 'yuv', 'OpenCL', 'pthread'] src = ['logger.cc', 'video_writer.cc', 'encoder/encoder.cc', 'encoder/v4l_encoder.cc'] if arch != "larch64": src += ['encoder/ffmpeg_encoder.cc'] if arch == "Darwin": # fix OpenCL del libs[libs.index('OpenCL')] env['FRAMEWORKS'] = ['OpenCL'] # exclude v4l del src[src.index('encoder/v4l_encoder.cc')] logger_lib = env.Library('logger', src) libs.insert(0, logger_lib) env.Program('loggerd', ['loggerd.cc'], LIBS=libs) env.Program('encoderd', ['encoderd.cc'], LIBS=libs) env.Program('bootlog.cc', LIBS=libs) if GetOption('extras'): env.Program('tests/test_logger', ['tests/test_runner.cc', 'tests/test_logger.cc'], LIBS=libs + ['curl', 'crypto'])
2301_81045437/openpilot
system/loggerd/SConscript
Python
mit
903
#include <cassert> #include <string> #include "cereal/messaging/messaging.h" #include "common/params.h" #include "common/swaglog.h" #include "system/loggerd/logger.h" static kj::Array<capnp::word> build_boot_log() { MessageBuilder msg; auto boot = msg.initEvent().initBoot(); boot.setWallTimeNanos(nanos_since_epoch()); std::string pstore = "/sys/fs/pstore"; std::map<std::string, std::string> pstore_map = util::read_files_in_dir(pstore); int i = 0; auto lpstore = boot.initPstore().initEntries(pstore_map.size()); for (auto& kv : pstore_map) { auto lentry = lpstore[i]; lentry.setKey(kv.first); lentry.setValue(capnp::Data::Reader((const kj::byte*)kv.second.data(), kv.second.size())); i++; } // Gather output of commands std::vector<std::string> bootlog_commands = { "[ -x \"$(command -v journalctl)\" ] && journalctl", }; if (Hardware::TICI()) { bootlog_commands.push_back("[ -e /dev/nvme0 ] && sudo nvme smart-log --output-format=json /dev/nvme0"); } auto commands = boot.initCommands().initEntries(bootlog_commands.size()); for (int j = 0; j < bootlog_commands.size(); j++) { auto lentry = commands[j]; lentry.setKey(bootlog_commands[j]); const std::string result = util::check_output(bootlog_commands[j]); lentry.setValue(capnp::Data::Reader((const kj::byte*)result.data(), result.size())); } boot.setLaunchLog(util::read_file("/tmp/launch_log")); return capnp::messageToFlatArray(msg); } int main(int argc, char** argv) { const std::string id = logger_get_identifier("BootCount"); const std::string path = Path::log_root() + "/boot/" + id; LOGW("bootlog to %s", path.c_str()); // Open bootlog bool r = util::create_directories(Path::log_root() + "/boot/", 0775); assert(r); RawFile file(path.c_str()); // Write initdata file.write(logger_build_init_data().asBytes()); // Write bootlog file.write(build_boot_log().asBytes()); // Write out bootlog param to match routes with bootlog Params().put("CurrentBootlog", id.c_str()); return 0; }
2301_81045437/openpilot
system/loggerd/bootlog.cc
C++
mit
2,068
import os from openpilot.system.hardware.hw import Paths CAMERA_FPS = 20 SEGMENT_LENGTH = 60 STATS_DIR_FILE_LIMIT = 10000 STATS_SOCKET = "ipc:///tmp/stats" STATS_FLUSH_TIME_S = 60 def get_available_percent(default=None): try: statvfs = os.statvfs(Paths.log_root()) available_percent = 100.0 * statvfs.f_bavail / statvfs.f_blocks except OSError: available_percent = default return available_percent def get_available_bytes(default=None): try: statvfs = os.statvfs(Paths.log_root()) available_bytes = statvfs.f_bavail * statvfs.f_frsize except OSError: available_bytes = default return available_bytes
2301_81045437/openpilot
system/loggerd/config.py
Python
mit
644
#!/usr/bin/env python3 import os import shutil import threading from openpilot.system.hardware.hw import Paths from openpilot.common.swaglog import cloudlog from openpilot.system.loggerd.config import get_available_bytes, get_available_percent from openpilot.system.loggerd.uploader import listdir_by_creation from openpilot.system.loggerd.xattr_cache import getxattr MIN_BYTES = 5 * 1024 * 1024 * 1024 MIN_PERCENT = 10 DELETE_LAST = ['boot', 'crash'] PRESERVE_ATTR_NAME = 'user.preserve' PRESERVE_ATTR_VALUE = b'1' PRESERVE_COUNT = 5 def has_preserve_xattr(d: str) -> bool: return getxattr(os.path.join(Paths.log_root(), d), PRESERVE_ATTR_NAME) == PRESERVE_ATTR_VALUE def get_preserved_segments(dirs_by_creation: list[str]) -> list[str]: preserved = [] for n, d in enumerate(filter(has_preserve_xattr, reversed(dirs_by_creation))): if n == PRESERVE_COUNT: break date_str, _, seg_str = d.rpartition("--") # ignore non-segment directories if not date_str: continue try: seg_num = int(seg_str) except ValueError: continue # preserve segment and its prior preserved.append(d) preserved.append(f"{date_str}--{seg_num - 1}") return preserved def deleter_thread(exit_event): while not exit_event.is_set(): out_of_bytes = get_available_bytes(default=MIN_BYTES + 1) < MIN_BYTES out_of_percent = get_available_percent(default=MIN_PERCENT + 1) < MIN_PERCENT if out_of_percent or out_of_bytes: dirs = listdir_by_creation(Paths.log_root()) # skip deleting most recent N preserved segments (and their prior segment) preserved_dirs = get_preserved_segments(dirs) # remove the earliest directory we can for delete_dir in sorted(dirs, key=lambda d: (d in DELETE_LAST, d in preserved_dirs)): delete_path = os.path.join(Paths.log_root(), delete_dir) if any(name.endswith(".lock") for name in os.listdir(delete_path)): continue try: cloudlog.info(f"deleting {delete_path}") if os.path.isfile(delete_path): os.remove(delete_path) else: shutil.rmtree(delete_path) break except OSError: cloudlog.exception(f"issue deleting {delete_path}") exit_event.wait(.1) else: exit_event.wait(30) def main(): deleter_thread(threading.Event()) if __name__ == "__main__": main()
2301_81045437/openpilot
system/loggerd/deleter.py
Python
mit
2,412
#include "system/loggerd/encoder/encoder.h" VideoEncoder::VideoEncoder(const EncoderInfo &encoder_info, int in_width, int in_height) : encoder_info(encoder_info), in_width(in_width), in_height(in_height) { out_width = encoder_info.frame_width > 0 ? encoder_info.frame_width : in_width; out_height = encoder_info.frame_height > 0 ? encoder_info.frame_height : in_height; std::vector pubs = {encoder_info.publish_name}; if (encoder_info.thumbnail_name != NULL) { pubs.push_back(encoder_info.thumbnail_name); } pm.reset(new PubMaster(pubs)); } void VideoEncoder::publisher_publish(VideoEncoder *e, int segment_num, uint32_t idx, VisionIpcBufExtra &extra, unsigned int flags, kj::ArrayPtr<capnp::byte> header, kj::ArrayPtr<capnp::byte> dat) { // broadcast packet MessageBuilder msg; auto event = msg.initEvent(true); auto edat = (event.*(e->encoder_info.init_encode_data_func))(); auto edata = edat.initIdx(); struct timespec ts; timespec_get(&ts, TIME_UTC); edat.setUnixTimestampNanos((uint64_t)ts.tv_sec*1000000000 + ts.tv_nsec); edata.setFrameId(extra.frame_id); edata.setTimestampSof(extra.timestamp_sof); edata.setTimestampEof(extra.timestamp_eof); edata.setType(e->encoder_info.encode_type); edata.setEncodeId(e->cnt++); edata.setSegmentNum(segment_num); edata.setSegmentId(idx); edata.setFlags(flags); edata.setLen(dat.size()); edat.setData(dat); edat.setWidth(out_width); edat.setHeight(out_height); if (flags & V4L2_BUF_FLAG_KEYFRAME) edat.setHeader(header); uint32_t bytes_size = capnp::computeSerializedSizeInWords(msg) * sizeof(capnp::word); if (e->msg_cache.size() < bytes_size) { e->msg_cache.resize(bytes_size); } kj::ArrayOutputStream output_stream(kj::ArrayPtr<capnp::byte>(e->msg_cache.data(), bytes_size)); capnp::writeMessage(output_stream, msg); e->pm->send(e->encoder_info.publish_name, e->msg_cache.data(), bytes_size); // Publish keyframe thumbnail if ((flags & V4L2_BUF_FLAG_KEYFRAME) && e->encoder_info.thumbnail_name != NULL) { MessageBuilder tm; auto thumbnail = tm.initEvent().initThumbnail(); thumbnail.setFrameId(extra.frame_id); thumbnail.setTimestampEof(extra.timestamp_eof); thumbnail.setThumbnail(dat); thumbnail.setEncoding(cereal::Thumbnail::Encoding::KEYFRAME); pm->send(e->encoder_info.thumbnail_name, tm); } }
2301_81045437/openpilot
system/loggerd/encoder/encoder.cc
C++
mit
2,401
#pragma once #include <cassert> #include <cstdint> #include <memory> #include <thread> #include <vector> #include "cereal/messaging/messaging.h" #include "cereal/visionipc/visionipc.h" #include "common/queue.h" #include "system/camerad/cameras/camera_common.h" #include "system/loggerd/loggerd.h" #define V4L2_BUF_FLAG_KEYFRAME 8 class VideoEncoder { public: VideoEncoder(const EncoderInfo &encoder_info, int in_width, int in_height); virtual ~VideoEncoder() {} virtual int encode_frame(VisionBuf* buf, VisionIpcBufExtra *extra) = 0; virtual void encoder_open(const char* path) = 0; virtual void encoder_close() = 0; void publisher_publish(VideoEncoder *e, int segment_num, uint32_t idx, VisionIpcBufExtra &extra, unsigned int flags, kj::ArrayPtr<capnp::byte> header, kj::ArrayPtr<capnp::byte> dat); protected: void publish_thumbnail(uint32_t frame_id, uint64_t timestamp_eof, kj::ArrayPtr<capnp::byte> dat); int in_width, in_height; int out_width, out_height; const EncoderInfo encoder_info; private: // total frames encoded int cnt = 0; std::unique_ptr<PubMaster> pm; std::vector<capnp::byte> msg_cache; };
2301_81045437/openpilot
system/loggerd/encoder/encoder.h
C++
mit
1,145
#pragma clang diagnostic ignored "-Wdeprecated-declarations" #include "system/loggerd/encoder/ffmpeg_encoder.h" #include <fcntl.h> #include <unistd.h> #include <cassert> #include <cstdio> #include <cstdlib> #define __STDC_CONSTANT_MACROS #include "third_party/libyuv/include/libyuv.h" extern "C" { #include <libavcodec/avcodec.h> #include <libavformat/avformat.h> #include <libavutil/imgutils.h> } #include "common/swaglog.h" #include "common/util.h" const int env_debug_encoder = (getenv("DEBUG_ENCODER") != NULL) ? atoi(getenv("DEBUG_ENCODER")) : 0; FfmpegEncoder::FfmpegEncoder(const EncoderInfo &encoder_info, int in_width, int in_height) : VideoEncoder(encoder_info, in_width, in_height) { frame = av_frame_alloc(); assert(frame); frame->format = AV_PIX_FMT_YUV420P; frame->width = out_width; frame->height = out_height; frame->linesize[0] = out_width; frame->linesize[1] = out_width/2; frame->linesize[2] = out_width/2; convert_buf.resize(in_width * in_height * 3 / 2); if (in_width != out_width || in_height != out_height) { downscale_buf.resize(out_width * out_height * 3 / 2); } } FfmpegEncoder::~FfmpegEncoder() { encoder_close(); av_frame_free(&frame); } void FfmpegEncoder::encoder_open(const char* path) { const AVCodec *codec = avcodec_find_encoder(AV_CODEC_ID_FFVHUFF); this->codec_ctx = avcodec_alloc_context3(codec); assert(this->codec_ctx); this->codec_ctx->width = frame->width; this->codec_ctx->height = frame->height; this->codec_ctx->pix_fmt = AV_PIX_FMT_YUV420P; this->codec_ctx->time_base = (AVRational){ 1, encoder_info.fps }; int err = avcodec_open2(this->codec_ctx, codec, NULL); assert(err >= 0); is_open = true; segment_num++; counter = 0; } void FfmpegEncoder::encoder_close() { if (!is_open) return; avcodec_free_context(&codec_ctx); is_open = false; } int FfmpegEncoder::encode_frame(VisionBuf* buf, VisionIpcBufExtra *extra) { assert(buf->width == this->in_width); assert(buf->height == this->in_height); uint8_t *cy = convert_buf.data(); uint8_t *cu = cy + in_width * in_height; uint8_t *cv = cu + (in_width / 2) * (in_height / 2); libyuv::NV12ToI420(buf->y, buf->stride, buf->uv, buf->stride, cy, in_width, cu, in_width/2, cv, in_width/2, in_width, in_height); if (downscale_buf.size() > 0) { uint8_t *out_y = downscale_buf.data(); uint8_t *out_u = out_y + frame->width * frame->height; uint8_t *out_v = out_u + (frame->width / 2) * (frame->height / 2); libyuv::I420Scale(cy, in_width, cu, in_width/2, cv, in_width/2, in_width, in_height, out_y, frame->width, out_u, frame->width/2, out_v, frame->width/2, frame->width, frame->height, libyuv::kFilterNone); frame->data[0] = out_y; frame->data[1] = out_u; frame->data[2] = out_v; } else { frame->data[0] = cy; frame->data[1] = cu; frame->data[2] = cv; } frame->pts = counter*50*1000; // 50ms per frame int ret = counter; int err = avcodec_send_frame(this->codec_ctx, frame); if (err < 0) { LOGE("avcodec_send_frame error %d", err); ret = -1; } AVPacket pkt; av_init_packet(&pkt); pkt.data = NULL; pkt.size = 0; while (ret >= 0) { err = avcodec_receive_packet(this->codec_ctx, &pkt); if (err == AVERROR_EOF) { break; } else if (err == AVERROR(EAGAIN)) { // Encoder might need a few frames on startup to get started. Keep going ret = 0; break; } else if (err < 0) { LOGE("avcodec_receive_packet error %d", err); ret = -1; break; } if (env_debug_encoder) { printf("%20s got %8d bytes flags %8x idx %4d id %8d\n", encoder_info.publish_name, pkt.size, pkt.flags, counter, extra->frame_id); } publisher_publish(this, segment_num, counter, *extra, (pkt.flags & AV_PKT_FLAG_KEY) ? V4L2_BUF_FLAG_KEYFRAME : 0, kj::arrayPtr<capnp::byte>(pkt.data, (size_t)0), // TODO: get the header kj::arrayPtr<capnp::byte>(pkt.data, pkt.size)); counter++; } av_packet_unref(&pkt); return ret; }
2301_81045437/openpilot
system/loggerd/encoder/ffmpeg_encoder.cc
C++
mit
4,320
#pragma once #include <cstdio> #include <cstdlib> #include <string> #include <vector> extern "C" { #include <libavcodec/avcodec.h> #include <libavformat/avformat.h> #include <libavutil/imgutils.h> } #include "system/loggerd/encoder/encoder.h" #include "system/loggerd/loggerd.h" class FfmpegEncoder : public VideoEncoder { public: FfmpegEncoder(const EncoderInfo &encoder_info, int in_width, int in_height); ~FfmpegEncoder(); int encode_frame(VisionBuf* buf, VisionIpcBufExtra *extra); void encoder_open(const char* path); void encoder_close(); private: int segment_num = -1; int counter = 0; bool is_open = false; AVCodecContext *codec_ctx; AVFrame *frame = NULL; std::vector<uint8_t> convert_buf; std::vector<uint8_t> downscale_buf; };
2301_81045437/openpilot
system/loggerd/encoder/ffmpeg_encoder.h
C++
mit
768
#include <cassert> #include <string> #include <sys/ioctl.h> #include <poll.h> #include "system/loggerd/encoder/v4l_encoder.h" #include "common/util.h" #include "common/timing.h" #include "third_party/libyuv/include/libyuv.h" #include "third_party/linux/include/msm_media_info.h" // has to be in this order #include "third_party/linux/include/v4l2-controls.h" #include <linux/videodev2.h> #define V4L2_QCOM_BUF_FLAG_CODECCONFIG 0x00020000 #define V4L2_QCOM_BUF_FLAG_EOS 0x02000000 /* kernel debugging: echo 0xff > /sys/module/videobuf2_core/parameters/debug echo 0x7fffffff > /sys/kernel/debug/msm_vidc/debug_level echo 0xff > /sys/devices/platform/soc/aa00000.qcom,vidc/video4linux/video33/dev_debug */ const int env_debug_encoder = (getenv("DEBUG_ENCODER") != NULL) ? atoi(getenv("DEBUG_ENCODER")) : 0; static void checked_ioctl(int fd, unsigned long request, void *argp) { int ret = util::safe_ioctl(fd, request, argp); if (ret != 0) { LOGE("checked_ioctl failed with error %d (%d %lx %p)", errno, fd, request, argp); assert(0); } } static void dequeue_buffer(int fd, v4l2_buf_type buf_type, unsigned int *index=NULL, unsigned int *bytesused=NULL, unsigned int *flags=NULL, struct timeval *timestamp=NULL) { v4l2_plane plane = {0}; v4l2_buffer v4l_buf = { .type = buf_type, .memory = V4L2_MEMORY_USERPTR, .m = { .planes = &plane, }, .length = 1, }; checked_ioctl(fd, VIDIOC_DQBUF, &v4l_buf); if (index) *index = v4l_buf.index; if (bytesused) *bytesused = v4l_buf.m.planes[0].bytesused; if (flags) *flags = v4l_buf.flags; if (timestamp) *timestamp = v4l_buf.timestamp; assert(v4l_buf.m.planes[0].data_offset == 0); } static void queue_buffer(int fd, v4l2_buf_type buf_type, unsigned int index, VisionBuf *buf, struct timeval timestamp={}) { v4l2_plane plane = { .length = (unsigned int)buf->len, .m = { .userptr = (unsigned long)buf->addr, }, .bytesused = (uint32_t)buf->len, .reserved = {(unsigned int)buf->fd} }; v4l2_buffer v4l_buf = { .type = buf_type, .index = index, .memory = V4L2_MEMORY_USERPTR, .m = { .planes = &plane, }, .length = 1, .flags = V4L2_BUF_FLAG_TIMESTAMP_COPY, .timestamp = timestamp }; checked_ioctl(fd, VIDIOC_QBUF, &v4l_buf); } static void request_buffers(int fd, v4l2_buf_type buf_type, unsigned int count) { struct v4l2_requestbuffers reqbuf = { .type = buf_type, .memory = V4L2_MEMORY_USERPTR, .count = count }; checked_ioctl(fd, VIDIOC_REQBUFS, &reqbuf); } void V4LEncoder::dequeue_handler(V4LEncoder *e) { std::string dequeue_thread_name = "dq-"+std::string(e->encoder_info.publish_name); util::set_thread_name(dequeue_thread_name.c_str()); e->segment_num++; uint32_t idx = -1; bool exit = false; // POLLIN is capture, POLLOUT is frame struct pollfd pfd; pfd.events = POLLIN | POLLOUT; pfd.fd = e->fd; // save the header kj::Array<capnp::byte> header; while (!exit) { int rc = poll(&pfd, 1, 1000); if (rc < 0) { if (errno != EINTR) { // TODO: exit encoder? // ignore the error and keep going LOGE("poll failed (%d - %d)", rc, errno); } continue; } else if (rc == 0) { LOGE("encoder dequeue poll timeout"); continue; } if (env_debug_encoder >= 2) { printf("%20s poll %x at %.2f ms\n", e->encoder_info.publish_name, pfd.revents, millis_since_boot()); } int frame_id = -1; if (pfd.revents & POLLIN) { unsigned int bytesused, flags, index; struct timeval timestamp; dequeue_buffer(e->fd, V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE, &index, &bytesused, &flags, &timestamp); e->buf_out[index].sync(VISIONBUF_SYNC_FROM_DEVICE); uint8_t *buf = (uint8_t*)e->buf_out[index].addr; int64_t ts = timestamp.tv_sec * 1000000 + timestamp.tv_usec; // eof packet, we exit if (flags & V4L2_QCOM_BUF_FLAG_EOS) { exit = true; } else if (flags & V4L2_QCOM_BUF_FLAG_CODECCONFIG) { // save header header = kj::heapArray<capnp::byte>(buf, bytesused); } else { VisionIpcBufExtra extra = e->extras.pop(); assert(extra.timestamp_eof/1000 == ts); // stay in sync frame_id = extra.frame_id; ++idx; e->publisher_publish(e, e->segment_num, idx, extra, flags, header, kj::arrayPtr<capnp::byte>(buf, bytesused)); } if (env_debug_encoder) { printf("%20s got(%d) %6d bytes flags %8x idx %3d/%4d id %8d ts %ld lat %.2f ms (%lu frames free)\n", e->encoder_info.publish_name, index, bytesused, flags, e->segment_num, idx, frame_id, ts, millis_since_boot()-(ts/1000.), e->free_buf_in.size()); } // requeue the buffer queue_buffer(e->fd, V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE, index, &e->buf_out[index]); } if (pfd.revents & POLLOUT) { unsigned int index; dequeue_buffer(e->fd, V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE, &index); e->free_buf_in.push(index); } } } V4LEncoder::V4LEncoder(const EncoderInfo &encoder_info, int in_width, int in_height) : VideoEncoder(encoder_info, in_width, in_height) { fd = open("/dev/v4l/by-path/platform-aa00000.qcom_vidc-video-index1", O_RDWR|O_NONBLOCK); assert(fd >= 0); struct v4l2_capability cap; checked_ioctl(fd, VIDIOC_QUERYCAP, &cap); LOGD("opened encoder device %s %s = %d", cap.driver, cap.card, fd); assert(strcmp((const char *)cap.driver, "msm_vidc_driver") == 0); assert(strcmp((const char *)cap.card, "msm_vidc_venc") == 0); struct v4l2_format fmt_out = { .type = V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE, .fmt = { .pix_mp = { // downscales are free with v4l .width = (unsigned int)(out_width), .height = (unsigned int)(out_height), .pixelformat = (encoder_info.encode_type == cereal::EncodeIndex::Type::FULL_H_E_V_C) ? V4L2_PIX_FMT_HEVC : V4L2_PIX_FMT_H264, .field = V4L2_FIELD_ANY, .colorspace = V4L2_COLORSPACE_DEFAULT, } } }; checked_ioctl(fd, VIDIOC_S_FMT, &fmt_out); v4l2_streamparm streamparm = { .type = V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE, .parm = { .output = { // TODO: more stuff here? we don't know .timeperframe = { .numerator = 1, .denominator = 20 } } } }; checked_ioctl(fd, VIDIOC_S_PARM, &streamparm); struct v4l2_format fmt_in = { .type = V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE, .fmt = { .pix_mp = { .width = (unsigned int)in_width, .height = (unsigned int)in_height, .pixelformat = V4L2_PIX_FMT_NV12, .field = V4L2_FIELD_ANY, .colorspace = V4L2_COLORSPACE_470_SYSTEM_BG, } } }; checked_ioctl(fd, VIDIOC_S_FMT, &fmt_in); LOGD("in buffer size %d, out buffer size %d", fmt_in.fmt.pix_mp.plane_fmt[0].sizeimage, fmt_out.fmt.pix_mp.plane_fmt[0].sizeimage); // shared ctrls { struct v4l2_control ctrls[] = { { .id = V4L2_CID_MPEG_VIDEO_HEADER_MODE, .value = V4L2_MPEG_VIDEO_HEADER_MODE_SEPARATE}, { .id = V4L2_CID_MPEG_VIDEO_BITRATE, .value = encoder_info.bitrate}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_RATE_CONTROL, .value = V4L2_CID_MPEG_VIDC_VIDEO_RATE_CONTROL_VBR_CFR}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_PRIORITY, .value = V4L2_MPEG_VIDC_VIDEO_PRIORITY_REALTIME_DISABLE}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_IDR_PERIOD, .value = 1}, }; for (auto ctrl : ctrls) { checked_ioctl(fd, VIDIOC_S_CTRL, &ctrl); } } if (encoder_info.encode_type == cereal::EncodeIndex::Type::FULL_H_E_V_C) { struct v4l2_control ctrls[] = { { .id = V4L2_CID_MPEG_VIDC_VIDEO_HEVC_PROFILE, .value = V4L2_MPEG_VIDC_VIDEO_HEVC_PROFILE_MAIN}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_HEVC_TIER_LEVEL, .value = V4L2_MPEG_VIDC_VIDEO_HEVC_LEVEL_HIGH_TIER_LEVEL_5}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_VUI_TIMING_INFO, .value = V4L2_MPEG_VIDC_VIDEO_VUI_TIMING_INFO_ENABLED}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_NUM_P_FRAMES, .value = 29}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_NUM_B_FRAMES, .value = 0}, }; for (auto ctrl : ctrls) { checked_ioctl(fd, VIDIOC_S_CTRL, &ctrl); } } else { struct v4l2_control ctrls[] = { { .id = V4L2_CID_MPEG_VIDEO_H264_PROFILE, .value = V4L2_MPEG_VIDEO_H264_PROFILE_HIGH}, { .id = V4L2_CID_MPEG_VIDEO_H264_LEVEL, .value = V4L2_MPEG_VIDEO_H264_LEVEL_UNKNOWN}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_NUM_P_FRAMES, .value = 14}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_NUM_B_FRAMES, .value = 0}, { .id = V4L2_CID_MPEG_VIDEO_H264_ENTROPY_MODE, .value = V4L2_MPEG_VIDEO_H264_ENTROPY_MODE_CABAC}, { .id = V4L2_CID_MPEG_VIDC_VIDEO_H264_CABAC_MODEL, .value = V4L2_CID_MPEG_VIDC_VIDEO_H264_CABAC_MODEL_0}, { .id = V4L2_CID_MPEG_VIDEO_H264_LOOP_FILTER_MODE, .value = 0}, { .id = V4L2_CID_MPEG_VIDEO_H264_LOOP_FILTER_ALPHA, .value = 0}, { .id = V4L2_CID_MPEG_VIDEO_H264_LOOP_FILTER_BETA, .value = 0}, { .id = V4L2_CID_MPEG_VIDEO_MULTI_SLICE_MODE, .value = 0}, }; for (auto ctrl : ctrls) { checked_ioctl(fd, VIDIOC_S_CTRL, &ctrl); } } // allocate buffers request_buffers(fd, V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE, BUF_OUT_COUNT); request_buffers(fd, V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE, BUF_IN_COUNT); // start encoder v4l2_buf_type buf_type = V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE; checked_ioctl(fd, VIDIOC_STREAMON, &buf_type); buf_type = V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE; checked_ioctl(fd, VIDIOC_STREAMON, &buf_type); // queue up output buffers for (unsigned int i = 0; i < BUF_OUT_COUNT; i++) { buf_out[i].allocate(fmt_out.fmt.pix_mp.plane_fmt[0].sizeimage); queue_buffer(fd, V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE, i, &buf_out[i]); } // queue up input buffers for (unsigned int i = 0; i < BUF_IN_COUNT; i++) { free_buf_in.push(i); } } void V4LEncoder::encoder_open(const char* path) { dequeue_handler_thread = std::thread(V4LEncoder::dequeue_handler, this); this->is_open = true; this->counter = 0; } int V4LEncoder::encode_frame(VisionBuf* buf, VisionIpcBufExtra *extra) { struct timeval timestamp { .tv_sec = (long)(extra->timestamp_eof/1000000000), .tv_usec = (long)((extra->timestamp_eof/1000) % 1000000), }; // reserve buffer int buffer_in = free_buf_in.pop(); // push buffer extras.push(*extra); //buf->sync(VISIONBUF_SYNC_TO_DEVICE); queue_buffer(fd, V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE, buffer_in, buf, timestamp); return this->counter++; } void V4LEncoder::encoder_close() { if (this->is_open) { // pop all the frames before closing, then put the buffers back for (int i = 0; i < BUF_IN_COUNT; i++) free_buf_in.pop(); for (int i = 0; i < BUF_IN_COUNT; i++) free_buf_in.push(i); // no frames, stop the encoder struct v4l2_encoder_cmd encoder_cmd = { .cmd = V4L2_ENC_CMD_STOP }; checked_ioctl(fd, VIDIOC_ENCODER_CMD, &encoder_cmd); // join waits for V4L2_QCOM_BUF_FLAG_EOS dequeue_handler_thread.join(); assert(extras.empty()); } this->is_open = false; } V4LEncoder::~V4LEncoder() { encoder_close(); v4l2_buf_type buf_type = V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE; checked_ioctl(fd, VIDIOC_STREAMOFF, &buf_type); request_buffers(fd, V4L2_BUF_TYPE_VIDEO_OUTPUT_MPLANE, 0); buf_type = V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE; checked_ioctl(fd, VIDIOC_STREAMOFF, &buf_type); request_buffers(fd, V4L2_BUF_TYPE_VIDEO_CAPTURE_MPLANE, 0); close(fd); for (int i = 0; i < BUF_OUT_COUNT; i++) { if (buf_out[i].free() != 0) { LOGE("Failed to free buffer"); } } }
2301_81045437/openpilot
system/loggerd/encoder/v4l_encoder.cc
C++
mit
11,595
#pragma once #include "common/queue.h" #include "system/loggerd/encoder/encoder.h" #define BUF_IN_COUNT 7 #define BUF_OUT_COUNT 6 class V4LEncoder : public VideoEncoder { public: V4LEncoder(const EncoderInfo &encoder_info, int in_width, int in_height); ~V4LEncoder(); int encode_frame(VisionBuf* buf, VisionIpcBufExtra *extra); void encoder_open(const char* path); void encoder_close(); private: int fd; bool is_open = false; int segment_num = -1; int counter = 0; SafeQueue<VisionIpcBufExtra> extras; static void dequeue_handler(V4LEncoder *e); std::thread dequeue_handler_thread; VisionBuf buf_out[BUF_OUT_COUNT]; SafeQueue<unsigned int> free_buf_in; };
2301_81045437/openpilot
system/loggerd/encoder/v4l_encoder.h
C++
mit
691
#include <cassert> #include "system/loggerd/loggerd.h" #ifdef QCOM2 #include "system/loggerd/encoder/v4l_encoder.h" #define Encoder V4LEncoder #else #include "system/loggerd/encoder/ffmpeg_encoder.h" #define Encoder FfmpegEncoder #endif ExitHandler do_exit; struct EncoderdState { int max_waiting = 0; // Sync logic for startup std::atomic<int> encoders_ready = 0; std::atomic<uint32_t> start_frame_id = 0; bool camera_ready[WideRoadCam + 1] = {}; bool camera_synced[WideRoadCam + 1] = {}; }; // Handle initial encoder syncing by waiting for all encoders to reach the same frame id bool sync_encoders(EncoderdState *s, CameraType cam_type, uint32_t frame_id) { if (s->camera_synced[cam_type]) return true; if (s->max_waiting > 1 && s->encoders_ready != s->max_waiting) { // add a small margin to the start frame id in case one of the encoders already dropped the next frame update_max_atomic(s->start_frame_id, frame_id + 2); if (std::exchange(s->camera_ready[cam_type], true) == false) { ++s->encoders_ready; LOGD("camera %d encoder ready", cam_type); } return false; } else { if (s->max_waiting == 1) update_max_atomic(s->start_frame_id, frame_id); bool synced = frame_id >= s->start_frame_id; s->camera_synced[cam_type] = synced; if (!synced) LOGD("camera %d waiting for frame %d, cur %d", cam_type, (int)s->start_frame_id, frame_id); return synced; } } void encoder_thread(EncoderdState *s, const LogCameraInfo &cam_info) { util::set_thread_name(cam_info.thread_name); std::vector<std::unique_ptr<Encoder>> encoders; VisionIpcClient vipc_client = VisionIpcClient("camerad", cam_info.stream_type, false); int cur_seg = 0; while (!do_exit) { if (!vipc_client.connect(false)) { util::sleep_for(5); continue; } // init encoders if (encoders.empty()) { VisionBuf buf_info = vipc_client.buffers[0]; LOGW("encoder %s init %zux%zu", cam_info.thread_name, buf_info.width, buf_info.height); assert(buf_info.width > 0 && buf_info.height > 0); for (const auto &encoder_info : cam_info.encoder_infos) { auto &e = encoders.emplace_back(new Encoder(encoder_info, buf_info.width, buf_info.height)); e->encoder_open(nullptr); } } bool lagging = false; while (!do_exit) { VisionIpcBufExtra extra; VisionBuf* buf = vipc_client.recv(&extra); if (buf == nullptr) continue; // detect loop around and drop the frames if (buf->get_frame_id() != extra.frame_id) { if (!lagging) { LOGE("encoder %s lag buffer id: %" PRIu64 " extra id: %d", cam_info.thread_name, buf->get_frame_id(), extra.frame_id); lagging = true; } continue; } lagging = false; if (!sync_encoders(s, cam_info.type, extra.frame_id)) { continue; } if (do_exit) break; // do rotation if required const int frames_per_seg = SEGMENT_LENGTH * MAIN_FPS; if (cur_seg >= 0 && extra.frame_id >= ((cur_seg + 1) * frames_per_seg) + s->start_frame_id) { for (auto &e : encoders) { e->encoder_close(); e->encoder_open(NULL); } ++cur_seg; } // encode a frame for (int i = 0; i < encoders.size(); ++i) { int out_id = encoders[i]->encode_frame(buf, &extra); if (out_id == -1) { LOGE("Failed to encode frame. frame_id: %d", extra.frame_id); } } } } } template <size_t N> void encoderd_thread(const LogCameraInfo (&cameras)[N]) { EncoderdState s; std::set<VisionStreamType> streams; while (!do_exit) { streams = VisionIpcClient::getAvailableStreams("camerad", false); if (!streams.empty()) { break; } util::sleep_for(100); } if (!streams.empty()) { std::vector<std::thread> encoder_threads; for (auto stream : streams) { auto it = std::find_if(std::begin(cameras), std::end(cameras), [stream](auto &cam) { return cam.stream_type == stream; }); assert(it != std::end(cameras)); ++s.max_waiting; encoder_threads.push_back(std::thread(encoder_thread, &s, *it)); } for (auto &t : encoder_threads) t.join(); } } int main(int argc, char* argv[]) { if (!Hardware::PC()) { int ret; ret = util::set_realtime_priority(52); assert(ret == 0); ret = util::set_core_affinity({3}); assert(ret == 0); } if (argc > 1) { std::string arg1(argv[1]); if (arg1 == "--stream") { encoderd_thread(stream_cameras_logged); } else { LOGE("Argument '%s' is not supported", arg1.c_str()); } } else { encoderd_thread(cameras_logged); } return 0; }
2301_81045437/openpilot
system/loggerd/encoderd.cc
C++
mit
4,743
#include "system/loggerd/logger.h" #include <fstream> #include <map> #include <vector> #include <iostream> #include <sstream> #include <random> #include "common/params.h" #include "common/swaglog.h" #include "common/version.h" // ***** log metadata ***** kj::Array<capnp::word> logger_build_init_data() { uint64_t wall_time = nanos_since_epoch(); MessageBuilder msg; auto init = msg.initEvent().initInitData(); init.setWallTimeNanos(wall_time); init.setVersion(COMMA_VERSION); init.setDirty(!getenv("CLEAN")); init.setDeviceType(Hardware::get_device_type()); // log kernel args std::ifstream cmdline_stream("/proc/cmdline"); std::vector<std::string> kernel_args; std::string buf; while (cmdline_stream >> buf) { kernel_args.push_back(buf); } auto lkernel_args = init.initKernelArgs(kernel_args.size()); for (int i=0; i<kernel_args.size(); i++) { lkernel_args.set(i, kernel_args[i]); } init.setKernelVersion(util::read_file("/proc/version")); init.setOsVersion(util::read_file("/VERSION")); // log params auto params = Params(util::getenv("PARAMS_COPY_PATH", "")); std::map<std::string, std::string> params_map = params.readAll(); init.setGitCommit(params_map["GitCommit"]); init.setGitCommitDate(params_map["GitCommitDate"]); init.setGitBranch(params_map["GitBranch"]); init.setGitRemote(params_map["GitRemote"]); init.setPassive(false); init.setDongleId(params_map["DongleId"]); auto lparams = init.initParams().initEntries(params_map.size()); int j = 0; for (auto& [key, value] : params_map) { auto lentry = lparams[j]; lentry.setKey(key); if ( !(params.getKeyType(key) & DONT_LOG) ) { lentry.setValue(capnp::Data::Reader((const kj::byte*)value.data(), value.size())); } j++; } // log commands std::vector<std::string> log_commands = { "df -h", // usage for all filesystems }; auto hw_logs = Hardware::get_init_logs(); auto commands = init.initCommands().initEntries(log_commands.size() + hw_logs.size()); for (int i = 0; i < log_commands.size(); i++) { auto lentry = commands[i]; lentry.setKey(log_commands[i]); const std::string result = util::check_output(log_commands[i]); lentry.setValue(capnp::Data::Reader((const kj::byte*)result.data(), result.size())); } int i = log_commands.size(); for (auto &[key, value] : hw_logs) { auto lentry = commands[i]; lentry.setKey(key); lentry.setValue(capnp::Data::Reader((const kj::byte*)value.data(), value.size())); i++; } return capnp::messageToFlatArray(msg); } std::string logger_get_identifier(std::string key) { // a log identifier is a 32 bit counter, plus a 10 character unique ID. // e.g. 000001a3--c20ba54385 Params params; uint32_t cnt; try { cnt = std::stoul(params.get(key)); } catch (std::exception &e) { cnt = 0; } params.put(key, std::to_string(cnt + 1)); std::stringstream ss; std::random_device rd; std::mt19937 mt(rd()); std::uniform_int_distribution<int> dist(0, 15); for (int i = 0; i < 10; ++i) { ss << std::hex << dist(mt); } return util::string_format("%08x--%s", cnt, ss.str().c_str()); } static void log_sentinel(LoggerState *log, SentinelType type, int exit_signal = 0) { MessageBuilder msg; auto sen = msg.initEvent().initSentinel(); sen.setType(type); sen.setSignal(exit_signal); log->write(msg.toBytes(), true); } LoggerState::LoggerState(const std::string &log_root) { route_name = logger_get_identifier("RouteCount"); route_path = log_root + "/" + route_name; init_data = logger_build_init_data(); } LoggerState::~LoggerState() { if (rlog) { log_sentinel(this, SentinelType::END_OF_ROUTE, exit_signal); std::remove(lock_file.c_str()); } } bool LoggerState::next() { if (rlog) { log_sentinel(this, SentinelType::END_OF_SEGMENT); std::remove(lock_file.c_str()); } segment_path = route_path + "--" + std::to_string(++part); bool ret = util::create_directories(segment_path, 0775); assert(ret == true); const std::string rlog_path = segment_path + "/rlog"; lock_file = rlog_path + ".lock"; std::ofstream{lock_file}; rlog.reset(new RawFile(rlog_path)); qlog.reset(new RawFile(segment_path + "/qlog")); // log init data & sentinel type. write(init_data.asBytes(), true); log_sentinel(this, part > 0 ? SentinelType::START_OF_SEGMENT : SentinelType::START_OF_ROUTE); return true; } void LoggerState::write(uint8_t* data, size_t size, bool in_qlog) { rlog->write(data, size); if (in_qlog) qlog->write(data, size); }
2301_81045437/openpilot
system/loggerd/logger.cc
C++
mit
4,580
#pragma once #include <cassert> #include <memory> #include <string> #include "cereal/messaging/messaging.h" #include "common/util.h" #include "system/hardware/hw.h" class RawFile { public: RawFile(const std::string &path) { file = util::safe_fopen(path.c_str(), "wb"); assert(file != nullptr); } ~RawFile() { util::safe_fflush(file); int err = fclose(file); assert(err == 0); } inline void write(void* data, size_t size) { int written = util::safe_fwrite(data, 1, size, file); assert(written == size); } inline void write(kj::ArrayPtr<capnp::byte> array) { write(array.begin(), array.size()); } private: FILE* file = nullptr; }; typedef cereal::Sentinel::SentinelType SentinelType; class LoggerState { public: LoggerState(const std::string& log_root = Path::log_root()); ~LoggerState(); bool next(); void write(uint8_t* data, size_t size, bool in_qlog); inline int segment() const { return part; } inline const std::string& segmentPath() const { return segment_path; } inline const std::string& routeName() const { return route_name; } inline void write(kj::ArrayPtr<kj::byte> bytes, bool in_qlog) { write(bytes.begin(), bytes.size(), in_qlog); } inline void setExitSignal(int signal) { exit_signal = signal; } protected: int part = -1, exit_signal = 0; std::string route_path, route_name, segment_path, lock_file; kj::Array<capnp::word> init_data; std::unique_ptr<RawFile> rlog, qlog; }; kj::Array<capnp::word> logger_build_init_data(); std::string logger_get_identifier(std::string key);
2301_81045437/openpilot
system/loggerd/logger.h
C++
mit
1,571
#include <sys/xattr.h> #include <map> #include <memory> #include <string> #include <unordered_map> #include <vector> #include "common/params.h" #include "system/loggerd/encoder/encoder.h" #include "system/loggerd/loggerd.h" #include "system/loggerd/video_writer.h" ExitHandler do_exit; struct LoggerdState { LoggerState logger; std::atomic<double> last_camera_seen_tms; std::atomic<int> ready_to_rotate; // count of encoders ready to rotate int max_waiting = 0; double last_rotate_tms = 0.; // last rotate time in ms }; void logger_rotate(LoggerdState *s) { bool ret =s->logger.next(); assert(ret); s->ready_to_rotate = 0; s->last_rotate_tms = millis_since_boot(); LOGW((s->logger.segment() == 0) ? "logging to %s" : "rotated to %s", s->logger.segmentPath().c_str()); } void rotate_if_needed(LoggerdState *s) { // all encoders ready, trigger rotation bool all_ready = s->ready_to_rotate == s->max_waiting; // fallback logic to prevent extremely long segments in the case of camera, encoder, etc. malfunctions bool timed_out = false; double tms = millis_since_boot(); double seg_length_secs = (tms - s->last_rotate_tms) / 1000.; if ((seg_length_secs > SEGMENT_LENGTH) && !LOGGERD_TEST) { // TODO: might be nice to put these reasons in the sentinel if ((tms - s->last_camera_seen_tms) > NO_CAMERA_PATIENCE) { timed_out = true; LOGE("no camera packets seen. auto rotating"); } else if (seg_length_secs > SEGMENT_LENGTH*1.2) { timed_out = true; LOGE("segment too long. auto rotating"); } } if (all_ready || timed_out) { logger_rotate(s); } } struct RemoteEncoder { std::unique_ptr<VideoWriter> writer; int encoderd_segment_offset; int current_segment = -1; std::vector<Message *> q; int dropped_frames = 0; bool recording = false; bool marked_ready_to_rotate = false; bool seen_first_packet = false; }; int handle_encoder_msg(LoggerdState *s, Message *msg, std::string &name, struct RemoteEncoder &re, const EncoderInfo &encoder_info) { int bytes_count = 0; // extract the message capnp::FlatArrayMessageReader cmsg(kj::ArrayPtr<capnp::word>((capnp::word *)msg->getData(), msg->getSize() / sizeof(capnp::word))); auto event = cmsg.getRoot<cereal::Event>(); auto edata = (event.*(encoder_info.get_encode_data_func))(); auto idx = edata.getIdx(); auto flags = idx.getFlags(); // encoderd can have started long before loggerd if (!re.seen_first_packet) { re.seen_first_packet = true; re.encoderd_segment_offset = idx.getSegmentNum(); LOGD("%s: has encoderd offset %d", name.c_str(), re.encoderd_segment_offset); } int offset_segment_num = idx.getSegmentNum() - re.encoderd_segment_offset; if (offset_segment_num == s->logger.segment()) { // loggerd is now on the segment that matches this packet // if this is a new segment, we close any possible old segments, move to the new, and process any queued packets if (re.current_segment != s->logger.segment()) { if (re.recording) { re.writer.reset(); re.recording = false; } re.current_segment = s->logger.segment(); re.marked_ready_to_rotate = false; // we are in this segment now, process any queued messages before this one if (!re.q.empty()) { for (auto &qmsg : re.q) { bytes_count += handle_encoder_msg(s, qmsg, name, re, encoder_info); } re.q.clear(); } } // if we aren't recording yet, try to start, since we are in the correct segment if (!re.recording) { if (flags & V4L2_BUF_FLAG_KEYFRAME) { // only create on iframe if (re.dropped_frames) { // this should only happen for the first segment, maybe LOGW("%s: dropped %d non iframe packets before init", name.c_str(), re.dropped_frames); re.dropped_frames = 0; } // if we aren't actually recording, don't create the writer if (encoder_info.record) { assert(encoder_info.filename != NULL); re.writer.reset(new VideoWriter(s->logger.segmentPath().c_str(), encoder_info.filename, idx.getType() != cereal::EncodeIndex::Type::FULL_H_E_V_C, edata.getWidth(), edata.getHeight(), encoder_info.fps, idx.getType())); // write the header auto header = edata.getHeader(); re.writer->write((uint8_t *)header.begin(), header.size(), idx.getTimestampEof()/1000, true, false); } re.recording = true; } else { // this is a sad case when we aren't recording, but don't have an iframe // nothing we can do but drop the frame delete msg; ++re.dropped_frames; return bytes_count; } } // we have to be recording if we are here assert(re.recording); // if we are actually writing the video file, do so if (re.writer) { auto data = edata.getData(); re.writer->write((uint8_t *)data.begin(), data.size(), idx.getTimestampEof()/1000, false, flags & V4L2_BUF_FLAG_KEYFRAME); } // put it in log stream as the idx packet MessageBuilder bmsg; auto evt = bmsg.initEvent(event.getValid()); evt.setLogMonoTime(event.getLogMonoTime()); (evt.*(encoder_info.set_encode_idx_func))(idx); auto new_msg = bmsg.toBytes(); s->logger.write((uint8_t *)new_msg.begin(), new_msg.size(), true); // always in qlog? bytes_count += new_msg.size(); // free the message, we used it delete msg; } else if (offset_segment_num > s->logger.segment()) { // encoderd packet has a newer segment, this means encoderd has rolled over if (!re.marked_ready_to_rotate) { re.marked_ready_to_rotate = true; ++s->ready_to_rotate; LOGD("rotate %d -> %d ready %d/%d for %s", s->logger.segment(), offset_segment_num, s->ready_to_rotate.load(), s->max_waiting, name.c_str()); } // queue up all the new segment messages, they go in after the rotate re.q.push_back(msg); } else { LOGE("%s: encoderd packet has a older segment!!! idx.getSegmentNum():%d s->logger.segment():%d re.encoderd_segment_offset:%d", name.c_str(), idx.getSegmentNum(), s->logger.segment(), re.encoderd_segment_offset); // free the message, it's useless. this should never happen // actually, this can happen if you restart encoderd re.encoderd_segment_offset = -s->logger.segment(); delete msg; } return bytes_count; } void handle_user_flag(LoggerdState *s) { static int prev_segment = -1; if (s->logger.segment() == prev_segment) return; LOGW("preserving %s", s->logger.segmentPath().c_str()); #ifdef __APPLE__ int ret = setxattr(s->logger.segmentPath().c_str(), PRESERVE_ATTR_NAME, &PRESERVE_ATTR_VALUE, 1, 0, 0); #else int ret = setxattr(s->logger.segmentPath().c_str(), PRESERVE_ATTR_NAME, &PRESERVE_ATTR_VALUE, 1, 0); #endif if (ret) { LOGE("setxattr %s failed for %s: %s", PRESERVE_ATTR_NAME, s->logger.segmentPath().c_str(), strerror(errno)); } // mark route for uploading Params params; std::string routes = Params().get("AthenadRecentlyViewedRoutes"); params.put("AthenadRecentlyViewedRoutes", routes + "," + s->logger.routeName()); prev_segment = s->logger.segment(); } void loggerd_thread() { // setup messaging typedef struct ServiceState { std::string name; int counter, freq; bool encoder, user_flag; } ServiceState; std::unordered_map<SubSocket*, ServiceState> service_state; std::unordered_map<SubSocket*, struct RemoteEncoder> remote_encoders; std::unique_ptr<Context> ctx(Context::create()); std::unique_ptr<Poller> poller(Poller::create()); // subscribe to all socks for (const auto& [_, it] : services) { const bool encoder = util::ends_with(it.name, "EncodeData"); const bool livestream_encoder = util::starts_with(it.name, "livestream"); if (!it.should_log && (!encoder || livestream_encoder)) continue; LOGD("logging %s (on port %d)", it.name.c_str(), it.port); SubSocket * sock = SubSocket::create(ctx.get(), it.name); assert(sock != NULL); poller->registerSocket(sock); service_state[sock] = { .name = it.name, .counter = 0, .freq = it.decimation, .encoder = encoder, .user_flag = it.name == "userFlag", }; } LoggerdState s; // init logger logger_rotate(&s); Params().put("CurrentRoute", s.logger.routeName()); std::map<std::string, EncoderInfo> encoder_infos_dict; for (const auto &cam : cameras_logged) { for (const auto &encoder_info : cam.encoder_infos) { encoder_infos_dict[encoder_info.publish_name] = encoder_info; s.max_waiting++; } } uint64_t msg_count = 0, bytes_count = 0; double start_ts = millis_since_boot(); while (!do_exit) { // poll for new messages on all sockets for (auto sock : poller->poll(1000)) { if (do_exit) break; ServiceState &service = service_state[sock]; if (service.user_flag) { handle_user_flag(&s); } // drain socket int count = 0; Message *msg = nullptr; while (!do_exit && (msg = sock->receive(true))) { const bool in_qlog = service.freq != -1 && (service.counter++ % service.freq == 0); if (service.encoder) { s.last_camera_seen_tms = millis_since_boot(); bytes_count += handle_encoder_msg(&s, msg, service.name, remote_encoders[sock], encoder_infos_dict[service.name]); } else { s.logger.write((uint8_t *)msg->getData(), msg->getSize(), in_qlog); bytes_count += msg->getSize(); delete msg; } rotate_if_needed(&s); if ((++msg_count % 1000) == 0) { double seconds = (millis_since_boot() - start_ts) / 1000.0; LOGD("%" PRIu64 " messages, %.2f msg/sec, %.2f KB/sec", msg_count, msg_count / seconds, bytes_count * 0.001 / seconds); } count++; if (count >= 200) { LOGD("large volume of '%s' messages", service.name.c_str()); break; } } } } LOGW("closing logger"); s.logger.setExitSignal(do_exit.signal); if (do_exit.power_failure) { LOGE("power failure"); sync(); LOGE("sync done"); } // messaging cleanup for (auto &[sock, service] : service_state) delete sock; } int main(int argc, char** argv) { if (!Hardware::PC()) { int ret; ret = util::set_core_affinity({0, 1, 2, 3}); assert(ret == 0); // TODO: why does this impact camerad timings? //ret = util::set_realtime_priority(1); //assert(ret == 0); } loggerd_thread(); return 0; }
2301_81045437/openpilot
system/loggerd/loggerd.cc
C++
mit
10,640
#pragma once #include <vector> #include "cereal/messaging/messaging.h" #include "cereal/services.h" #include "cereal/visionipc/visionipc_client.h" #include "system/camerad/cameras/camera_common.h" #include "system/hardware/hw.h" #include "common/params.h" #include "common/swaglog.h" #include "common/util.h" #include "system/loggerd/logger.h" constexpr int MAIN_FPS = 20; const int MAIN_BITRATE = 1e7; const int LIVESTREAM_BITRATE = 1e6; const int QCAM_BITRATE = 256000; #define NO_CAMERA_PATIENCE 500 // fall back to time-based rotation if all cameras are dead #define INIT_ENCODE_FUNCTIONS(encode_type) \ .get_encode_data_func = &cereal::Event::Reader::get##encode_type##Data, \ .set_encode_idx_func = &cereal::Event::Builder::set##encode_type##Idx, \ .init_encode_data_func = &cereal::Event::Builder::init##encode_type##Data const bool LOGGERD_TEST = getenv("LOGGERD_TEST"); const int SEGMENT_LENGTH = LOGGERD_TEST ? atoi(getenv("LOGGERD_SEGMENT_LENGTH")) : 60; constexpr char PRESERVE_ATTR_NAME[] = "user.preserve"; constexpr char PRESERVE_ATTR_VALUE = '1'; class EncoderInfo { public: const char *publish_name; const char *thumbnail_name = NULL; const char *filename = NULL; bool record = true; int frame_width = -1; int frame_height = -1; int fps = MAIN_FPS; int bitrate = MAIN_BITRATE; cereal::EncodeIndex::Type encode_type = Hardware::PC() ? cereal::EncodeIndex::Type::BIG_BOX_LOSSLESS : cereal::EncodeIndex::Type::FULL_H_E_V_C; ::cereal::EncodeData::Reader (cereal::Event::Reader::*get_encode_data_func)() const; void (cereal::Event::Builder::*set_encode_idx_func)(::cereal::EncodeIndex::Reader); cereal::EncodeData::Builder (cereal::Event::Builder::*init_encode_data_func)(); }; class LogCameraInfo { public: const char *thread_name; int fps = MAIN_FPS; CameraType type; VisionStreamType stream_type; std::vector<EncoderInfo> encoder_infos; }; const EncoderInfo main_road_encoder_info = { .publish_name = "roadEncodeData", .filename = "fcamera.hevc", INIT_ENCODE_FUNCTIONS(RoadEncode), }; const EncoderInfo main_wide_road_encoder_info = { .publish_name = "wideRoadEncodeData", .filename = "ecamera.hevc", INIT_ENCODE_FUNCTIONS(WideRoadEncode), }; const EncoderInfo main_driver_encoder_info = { .publish_name = "driverEncodeData", .filename = "dcamera.hevc", .record = Params().getBool("RecordFront"), INIT_ENCODE_FUNCTIONS(DriverEncode), }; const EncoderInfo stream_road_encoder_info = { .publish_name = "livestreamRoadEncodeData", //.thumbnail_name = "thumbnail", .encode_type = cereal::EncodeIndex::Type::QCAMERA_H264, .record = false, .bitrate = LIVESTREAM_BITRATE, INIT_ENCODE_FUNCTIONS(LivestreamRoadEncode), }; const EncoderInfo stream_wide_road_encoder_info = { .publish_name = "livestreamWideRoadEncodeData", .encode_type = cereal::EncodeIndex::Type::QCAMERA_H264, .record = false, .bitrate = LIVESTREAM_BITRATE, INIT_ENCODE_FUNCTIONS(LivestreamWideRoadEncode), }; const EncoderInfo stream_driver_encoder_info = { .publish_name = "livestreamDriverEncodeData", .encode_type = cereal::EncodeIndex::Type::QCAMERA_H264, .record = false, .bitrate = LIVESTREAM_BITRATE, INIT_ENCODE_FUNCTIONS(LivestreamDriverEncode), }; const EncoderInfo qcam_encoder_info = { .publish_name = "qRoadEncodeData", .filename = "qcamera.ts", .bitrate = QCAM_BITRATE, .encode_type = cereal::EncodeIndex::Type::QCAMERA_H264, .frame_width = 526, .frame_height = 330, INIT_ENCODE_FUNCTIONS(QRoadEncode), }; const LogCameraInfo road_camera_info{ .thread_name = "road_cam_encoder", .type = RoadCam, .stream_type = VISION_STREAM_ROAD, .encoder_infos = {main_road_encoder_info, qcam_encoder_info} }; const LogCameraInfo wide_road_camera_info{ .thread_name = "wide_road_cam_encoder", .type = WideRoadCam, .stream_type = VISION_STREAM_WIDE_ROAD, .encoder_infos = {main_wide_road_encoder_info} }; const LogCameraInfo driver_camera_info{ .thread_name = "driver_cam_encoder", .type = DriverCam, .stream_type = VISION_STREAM_DRIVER, .encoder_infos = {main_driver_encoder_info} }; const LogCameraInfo stream_road_camera_info{ .thread_name = "road_cam_encoder", .type = RoadCam, .stream_type = VISION_STREAM_ROAD, .encoder_infos = {stream_road_encoder_info} }; const LogCameraInfo stream_wide_road_camera_info{ .thread_name = "wide_road_cam_encoder", .type = WideRoadCam, .stream_type = VISION_STREAM_WIDE_ROAD, .encoder_infos = {stream_wide_road_encoder_info} }; const LogCameraInfo stream_driver_camera_info{ .thread_name = "driver_cam_encoder", .type = DriverCam, .stream_type = VISION_STREAM_DRIVER, .encoder_infos = {stream_driver_encoder_info} }; const LogCameraInfo cameras_logged[] = {road_camera_info, wide_road_camera_info, driver_camera_info}; const LogCameraInfo stream_cameras_logged[] = {stream_road_camera_info, stream_wide_road_camera_info, stream_driver_camera_info};
2301_81045437/openpilot
system/loggerd/loggerd.h
C++
mit
5,028
import os import random from pathlib import Path import openpilot.system.loggerd.deleter as deleter import openpilot.system.loggerd.uploader as uploader from openpilot.common.params import Params from openpilot.system.hardware.hw import Paths from openpilot.system.loggerd.xattr_cache import setxattr def create_random_file(file_path: Path, size_mb: float, lock: bool = False, upload_xattr: bytes = None) -> None: file_path.parent.mkdir(parents=True, exist_ok=True) if lock: lock_path = str(file_path) + ".lock" os.close(os.open(lock_path, os.O_CREAT | os.O_EXCL)) chunks = 128 chunk_bytes = int(size_mb * 1024 * 1024 / chunks) data = os.urandom(chunk_bytes) with open(file_path, "wb") as f: for _ in range(chunks): f.write(data) if upload_xattr is not None: setxattr(str(file_path), uploader.UPLOAD_ATTR_NAME, upload_xattr) class MockResponse: def __init__(self, text, status_code): self.text = text self.status_code = status_code class MockApi: def __init__(self, dongle_id): pass def get(self, *args, **kwargs): return MockResponse('{"url": "http://localhost/does/not/exist", "headers": {}}', 200) def get_token(self): return "fake-token" class MockApiIgnore: def __init__(self, dongle_id): pass def get(self, *args, **kwargs): return MockResponse('', 412) def get_token(self): return "fake-token" class UploaderTestCase: f_type = "UNKNOWN" root: Path seg_num: int seg_format: str seg_format2: str seg_dir: str def set_ignore(self): uploader.Api = MockApiIgnore def setup_method(self): uploader.Api = MockApi uploader.fake_upload = True uploader.force_wifi = True uploader.allow_sleep = False self.seg_num = random.randint(1, 300) self.seg_format = "00000004--0ac3964c96--{}" self.seg_format2 = "00000005--4c4e99b08b--{}" self.seg_dir = self.seg_format.format(self.seg_num) self.params = Params() self.params.put("IsOffroad", "1") self.params.put("DongleId", "0000000000000000") def make_file_with_data(self, f_dir: str, fn: str, size_mb: float = .1, lock: bool = False, upload_xattr: bytes = None, preserve_xattr: bytes = None) -> Path: file_path = Path(Paths.log_root()) / f_dir / fn create_random_file(file_path, size_mb, lock, upload_xattr) if preserve_xattr is not None: setxattr(str(file_path.parent), deleter.PRESERVE_ATTR_NAME, preserve_xattr) return file_path
2301_81045437/openpilot
system/loggerd/tests/loggerd_tests_common.py
Python
mit
2,491
#include "catch2/catch.hpp" #include "system/loggerd/logger.h" typedef cereal::Sentinel::SentinelType SentinelType; void verify_segment(const std::string &route_path, int segment, int max_segment, int required_event_cnt) { const std::string segment_path = route_path + "--" + std::to_string(segment); SentinelType begin_sentinel = segment == 0 ? SentinelType::START_OF_ROUTE : SentinelType::START_OF_SEGMENT; SentinelType end_sentinel = segment == max_segment - 1 ? SentinelType::END_OF_ROUTE : SentinelType::END_OF_SEGMENT; REQUIRE(!util::file_exists(segment_path + "/rlog.lock")); for (const char *fn : {"/rlog", "/qlog"}) { const std::string log_file = segment_path + fn; std::string log = util::read_file(log_file); REQUIRE(!log.empty()); int event_cnt = 0, i = 0; kj::ArrayPtr<const capnp::word> words((capnp::word *)log.data(), log.size() / sizeof(capnp::word)); while (words.size() > 0) { try { capnp::FlatArrayMessageReader reader(words); auto event = reader.getRoot<cereal::Event>(); words = kj::arrayPtr(reader.getEnd(), words.end()); if (i == 0) { REQUIRE(event.which() == cereal::Event::INIT_DATA); } else if (i == 1) { REQUIRE(event.which() == cereal::Event::SENTINEL); REQUIRE(event.getSentinel().getType() == begin_sentinel); REQUIRE(event.getSentinel().getSignal() == 0); } else if (words.size() > 0) { REQUIRE(event.which() == cereal::Event::CLOCKS); ++event_cnt; } else { // the last event must be SENTINEL REQUIRE(event.which() == cereal::Event::SENTINEL); REQUIRE(event.getSentinel().getType() == end_sentinel); REQUIRE(event.getSentinel().getSignal() == (end_sentinel == SentinelType::END_OF_ROUTE ? 1 : 0)); } ++i; } catch (const kj::Exception &ex) { INFO("failed parse " << i << " exception :" << ex.getDescription()); REQUIRE(0); break; } } REQUIRE(event_cnt == required_event_cnt); } } void write_msg(LoggerState *logger) { MessageBuilder msg; msg.initEvent().initClocks(); logger->write(msg.toBytes(), true); } TEST_CASE("logger") { const int segment_cnt = 100; const std::string log_root = "/tmp/test_logger"; system(("rm " + log_root + " -rf").c_str()); std::string route_name; { LoggerState logger(log_root); route_name = logger.routeName(); for (int i = 0; i < segment_cnt; ++i) { REQUIRE(logger.next()); REQUIRE(util::file_exists(logger.segmentPath() + "/rlog.lock")); REQUIRE(logger.segment() == i); write_msg(&logger); } logger.setExitSignal(1); } for (int i = 0; i < segment_cnt; ++i) { verify_segment(log_root + "/" + route_name, i, segment_cnt, 1); } }
2301_81045437/openpilot
system/loggerd/tests/test_logger.cc
C++
mit
2,822
#define CATCH_CONFIG_MAIN #include "catch2/catch.hpp"
2301_81045437/openpilot
system/loggerd/tests/test_runner.cc
C++
mit
54
#!/usr/bin/env python3 import bz2 import io import json import os import random import requests import threading import time import traceback import datetime from typing import BinaryIO from collections.abc import Iterator from cereal import log import cereal.messaging as messaging from openpilot.common.api import Api from openpilot.common.params import Params from openpilot.common.realtime import set_core_affinity from openpilot.system.hardware.hw import Paths from openpilot.system.loggerd.xattr_cache import getxattr, setxattr from openpilot.common.swaglog import cloudlog NetworkType = log.DeviceState.NetworkType UPLOAD_ATTR_NAME = 'user.upload' UPLOAD_ATTR_VALUE = b'1' UPLOAD_QLOG_QCAM_MAX_SIZE = 5 * 1e6 # MB allow_sleep = bool(os.getenv("UPLOADER_SLEEP", "1")) force_wifi = os.getenv("FORCEWIFI") is not None fake_upload = os.getenv("FAKEUPLOAD") is not None class FakeRequest: def __init__(self): self.headers = {"Content-Length": "0"} class FakeResponse: def __init__(self): self.status_code = 200 self.request = FakeRequest() def get_directory_sort(d: str) -> list[str]: # ensure old format is sorted sooner o = ["0", ] if d.startswith("2024-") else ["1", ] return o + [s.rjust(10, '0') for s in d.rsplit('--', 1)] def listdir_by_creation(d: str) -> list[str]: if not os.path.isdir(d): return [] try: paths = [f for f in os.listdir(d) if os.path.isdir(os.path.join(d, f))] paths = sorted(paths, key=get_directory_sort) return paths except OSError: cloudlog.exception("listdir_by_creation failed") return [] def clear_locks(root: str) -> None: for logdir in os.listdir(root): path = os.path.join(root, logdir) try: for fname in os.listdir(path): if fname.endswith(".lock"): os.unlink(os.path.join(path, fname)) except OSError: cloudlog.exception("clear_locks failed") class Uploader: def __init__(self, dongle_id: str, root: str): self.dongle_id = dongle_id self.api = Api(dongle_id) self.root = root self.params = Params() # stats for last successfully uploaded file self.last_filename = "" self.immediate_folders = ["crash/", "boot/"] self.immediate_priority = {"qlog": 0, "qlog.bz2": 0, "qcamera.ts": 1} def list_upload_files(self, metered: bool) -> Iterator[tuple[str, str, str]]: r = self.params.get("AthenadRecentlyViewedRoutes", encoding="utf8") requested_routes = [] if r is None else r.split(",") for logdir in listdir_by_creation(self.root): path = os.path.join(self.root, logdir) try: names = os.listdir(path) except OSError: continue if any(name.endswith(".lock") for name in names): continue for name in sorted(names, key=lambda n: self.immediate_priority.get(n, 1000)): key = os.path.join(logdir, name) fn = os.path.join(path, name) # skip files already uploaded try: ctime = os.path.getctime(fn) is_uploaded = getxattr(fn, UPLOAD_ATTR_NAME) == UPLOAD_ATTR_VALUE except OSError: cloudlog.event("uploader_getxattr_failed", key=key, fn=fn) # deleter could have deleted, so skip continue if is_uploaded: continue # limit uploading on metered connections if metered: dt = datetime.timedelta(hours=12) if logdir in self.immediate_folders and (datetime.datetime.now() - datetime.datetime.fromtimestamp(ctime)) < dt: continue if name == "qcamera.ts" and not any(logdir.startswith(r.split('|')[-1]) for r in requested_routes): continue yield name, key, fn def next_file_to_upload(self, metered: bool) -> tuple[str, str, str] | None: upload_files = list(self.list_upload_files(metered)) for name, key, fn in upload_files: if any(f in fn for f in self.immediate_folders): return name, key, fn for name, key, fn in upload_files: if name in self.immediate_priority: return name, key, fn return None def do_upload(self, key: str, fn: str): url_resp = self.api.get("v1.4/" + self.dongle_id + "/upload_url/", timeout=10, path=key, access_token=self.api.get_token()) if url_resp.status_code == 412: return url_resp url_resp_json = json.loads(url_resp.text) url = url_resp_json['url'] headers = url_resp_json['headers'] cloudlog.debug("upload_url v1.4 %s %s", url, str(headers)) if fake_upload: return FakeResponse() with open(fn, "rb") as f: data: BinaryIO if key.endswith('.bz2') and not fn.endswith('.bz2'): compressed = bz2.compress(f.read()) data = io.BytesIO(compressed) else: data = f return requests.put(url, data=data, headers=headers, timeout=10) def upload(self, name: str, key: str, fn: str, network_type: int, metered: bool) -> bool: try: sz = os.path.getsize(fn) except OSError: cloudlog.exception("upload: getsize failed") return False cloudlog.event("upload_start", key=key, fn=fn, sz=sz, network_type=network_type, metered=metered) if sz == 0: # tag files of 0 size as uploaded success = True elif name in self.immediate_priority and sz > UPLOAD_QLOG_QCAM_MAX_SIZE: cloudlog.event("uploader_too_large", key=key, fn=fn, sz=sz) success = True else: start_time = time.monotonic() stat = None last_exc = None try: stat = self.do_upload(key, fn) except Exception as e: last_exc = (e, traceback.format_exc()) if stat is not None and stat.status_code in (200, 201, 401, 403, 412): self.last_filename = fn dt = time.monotonic() - start_time if stat.status_code == 412: cloudlog.event("upload_ignored", key=key, fn=fn, sz=sz, network_type=network_type, metered=metered) else: content_length = int(stat.request.headers.get("Content-Length", 0)) speed = (content_length / 1e6) / dt cloudlog.event("upload_success", key=key, fn=fn, sz=sz, content_length=content_length, network_type=network_type, metered=metered, speed=speed) success = True else: success = False cloudlog.event("upload_failed", stat=stat, exc=last_exc, key=key, fn=fn, sz=sz, network_type=network_type, metered=metered) if success: # tag file as uploaded try: setxattr(fn, UPLOAD_ATTR_NAME, UPLOAD_ATTR_VALUE) except OSError: cloudlog.event("uploader_setxattr_failed", exc=last_exc, key=key, fn=fn, sz=sz) return success def step(self, network_type: int, metered: bool) -> bool | None: d = self.next_file_to_upload(metered) if d is None: return None name, key, fn = d # qlogs and bootlogs need to be compressed before uploading if key.endswith(('qlog', 'rlog')) or (key.startswith('boot/') and not key.endswith('.bz2')): key += ".bz2" return self.upload(name, key, fn, network_type, metered) def main(exit_event: threading.Event = None) -> None: if exit_event is None: exit_event = threading.Event() try: set_core_affinity([0, 1, 2, 3]) except Exception: cloudlog.exception("failed to set core affinity") clear_locks(Paths.log_root()) params = Params() dongle_id = params.get("DongleId", encoding='utf8') if dongle_id is None: cloudlog.info("uploader missing dongle_id") raise Exception("uploader can't start without dongle id") sm = messaging.SubMaster(['deviceState']) uploader = Uploader(dongle_id, Paths.log_root()) backoff = 0.1 while not exit_event.is_set(): sm.update(0) offroad = params.get_bool("IsOffroad") network_type = sm['deviceState'].networkType if not force_wifi else NetworkType.wifi if network_type == NetworkType.none: if allow_sleep: time.sleep(60 if offroad else 5) continue success = uploader.step(sm['deviceState'].networkType.raw, sm['deviceState'].networkMetered) if success is None: backoff = 60 if offroad else 5 elif success: backoff = 0.1 else: cloudlog.info("upload backoff %r", backoff) backoff = min(backoff*2, 120) if allow_sleep: time.sleep(backoff + random.uniform(0, backoff)) if __name__ == "__main__": main()
2301_81045437/openpilot
system/loggerd/uploader.py
Python
mit
8,372
#pragma clang diagnostic ignored "-Wdeprecated-declarations" #include <cassert> #include "system/loggerd/video_writer.h" #include "common/swaglog.h" #include "common/util.h" VideoWriter::VideoWriter(const char *path, const char *filename, bool remuxing, int width, int height, int fps, cereal::EncodeIndex::Type codec) : remuxing(remuxing) { vid_path = util::string_format("%s/%s", path, filename); lock_path = util::string_format("%s/%s.lock", path, filename); int lock_fd = HANDLE_EINTR(open(lock_path.c_str(), O_RDWR | O_CREAT, 0664)); assert(lock_fd >= 0); close(lock_fd); LOGD("encoder_open %s remuxing:%d", this->vid_path.c_str(), this->remuxing); if (this->remuxing) { bool raw = (codec == cereal::EncodeIndex::Type::BIG_BOX_LOSSLESS); avformat_alloc_output_context2(&this->ofmt_ctx, NULL, raw ? "matroska" : NULL, this->vid_path.c_str()); assert(this->ofmt_ctx); // set codec correctly. needed? assert(codec != cereal::EncodeIndex::Type::FULL_H_E_V_C); const AVCodec *avcodec = avcodec_find_encoder(raw ? AV_CODEC_ID_FFVHUFF : AV_CODEC_ID_H264); assert(avcodec); this->codec_ctx = avcodec_alloc_context3(avcodec); assert(this->codec_ctx); this->codec_ctx->width = width; this->codec_ctx->height = height; this->codec_ctx->pix_fmt = AV_PIX_FMT_YUV420P; this->codec_ctx->time_base = (AVRational){ 1, fps }; if (codec == cereal::EncodeIndex::Type::BIG_BOX_LOSSLESS) { // without this, there's just noise int err = avcodec_open2(this->codec_ctx, avcodec, NULL); assert(err >= 0); } this->out_stream = avformat_new_stream(this->ofmt_ctx, raw ? avcodec : NULL); assert(this->out_stream); int err = avio_open(&this->ofmt_ctx->pb, this->vid_path.c_str(), AVIO_FLAG_WRITE); assert(err >= 0); } else { this->of = util::safe_fopen(this->vid_path.c_str(), "wb"); assert(this->of); } } void VideoWriter::write(uint8_t *data, int len, long long timestamp, bool codecconfig, bool keyframe) { if (of && data) { size_t written = util::safe_fwrite(data, 1, len, of); if (written != len) { LOGE("failed to write file.errno=%d", errno); } } if (remuxing) { if (codecconfig) { if (len > 0) { codec_ctx->extradata = (uint8_t*)av_mallocz(len + AV_INPUT_BUFFER_PADDING_SIZE); codec_ctx->extradata_size = len; memcpy(codec_ctx->extradata, data, len); } int err = avcodec_parameters_from_context(out_stream->codecpar, codec_ctx); assert(err >= 0); err = avformat_write_header(ofmt_ctx, NULL); assert(err >= 0); } else { // input timestamps are in microseconds AVRational in_timebase = {1, 1000000}; AVPacket pkt; av_init_packet(&pkt); pkt.data = data; pkt.size = len; enum AVRounding rnd = static_cast<enum AVRounding>(AV_ROUND_NEAR_INF|AV_ROUND_PASS_MINMAX); pkt.pts = pkt.dts = av_rescale_q_rnd(timestamp, in_timebase, ofmt_ctx->streams[0]->time_base, rnd); pkt.duration = av_rescale_q(50*1000, in_timebase, ofmt_ctx->streams[0]->time_base); if (keyframe) { pkt.flags |= AV_PKT_FLAG_KEY; } // TODO: can use av_write_frame for non raw? int err = av_interleaved_write_frame(ofmt_ctx, &pkt); if (err < 0) { LOGW("ts encoder write issue len: %d ts: %lld", len, timestamp); } av_packet_unref(&pkt); } } } VideoWriter::~VideoWriter() { if (this->remuxing) { int err = av_write_trailer(this->ofmt_ctx); if (err != 0) LOGE("av_write_trailer failed %d", err); avcodec_free_context(&this->codec_ctx); err = avio_closep(&this->ofmt_ctx->pb); if (err != 0) LOGE("avio_closep failed %d", err); avformat_free_context(this->ofmt_ctx); } else { util::safe_fflush(this->of); fclose(this->of); this->of = nullptr; } unlink(this->lock_path.c_str()); }
2301_81045437/openpilot
system/loggerd/video_writer.cc
C++
mit
3,897
#pragma once #include <string> extern "C" { #include <libavformat/avformat.h> #include <libavcodec/avcodec.h> } #include "cereal/messaging/messaging.h" class VideoWriter { public: VideoWriter(const char *path, const char *filename, bool remuxing, int width, int height, int fps, cereal::EncodeIndex::Type codec); void write(uint8_t *data, int len, long long timestamp, bool codecconfig, bool keyframe); ~VideoWriter(); private: std::string vid_path, lock_path; FILE *of = nullptr; AVCodecContext *codec_ctx; AVFormatContext *ofmt_ctx; AVStream *out_stream; bool remuxing; };
2301_81045437/openpilot
system/loggerd/video_writer.h
C++
mit
598
import os import errno _cached_attributes: dict[tuple, bytes | None] = {} def getxattr(path: str, attr_name: str) -> bytes | None: key = (path, attr_name) if key not in _cached_attributes: try: response = os.getxattr(path, attr_name) except OSError as e: # ENODATA means attribute hasn't been set if e.errno == errno.ENODATA: response = None else: raise _cached_attributes[key] = response return _cached_attributes[key] def setxattr(path: str, attr_name: str, attr_value: bytes) -> None: _cached_attributes.pop((path, attr_name), None) return os.setxattr(path, attr_name, attr_value)
2301_81045437/openpilot
system/loggerd/xattr_cache.py
Python
mit
649
#!/usr/bin/env python3 import zmq from typing import NoReturn import cereal.messaging as messaging from openpilot.common.logging_extra import SwagLogFileFormatter from openpilot.system.hardware.hw import Paths from openpilot.common.swaglog import get_file_handler def main() -> NoReturn: log_handler = get_file_handler() log_handler.setFormatter(SwagLogFileFormatter(None)) log_level = 20 # logging.INFO ctx = zmq.Context.instance() sock = ctx.socket(zmq.PULL) sock.bind(Paths.swaglog_ipc()) # and we publish them log_message_sock = messaging.pub_sock('logMessage') error_log_message_sock = messaging.pub_sock('errorLogMessage') try: while True: dat = b''.join(sock.recv_multipart()) level = dat[0] record = dat[1:].decode("utf-8") if level >= log_level: log_handler.emit(record) if len(record) > 2*1024*1024: print("WARNING: log too big to publish", len(record)) print(print(record[:100])) continue # then we publish them msg = messaging.new_message(None, valid=True, logMessage=record) log_message_sock.send(msg.to_bytes()) if level >= 40: # logging.ERROR msg = messaging.new_message(None, valid=True, errorLogMessage=record) error_log_message_sock.send(msg.to_bytes()) finally: sock.close() ctx.term() # can hit this if interrupted during a rollover try: log_handler.close() except ValueError: pass if __name__ == "__main__": main()
2301_81045437/openpilot
system/logmessaged.py
Python
mit
1,511
#!/usr/bin/env python3 import os import subprocess from pathlib import Path # NOTE: Do NOT import anything here that needs be built (e.g. params) from openpilot.common.basedir import BASEDIR from openpilot.common.spinner import Spinner from openpilot.common.text_window import TextWindow from openpilot.system.hardware import AGNOS from openpilot.common.swaglog import cloudlog, add_file_handler from openpilot.system.version import get_build_metadata MAX_CACHE_SIZE = 4e9 if "CI" in os.environ else 2e9 CACHE_DIR = Path("/data/scons_cache" if AGNOS else "/tmp/scons_cache") TOTAL_SCONS_NODES = 2410 MAX_BUILD_PROGRESS = 100 def build(spinner: Spinner, dirty: bool = False, minimal: bool = False) -> None: env = os.environ.copy() env['SCONS_PROGRESS'] = "1" nproc = os.cpu_count() if nproc is None: nproc = 2 extra_args = ["--minimal"] if minimal else [] # building with all cores can result in using too # much memory, so retry with less parallelism compile_output: list[bytes] = [] for n in (nproc, nproc/2, 1): compile_output.clear() scons: subprocess.Popen = subprocess.Popen(["scons", f"-j{int(n)}", "--cache-populate", *extra_args], cwd=BASEDIR, env=env, stderr=subprocess.PIPE) assert scons.stderr is not None # Read progress from stderr and update spinner while scons.poll() is None: try: line = scons.stderr.readline() if line is None: continue line = line.rstrip() prefix = b'progress: ' if line.startswith(prefix): i = int(line[len(prefix):]) spinner.update_progress(MAX_BUILD_PROGRESS * min(1., i / TOTAL_SCONS_NODES), 100.) elif len(line): compile_output.append(line) print(line.decode('utf8', 'replace')) except Exception: pass if scons.returncode == 0: break if scons.returncode != 0: # Read remaining output if scons.stderr is not None: compile_output += scons.stderr.read().split(b'\n') # Build failed log errors error_s = b"\n".join(compile_output).decode('utf8', 'replace') add_file_handler(cloudlog) cloudlog.error("scons build failed\n" + error_s) # Show TextWindow spinner.close() if not os.getenv("CI"): with TextWindow("openpilot failed to build\n \n" + error_s) as t: t.wait_for_exit() exit(1) # enforce max cache size cache_files = [f for f in CACHE_DIR.rglob('*') if f.is_file()] cache_files.sort(key=lambda f: f.stat().st_mtime) cache_size = sum(f.stat().st_size for f in cache_files) for f in cache_files: if cache_size < MAX_CACHE_SIZE: break cache_size -= f.stat().st_size f.unlink() if __name__ == "__main__": spinner = Spinner() spinner.update_progress(0, 100) build_metadata = get_build_metadata() build(spinner, build_metadata.openpilot.is_dirty, minimal = AGNOS)
2301_81045437/openpilot
system/manager/build.py
Python
mit
2,882
import errno import fcntl import os import sys import pathlib import shutil import signal import subprocess import tempfile import threading from openpilot.common.basedir import BASEDIR from openpilot.common.params import Params def unblock_stdout() -> None: # get a non-blocking stdout child_pid, child_pty = os.forkpty() if child_pid != 0: # parent # child is in its own process group, manually pass kill signals signal.signal(signal.SIGINT, lambda signum, frame: os.kill(child_pid, signal.SIGINT)) signal.signal(signal.SIGTERM, lambda signum, frame: os.kill(child_pid, signal.SIGTERM)) fcntl.fcntl(sys.stdout, fcntl.F_SETFL, fcntl.fcntl(sys.stdout, fcntl.F_GETFL) | os.O_NONBLOCK) while True: try: dat = os.read(child_pty, 4096) except OSError as e: if e.errno == errno.EIO: break continue if not dat: break try: sys.stdout.write(dat.decode('utf8')) except (OSError, UnicodeDecodeError): pass # os.wait() returns a tuple with the pid and a 16 bit value # whose low byte is the signal number and whose high byte is the exit status exit_status = os.wait()[1] >> 8 os._exit(exit_status) def write_onroad_params(started, params): params.put_bool("IsOnroad", started) params.put_bool("IsOffroad", not started) def save_bootlog(): # copy current params tmp = tempfile.mkdtemp() params_dirname = pathlib.Path(Params().get_param_path()).name params_dir = os.path.join(tmp, params_dirname) shutil.copytree(Params().get_param_path(), params_dir, dirs_exist_ok=True) def fn(tmpdir): env = os.environ.copy() env['PARAMS_COPY_PATH'] = tmpdir subprocess.call("./bootlog", cwd=os.path.join(BASEDIR, "system/loggerd"), env=env) shutil.rmtree(tmpdir) t = threading.Thread(target=fn, args=(tmp, )) t.daemon = True t.start()
2301_81045437/openpilot
system/manager/helpers.py
Python
mit
1,891
#!/usr/bin/env python3 import datetime import os import signal import sys import traceback from cereal import log import cereal.messaging as messaging import openpilot.system.sentry as sentry from openpilot.common.params import Params, ParamKeyType from openpilot.common.text_window import TextWindow from openpilot.system.hardware import HARDWARE, PC from openpilot.system.manager.helpers import unblock_stdout, write_onroad_params, save_bootlog from openpilot.system.manager.process import ensure_running from openpilot.system.manager.process_config import managed_processes from openpilot.system.athena.registration import register, UNREGISTERED_DONGLE_ID from openpilot.common.swaglog import cloudlog, add_file_handler from openpilot.system.version import get_build_metadata, terms_version, training_version def manager_init() -> None: save_bootlog() build_metadata = get_build_metadata() params = Params() params.clear_all(ParamKeyType.CLEAR_ON_MANAGER_START) params.clear_all(ParamKeyType.CLEAR_ON_ONROAD_TRANSITION) params.clear_all(ParamKeyType.CLEAR_ON_OFFROAD_TRANSITION) if build_metadata.release_channel: params.clear_all(ParamKeyType.DEVELOPMENT_ONLY) default_params: list[tuple[str, str | bytes]] = [ ("CompletedTrainingVersion", "0"), ("DisengageOnAccelerator", "0"), ("GsmMetered", "1"), ("HasAcceptedTerms", "0"), ("LanguageSetting", "main_en"), ("OpenpilotEnabledToggle", "1"), ("LongitudinalPersonality", str(log.LongitudinalPersonality.standard)), ] if not PC: default_params.append(("LastUpdateTime", datetime.datetime.utcnow().isoformat().encode('utf8'))) if params.get_bool("RecordFrontLock"): params.put_bool("RecordFront", True) # set unset params for k, v in default_params: if params.get(k) is None: params.put(k, v) # Create folders needed for msgq try: os.mkdir("/dev/shm") except FileExistsError: pass except PermissionError: print("WARNING: failed to make /dev/shm") # set version params params.put("Version", build_metadata.openpilot.version) params.put("TermsVersion", terms_version) params.put("TrainingVersion", training_version) params.put("GitCommit", build_metadata.openpilot.git_commit) params.put("GitCommitDate", build_metadata.openpilot.git_commit_date) params.put("GitBranch", build_metadata.channel) params.put("GitRemote", build_metadata.openpilot.git_origin) params.put_bool("IsTestedBranch", build_metadata.tested_channel) params.put_bool("IsReleaseBranch", build_metadata.release_channel) # set dongle id reg_res = register(show_spinner=True) if reg_res: dongle_id = reg_res else: serial = params.get("HardwareSerial") raise Exception(f"Registration failed for device {serial}") os.environ['DONGLE_ID'] = dongle_id # Needed for swaglog os.environ['GIT_ORIGIN'] = build_metadata.openpilot.git_normalized_origin # Needed for swaglog os.environ['GIT_BRANCH'] = build_metadata.channel # Needed for swaglog os.environ['GIT_COMMIT'] = build_metadata.openpilot.git_commit # Needed for swaglog if not build_metadata.openpilot.is_dirty: os.environ['CLEAN'] = '1' # init logging sentry.init(sentry.SentryProject.SELFDRIVE) cloudlog.bind_global(dongle_id=dongle_id, version=build_metadata.openpilot.version, origin=build_metadata.openpilot.git_normalized_origin, branch=build_metadata.channel, commit=build_metadata.openpilot.git_commit, dirty=build_metadata.openpilot.is_dirty, device=HARDWARE.get_device_type()) # preimport all processes for p in managed_processes.values(): p.prepare() def manager_cleanup() -> None: # send signals to kill all procs for p in managed_processes.values(): p.stop(block=False) # ensure all are killed for p in managed_processes.values(): p.stop(block=True) cloudlog.info("everything is dead") def manager_thread() -> None: cloudlog.bind(daemon="manager") cloudlog.info("manager start") cloudlog.info({"environ": os.environ}) params = Params() ignore: list[str] = [] if params.get("DongleId", encoding='utf8') in (None, UNREGISTERED_DONGLE_ID): ignore += ["manage_athenad", "uploader"] if os.getenv("NOBOARD") is not None: ignore.append("pandad") ignore += [x for x in os.getenv("BLOCK", "").split(",") if len(x) > 0] sm = messaging.SubMaster(['deviceState', 'carParams'], poll='deviceState') pm = messaging.PubMaster(['managerState']) write_onroad_params(False, params) ensure_running(managed_processes.values(), False, params=params, CP=sm['carParams'], not_run=ignore) started_prev = False while True: sm.update(1000) started = sm['deviceState'].started if started and not started_prev: params.clear_all(ParamKeyType.CLEAR_ON_ONROAD_TRANSITION) elif not started and started_prev: params.clear_all(ParamKeyType.CLEAR_ON_OFFROAD_TRANSITION) # update onroad params, which drives boardd's safety setter thread if started != started_prev: write_onroad_params(started, params) started_prev = started ensure_running(managed_processes.values(), started, params=params, CP=sm['carParams'], not_run=ignore) running = ' '.join("{}{}\u001b[0m".format("\u001b[32m" if p.proc.is_alive() else "\u001b[31m", p.name) for p in managed_processes.values() if p.proc) print(running) cloudlog.debug(running) # send managerState msg = messaging.new_message('managerState', valid=True) msg.managerState.processes = [p.get_process_state_msg() for p in managed_processes.values()] pm.send('managerState', msg) # Exit main loop when uninstall/shutdown/reboot is needed shutdown = False for param in ("DoUninstall", "DoShutdown", "DoReboot"): if params.get_bool(param): shutdown = True params.put("LastManagerExitReason", f"{param} {datetime.datetime.now()}") cloudlog.warning(f"Shutting down manager - {param} set") if shutdown: break def main() -> None: manager_init() if os.getenv("PREPAREONLY") is not None: return # SystemExit on sigterm signal.signal(signal.SIGTERM, lambda signum, frame: sys.exit(1)) try: manager_thread() except Exception: traceback.print_exc() sentry.capture_exception() finally: manager_cleanup() params = Params() if params.get_bool("DoUninstall"): cloudlog.warning("uninstalling") HARDWARE.uninstall() elif params.get_bool("DoReboot"): cloudlog.warning("reboot") HARDWARE.reboot() elif params.get_bool("DoShutdown"): cloudlog.warning("shutdown") HARDWARE.shutdown() if __name__ == "__main__": unblock_stdout() try: main() except KeyboardInterrupt: print("got CTRL-C, exiting") except Exception: add_file_handler(cloudlog) cloudlog.exception("Manager failed to start") try: managed_processes['ui'].stop() except Exception: pass # Show last 3 lines of traceback error = traceback.format_exc(-3) error = "Manager failed to start\n\n" + error with TextWindow(error) as t: t.wait_for_exit() raise # manual exit because we are forked sys.exit(0)
2301_81045437/openpilot
system/manager/manager.py
Python
mit
7,311
import importlib import os import signal import struct import time import subprocess from collections.abc import Callable, ValuesView from abc import ABC, abstractmethod from multiprocessing import Process from setproctitle import setproctitle from cereal import car, log import cereal.messaging as messaging import openpilot.system.sentry as sentry from openpilot.common.basedir import BASEDIR from openpilot.common.params import Params from openpilot.common.swaglog import cloudlog WATCHDOG_FN = "/dev/shm/wd_" ENABLE_WATCHDOG = os.getenv("NO_WATCHDOG") is None def launcher(proc: str, name: str) -> None: try: # import the process mod = importlib.import_module(proc) # rename the process setproctitle(proc) # create new context since we forked messaging.context = messaging.Context() # add daemon name tag to logs cloudlog.bind(daemon=name) sentry.set_tag("daemon", name) # exec the process mod.main() except KeyboardInterrupt: cloudlog.warning(f"child {proc} got SIGINT") except Exception: # can't install the crash handler because sys.excepthook doesn't play nice # with threads, so catch it here. sentry.capture_exception() raise def nativelauncher(pargs: list[str], cwd: str, name: str) -> None: os.environ['MANAGER_DAEMON'] = name # exec the process os.chdir(cwd) os.execvp(pargs[0], pargs) def join_process(process: Process, timeout: float) -> None: # Process().join(timeout) will hang due to a python 3 bug: https://bugs.python.org/issue28382 # We have to poll the exitcode instead t = time.monotonic() while time.monotonic() - t < timeout and process.exitcode is None: time.sleep(0.001) class ManagerProcess(ABC): daemon = False sigkill = False should_run: Callable[[bool, Params, car.CarParams], bool] proc: Process | None = None enabled = True name = "" last_watchdog_time = 0 watchdog_max_dt: int | None = None watchdog_seen = False shutting_down = False @abstractmethod def prepare(self) -> None: pass @abstractmethod def start(self) -> None: pass def restart(self) -> None: self.stop(sig=signal.SIGKILL) self.start() def check_watchdog(self, started: bool) -> None: if self.watchdog_max_dt is None or self.proc is None: return try: fn = WATCHDOG_FN + str(self.proc.pid) with open(fn, "rb") as f: # TODO: why can't pylint find struct.unpack? self.last_watchdog_time = struct.unpack('Q', f.read())[0] except Exception: pass dt = time.monotonic() - self.last_watchdog_time / 1e9 if dt > self.watchdog_max_dt: if self.watchdog_seen and ENABLE_WATCHDOG: cloudlog.error(f"Watchdog timeout for {self.name} (exitcode {self.proc.exitcode}) restarting ({started=})") self.restart() else: self.watchdog_seen = True def stop(self, retry: bool = True, block: bool = True, sig: signal.Signals = None) -> int | None: if self.proc is None: return None if self.proc.exitcode is None: if not self.shutting_down: cloudlog.info(f"killing {self.name}") if sig is None: sig = signal.SIGKILL if self.sigkill else signal.SIGINT self.signal(sig) self.shutting_down = True if not block: return None join_process(self.proc, 5) # If process failed to die send SIGKILL if self.proc.exitcode is None and retry: cloudlog.info(f"killing {self.name} with SIGKILL") self.signal(signal.SIGKILL) self.proc.join() ret = self.proc.exitcode cloudlog.info(f"{self.name} is dead with {ret}") if self.proc.exitcode is not None: self.shutting_down = False self.proc = None return ret def signal(self, sig: int) -> None: if self.proc is None: return # Don't signal if already exited if self.proc.exitcode is not None and self.proc.pid is not None: return # Can't signal if we don't have a pid if self.proc.pid is None: return cloudlog.info(f"sending signal {sig} to {self.name}") os.kill(self.proc.pid, sig) def get_process_state_msg(self): state = log.ManagerState.ProcessState.new_message() state.name = self.name if self.proc: state.running = self.proc.is_alive() state.shouldBeRunning = self.proc is not None and not self.shutting_down state.pid = self.proc.pid or 0 state.exitCode = self.proc.exitcode or 0 return state class NativeProcess(ManagerProcess): def __init__(self, name, cwd, cmdline, should_run, enabled=True, sigkill=False, watchdog_max_dt=None): self.name = name self.cwd = cwd self.cmdline = cmdline self.should_run = should_run self.enabled = enabled self.sigkill = sigkill self.watchdog_max_dt = watchdog_max_dt self.launcher = nativelauncher def prepare(self) -> None: pass def start(self) -> None: # In case we only tried a non blocking stop we need to stop it before restarting if self.shutting_down: self.stop() if self.proc is not None: return cwd = os.path.join(BASEDIR, self.cwd) cloudlog.info(f"starting process {self.name}") self.proc = Process(name=self.name, target=self.launcher, args=(self.cmdline, cwd, self.name)) self.proc.start() self.watchdog_seen = False self.shutting_down = False class PythonProcess(ManagerProcess): def __init__(self, name, module, should_run, enabled=True, sigkill=False, watchdog_max_dt=None): self.name = name self.module = module self.should_run = should_run self.enabled = enabled self.sigkill = sigkill self.watchdog_max_dt = watchdog_max_dt self.launcher = launcher def prepare(self) -> None: if self.enabled: cloudlog.info(f"preimporting {self.module}") importlib.import_module(self.module) def start(self) -> None: # In case we only tried a non blocking stop we need to stop it before restarting if self.shutting_down: self.stop() if self.proc is not None: return cloudlog.info(f"starting python {self.module}") self.proc = Process(name=self.name, target=self.launcher, args=(self.module, self.name)) self.proc.start() self.watchdog_seen = False self.shutting_down = False class DaemonProcess(ManagerProcess): """Python process that has to stay running across manager restart. This is used for athena so you don't lose SSH access when restarting manager.""" def __init__(self, name, module, param_name, enabled=True): self.name = name self.module = module self.param_name = param_name self.enabled = enabled self.params = None @staticmethod def should_run(started, params, CP): return True def prepare(self) -> None: pass def start(self) -> None: if self.params is None: self.params = Params() pid = self.params.get(self.param_name, encoding='utf-8') if pid is not None: try: os.kill(int(pid), 0) with open(f'/proc/{pid}/cmdline') as f: if self.module in f.read(): # daemon is running return except (OSError, FileNotFoundError): # process is dead pass cloudlog.info(f"starting daemon {self.name}") proc = subprocess.Popen(['python', '-m', self.module], stdin=open('/dev/null'), stdout=open('/dev/null', 'w'), stderr=open('/dev/null', 'w'), preexec_fn=os.setpgrp) self.params.put(self.param_name, str(proc.pid)) def stop(self, retry=True, block=True, sig=None) -> None: pass def ensure_running(procs: ValuesView[ManagerProcess], started: bool, params=None, CP: car.CarParams=None, not_run: list[str] | None=None) -> list[ManagerProcess]: if not_run is None: not_run = [] running = [] for p in procs: if p.enabled and p.name not in not_run and p.should_run(started, params, CP): running.append(p) else: p.stop(block=False) p.check_watchdog(started) for p in running: p.start() return running
2301_81045437/openpilot
system/manager/process.py
Python
mit
8,193
import os from cereal import car from openpilot.common.params import Params from openpilot.system.hardware import PC, TICI from openpilot.system.manager.process import PythonProcess, NativeProcess, DaemonProcess WEBCAM = os.getenv("USE_WEBCAM") is not None def driverview(started: bool, params: Params, CP: car.CarParams) -> bool: return started or params.get_bool("IsDriverViewEnabled") def notcar(started: bool, params: Params, CP: car.CarParams) -> bool: return started and CP.notCar def iscar(started: bool, params: Params, CP: car.CarParams) -> bool: return started and not CP.notCar def logging(started, params, CP: car.CarParams) -> bool: run = (not CP.notCar) or not params.get_bool("DisableLogging") return started and run def ublox_available() -> bool: return os.path.exists('/dev/ttyHS0') and not os.path.exists('/persist/comma/use-quectel-gps') def ublox(started, params, CP: car.CarParams) -> bool: use_ublox = ublox_available() if use_ublox != params.get_bool("UbloxAvailable"): params.put_bool("UbloxAvailable", use_ublox) return started and use_ublox def qcomgps(started, params, CP: car.CarParams) -> bool: return started and not ublox_available() def always_run(started, params, CP: car.CarParams) -> bool: return True def only_onroad(started: bool, params, CP: car.CarParams) -> bool: return started def only_offroad(started, params, CP: car.CarParams) -> bool: return not started procs = [ DaemonProcess("manage_athenad", "system.athena.manage_athenad", "AthenadPid"), NativeProcess("camerad", "system/camerad", ["./camerad"], driverview), NativeProcess("logcatd", "system/logcatd", ["./logcatd"], only_onroad), NativeProcess("proclogd", "system/proclogd", ["./proclogd"], only_onroad), PythonProcess("logmessaged", "system.logmessaged", always_run), PythonProcess("micd", "system.micd", iscar), PythonProcess("timed", "system.timed", always_run, enabled=not PC), PythonProcess("dmonitoringmodeld", "selfdrive.modeld.dmonitoringmodeld", driverview, enabled=(not PC or WEBCAM)), NativeProcess("encoderd", "system/loggerd", ["./encoderd"], only_onroad), NativeProcess("stream_encoderd", "system/loggerd", ["./encoderd", "--stream"], notcar), NativeProcess("loggerd", "system/loggerd", ["./loggerd"], logging), NativeProcess("modeld", "selfdrive/modeld", ["./modeld"], only_onroad), NativeProcess("sensord", "system/sensord", ["./sensord"], only_onroad, enabled=not PC), NativeProcess("ui", "selfdrive/ui", ["./ui"], always_run, watchdog_max_dt=(5 if not PC else None)), PythonProcess("soundd", "selfdrive.ui.soundd", only_onroad), NativeProcess("locationd", "selfdrive/locationd", ["./locationd"], only_onroad), NativeProcess("boardd", "selfdrive/boardd", ["./boardd"], always_run, enabled=False), PythonProcess("calibrationd", "selfdrive.locationd.calibrationd", only_onroad), PythonProcess("torqued", "selfdrive.locationd.torqued", only_onroad), PythonProcess("controlsd", "selfdrive.controls.controlsd", only_onroad), PythonProcess("card", "selfdrive.car.card", only_onroad), PythonProcess("deleter", "system.loggerd.deleter", always_run), PythonProcess("dmonitoringd", "selfdrive.monitoring.dmonitoringd", driverview, enabled=(not PC or WEBCAM)), PythonProcess("qcomgpsd", "system.qcomgpsd.qcomgpsd", qcomgps, enabled=TICI), #PythonProcess("ugpsd", "system.ugpsd", only_onroad, enabled=TICI), PythonProcess("navd", "selfdrive.navd.navd", only_onroad), PythonProcess("pandad", "selfdrive.boardd.pandad", always_run), PythonProcess("paramsd", "selfdrive.locationd.paramsd", only_onroad), NativeProcess("ubloxd", "system/ubloxd", ["./ubloxd"], ublox, enabled=TICI), PythonProcess("pigeond", "system.ubloxd.pigeond", ublox, enabled=TICI), PythonProcess("plannerd", "selfdrive.controls.plannerd", only_onroad), PythonProcess("radard", "selfdrive.controls.radard", only_onroad), PythonProcess("thermald", "system.thermald.thermald", always_run), PythonProcess("tombstoned", "system.tombstoned", always_run, enabled=not PC), PythonProcess("updated", "system.updated.updated", only_offroad, enabled=not PC), PythonProcess("uploader", "system.loggerd.uploader", always_run), PythonProcess("statsd", "system.statsd", always_run), # debug procs NativeProcess("bridge", "cereal/messaging", ["./bridge"], notcar), PythonProcess("webrtcd", "system.webrtc.webrtcd", notcar), PythonProcess("webjoystick", "tools.bodyteleop.web", notcar), ] managed_processes = {p.name: p for p in procs}
2301_81045437/openpilot
system/manager/process_config.py
Python
mit
4,522
#!/usr/bin/env python3 import numpy as np from cereal import messaging from openpilot.common.realtime import Ratekeeper from openpilot.common.retry import retry from openpilot.common.swaglog import cloudlog RATE = 10 FFT_SAMPLES = 4096 REFERENCE_SPL = 2e-5 # newtons/m^2 SAMPLE_RATE = 44100 SAMPLE_BUFFER = 4096 # (approx 100ms) def calculate_spl(measurements): # https://www.engineeringtoolbox.com/sound-pressure-d_711.html sound_pressure = np.sqrt(np.mean(measurements ** 2)) # RMS of amplitudes if sound_pressure > 0: sound_pressure_level = 20 * np.log10(sound_pressure / REFERENCE_SPL) # dB else: sound_pressure_level = 0 return sound_pressure, sound_pressure_level def apply_a_weighting(measurements: np.ndarray) -> np.ndarray: # Generate a Hanning window of the same length as the audio measurements measurements_windowed = measurements * np.hanning(len(measurements)) # Calculate the frequency axis for the signal freqs = np.fft.fftfreq(measurements_windowed.size, d=1 / SAMPLE_RATE) # Calculate the A-weighting filter # https://en.wikipedia.org/wiki/A-weighting A = 12194 ** 2 * freqs ** 4 / ((freqs ** 2 + 20.6 ** 2) * (freqs ** 2 + 12194 ** 2) * np.sqrt((freqs ** 2 + 107.7 ** 2) * (freqs ** 2 + 737.9 ** 2))) A /= np.max(A) # Normalize the filter # Apply the A-weighting filter to the signal return np.abs(np.fft.ifft(np.fft.fft(measurements_windowed) * A)) class Mic: def __init__(self): self.rk = Ratekeeper(RATE) self.pm = messaging.PubMaster(['microphone']) self.measurements = np.empty(0) self.sound_pressure = 0 self.sound_pressure_weighted = 0 self.sound_pressure_level_weighted = 0 def update(self): msg = messaging.new_message('microphone', valid=True) msg.microphone.soundPressure = float(self.sound_pressure) msg.microphone.soundPressureWeighted = float(self.sound_pressure_weighted) msg.microphone.soundPressureWeightedDb = float(self.sound_pressure_level_weighted) self.pm.send('microphone', msg) self.rk.keep_time() def callback(self, indata, frames, time, status): """ Using amplitude measurements, calculate an uncalibrated sound pressure and sound pressure level. Then apply A-weighting to the raw amplitudes and run the same calculations again. Logged A-weighted equivalents are rough approximations of the human-perceived loudness. """ self.measurements = np.concatenate((self.measurements, indata[:, 0])) while self.measurements.size >= FFT_SAMPLES: measurements = self.measurements[:FFT_SAMPLES] self.sound_pressure, _ = calculate_spl(measurements) measurements_weighted = apply_a_weighting(measurements) self.sound_pressure_weighted, self.sound_pressure_level_weighted = calculate_spl(measurements_weighted) self.measurements = self.measurements[FFT_SAMPLES:] @retry(attempts=7, delay=3) def get_stream(self, sd): # reload sounddevice to reinitialize portaudio sd._terminate() sd._initialize() return sd.InputStream(channels=1, samplerate=SAMPLE_RATE, callback=self.callback, blocksize=SAMPLE_BUFFER) def micd_thread(self): # sounddevice must be imported after forking processes import sounddevice as sd with self.get_stream(sd) as stream: cloudlog.info(f"micd stream started: {stream.samplerate=} {stream.channels=} {stream.dtype=} {stream.device=}, {stream.blocksize=}") while True: self.update() def main(): mic = Mic() mic.micd_thread() if __name__ == "__main__": main()
2301_81045437/openpilot
system/micd.py
Python
mit
3,551
Import('env', 'cereal', 'messaging', 'common') libs = [cereal, messaging, 'pthread', 'zmq', 'capnp', 'kj', 'common', 'zmq', 'json11'] env.Program('proclogd', ['main.cc', 'proclog.cc'], LIBS=libs) if GetOption('extras'): env.Program('tests/test_proclog', ['tests/test_proclog.cc', 'proclog.cc'], LIBS=libs)
2301_81045437/openpilot
system/proclogd/SConscript
Python
mit
309
#include <sys/resource.h> #include "common/ratekeeper.h" #include "common/util.h" #include "system/proclogd/proclog.h" ExitHandler do_exit; int main(int argc, char **argv) { setpriority(PRIO_PROCESS, 0, -15); RateKeeper rk("proclogd", 0.5); PubMaster publisher({"procLog"}); while (!do_exit) { MessageBuilder msg; buildProcLogMessage(msg); publisher.send("procLog", msg); rk.keepTime(); } return 0; }
2301_81045437/openpilot
system/proclogd/main.cc
C++
mit
437
#include "system/proclogd/proclog.h" #include <dirent.h> #include <cassert> #include <fstream> #include <iterator> #include <sstream> #include "common/swaglog.h" #include "common/util.h" namespace Parser { // parse /proc/stat std::vector<CPUTime> cpuTimes(std::istream &stream) { std::vector<CPUTime> cpu_times; std::string line; // skip the first line for cpu total std::getline(stream, line); while (std::getline(stream, line)) { if (line.compare(0, 3, "cpu") != 0) break; CPUTime t = {}; std::istringstream iss(line); if (iss.ignore(3) >> t.id >> t.utime >> t.ntime >> t.stime >> t.itime >> t.iowtime >> t.irqtime >> t.sirqtime) cpu_times.push_back(t); } return cpu_times; } // parse /proc/meminfo std::unordered_map<std::string, uint64_t> memInfo(std::istream &stream) { std::unordered_map<std::string, uint64_t> mem_info; std::string line, key; while (std::getline(stream, line)) { uint64_t val = 0; std::istringstream iss(line); if (iss >> key >> val) { mem_info[key] = val * 1024; } } return mem_info; } // field position (https://man7.org/linux/man-pages/man5/proc.5.html) enum StatPos { pid = 1, state = 3, ppid = 4, utime = 14, stime = 15, cutime = 16, cstime = 17, priority = 18, nice = 19, num_threads = 20, starttime = 22, vsize = 23, rss = 24, processor = 39, MAX_FIELD = 52, }; // parse /proc/pid/stat std::optional<ProcStat> procStat(std::string stat) { // To avoid being fooled by names containing a closing paren, scan backwards. auto open_paren = stat.find('('); auto close_paren = stat.rfind(')'); if (open_paren == std::string::npos || close_paren == std::string::npos || open_paren > close_paren) { return std::nullopt; } std::string name = stat.substr(open_paren + 1, close_paren - open_paren - 1); // replace space in name with _ std::replace(&stat[open_paren], &stat[close_paren], ' ', '_'); std::istringstream iss(stat); std::vector<std::string> v{std::istream_iterator<std::string>(iss), std::istream_iterator<std::string>()}; try { if (v.size() != StatPos::MAX_FIELD) { throw std::invalid_argument("stat"); } ProcStat p = { .name = name, .pid = stoi(v[StatPos::pid - 1]), .state = v[StatPos::state - 1][0], .ppid = stoi(v[StatPos::ppid - 1]), .utime = stoul(v[StatPos::utime - 1]), .stime = stoul(v[StatPos::stime - 1]), .cutime = stol(v[StatPos::cutime - 1]), .cstime = stol(v[StatPos::cstime - 1]), .priority = stol(v[StatPos::priority - 1]), .nice = stol(v[StatPos::nice - 1]), .num_threads = stol(v[StatPos::num_threads - 1]), .starttime = stoull(v[StatPos::starttime - 1]), .vms = stoul(v[StatPos::vsize - 1]), .rss = stol(v[StatPos::rss - 1]), .processor = stoi(v[StatPos::processor - 1]), }; return p; } catch (const std::invalid_argument &e) { LOGE("failed to parse procStat (%s) :%s", e.what(), stat.c_str()); } catch (const std::out_of_range &e) { LOGE("failed to parse procStat (%s) :%s", e.what(), stat.c_str()); } return std::nullopt; } // return list of PIDs from /proc std::vector<int> pids() { std::vector<int> ids; DIR *d = opendir("/proc"); assert(d); char *p_end; struct dirent *de = NULL; while ((de = readdir(d))) { if (de->d_type == DT_DIR) { int pid = strtol(de->d_name, &p_end, 10); if (p_end == (de->d_name + strlen(de->d_name))) { ids.push_back(pid); } } } closedir(d); return ids; } // null-delimited cmdline arguments to vector std::vector<std::string> cmdline(std::istream &stream) { std::vector<std::string> ret; std::string line; while (std::getline(stream, line, '\0')) { if (!line.empty()) { ret.push_back(line); } } return ret; } const ProcCache &getProcExtraInfo(int pid, const std::string &name) { static std::unordered_map<pid_t, ProcCache> proc_cache; ProcCache &cache = proc_cache[pid]; if (cache.pid != pid || cache.name != name) { cache.pid = pid; cache.name = name; std::string proc_path = "/proc/" + std::to_string(pid); cache.exe = util::readlink(proc_path + "/exe"); std::ifstream stream(proc_path + "/cmdline"); cache.cmdline = cmdline(stream); } return cache; } } // namespace Parser const double jiffy = sysconf(_SC_CLK_TCK); const size_t page_size = sysconf(_SC_PAGE_SIZE); void buildCPUTimes(cereal::ProcLog::Builder &builder) { std::ifstream stream("/proc/stat"); std::vector<CPUTime> stats = Parser::cpuTimes(stream); auto log_cpu_times = builder.initCpuTimes(stats.size()); for (int i = 0; i < stats.size(); ++i) { auto l = log_cpu_times[i]; const CPUTime &r = stats[i]; l.setCpuNum(r.id); l.setUser(r.utime / jiffy); l.setNice(r.ntime / jiffy); l.setSystem(r.stime / jiffy); l.setIdle(r.itime / jiffy); l.setIowait(r.iowtime / jiffy); l.setIrq(r.irqtime / jiffy); l.setSoftirq(r.sirqtime / jiffy); } } void buildMemInfo(cereal::ProcLog::Builder &builder) { std::ifstream stream("/proc/meminfo"); auto mem_info = Parser::memInfo(stream); auto mem = builder.initMem(); mem.setTotal(mem_info["MemTotal:"]); mem.setFree(mem_info["MemFree:"]); mem.setAvailable(mem_info["MemAvailable:"]); mem.setBuffers(mem_info["Buffers:"]); mem.setCached(mem_info["Cached:"]); mem.setActive(mem_info["Active:"]); mem.setInactive(mem_info["Inactive:"]); mem.setShared(mem_info["Shmem:"]); } void buildProcs(cereal::ProcLog::Builder &builder) { auto pids = Parser::pids(); std::vector<ProcStat> proc_stats; proc_stats.reserve(pids.size()); for (int pid : pids) { std::string path = "/proc/" + std::to_string(pid) + "/stat"; if (auto stat = Parser::procStat(util::read_file(path))) { proc_stats.push_back(*stat); } } auto procs = builder.initProcs(proc_stats.size()); for (size_t i = 0; i < proc_stats.size(); i++) { auto l = procs[i]; const ProcStat &r = proc_stats[i]; l.setPid(r.pid); l.setState(r.state); l.setPpid(r.ppid); l.setCpuUser(r.utime / jiffy); l.setCpuSystem(r.stime / jiffy); l.setCpuChildrenUser(r.cutime / jiffy); l.setCpuChildrenSystem(r.cstime / jiffy); l.setPriority(r.priority); l.setNice(r.nice); l.setNumThreads(r.num_threads); l.setStartTime(r.starttime / jiffy); l.setMemVms(r.vms); l.setMemRss((uint64_t)r.rss * page_size); l.setProcessor(r.processor); l.setName(r.name); const ProcCache &extra_info = Parser::getProcExtraInfo(r.pid, r.name); l.setExe(extra_info.exe); auto lcmdline = l.initCmdline(extra_info.cmdline.size()); for (size_t j = 0; j < lcmdline.size(); j++) { lcmdline.set(j, extra_info.cmdline[j]); } } } void buildProcLogMessage(MessageBuilder &msg) { auto procLog = msg.initEvent().initProcLog(); buildProcs(procLog); buildCPUTimes(procLog); buildMemInfo(procLog); }
2301_81045437/openpilot
system/proclogd/proclog.cc
C++
mit
6,998
#include <optional> #include <string> #include <unordered_map> #include <vector> #include "cereal/messaging/messaging.h" struct CPUTime { int id; unsigned long utime, ntime, stime, itime; unsigned long iowtime, irqtime, sirqtime; }; struct ProcCache { int pid; std::string name, exe; std::vector<std::string> cmdline; }; struct ProcStat { int pid, ppid, processor; char state; long cutime, cstime, priority, nice, num_threads, rss; unsigned long utime, stime, vms; unsigned long long starttime; std::string name; }; namespace Parser { std::vector<int> pids(); std::optional<ProcStat> procStat(std::string stat); std::vector<std::string> cmdline(std::istream &stream); std::vector<CPUTime> cpuTimes(std::istream &stream); std::unordered_map<std::string, uint64_t> memInfo(std::istream &stream); const ProcCache &getProcExtraInfo(int pid, const std::string &name); }; // namespace Parser void buildProcLogMessage(MessageBuilder &msg);
2301_81045437/openpilot
system/proclogd/proclog.h
C++
mit
966
#define CATCH_CONFIG_MAIN #include "catch2/catch.hpp" #include "common/util.h" #include "system/proclogd/proclog.h" const std::string allowed_states = "RSDTZtWXxKWPI"; TEST_CASE("Parser::procStat") { SECTION("from string") { const std::string stat_str = "33012 (code )) S 32978 6620 6620 0 -1 4194368 2042377 0 144 0 24510 11627 0 " "0 20 0 39 0 53077 830029824 62214 18446744073709551615 94257242783744 94257366235808 " "140735738643248 0 0 0 0 4098 1073808632 0 0 0 17 2 0 0 2 0 0 94257370858656 94257371248232 " "94257404952576 140735738648768 140735738648823 140735738648823 140735738650595 0"; auto stat = Parser::procStat(stat_str); REQUIRE(stat); REQUIRE(stat->pid == 33012); REQUIRE(stat->name == "code )"); REQUIRE(stat->state == 'S'); REQUIRE(stat->ppid == 32978); REQUIRE(stat->utime == 24510); REQUIRE(stat->stime == 11627); REQUIRE(stat->cutime == 0); REQUIRE(stat->cstime == 0); REQUIRE(stat->priority == 20); REQUIRE(stat->nice == 0); REQUIRE(stat->num_threads == 39); REQUIRE(stat->starttime == 53077); REQUIRE(stat->vms == 830029824); REQUIRE(stat->rss == 62214); REQUIRE(stat->processor == 2); } SECTION("all processes") { std::vector<int> pids = Parser::pids(); REQUIRE(pids.size() > 1); for (int pid : pids) { std::string stat_path = "/proc/" + std::to_string(pid) + "/stat"; INFO(stat_path); if (auto stat = Parser::procStat(util::read_file(stat_path))) { REQUIRE(stat->pid == pid); REQUIRE(allowed_states.find(stat->state) != std::string::npos); } else { REQUIRE(util::file_exists(stat_path) == false); } } } } TEST_CASE("Parser::cpuTimes") { SECTION("from string") { std::string stat = "cpu 0 0 0 0 0 0 0 0 0 0\n" "cpu0 1 2 3 4 5 6 7 8 9 10\n" "cpu1 1 2 3 4 5 6 7 8 9 10\n"; std::istringstream stream(stat); auto stats = Parser::cpuTimes(stream); REQUIRE(stats.size() == 2); for (int i = 0; i < stats.size(); ++i) { REQUIRE(stats[i].id == i); REQUIRE(stats[i].utime == 1); REQUIRE(stats[i].ntime ==2); REQUIRE(stats[i].stime == 3); REQUIRE(stats[i].itime == 4); REQUIRE(stats[i].iowtime == 5); REQUIRE(stats[i].irqtime == 6); REQUIRE(stats[i].sirqtime == 7); } } SECTION("all cpus") { std::istringstream stream(util::read_file("/proc/stat")); auto stats = Parser::cpuTimes(stream); REQUIRE(stats.size() == sysconf(_SC_NPROCESSORS_ONLN)); for (int i = 0; i < stats.size(); ++i) { REQUIRE(stats[i].id == i); } } } TEST_CASE("Parser::memInfo") { SECTION("from string") { std::istringstream stream("MemTotal: 1024 kb\nMemFree: 2048 kb\n"); auto meminfo = Parser::memInfo(stream); REQUIRE(meminfo["MemTotal:"] == 1024 * 1024); REQUIRE(meminfo["MemFree:"] == 2048 * 1024); } SECTION("from /proc/meminfo") { std::string require_keys[] = {"MemTotal:", "MemFree:", "MemAvailable:", "Buffers:", "Cached:", "Active:", "Inactive:", "Shmem:"}; std::istringstream stream(util::read_file("/proc/meminfo")); auto meminfo = Parser::memInfo(stream); for (auto &key : require_keys) { REQUIRE(meminfo.find(key) != meminfo.end()); REQUIRE(meminfo[key] > 0); } } } void test_cmdline(std::string cmdline, const std::vector<std::string> requires) { std::stringstream ss; ss.write(&cmdline[0], cmdline.size()); auto cmds = Parser::cmdline(ss); REQUIRE(cmds.size() == requires.size()); for (int i = 0; i < requires.size(); ++i) { REQUIRE(cmds[i] == requires[i]); } } TEST_CASE("Parser::cmdline") { test_cmdline(std::string("a\0b\0c\0", 7), {"a", "b", "c"}); test_cmdline(std::string("a\0\0c\0", 6), {"a", "c"}); test_cmdline(std::string("a\0b\0c\0\0\0", 9), {"a", "b", "c"}); } TEST_CASE("buildProcLoggerMessage") { MessageBuilder msg; buildProcLogMessage(msg); kj::Array<capnp::word> buf = capnp::messageToFlatArray(msg); capnp::FlatArrayMessageReader reader(buf); auto log = reader.getRoot<cereal::Event>().getProcLog(); REQUIRE(log.totalSize().wordCount > 0); // test cereal::ProcLog::CPUTimes auto cpu_times = log.getCpuTimes(); REQUIRE(cpu_times.size() == sysconf(_SC_NPROCESSORS_ONLN)); REQUIRE(cpu_times[cpu_times.size() - 1].getCpuNum() == cpu_times.size() - 1); // test cereal::ProcLog::Mem auto mem = log.getMem(); REQUIRE(mem.getTotal() > 0); REQUIRE(mem.getShared() > 0); // test cereal::ProcLog::Process auto procs = log.getProcs(); for (auto p : procs) { REQUIRE(allowed_states.find(p.getState()) != std::string::npos); if (p.getPid() == ::getpid()) { REQUIRE(p.getName() == "test_proclog"); REQUIRE(p.getState() == 'R'); REQUIRE_THAT(p.getExe().cStr(), Catch::Matchers::Contains("test_proclog")); REQUIRE_THAT(p.getCmdline()[0], Catch::Matchers::Contains("test_proclog")); } } }
2301_81045437/openpilot
system/proclogd/tests/test_proclog.cc
C++
mit
4,970
import select from serial import Serial from crcmod import mkCrcFun from struct import pack, unpack_from, calcsize class ModemDiag: def __init__(self): self.serial = self.open_serial() self.pend = b'' def open_serial(self): serial = Serial("/dev/ttyUSB0", baudrate=115200, rtscts=True, dsrdtr=True, timeout=0, exclusive=True) serial.flush() serial.reset_input_buffer() serial.reset_output_buffer() return serial ccitt_crc16 = mkCrcFun(0x11021, initCrc=0, xorOut=0xffff) ESCAPE_CHAR = b'\x7d' TRAILER_CHAR = b'\x7e' def hdlc_encapsulate(self, payload): payload += pack('<H', ModemDiag.ccitt_crc16(payload)) payload = payload.replace(self.ESCAPE_CHAR, bytes([self.ESCAPE_CHAR[0], self.ESCAPE_CHAR[0] ^ 0x20])) payload = payload.replace(self.TRAILER_CHAR, bytes([self.ESCAPE_CHAR[0], self.TRAILER_CHAR[0] ^ 0x20])) payload += self.TRAILER_CHAR return payload def hdlc_decapsulate(self, payload): assert len(payload) >= 3 assert payload[-1:] == self.TRAILER_CHAR payload = payload[:-1] payload = payload.replace(bytes([self.ESCAPE_CHAR[0], self.TRAILER_CHAR[0] ^ 0x20]), self.TRAILER_CHAR) payload = payload.replace(bytes([self.ESCAPE_CHAR[0], self.ESCAPE_CHAR[0] ^ 0x20]), self.ESCAPE_CHAR) assert payload[-2:] == pack('<H', ModemDiag.ccitt_crc16(payload[:-2])) return payload[:-2] def recv(self): # self.serial.read_until makes tons of syscalls! raw_payload = [self.pend] while self.TRAILER_CHAR not in raw_payload[-1]: select.select([self.serial.fd], [], []) raw = self.serial.read(0x10000) raw_payload.append(raw) raw_payload = b''.join(raw_payload) raw_payload, self.pend = raw_payload.split(self.TRAILER_CHAR, 1) raw_payload += self.TRAILER_CHAR unframed_message = self.hdlc_decapsulate(raw_payload) return unframed_message[0], unframed_message[1:] def send(self, packet_type, packet_payload): self.serial.write(self.hdlc_encapsulate(bytes([packet_type]) + packet_payload)) # *** end class *** DIAG_LOG_F = 16 DIAG_LOG_CONFIG_F = 115 LOG_CONFIG_RETRIEVE_ID_RANGES_OP = 1 LOG_CONFIG_SET_MASK_OP = 3 LOG_CONFIG_SUCCESS_S = 0 def send_recv(diag, packet_type, packet_payload): diag.send(packet_type, packet_payload) while 1: opcode, payload = diag.recv() if opcode != DIAG_LOG_F: break return opcode, payload def setup_logs(diag, types_to_log): opcode, payload = send_recv(diag, DIAG_LOG_CONFIG_F, pack('<3xI', LOG_CONFIG_RETRIEVE_ID_RANGES_OP)) header_spec = '<3xII' operation, status = unpack_from(header_spec, payload) assert operation == LOG_CONFIG_RETRIEVE_ID_RANGES_OP assert status == LOG_CONFIG_SUCCESS_S log_masks = unpack_from('<16I', payload, calcsize(header_spec)) for log_type, log_mask_bitsize in enumerate(log_masks): if log_mask_bitsize: log_mask = [0] * ((log_mask_bitsize+7)//8) for i in range(log_mask_bitsize): if ((log_type<<12)|i) in types_to_log: log_mask[i//8] |= 1 << (i%8) opcode, payload = send_recv(diag, DIAG_LOG_CONFIG_F, pack('<3xIII', LOG_CONFIG_SET_MASK_OP, log_type, log_mask_bitsize ) + bytes(log_mask)) assert opcode == DIAG_LOG_CONFIG_F operation, status = unpack_from(header_spec, payload) assert operation == LOG_CONFIG_SET_MASK_OP assert status == LOG_CONFIG_SUCCESS_S
2301_81045437/openpilot
system/qcomgpsd/modemdiag.py
Python
mit
3,403
import os import sys from dataclasses import dataclass, fields from subprocess import check_output, CalledProcessError from time import sleep from typing import NoReturn DEBUG = int(os.environ.get("DEBUG", "0")) @dataclass class GnssClockNmeaPort: # flags bit mask: # 0x01 = leap_seconds valid # 0x02 = time_uncertainty_ns valid # 0x04 = full_bias_ns valid # 0x08 = bias_ns valid # 0x10 = bias_uncertainty_ns valid # 0x20 = drift_nsps valid # 0x40 = drift_uncertainty_nsps valid flags: int leap_seconds: int time_ns: int time_uncertainty_ns: int # 1-sigma full_bias_ns: int bias_ns: float bias_uncertainty_ns: float # 1-sigma drift_nsps: float drift_uncertainty_nsps: float # 1-sigma def __post_init__(self): for field in fields(self): val = getattr(self, field.name) setattr(self, field.name, field.type(val) if val else None) @dataclass class GnssMeasNmeaPort: messageCount: int messageNum: int svCount: int # constellation enum: # 1 = GPS # 2 = SBAS # 3 = GLONASS # 4 = QZSS # 5 = BEIDOU # 6 = GALILEO constellation: int svId: int flags: int # always zero time_offset_ns: int # state bit mask: # 0x0001 = CODE LOCK # 0x0002 = BIT SYNC # 0x0004 = SUBFRAME SYNC # 0x0008 = TIME OF WEEK DECODED # 0x0010 = MSEC AMBIGUOUS # 0x0020 = SYMBOL SYNC # 0x0040 = GLONASS STRING SYNC # 0x0080 = GLONASS TIME OF DAY DECODED # 0x0100 = BEIDOU D2 BIT SYNC # 0x0200 = BEIDOU D2 SUBFRAME SYNC # 0x0400 = GALILEO E1BC CODE LOCK # 0x0800 = GALILEO E1C 2ND CODE LOCK # 0x1000 = GALILEO E1B PAGE SYNC # 0x2000 = GALILEO E1B PAGE SYNC state: int time_of_week_ns: int time_of_week_uncertainty_ns: int # 1-sigma carrier_to_noise_ratio: float pseudorange_rate: float pseudorange_rate_uncertainty: float # 1-sigma def __post_init__(self): for field in fields(self): val = getattr(self, field.name) setattr(self, field.name, field.type(val) if val else None) def nmea_checksum_ok(s): checksum = 0 for i, c in enumerate(s[1:]): if c == "*": if i != len(s) - 4: # should be 3rd to last character print("ERROR: NMEA string does not have checksum delimiter in correct location:", s) return False break checksum ^= ord(c) else: print("ERROR: NMEA string does not have checksum delimiter:", s) return False return True def process_nmea_port_messages(device:str="/dev/ttyUSB1") -> NoReturn: while True: try: with open(device) as nmeaport: for line in nmeaport: line = line.strip() if DEBUG: print(line) if not line.startswith("$"): # all NMEA messages start with $ continue if not nmea_checksum_ok(line): continue fields = line.split(",") match fields[0]: case "$GNCLK": # fields at end are reserved (not used) gnss_clock = GnssClockNmeaPort(*fields[1:10]) # type: ignore[arg-type] print(gnss_clock) case "$GNMEAS": # fields at end are reserved (not used) gnss_meas = GnssMeasNmeaPort(*fields[1:14]) # type: ignore[arg-type] print(gnss_meas) except Exception as e: print(e) sleep(1) def main() -> NoReturn: from openpilot.common.gpio import gpio_init, gpio_set from openpilot.system.hardware.tici.pins import GPIO from openpilot.system.qcomgpsd.qcomgpsd import at_cmd try: check_output(["pidof", "qcomgpsd"]) print("qcomgpsd is running, please kill openpilot before running this script! (aborted)") sys.exit(1) except CalledProcessError as e: if e.returncode != 1: # 1 == no process found (boardd not running) raise e print("power up antenna ...") gpio_init(GPIO.GNSS_PWR_EN, True) gpio_set(GPIO.GNSS_PWR_EN, True) if b"+QGPS: 0" not in (at_cmd("AT+QGPS?") or b""): print("stop location tracking ...") at_cmd("AT+QGPSEND") if b'+QGPSCFG: "outport",usbnmea' not in (at_cmd('AT+QGPSCFG="outport"') or b""): print("configure outport ...") at_cmd('AT+QGPSCFG="outport","usbnmea"') # usbnmea = /dev/ttyUSB1 if b'+QGPSCFG: "gnssrawdata",3,0' not in (at_cmd('AT+QGPSCFG="gnssrawdata"') or b""): print("configure gnssrawdata ...") # AT+QGPSCFG="gnssrawdata",<constellation-mask>,<port>' # <constellation-mask> values: # 0x01 = GPS # 0x02 = GLONASS # 0x04 = BEIDOU # 0x08 = GALILEO # 0x10 = QZSS # <port> values: # 0 = NMEA port # 1 = AT port at_cmd('AT+QGPSCFG="gnssrawdata",3,0') # enable all constellations, output data to NMEA port print("rebooting ...") at_cmd('AT+CFUN=1,1') print("re-run this script when it is back up") sys.exit(2) print("starting location tracking ...") at_cmd("AT+QGPS=1") process_nmea_port_messages() if __name__ == "__main__": main()
2301_81045437/openpilot
system/qcomgpsd/nmeaport.py
Python
mit
4,905
#!/usr/bin/env python3 import os import sys import signal import itertools import math import time import requests import shutil import subprocess import datetime from multiprocessing import Process, Event from typing import NoReturn from struct import unpack_from, calcsize, pack from cereal import log import cereal.messaging as messaging from openpilot.common.gpio import gpio_init, gpio_set from openpilot.common.retry import retry from openpilot.common.time import system_time_valid from openpilot.system.hardware.tici.pins import GPIO from openpilot.common.swaglog import cloudlog from openpilot.system.qcomgpsd.modemdiag import ModemDiag, DIAG_LOG_F, setup_logs, send_recv from openpilot.system.qcomgpsd.structs import (dict_unpacker, position_report, relist, gps_measurement_report, gps_measurement_report_sv, glonass_measurement_report, glonass_measurement_report_sv, oemdre_measurement_report, oemdre_measurement_report_sv, oemdre_svpoly_report, LOG_GNSS_GPS_MEASUREMENT_REPORT, LOG_GNSS_GLONASS_MEASUREMENT_REPORT, LOG_GNSS_POSITION_REPORT, LOG_GNSS_OEMDRE_MEASUREMENT_REPORT, LOG_GNSS_OEMDRE_SVPOLY_REPORT) DEBUG = int(os.getenv("DEBUG", "0"))==1 ASSIST_DATA_FILE = '/tmp/xtra3grc.bin' ASSIST_DATA_FILE_DOWNLOAD = ASSIST_DATA_FILE + '.download' ASSISTANCE_URL = 'http://xtrapath3.izatcloud.net/xtra3grc.bin' LOG_TYPES = [ LOG_GNSS_GPS_MEASUREMENT_REPORT, LOG_GNSS_GLONASS_MEASUREMENT_REPORT, LOG_GNSS_OEMDRE_MEASUREMENT_REPORT, LOG_GNSS_POSITION_REPORT, LOG_GNSS_OEMDRE_SVPOLY_REPORT, ] miscStatusFields = { "multipathEstimateIsValid": 0, "directionIsValid": 1, } measurementStatusFields = { "subMillisecondIsValid": 0, "subBitTimeIsKnown": 1, "satelliteTimeIsKnown": 2, "bitEdgeConfirmedFromSignal": 3, "measuredVelocity": 4, "fineOrCoarseVelocity": 5, "lockPointValid": 6, "lockPointPositive": 7, "lastUpdateFromDifference": 9, "lastUpdateFromVelocityDifference": 10, "strongIndicationOfCrossCorelation": 11, "tentativeMeasurement": 12, "measurementNotUsable": 13, "sirCheckIsNeeded": 14, "probationMode": 15, "multipathIndicator": 24, "imdJammingIndicator": 25, "lteB13TxJammingIndicator": 26, "freshMeasurementIndicator": 27, } measurementStatusGPSFields = { "gpsRoundRobinRxDiversity": 18, "gpsRxDiversity": 19, "gpsLowBandwidthRxDiversityCombined": 20, "gpsHighBandwidthNu4": 21, "gpsHighBandwidthNu8": 22, "gpsHighBandwidthUniform": 23, } measurementStatusGlonassFields = { "glonassMeanderBitEdgeValid": 16, "glonassTimeMarkValid": 17 } @retry(attempts=10, delay=1.0) def try_setup_logs(diag, logs): return setup_logs(diag, logs) @retry(attempts=3, delay=1.0) def at_cmd(cmd: str) -> str | None: return subprocess.check_output(f"mmcli -m any --timeout 30 --command='{cmd}'", shell=True, encoding='utf8') def gps_enabled() -> bool: return "QGPS: 1" in at_cmd("AT+QGPS?") def download_assistance(): try: response = requests.get(ASSISTANCE_URL, timeout=5, stream=True) with open(ASSIST_DATA_FILE_DOWNLOAD, 'wb') as fp: for chunk in response.iter_content(chunk_size=8192): fp.write(chunk) if fp.tell() > 1e5: cloudlog.error("Qcom assistance data larger than expected") return os.rename(ASSIST_DATA_FILE_DOWNLOAD, ASSIST_DATA_FILE) except requests.exceptions.RequestException: cloudlog.exception("Failed to download assistance file") return def downloader_loop(event): if os.path.exists(ASSIST_DATA_FILE): os.remove(ASSIST_DATA_FILE) alt_path = os.getenv("QCOM_ALT_ASSISTANCE_PATH", None) if alt_path is not None and os.path.exists(alt_path): shutil.copyfile(alt_path, ASSIST_DATA_FILE) try: while not os.path.exists(ASSIST_DATA_FILE) and not event.is_set(): download_assistance() event.wait(timeout=10) except KeyboardInterrupt: pass @retry(attempts=5, delay=0.2, ignore_failure=True) def inject_assistance(): cmd = f"mmcli -m any --timeout 30 --location-inject-assistance-data={ASSIST_DATA_FILE}" subprocess.check_output(cmd, stderr=subprocess.PIPE, shell=True) cloudlog.info("successfully loaded assistance data") @retry(attempts=5, delay=1.0) def setup_quectel(diag: ModemDiag) -> bool: ret = False # enable OEMDRE in the NV # TODO: it has to reboot for this to take effect DIAG_NV_READ_F = 38 DIAG_NV_WRITE_F = 39 NV_GNSS_OEM_FEATURE_MASK = 7165 send_recv(diag, DIAG_NV_WRITE_F, pack('<HI', NV_GNSS_OEM_FEATURE_MASK, 1)) send_recv(diag, DIAG_NV_READ_F, pack('<H', NV_GNSS_OEM_FEATURE_MASK)) try_setup_logs(diag, LOG_TYPES) if gps_enabled(): at_cmd("AT+QGPSEND") if "GPS_COLD_START" in os.environ: # deletes all assistance at_cmd("AT+QGPSDEL=0") else: # allow module to perform hot start at_cmd("AT+QGPSDEL=1") # disable DPO power savings for more accuracy at_cmd("AT+QGPSCFG=\"dpoenable\",0") # don't automatically turn on GNSS on powerup at_cmd("AT+QGPSCFG=\"autogps\",0") # Do internet assistance at_cmd("AT+QGPSXTRA=1") at_cmd("AT+QGPSSUPLURL=\"NULL\"") if os.path.exists(ASSIST_DATA_FILE): ret = True inject_assistance() os.remove(ASSIST_DATA_FILE) #at_cmd("AT+QGPSXTRADATA?") if system_time_valid(): time_str = datetime.datetime.utcnow().strftime("%Y/%m/%d,%H:%M:%S") at_cmd(f"AT+QGPSXTRATIME=0,\"{time_str}\",1,1,1000") at_cmd("AT+QGPSCFG=\"outport\",\"usbnmea\"") at_cmd("AT+QGPS=1") # enable OEMDRE mode DIAG_SUBSYS_CMD_F = 75 DIAG_SUBSYS_GPS = 13 CGPS_DIAG_PDAPI_CMD = 0x64 CGPS_OEM_CONTROL = 202 GPSDIAG_OEMFEATURE_DRE = 1 GPSDIAG_OEM_DRE_ON = 1 # gpsdiag_OemControlReqType send_recv(diag, DIAG_SUBSYS_CMD_F, pack('<BHBBIIII', DIAG_SUBSYS_GPS, # Subsystem Id CGPS_DIAG_PDAPI_CMD, # Subsystem Command Code CGPS_OEM_CONTROL, # CGPS Command Code 0, # Version GPSDIAG_OEMFEATURE_DRE, GPSDIAG_OEM_DRE_ON, 0,0 )) return ret def teardown_quectel(diag): at_cmd("AT+QGPSCFG=\"outport\",\"none\"") if gps_enabled(): at_cmd("AT+QGPSEND") try_setup_logs(diag, []) def wait_for_modem(cmd="AT+QGPS?"): cloudlog.warning("waiting for modem to come up") while True: ret = subprocess.call(f"mmcli -m any --timeout 10 --command=\"{cmd}\"", stdout=subprocess.DEVNULL, stderr=subprocess.DEVNULL, shell=True) if ret == 0: return time.sleep(0.1) def main() -> NoReturn: unpack_gps_meas, size_gps_meas = dict_unpacker(gps_measurement_report, True) unpack_gps_meas_sv, size_gps_meas_sv = dict_unpacker(gps_measurement_report_sv, True) unpack_glonass_meas, size_glonass_meas = dict_unpacker(glonass_measurement_report, True) unpack_glonass_meas_sv, size_glonass_meas_sv = dict_unpacker(glonass_measurement_report_sv, True) unpack_oemdre_meas, size_oemdre_meas = dict_unpacker(oemdre_measurement_report, True) unpack_oemdre_meas_sv, size_oemdre_meas_sv = dict_unpacker(oemdre_measurement_report_sv, True) unpack_svpoly, _ = dict_unpacker(oemdre_svpoly_report, True) unpack_position, _ = dict_unpacker(position_report) unpack_position, _ = dict_unpacker(position_report) wait_for_modem() stop_download_event = Event() assist_fetch_proc = Process(target=downloader_loop, args=(stop_download_event,)) assist_fetch_proc.start() def cleanup(sig, frame): cloudlog.warning("caught sig disabling quectel gps") gpio_set(GPIO.GNSS_PWR_EN, False) teardown_quectel(diag) cloudlog.warning("quectel cleanup done") stop_download_event.set() assist_fetch_proc.kill() assist_fetch_proc.join() sys.exit(0) signal.signal(signal.SIGINT, cleanup) signal.signal(signal.SIGTERM, cleanup) # connect to modem diag = ModemDiag() r = setup_quectel(diag) want_assistance = not r cloudlog.warning("quectel setup done") gpio_init(GPIO.GNSS_PWR_EN, True) gpio_set(GPIO.GNSS_PWR_EN, True) pm = messaging.PubMaster(['qcomGnss', 'gpsLocation']) while 1: if os.path.exists(ASSIST_DATA_FILE) and want_assistance: setup_quectel(diag) want_assistance = False opcode, payload = diag.recv() if opcode != DIAG_LOG_F: cloudlog.error(f"Unhandled opcode: {opcode}") continue (pending_msgs, log_outer_length), inner_log_packet = unpack_from('<BH', payload), payload[calcsize('<BH'):] if pending_msgs > 0: cloudlog.debug("have %d pending messages" % pending_msgs) assert log_outer_length == len(inner_log_packet) (log_inner_length, log_type, log_time), log_payload = unpack_from('<HHQ', inner_log_packet), inner_log_packet[calcsize('<HHQ'):] assert log_inner_length == len(inner_log_packet) if log_type not in LOG_TYPES: continue if DEBUG: print("%.4f: got log: %x len %d" % (time.time(), log_type, len(log_payload))) if log_type == LOG_GNSS_OEMDRE_MEASUREMENT_REPORT: msg = messaging.new_message('qcomGnss', valid=True) gnss = msg.qcomGnss gnss.logTs = log_time gnss.init('drMeasurementReport') report = gnss.drMeasurementReport dat = unpack_oemdre_meas(log_payload) for k,v in dat.items(): if k in ["gpsTimeBias", "gpsClockTimeUncertainty"]: k += "Ms" if k == "version": assert v == 2 elif k == "svCount" or k.startswith("cdmaClockInfo["): # TODO: should we save cdmaClockInfo? pass elif k == "systemRtcValid": setattr(report, k, bool(v)) else: setattr(report, k, v) report.init('sv', dat['svCount']) sats = log_payload[size_oemdre_meas:] for i in range(dat['svCount']): sat = unpack_oemdre_meas_sv(sats[size_oemdre_meas_sv*i:size_oemdre_meas_sv*(i+1)]) sv = report.sv[i] sv.init('measurementStatus') for k,v in sat.items(): if k in ["unkn", "measurementStatus2"]: pass elif k == "multipathEstimateValid": sv.measurementStatus.multipathEstimateIsValid = bool(v) elif k == "directionValid": sv.measurementStatus.directionIsValid = bool(v) elif k == "goodParity": setattr(sv, k, bool(v)) elif k == "measurementStatus": for kk,vv in measurementStatusFields.items(): setattr(sv.measurementStatus, kk, bool(v & (1<<vv))) else: setattr(sv, k, v) pm.send('qcomGnss', msg) elif log_type == LOG_GNSS_POSITION_REPORT: report = unpack_position(log_payload) if report["u_PosSource"] != 2: continue vNED = [report["q_FltVelEnuMps[1]"], report["q_FltVelEnuMps[0]"], -report["q_FltVelEnuMps[2]"]] vNEDsigma = [report["q_FltVelSigmaMps[1]"], report["q_FltVelSigmaMps[0]"], -report["q_FltVelSigmaMps[2]"]] msg = messaging.new_message('gpsLocation', valid=True) gps = msg.gpsLocation gps.latitude = report["t_DblFinalPosLatLon[0]"] * 180/math.pi gps.longitude = report["t_DblFinalPosLatLon[1]"] * 180/math.pi gps.altitude = report["q_FltFinalPosAlt"] gps.speed = math.sqrt(sum([x**2 for x in vNED])) gps.bearingDeg = report["q_FltHeadingRad"] * 180/math.pi # TODO needs update if there is another leap second, after june 2024? dt_timestamp = (datetime.datetime(1980, 1, 6, 0, 0, 0, 0, datetime.UTC) + datetime.timedelta(weeks=report['w_GpsWeekNumber']) + datetime.timedelta(seconds=(1e-3*report['q_GpsFixTimeMs'] - 18))) gps.unixTimestampMillis = dt_timestamp.timestamp()*1e3 gps.source = log.GpsLocationData.SensorSource.qcomdiag gps.vNED = vNED gps.verticalAccuracy = report["q_FltVdop"] gps.bearingAccuracyDeg = report["q_FltHeadingUncRad"] * 180/math.pi if (report["q_FltHeadingUncRad"] != 0) else 180 gps.speedAccuracy = math.sqrt(sum([x**2 for x in vNEDsigma])) # quectel gps verticalAccuracy is clipped to 500, set invalid if so gps.hasFix = gps.verticalAccuracy != 500 if gps.hasFix: want_assistance = False stop_download_event.set() pm.send('gpsLocation', msg) elif log_type == LOG_GNSS_OEMDRE_SVPOLY_REPORT: msg = messaging.new_message('qcomGnss', valid=True) dat = unpack_svpoly(log_payload) dat = relist(dat) gnss = msg.qcomGnss gnss.logTs = log_time gnss.init('drSvPoly') poly = gnss.drSvPoly for k,v in dat.items(): if k == "version": assert v == 2 elif k == "flags": pass else: setattr(poly, k, v) ''' # Timestamp glonass polys with GPSTime from laika.gps_time import GPSTime, utc_to_gpst, get_leap_seconds from laika.helpers import get_prn_from_nmea_id prn = get_prn_from_nmea_id(poly.svId) if prn[0] == 'R': epoch = GPSTime(current_gps_time.week, (poly.t0 - 3*SECS_IN_HR + SECS_IN_DAY) % (SECS_IN_WEEK) + get_leap_seconds(current_gps_time)) else: epoch = GPSTime(current_gps_time.week, poly.t0) # handle week rollover if epoch.tow < SECS_IN_DAY and current_gps_time.tow > 6*SECS_IN_DAY: epoch.week += 1 elif epoch.tow > 6*SECS_IN_DAY and current_gps_time.tow < SECS_IN_DAY: epoch.week -= 1 poly.gpsWeek = epoch.week poly.gpsTow = epoch.tow ''' pm.send('qcomGnss', msg) elif log_type in [LOG_GNSS_GPS_MEASUREMENT_REPORT, LOG_GNSS_GLONASS_MEASUREMENT_REPORT]: msg = messaging.new_message('qcomGnss', valid=True) gnss = msg.qcomGnss gnss.logTs = log_time gnss.init('measurementReport') report = gnss.measurementReport if log_type == LOG_GNSS_GPS_MEASUREMENT_REPORT: dat = unpack_gps_meas(log_payload) sats = log_payload[size_gps_meas:] unpack_meas_sv, size_meas_sv = unpack_gps_meas_sv, size_gps_meas_sv report.source = 0 # gps measurement_status_fields = (measurementStatusFields.items(), measurementStatusGPSFields.items()) elif log_type == LOG_GNSS_GLONASS_MEASUREMENT_REPORT: dat = unpack_glonass_meas(log_payload) sats = log_payload[size_glonass_meas:] unpack_meas_sv, size_meas_sv = unpack_glonass_meas_sv, size_glonass_meas_sv report.source = 1 # glonass measurement_status_fields = (measurementStatusFields.items(), measurementStatusGlonassFields.items()) else: raise RuntimeError(f"invalid log_type: {log_type}") for k,v in dat.items(): if k == "version": assert v == 0 elif k == "week": report.gpsWeek = v elif k == "svCount": pass else: setattr(report, k, v) report.init('sv', dat['svCount']) if dat['svCount'] > 0: assert len(sats)//dat['svCount'] == size_meas_sv for i in range(dat['svCount']): sv = report.sv[i] sv.init('measurementStatus') sat = unpack_meas_sv(sats[size_meas_sv*i:size_meas_sv*(i+1)]) for k,v in sat.items(): if k == "parityErrorCount": sv.gpsParityErrorCount = v elif k == "frequencyIndex": sv.glonassFrequencyIndex = v elif k == "hemmingErrorCount": sv.glonassHemmingErrorCount = v elif k == "measurementStatus": for kk,vv in itertools.chain(*measurement_status_fields): setattr(sv.measurementStatus, kk, bool(v & (1<<vv))) elif k == "miscStatus": for kk,vv in miscStatusFields.items(): setattr(sv.measurementStatus, kk, bool(v & (1<<vv))) elif k == "pad": pass else: setattr(sv, k, v) pm.send('qcomGnss', msg) if __name__ == "__main__": main()
2301_81045437/openpilot
system/qcomgpsd/qcomgpsd.py
Python
mit
16,036
from struct import unpack_from, calcsize LOG_GNSS_POSITION_REPORT = 0x1476 LOG_GNSS_GPS_MEASUREMENT_REPORT = 0x1477 LOG_GNSS_CLOCK_REPORT = 0x1478 LOG_GNSS_GLONASS_MEASUREMENT_REPORT = 0x1480 LOG_GNSS_BDS_MEASUREMENT_REPORT = 0x1756 LOG_GNSS_GAL_MEASUREMENT_REPORT = 0x1886 LOG_GNSS_OEMDRE_MEASUREMENT_REPORT = 0x14DE LOG_GNSS_OEMDRE_SVPOLY_REPORT = 0x14E1 LOG_GNSS_ME_DPO_STATUS = 0x1838 LOG_GNSS_CD_DB_REPORT = 0x147B LOG_GNSS_PRX_RF_HW_STATUS_REPORT = 0x147E LOG_CGPS_SLOW_CLOCK_CLIB_REPORT = 0x1488 LOG_GNSS_CONFIGURATION_STATE = 0x1516 oemdre_measurement_report = """ uint8_t version; uint8_t reason; uint8_t sv_count; uint8_t seq_num; uint8_t seq_max; uint16_t rf_loss; uint8_t system_rtc_valid; uint32_t f_count; uint32_t clock_resets; uint64_t system_rtc_time; uint8_t gps_leap_seconds; uint8_t gps_leap_seconds_uncertainty; float gps_to_glonass_time_bias_milliseconds; float gps_to_glonass_time_bias_milliseconds_uncertainty; uint16_t gps_week; uint32_t gps_milliseconds; uint32_t gps_time_bias; uint32_t gps_clock_time_uncertainty; uint8_t gps_clock_source; uint8_t glonass_clock_source; uint8_t glonass_year; uint16_t glonass_day; uint32_t glonass_milliseconds; float glonass_time_bias; float glonass_clock_time_uncertainty; float clock_frequency_bias; float clock_frequency_uncertainty; uint8_t frequency_source; uint32_t cdma_clock_info[5]; uint8_t source; """ oemdre_svpoly_report = """ uint8_t version; uint16_t sv_id; int8_t frequency_index; uint8_t flags; uint16_t iode; double t0; double xyz0[3]; double xyzN[9]; float other[4]; float position_uncertainty; float iono_delay; float iono_dot; float sbas_iono_delay; float sbas_iono_dot; float tropo_delay; float elevation; float elevation_dot; float elevation_uncertainty; double velocity_coeff[12]; """ oemdre_measurement_report_sv = """ uint8_t sv_id; uint8_t unkn; int8_t glonass_frequency_index; uint32_t observation_state; uint8_t observations; uint8_t good_observations; uint8_t filter_stages; uint8_t predetect_interval; uint8_t cycle_slip_count; uint16_t postdetections; uint32_t measurement_status; uint32_t measurement_status2; uint16_t carrier_noise; uint16_t rf_loss; int16_t latency; float filtered_measurement_fraction; uint32_t filtered_measurement_integral; float filtered_time_uncertainty; float filtered_speed; float filtered_speed_uncertainty; float unfiltered_measurement_fraction; uint32_t unfiltered_measurement_integral; float unfiltered_time_uncertainty; float unfiltered_speed; float unfiltered_speed_uncertainty; uint8_t multipath_estimate_valid; uint32_t multipath_estimate; uint8_t direction_valid; float azimuth; float elevation; float doppler_acceleration; float fine_speed; float fine_speed_uncertainty; uint64_t carrier_phase; uint32_t f_count; uint16_t parity_error_count; uint8_t good_parity; """ glonass_measurement_report = """ uint8_t version; uint32_t f_count; uint8_t glonass_cycle_number; uint16_t glonass_number_of_days; uint32_t milliseconds; float time_bias; float clock_time_uncertainty; float clock_frequency_bias; float clock_frequency_uncertainty; uint8_t sv_count; """ glonass_measurement_report_sv = """ uint8_t sv_id; int8_t frequency_index; uint8_t observation_state; // SVObservationStates uint8_t observations; uint8_t good_observations; uint8_t hemming_error_count; uint8_t filter_stages; uint16_t carrier_noise; int16_t latency; uint8_t predetect_interval; uint16_t postdetections; uint32_t unfiltered_measurement_integral; float unfiltered_measurement_fraction; float unfiltered_time_uncertainty; float unfiltered_speed; float unfiltered_speed_uncertainty; uint32_t measurement_status; uint8_t misc_status; uint32_t multipath_estimate; float azimuth; float elevation; int32_t carrier_phase_cycles_integral; uint16_t carrier_phase_cycles_fraction; float fine_speed; float fine_speed_uncertainty; uint8_t cycle_slip_count; uint32_t pad; """ gps_measurement_report = """ uint8_t version; uint32_t f_count; uint16_t week; uint32_t milliseconds; float time_bias; float clock_time_uncertainty; float clock_frequency_bias; float clock_frequency_uncertainty; uint8_t sv_count; """ gps_measurement_report_sv = """ uint8_t sv_id; // SV PRN uint8_t observation_state; // SV Observation state uint8_t observations; // Count of all observation (both success and failure) uint8_t good_observations; // Count of Good observations uint16_t parity_error_count; // Carrier to Code filtering N count uint8_t filter_stages; // Pre-Detection (Coherent) Interval (msecs) uint16_t carrier_noise; // CNo. Units of 0.1 dB int16_t latency; // Age of the measurement in msecs (+ve meas Meas precedes ref time) uint8_t predetect_interval; // Pre-Detection (Coherent) Interval (msecs) uint16_t postdetections; // Num Post-Detections (uints of PreInts uint32_t unfiltered_measurement_integral; // Range of 0 thru (WEEK_MSECS-1) [msecs] float unfiltered_measurement_fraction; // Range of 0 thru 0.99999 [msecs] float unfiltered_time_uncertainty; // Time uncertainty (msec) float unfiltered_speed; // Speed estimate (meters/sec) float unfiltered_speed_uncertainty; // Speed uncertainty estimate (meters/sec) uint32_t measurement_status; uint8_t misc_status; uint32_t multipath_estimate; float azimuth; // Azimuth (radians) float elevation; // Elevation (radians) int32_t carrier_phase_cycles_integral; uint16_t carrier_phase_cycles_fraction; float fine_speed; // Carrier phase derived speed float fine_speed_uncertainty; // Carrier phase derived speed UNC uint8_t cycle_slip_count; // Increments when a CSlip is detected uint32_t pad; """ position_report = """ uint8 u_Version; /* Version number of DM log */ uint32 q_Fcount; /* Local millisecond counter */ uint8 u_PosSource; /* Source of position information */ /* 0: None 1: Weighted least-squares 2: Kalman filter 3: Externally injected 4: Internal database */ uint32 q_Reserved1; /* Reserved memory field */ uint16 w_PosVelFlag; /* Position velocity bit field: (see DM log 0x1476 documentation) */ uint32 q_PosVelFlag2; /* Position velocity 2 bit field: (see DM log 0x1476 documentation) */ uint8 u_FailureCode; /* Failure code: (see DM log 0x1476 documentation) */ uint16 w_FixEvents; /* Fix events bit field: (see DM log 0x1476 documentation) */ uint32 _fake_align_week_number; uint16 w_GpsWeekNumber; /* GPS week number of position */ uint32 q_GpsFixTimeMs; /* GPS fix time of week of in milliseconds */ uint8 u_GloNumFourYear; /* Number of Glonass four year cycles */ uint16 w_GloNumDaysInFourYear; /* Glonass calendar day in four year cycle */ uint32 q_GloFixTimeMs; /* Glonass fix time of day in milliseconds */ uint32 q_PosCount; /* Integer count of the number of unique positions reported */ uint64 t_DblFinalPosLatLon[2]; /* Final latitude and longitude of position in radians */ uint32 q_FltFinalPosAlt; /* Final height-above-ellipsoid altitude of position */ uint32 q_FltHeadingRad; /* User heading in radians */ uint32 q_FltHeadingUncRad; /* User heading uncertainty in radians */ uint32 q_FltVelEnuMps[3]; /* User velocity in east, north, up coordinate frame. In meters per second. */ uint32 q_FltVelSigmaMps[3]; /* Gaussian 1-sigma value for east, north, up components of user velocity */ uint32 q_FltClockBiasMeters; /* Receiver clock bias in meters */ uint32 q_FltClockBiasSigmaMeters; /* Gaussian 1-sigma value for receiver clock bias in meters */ uint32 q_FltGGTBMeters; /* GPS to Glonass time bias in meters */ uint32 q_FltGGTBSigmaMeters; /* Gaussian 1-sigma value for GPS to Glonass time bias uncertainty in meters */ uint32 q_FltGBTBMeters; /* GPS to BeiDou time bias in meters */ uint32 q_FltGBTBSigmaMeters; /* Gaussian 1-sigma value for GPS to BeiDou time bias uncertainty in meters */ uint32 q_FltBGTBMeters; /* BeiDou to Glonass time bias in meters */ uint32 q_FltBGTBSigmaMeters; /* Gaussian 1-sigma value for BeiDou to Glonass time bias uncertainty in meters */ uint32 q_FltFiltGGTBMeters; /* Filtered GPS to Glonass time bias in meters */ uint32 q_FltFiltGGTBSigmaMeters; /* Filtered Gaussian 1-sigma value for GPS to Glonass time bias uncertainty in meters */ uint32 q_FltFiltGBTBMeters; /* Filtered GPS to BeiDou time bias in meters */ uint32 q_FltFiltGBTBSigmaMeters; /* Filtered Gaussian 1-sigma value for GPS to BeiDou time bias uncertainty in meters */ uint32 q_FltFiltBGTBMeters; /* Filtered BeiDou to Glonass time bias in meters */ uint32 q_FltFiltBGTBSigmaMeters; /* Filtered Gaussian 1-sigma value for BeiDou to Glonass time bias uncertainty in meters */ uint32 q_FltSftOffsetSec; /* SFT offset as computed by WLS in seconds */ uint32 q_FltSftOffsetSigmaSec; /* Gaussian 1-sigma value for SFT offset in seconds */ uint32 q_FltClockDriftMps; /* Clock drift (clock frequency bias) in meters per second */ uint32 q_FltClockDriftSigmaMps; /* Gaussian 1-sigma value for clock drift in meters per second */ uint32 q_FltFilteredAlt; /* Filtered height-above-ellipsoid altitude in meters as computed by WLS */ uint32 q_FltFilteredAltSigma; /* Gaussian 1-sigma value for filtered height-above-ellipsoid altitude in meters */ uint32 q_FltRawAlt; /* Raw height-above-ellipsoid altitude in meters as computed by WLS */ uint32 q_FltRawAltSigma; /* Gaussian 1-sigma value for raw height-above-ellipsoid altitude in meters */ uint32 align_Flt[14]; uint32 q_FltPdop; /* 3D position dilution of precision as computed from the unweighted uint32 q_FltHdop; /* Horizontal position dilution of precision as computed from the unweighted least-squares covariance matrix */ uint32 q_FltVdop; /* Vertical position dilution of precision as computed from the unweighted least-squares covariance matrix */ uint8 u_EllipseConfidence; /* Statistical measure of the confidence (percentage) associated with the uncertainty ellipse values */ uint32 q_FltEllipseAngle; /* Angle of semimajor axis with respect to true North, with increasing angles moving clockwise from North. In units of degrees. */ uint32 q_FltEllipseSemimajorAxis; /* Semimajor axis of final horizontal position uncertainty error ellipse. In units of meters. */ uint32 q_FltEllipseSemiminorAxis; /* Semiminor axis of final horizontal position uncertainty error ellipse. In units of meters. */ uint32 q_FltPosSigmaVertical; /* Gaussian 1-sigma value for final position height-above-ellipsoid altitude in meters */ uint8 u_HorizontalReliability; /* Horizontal position reliability 0: Not set 1: Very Low 2: Low 3: Medium 4: High */ uint8 u_VerticalReliability; /* Vertical position reliability */ uint16 w_Reserved2; /* Reserved memory field */ uint32 q_FltGnssHeadingRad; /* User heading in radians derived from GNSS only solution */ uint32 q_FltGnssHeadingUncRad; /* User heading uncertainty in radians derived from GNSS only solution */ uint32 q_SensorDataUsageMask; /* Denotes which additional sensor data were used to compute this position fix. BIT[0] 0x00000001 <96> Accelerometer BIT[1] 0x00000002 <96> Gyro 0x0000FFFC - Reserved A bit set to 1 indicates that certain fields as defined by the SENSOR_AIDING_MASK were aided with sensor data*/ uint32 q_SensorAidMask; /* Denotes which component of the position report was assisted with additional sensors defined in SENSOR_DATA_USAGE_MASK BIT[0] 0x00000001 <96> Heading aided with sensor data BIT[1] 0x00000002 <96> Speed aided with sensor data BIT[2] 0x00000004 <96> Position aided with sensor data BIT[3] 0x00000008 <96> Velocity aided with sensor data 0xFFFFFFF0 <96> Reserved */ uint8 u_NumGpsSvsUsed; /* The number of GPS SVs used in the fix */ uint8 u_TotalGpsSvs; /* Total number of GPS SVs detected by searcher, including ones not used in position calculation */ uint8 u_NumGloSvsUsed; /* The number of Glonass SVs used in the fix */ uint8 u_TotalGloSvs; /* Total number of Glonass SVs detected by searcher, including ones not used in position calculation */ uint8 u_NumBdsSvsUsed; /* The number of BeiDou SVs used in the fix */ uint8 u_TotalBdsSvs; /* Total number of BeiDou SVs detected by searcher, including ones not used in position calculation */ """ # noqa: E501 def name_to_camelcase(nam): ret = [] i = 0 while i < len(nam): if nam[i] == "_": ret.append(nam[i+1].upper()) i += 2 else: ret.append(nam[i]) i += 1 return ''.join(ret) def parse_struct(ss): st = "<" nams = [] for l in ss.strip().split("\n"): if len(l.strip()) == 0: continue typ, nam = l.split(";")[0].split() #print(typ, nam) if typ == "float" or '_Flt' in nam: st += "f" elif typ == "double" or '_Dbl' in nam: st += "d" elif typ in ["uint8", "uint8_t"]: st += "B" elif typ in ["int8", "int8_t"]: st += "b" elif typ in ["uint32", "uint32_t"]: st += "I" elif typ in ["int32", "int32_t"]: st += "i" elif typ in ["uint16", "uint16_t"]: st += "H" elif typ in ["int16", "int16_t"]: st += "h" elif typ in ["uint64", "uint64_t"]: st += "Q" else: raise RuntimeError(f"unknown type {typ}") if '[' in nam: cnt = int(nam.split("[")[1].split("]")[0]) st += st[-1]*(cnt-1) for i in range(cnt): nams.append("%s[%d]" % (nam.split("[")[0], i)) else: nams.append(nam) return st, nams def dict_unpacker(ss, camelcase = False): st, nams = parse_struct(ss) if camelcase: nams = [name_to_camelcase(x) for x in nams] sz = calcsize(st) return lambda x: dict(zip(nams, unpack_from(st, x), strict=True)), sz def relist(dat): list_keys = set() for key in dat.keys(): if '[' in key: list_keys.add(key.split('[')[0]) list_dict = {} for list_key in list_keys: list_dict[list_key] = [] i = 0 while True: key = list_key + f'[{i}]' if key not in dat: break list_dict[list_key].append(dat[key]) del dat[key] i += 1 return {**dat, **list_dict}
2301_81045437/openpilot
system/qcomgpsd/structs.py
Python
mit
15,388
Import('env', 'arch', 'common', 'cereal', 'messaging') sensors = [ 'sensors/i2c_sensor.cc', 'sensors/bmx055_accel.cc', 'sensors/bmx055_gyro.cc', 'sensors/bmx055_magn.cc', 'sensors/bmx055_temp.cc', 'sensors/lsm6ds3_accel.cc', 'sensors/lsm6ds3_gyro.cc', 'sensors/lsm6ds3_temp.cc', 'sensors/mmc5603nj_magn.cc', ] libs = [common, cereal, messaging, 'capnp', 'zmq', 'kj', 'pthread'] if arch == "larch64": libs.append('i2c') env.Program('sensord', ['sensors_qcom2.cc'] + sensors, LIBS=libs)
2301_81045437/openpilot
system/sensord/SConscript
Python
mit
506
#include "system/sensord/sensors/bmx055_accel.h" #include <cassert> #include "common/swaglog.h" #include "common/timing.h" #include "common/util.h" BMX055_Accel::BMX055_Accel(I2CBus *bus) : I2CSensor(bus) {} int BMX055_Accel::init() { int ret = verify_chip_id(BMX055_ACCEL_I2C_REG_ID, {BMX055_ACCEL_CHIP_ID}); if (ret == -1) return -1; ret = set_register(BMX055_ACCEL_I2C_REG_PMU, BMX055_ACCEL_NORMAL_MODE); if (ret < 0) { goto fail; } // bmx055 accel has a 1.3ms wakeup time from deep suspend mode util::sleep_for(10); // High bandwidth // ret = set_register(BMX055_ACCEL_I2C_REG_HBW, BMX055_ACCEL_HBW_ENABLE); // if (ret < 0) { // goto fail; // } // Low bandwidth ret = set_register(BMX055_ACCEL_I2C_REG_HBW, BMX055_ACCEL_HBW_DISABLE); if (ret < 0) { goto fail; } ret = set_register(BMX055_ACCEL_I2C_REG_BW, BMX055_ACCEL_BW_125HZ); if (ret < 0) { goto fail; } fail: return ret; } int BMX055_Accel::shutdown() { // enter deep suspend mode (lowest power mode) int ret = set_register(BMX055_ACCEL_I2C_REG_PMU, BMX055_ACCEL_DEEP_SUSPEND); if (ret < 0) { LOGE("Could not move BMX055 ACCEL in deep suspend mode!"); } return ret; } bool BMX055_Accel::get_event(MessageBuilder &msg, uint64_t ts) { uint64_t start_time = nanos_since_boot(); uint8_t buffer[6]; int len = read_register(BMX055_ACCEL_I2C_REG_X_LSB, buffer, sizeof(buffer)); assert(len == 6); // 12 bit = +-2g float scale = 9.81 * 2.0f / (1 << 11); float x = -read_12_bit(buffer[0], buffer[1]) * scale; float y = -read_12_bit(buffer[2], buffer[3]) * scale; float z = read_12_bit(buffer[4], buffer[5]) * scale; auto event = msg.initEvent().initAccelerometer2(); event.setSource(cereal::SensorEventData::SensorSource::BMX055); event.setVersion(1); event.setSensor(SENSOR_ACCELEROMETER); event.setType(SENSOR_TYPE_ACCELEROMETER); event.setTimestamp(start_time); float xyz[] = {x, y, z}; auto svec = event.initAcceleration(); svec.setV(xyz); svec.setStatus(true); return true; }
2301_81045437/openpilot
system/sensord/sensors/bmx055_accel.cc
C++
mit
2,055
#pragma once #include "system/sensord/sensors/i2c_sensor.h" // Address of the chip on the bus #define BMX055_ACCEL_I2C_ADDR 0x18 // Registers of the chip #define BMX055_ACCEL_I2C_REG_ID 0x00 #define BMX055_ACCEL_I2C_REG_X_LSB 0x02 #define BMX055_ACCEL_I2C_REG_TEMP 0x08 #define BMX055_ACCEL_I2C_REG_BW 0x10 #define BMX055_ACCEL_I2C_REG_PMU 0x11 #define BMX055_ACCEL_I2C_REG_HBW 0x13 #define BMX055_ACCEL_I2C_REG_FIFO 0x3F // Constants #define BMX055_ACCEL_CHIP_ID 0xFA #define BMX055_ACCEL_HBW_ENABLE 0b10000000 #define BMX055_ACCEL_HBW_DISABLE 0b00000000 #define BMX055_ACCEL_DEEP_SUSPEND 0b00100000 #define BMX055_ACCEL_NORMAL_MODE 0b00000000 #define BMX055_ACCEL_BW_7_81HZ 0b01000 #define BMX055_ACCEL_BW_15_63HZ 0b01001 #define BMX055_ACCEL_BW_31_25HZ 0b01010 #define BMX055_ACCEL_BW_62_5HZ 0b01011 #define BMX055_ACCEL_BW_125HZ 0b01100 #define BMX055_ACCEL_BW_250HZ 0b01101 #define BMX055_ACCEL_BW_500HZ 0b01110 #define BMX055_ACCEL_BW_1000HZ 0b01111 class BMX055_Accel : public I2CSensor { uint8_t get_device_address() {return BMX055_ACCEL_I2C_ADDR;} public: BMX055_Accel(I2CBus *bus); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown(); };
2301_81045437/openpilot
system/sensord/sensors/bmx055_accel.h
C++
mit
1,255
#include "system/sensord/sensors/bmx055_gyro.h" #include <cassert> #include <cmath> #include "common/swaglog.h" #include "common/util.h" #define DEG2RAD(x) ((x) * M_PI / 180.0) BMX055_Gyro::BMX055_Gyro(I2CBus *bus) : I2CSensor(bus) {} int BMX055_Gyro::init() { int ret = verify_chip_id(BMX055_GYRO_I2C_REG_ID, {BMX055_GYRO_CHIP_ID}); if (ret == -1) return -1; ret = set_register(BMX055_GYRO_I2C_REG_LPM1, BMX055_GYRO_NORMAL_MODE); if (ret < 0) { goto fail; } // bmx055 gyro has a 30ms wakeup time from deep suspend mode util::sleep_for(50); // High bandwidth // ret = set_register(BMX055_GYRO_I2C_REG_HBW, BMX055_GYRO_HBW_ENABLE); // if (ret < 0) { // goto fail; // } // Low bandwidth ret = set_register(BMX055_GYRO_I2C_REG_HBW, BMX055_GYRO_HBW_DISABLE); if (ret < 0) { goto fail; } // 116 Hz filter ret = set_register(BMX055_GYRO_I2C_REG_BW, BMX055_GYRO_BW_116HZ); if (ret < 0) { goto fail; } // +- 125 deg/s range ret = set_register(BMX055_GYRO_I2C_REG_RANGE, BMX055_GYRO_RANGE_125); if (ret < 0) { goto fail; } fail: return ret; } int BMX055_Gyro::shutdown() { // enter deep suspend mode (lowest power mode) int ret = set_register(BMX055_GYRO_I2C_REG_LPM1, BMX055_GYRO_DEEP_SUSPEND); if (ret < 0) { LOGE("Could not move BMX055 GYRO in deep suspend mode!"); } return ret; } bool BMX055_Gyro::get_event(MessageBuilder &msg, uint64_t ts) { uint64_t start_time = nanos_since_boot(); uint8_t buffer[6]; int len = read_register(BMX055_GYRO_I2C_REG_RATE_X_LSB, buffer, sizeof(buffer)); assert(len == 6); // 16 bit = +- 125 deg/s float scale = 125.0f / (1 << 15); float x = -DEG2RAD(read_16_bit(buffer[0], buffer[1]) * scale); float y = -DEG2RAD(read_16_bit(buffer[2], buffer[3]) * scale); float z = DEG2RAD(read_16_bit(buffer[4], buffer[5]) * scale); auto event = msg.initEvent().initGyroscope2(); event.setSource(cereal::SensorEventData::SensorSource::BMX055); event.setVersion(1); event.setSensor(SENSOR_GYRO_UNCALIBRATED); event.setType(SENSOR_TYPE_GYROSCOPE_UNCALIBRATED); event.setTimestamp(start_time); float xyz[] = {x, y, z}; auto svec = event.initGyroUncalibrated(); svec.setV(xyz); svec.setStatus(true); return true; }
2301_81045437/openpilot
system/sensord/sensors/bmx055_gyro.cc
C++
mit
2,267
#pragma once #include "system/sensord/sensors/i2c_sensor.h" // Address of the chip on the bus #define BMX055_GYRO_I2C_ADDR 0x68 // Registers of the chip #define BMX055_GYRO_I2C_REG_ID 0x00 #define BMX055_GYRO_I2C_REG_RATE_X_LSB 0x02 #define BMX055_GYRO_I2C_REG_RANGE 0x0F #define BMX055_GYRO_I2C_REG_BW 0x10 #define BMX055_GYRO_I2C_REG_LPM1 0x11 #define BMX055_GYRO_I2C_REG_HBW 0x13 #define BMX055_GYRO_I2C_REG_FIFO 0x3F // Constants #define BMX055_GYRO_CHIP_ID 0x0F #define BMX055_GYRO_HBW_ENABLE 0b10000000 #define BMX055_GYRO_HBW_DISABLE 0b00000000 #define BMX055_GYRO_DEEP_SUSPEND 0b00100000 #define BMX055_GYRO_NORMAL_MODE 0b00000000 #define BMX055_GYRO_RANGE_2000 0b000 #define BMX055_GYRO_RANGE_1000 0b001 #define BMX055_GYRO_RANGE_500 0b010 #define BMX055_GYRO_RANGE_250 0b011 #define BMX055_GYRO_RANGE_125 0b100 #define BMX055_GYRO_BW_116HZ 0b0010 class BMX055_Gyro : public I2CSensor { uint8_t get_device_address() {return BMX055_GYRO_I2C_ADDR;} public: BMX055_Gyro(I2CBus *bus); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown(); };
2301_81045437/openpilot
system/sensord/sensors/bmx055_gyro.h
C++
mit
1,197
#include "system/sensord/sensors/bmx055_magn.h" #include <unistd.h> #include <algorithm> #include <cassert> #include <cstdio> #include "common/swaglog.h" #include "common/util.h" static int16_t compensate_x(trim_data_t trim_data, int16_t mag_data_x, uint16_t data_rhall) { uint16_t process_comp_x0 = data_rhall; int32_t process_comp_x1 = ((int32_t)trim_data.dig_xyz1) * 16384; uint16_t process_comp_x2 = ((uint16_t)(process_comp_x1 / process_comp_x0)) - ((uint16_t)0x4000); int16_t retval = ((int16_t)process_comp_x2); int32_t process_comp_x3 = (((int32_t)retval) * ((int32_t)retval)); int32_t process_comp_x4 = (((int32_t)trim_data.dig_xy2) * (process_comp_x3 / 128)); int32_t process_comp_x5 = (int32_t)(((int16_t)trim_data.dig_xy1) * 128); int32_t process_comp_x6 = ((int32_t)retval) * process_comp_x5; int32_t process_comp_x7 = (((process_comp_x4 + process_comp_x6) / 512) + ((int32_t)0x100000)); int32_t process_comp_x8 = ((int32_t)(((int16_t)trim_data.dig_x2) + ((int16_t)0xA0))); int32_t process_comp_x9 = ((process_comp_x7 * process_comp_x8) / 4096); int32_t process_comp_x10 = ((int32_t)mag_data_x) * process_comp_x9; retval = ((int16_t)(process_comp_x10 / 8192)); retval = (retval + (((int16_t)trim_data.dig_x1) * 8)) / 16; return retval; } static int16_t compensate_y(trim_data_t trim_data, int16_t mag_data_y, uint16_t data_rhall) { uint16_t process_comp_y0 = trim_data.dig_xyz1; int32_t process_comp_y1 = (((int32_t)trim_data.dig_xyz1) * 16384) / process_comp_y0; uint16_t process_comp_y2 = ((uint16_t)process_comp_y1) - ((uint16_t)0x4000); int16_t retval = ((int16_t)process_comp_y2); int32_t process_comp_y3 = ((int32_t) retval) * ((int32_t)retval); int32_t process_comp_y4 = ((int32_t)trim_data.dig_xy2) * (process_comp_y3 / 128); int32_t process_comp_y5 = ((int32_t)(((int16_t)trim_data.dig_xy1) * 128)); int32_t process_comp_y6 = ((process_comp_y4 + (((int32_t)retval) * process_comp_y5)) / 512); int32_t process_comp_y7 = ((int32_t)(((int16_t)trim_data.dig_y2) + ((int16_t)0xA0))); int32_t process_comp_y8 = (((process_comp_y6 + ((int32_t)0x100000)) * process_comp_y7) / 4096); int32_t process_comp_y9 = (((int32_t)mag_data_y) * process_comp_y8); retval = (int16_t)(process_comp_y9 / 8192); retval = (retval + (((int16_t)trim_data.dig_y1) * 8)) / 16; return retval; } static int16_t compensate_z(trim_data_t trim_data, int16_t mag_data_z, uint16_t data_rhall) { int16_t process_comp_z0 = ((int16_t)data_rhall) - ((int16_t) trim_data.dig_xyz1); int32_t process_comp_z1 = (((int32_t)trim_data.dig_z3) * ((int32_t)(process_comp_z0))) / 4; int32_t process_comp_z2 = (((int32_t)(mag_data_z - trim_data.dig_z4)) * 32768); int32_t process_comp_z3 = ((int32_t)trim_data.dig_z1) * (((int16_t)data_rhall) * 2); int16_t process_comp_z4 = (int16_t)((process_comp_z3 + (32768)) / 65536); int32_t retval = ((process_comp_z2 - process_comp_z1) / (trim_data.dig_z2 + process_comp_z4)); /* saturate result to +/- 2 micro-tesla */ retval = std::clamp(retval, -32767, 32767); /* Conversion of LSB to micro-tesla*/ retval = retval / 16; return (int16_t)retval; } BMX055_Magn::BMX055_Magn(I2CBus *bus) : I2CSensor(bus) {} int BMX055_Magn::init() { uint8_t trim_x1y1[2] = {0}; uint8_t trim_x2y2[2] = {0}; uint8_t trim_xy1xy2[2] = {0}; uint8_t trim_z1[2] = {0}; uint8_t trim_z2[2] = {0}; uint8_t trim_z3[2] = {0}; uint8_t trim_z4[2] = {0}; uint8_t trim_xyz1[2] = {0}; // suspend -> sleep int ret = set_register(BMX055_MAGN_I2C_REG_PWR_0, 0x01); if (ret < 0) { LOGE("Enabling power failed: %d", ret); goto fail; } util::sleep_for(5); // wait until the chip is powered on ret = verify_chip_id(BMX055_MAGN_I2C_REG_ID, {BMX055_MAGN_CHIP_ID}); if (ret == -1) { goto fail; } // Load magnetometer trim ret = read_register(BMX055_MAGN_I2C_REG_DIG_X1, trim_x1y1, 2); if (ret < 0) goto fail; ret = read_register(BMX055_MAGN_I2C_REG_DIG_X2, trim_x2y2, 2); if (ret < 0) goto fail; ret = read_register(BMX055_MAGN_I2C_REG_DIG_XY2, trim_xy1xy2, 2); if (ret < 0) goto fail; ret = read_register(BMX055_MAGN_I2C_REG_DIG_Z1_LSB, trim_z1, 2); if (ret < 0) goto fail; ret = read_register(BMX055_MAGN_I2C_REG_DIG_Z2_LSB, trim_z2, 2); if (ret < 0) goto fail; ret = read_register(BMX055_MAGN_I2C_REG_DIG_Z3_LSB, trim_z3, 2); if (ret < 0) goto fail; ret = read_register(BMX055_MAGN_I2C_REG_DIG_Z4_LSB, trim_z4, 2); if (ret < 0) goto fail; ret = read_register(BMX055_MAGN_I2C_REG_DIG_XYZ1_LSB, trim_xyz1, 2); if (ret < 0) goto fail; // Read trim data trim_data.dig_x1 = trim_x1y1[0]; trim_data.dig_y1 = trim_x1y1[1]; trim_data.dig_x2 = trim_x2y2[0]; trim_data.dig_y2 = trim_x2y2[1]; trim_data.dig_xy1 = trim_xy1xy2[1]; // NB: MSB/LSB swapped trim_data.dig_xy2 = trim_xy1xy2[0]; trim_data.dig_z1 = read_16_bit(trim_z1[0], trim_z1[1]); trim_data.dig_z2 = read_16_bit(trim_z2[0], trim_z2[1]); trim_data.dig_z3 = read_16_bit(trim_z3[0], trim_z3[1]); trim_data.dig_z4 = read_16_bit(trim_z4[0], trim_z4[1]); trim_data.dig_xyz1 = read_16_bit(trim_xyz1[0], trim_xyz1[1] & 0x7f); assert(trim_data.dig_xyz1 != 0); perform_self_test(); // f_max = 1 / (145us * nXY + 500us * NZ + 980us) // Chose NXY = 7, NZ = 12, which gives 125 Hz, // and has the same ratio as the high accuracy preset ret = set_register(BMX055_MAGN_I2C_REG_REPXY, (7 - 1) / 2); if (ret < 0) { goto fail; } ret = set_register(BMX055_MAGN_I2C_REG_REPZ, 12 - 1); if (ret < 0) { goto fail; } return 0; fail: return ret; } int BMX055_Magn::shutdown() { // move to suspend mode int ret = set_register(BMX055_MAGN_I2C_REG_PWR_0, 0); if (ret < 0) { LOGE("Could not move BMX055 MAGN in suspend mode!"); } return ret; } bool BMX055_Magn::perform_self_test() { uint8_t buffer[8]; int16_t x, y; int16_t neg_z, pos_z; // Increase z reps for less false positives (~30 Hz ODR) set_register(BMX055_MAGN_I2C_REG_REPXY, 1); set_register(BMX055_MAGN_I2C_REG_REPZ, 64 - 1); // Clean existing measurement read_register(BMX055_MAGN_I2C_REG_DATAX_LSB, buffer, sizeof(buffer)); uint8_t forced = BMX055_MAGN_FORCED; // Negative current set_register(BMX055_MAGN_I2C_REG_MAG, forced | (uint8_t(0b10) << 6)); util::sleep_for(100); read_register(BMX055_MAGN_I2C_REG_DATAX_LSB, buffer, sizeof(buffer)); parse_xyz(buffer, &x, &y, &neg_z); // Positive current set_register(BMX055_MAGN_I2C_REG_MAG, forced | (uint8_t(0b11) << 6)); util::sleep_for(100); read_register(BMX055_MAGN_I2C_REG_DATAX_LSB, buffer, sizeof(buffer)); parse_xyz(buffer, &x, &y, &pos_z); // Put back in normal mode set_register(BMX055_MAGN_I2C_REG_MAG, 0); int16_t diff = pos_z - neg_z; bool passed = (diff > 180) && (diff < 240); if (!passed) { LOGE("self test failed: neg %d pos %d diff %d", neg_z, pos_z, diff); } return passed; } bool BMX055_Magn::parse_xyz(uint8_t buffer[8], int16_t *x, int16_t *y, int16_t *z) { bool ready = buffer[6] & 0x1; if (ready) { int16_t mdata_x = (int16_t) (((int16_t)buffer[1] << 8) | buffer[0]) >> 3; int16_t mdata_y = (int16_t) (((int16_t)buffer[3] << 8) | buffer[2]) >> 3; int16_t mdata_z = (int16_t) (((int16_t)buffer[5] << 8) | buffer[4]) >> 1; uint16_t data_r = (uint16_t) (((uint16_t)buffer[7] << 8) | buffer[6]) >> 2; assert(data_r != 0); *x = compensate_x(trim_data, mdata_x, data_r); *y = compensate_y(trim_data, mdata_y, data_r); *z = compensate_z(trim_data, mdata_z, data_r); } return ready; } bool BMX055_Magn::get_event(MessageBuilder &msg, uint64_t ts) { uint64_t start_time = nanos_since_boot(); uint8_t buffer[8]; int16_t _x, _y, x, y, z; int len = read_register(BMX055_MAGN_I2C_REG_DATAX_LSB, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); bool parsed = parse_xyz(buffer, &_x, &_y, &z); if (parsed) { auto event = msg.initEvent().initMagnetometer(); event.setSource(cereal::SensorEventData::SensorSource::BMX055); event.setVersion(2); event.setSensor(SENSOR_MAGNETOMETER_UNCALIBRATED); event.setType(SENSOR_TYPE_MAGNETIC_FIELD_UNCALIBRATED); event.setTimestamp(start_time); // Move magnetometer into same reference frame as accel/gryo x = -_y; y = _x; // Axis convention x = -x; y = -y; float xyz[] = {(float)x, (float)y, (float)z}; auto svec = event.initMagneticUncalibrated(); svec.setV(xyz); svec.setStatus(true); } // The BMX055 Magnetometer has no FIFO mode. Self running mode only goes // up to 30 Hz. Therefore we put in forced mode, and request measurements // at a 100 Hz. When reading the registers we have to check the ready bit // To verify the measurement was completed this cycle. set_register(BMX055_MAGN_I2C_REG_MAG, BMX055_MAGN_FORCED); return parsed; }
2301_81045437/openpilot
system/sensord/sensors/bmx055_magn.cc
C++
mit
8,870
#pragma once #include <tuple> #include "system/sensord/sensors/i2c_sensor.h" // Address of the chip on the bus #define BMX055_MAGN_I2C_ADDR 0x10 // Registers of the chip #define BMX055_MAGN_I2C_REG_ID 0x40 #define BMX055_MAGN_I2C_REG_PWR_0 0x4B #define BMX055_MAGN_I2C_REG_MAG 0x4C #define BMX055_MAGN_I2C_REG_DATAX_LSB 0x42 #define BMX055_MAGN_I2C_REG_RHALL_LSB 0x48 #define BMX055_MAGN_I2C_REG_REPXY 0x51 #define BMX055_MAGN_I2C_REG_REPZ 0x52 #define BMX055_MAGN_I2C_REG_DIG_X1 0x5D #define BMX055_MAGN_I2C_REG_DIG_Y1 0x5E #define BMX055_MAGN_I2C_REG_DIG_Z4_LSB 0x62 #define BMX055_MAGN_I2C_REG_DIG_Z4_MSB 0x63 #define BMX055_MAGN_I2C_REG_DIG_X2 0x64 #define BMX055_MAGN_I2C_REG_DIG_Y2 0x65 #define BMX055_MAGN_I2C_REG_DIG_Z2_LSB 0x68 #define BMX055_MAGN_I2C_REG_DIG_Z2_MSB 0x69 #define BMX055_MAGN_I2C_REG_DIG_Z1_LSB 0x6A #define BMX055_MAGN_I2C_REG_DIG_Z1_MSB 0x6B #define BMX055_MAGN_I2C_REG_DIG_XYZ1_LSB 0x6C #define BMX055_MAGN_I2C_REG_DIG_XYZ1_MSB 0x6D #define BMX055_MAGN_I2C_REG_DIG_Z3_LSB 0x6E #define BMX055_MAGN_I2C_REG_DIG_Z3_MSB 0x6F #define BMX055_MAGN_I2C_REG_DIG_XY2 0x70 #define BMX055_MAGN_I2C_REG_DIG_XY1 0x71 // Constants #define BMX055_MAGN_CHIP_ID 0x32 #define BMX055_MAGN_FORCED (0b01 << 1) struct trim_data_t { int8_t dig_x1; int8_t dig_y1; int8_t dig_x2; int8_t dig_y2; uint16_t dig_z1; int16_t dig_z2; int16_t dig_z3; int16_t dig_z4; uint8_t dig_xy1; int8_t dig_xy2; uint16_t dig_xyz1; }; class BMX055_Magn : public I2CSensor{ uint8_t get_device_address() {return BMX055_MAGN_I2C_ADDR;} trim_data_t trim_data = {0}; bool perform_self_test(); bool parse_xyz(uint8_t buffer[8], int16_t *x, int16_t *y, int16_t *z); public: BMX055_Magn(I2CBus *bus); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown(); };
2301_81045437/openpilot
system/sensord/sensors/bmx055_magn.h
C++
mit
1,920
#include "system/sensord/sensors/bmx055_temp.h" #include <cassert> #include "system/sensord/sensors/bmx055_accel.h" #include "common/swaglog.h" #include "common/timing.h" BMX055_Temp::BMX055_Temp(I2CBus *bus) : I2CSensor(bus) {} int BMX055_Temp::init() { return verify_chip_id(BMX055_ACCEL_I2C_REG_ID, {BMX055_ACCEL_CHIP_ID}) == -1 ? -1 : 0; } bool BMX055_Temp::get_event(MessageBuilder &msg, uint64_t ts) { uint64_t start_time = nanos_since_boot(); uint8_t buffer[1]; int len = read_register(BMX055_ACCEL_I2C_REG_TEMP, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); float temp = 23.0f + int8_t(buffer[0]) / 2.0f; auto event = msg.initEvent().initTemperatureSensor(); event.setSource(cereal::SensorEventData::SensorSource::BMX055); event.setVersion(1); event.setType(SENSOR_TYPE_AMBIENT_TEMPERATURE); event.setTimestamp(start_time); event.setTemperature(temp); return true; }
2301_81045437/openpilot
system/sensord/sensors/bmx055_temp.cc
C++
mit
919
#pragma once #include "system/sensord/sensors/bmx055_accel.h" #include "system/sensord/sensors/i2c_sensor.h" class BMX055_Temp : public I2CSensor { uint8_t get_device_address() {return BMX055_ACCEL_I2C_ADDR;} public: BMX055_Temp(I2CBus *bus); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown() { return 0; } };
2301_81045437/openpilot
system/sensord/sensors/bmx055_temp.h
C++
mit
353
#pragma once #define SENSOR_ACCELEROMETER 1 #define SENSOR_MAGNETOMETER 2 #define SENSOR_MAGNETOMETER_UNCALIBRATED 3 #define SENSOR_GYRO 4 #define SENSOR_GYRO_UNCALIBRATED 5 #define SENSOR_LIGHT 7 #define SENSOR_TYPE_ACCELEROMETER 1 #define SENSOR_TYPE_GEOMAGNETIC_FIELD 2 #define SENSOR_TYPE_GYROSCOPE 4 #define SENSOR_TYPE_LIGHT 5 #define SENSOR_TYPE_AMBIENT_TEMPERATURE 13 #define SENSOR_TYPE_MAGNETIC_FIELD_UNCALIBRATED 14 #define SENSOR_TYPE_MAGNETIC_FIELD SENSOR_TYPE_GEOMAGNETIC_FIELD #define SENSOR_TYPE_GYROSCOPE_UNCALIBRATED 16
2301_81045437/openpilot
system/sensord/sensors/constants.h
C
mit
542
#include "system/sensord/sensors/i2c_sensor.h" int16_t read_12_bit(uint8_t lsb, uint8_t msb) { uint16_t combined = (uint16_t(msb) << 8) | uint16_t(lsb & 0xF0); return int16_t(combined) / (1 << 4); } int16_t read_16_bit(uint8_t lsb, uint8_t msb) { uint16_t combined = (uint16_t(msb) << 8) | uint16_t(lsb); return int16_t(combined); } int32_t read_20_bit(uint8_t b2, uint8_t b1, uint8_t b0) { uint32_t combined = (uint32_t(b0) << 16) | (uint32_t(b1) << 8) | uint32_t(b2); return int32_t(combined) / (1 << 4); } I2CSensor::I2CSensor(I2CBus *bus, int gpio_nr, bool shared_gpio) : bus(bus), gpio_nr(gpio_nr), shared_gpio(shared_gpio) {} I2CSensor::~I2CSensor() { if (gpio_fd != -1) { close(gpio_fd); } } int I2CSensor::read_register(uint register_address, uint8_t *buffer, uint8_t len) { return bus->read_register(get_device_address(), register_address, buffer, len); } int I2CSensor::set_register(uint register_address, uint8_t data) { return bus->set_register(get_device_address(), register_address, data); } int I2CSensor::init_gpio() { if (shared_gpio || gpio_nr == 0) { return 0; } gpio_fd = gpiochip_get_ro_value_fd("sensord", GPIOCHIP_INT, gpio_nr); if (gpio_fd < 0) { return -1; } return 0; } bool I2CSensor::has_interrupt_enabled() { return gpio_nr != 0; }
2301_81045437/openpilot
system/sensord/sensors/i2c_sensor.cc
C++
mit
1,320
#pragma once #include <cstdint> #include <unistd.h> #include <vector> #include "cereal/gen/cpp/log.capnp.h" #include "common/i2c.h" #include "common/gpio.h" #include "common/swaglog.h" #include "system/sensord/sensors/constants.h" #include "system/sensord/sensors/sensor.h" int16_t read_12_bit(uint8_t lsb, uint8_t msb); int16_t read_16_bit(uint8_t lsb, uint8_t msb); int32_t read_20_bit(uint8_t b2, uint8_t b1, uint8_t b0); class I2CSensor : public Sensor { private: I2CBus *bus; int gpio_nr; bool shared_gpio; virtual uint8_t get_device_address() = 0; public: I2CSensor(I2CBus *bus, int gpio_nr = 0, bool shared_gpio = false); ~I2CSensor(); int read_register(uint register_address, uint8_t *buffer, uint8_t len); int set_register(uint register_address, uint8_t data); int init_gpio(); bool has_interrupt_enabled(); virtual int init() = 0; virtual bool get_event(MessageBuilder &msg, uint64_t ts = 0) = 0; virtual int shutdown() = 0; int verify_chip_id(uint8_t address, const std::vector<uint8_t> &expected_ids) { uint8_t chip_id = 0; int ret = read_register(address, &chip_id, 1); if (ret < 0) { LOGE("Reading chip ID failed: %d", ret); return -1; } for (int i = 0; i < expected_ids.size(); ++i) { if (chip_id == expected_ids[i]) return chip_id; } LOGE("Chip ID wrong. Got: %d, Expected %d", chip_id, expected_ids[0]); return -1; } };
2301_81045437/openpilot
system/sensord/sensors/i2c_sensor.h
C++
mit
1,425
#include "system/sensord/sensors/lsm6ds3_accel.h" #include <cassert> #include <cmath> #include <cstring> #include "common/swaglog.h" #include "common/timing.h" #include "common/util.h" LSM6DS3_Accel::LSM6DS3_Accel(I2CBus *bus, int gpio_nr, bool shared_gpio) : I2CSensor(bus, gpio_nr, shared_gpio) {} void LSM6DS3_Accel::wait_for_data_ready() { uint8_t drdy = 0; uint8_t buffer[6]; do { read_register(LSM6DS3_ACCEL_I2C_REG_STAT_REG, &drdy, sizeof(drdy)); drdy &= LSM6DS3_ACCEL_DRDY_XLDA; } while (drdy == 0); read_register(LSM6DS3_ACCEL_I2C_REG_OUTX_L_XL, buffer, sizeof(buffer)); } void LSM6DS3_Accel::read_and_avg_data(float* out_buf) { uint8_t drdy = 0; uint8_t buffer[6]; float scaling = 0.061f; if (source == cereal::SensorEventData::SensorSource::LSM6DS3TRC) { scaling = 0.122f; } for (int i = 0; i < 5; i++) { do { read_register(LSM6DS3_ACCEL_I2C_REG_STAT_REG, &drdy, sizeof(drdy)); drdy &= LSM6DS3_ACCEL_DRDY_XLDA; } while (drdy == 0); int len = read_register(LSM6DS3_ACCEL_I2C_REG_OUTX_L_XL, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); for (int j = 0; j < 3; j++) { out_buf[j] += (float)read_16_bit(buffer[j*2], buffer[j*2+1]) * scaling; } } for (int i = 0; i < 3; i++) { out_buf[i] /= 5.0f; } } int LSM6DS3_Accel::self_test(int test_type) { float val_st_off[3] = {0}; float val_st_on[3] = {0}; float test_val[3] = {0}; uint8_t ODR_FS_MO = LSM6DS3_ACCEL_ODR_52HZ; // full scale: +-2g, ODR: 52Hz // prepare sensor for self-test // enable block data update and automatic increment int ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL3_C, LSM6DS3_ACCEL_IF_INC_BDU); if (ret < 0) { return ret; } if (source == cereal::SensorEventData::SensorSource::LSM6DS3TRC) { ODR_FS_MO = LSM6DS3_ACCEL_FS_4G | LSM6DS3_ACCEL_ODR_52HZ; } ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL1_XL, ODR_FS_MO); if (ret < 0) { return ret; } // wait for stable output, and discard first values util::sleep_for(100); wait_for_data_ready(); read_and_avg_data(val_st_off); // enable Self Test positive (or negative) ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL5_C, test_type); if (ret < 0) { return ret; } // wait for stable output, and discard first values util::sleep_for(100); wait_for_data_ready(); read_and_avg_data(val_st_on); // disable sensor ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL1_XL, 0); if (ret < 0) { return ret; } // disable self test ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL5_C, 0); if (ret < 0) { return ret; } // calculate the mg values for self test for (int i = 0; i < 3; i++) { test_val[i] = fabs(val_st_on[i] - val_st_off[i]); } // verify test result for (int i = 0; i < 3; i++) { if ((LSM6DS3_ACCEL_MIN_ST_LIMIT_mg > test_val[i]) || (test_val[i] > LSM6DS3_ACCEL_MAX_ST_LIMIT_mg)) { return -1; } } return ret; } int LSM6DS3_Accel::init() { uint8_t value = 0; bool do_self_test = false; const char* env_lsm_selftest = std::getenv("LSM_SELF_TEST"); if (env_lsm_selftest != nullptr && strncmp(env_lsm_selftest, "1", 1) == 0) { do_self_test = true; } int ret = verify_chip_id(LSM6DS3_ACCEL_I2C_REG_ID, {LSM6DS3_ACCEL_CHIP_ID, LSM6DS3TRC_ACCEL_CHIP_ID}); if (ret == -1) return -1; if (ret == LSM6DS3TRC_ACCEL_CHIP_ID) { source = cereal::SensorEventData::SensorSource::LSM6DS3TRC; } ret = self_test(LSM6DS3_ACCEL_POSITIVE_TEST); if (ret < 0) { LOGE("LSM6DS3 accel positive self-test failed!"); if (do_self_test) goto fail; } ret = self_test(LSM6DS3_ACCEL_NEGATIVE_TEST); if (ret < 0) { LOGE("LSM6DS3 accel negative self-test failed!"); if (do_self_test) goto fail; } ret = init_gpio(); if (ret < 0) { goto fail; } // enable continuous update, and automatic increase ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL3_C, LSM6DS3_ACCEL_IF_INC); if (ret < 0) { goto fail; } // TODO: set scale and bandwidth. Default is +- 2G, 50 Hz ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL1_XL, LSM6DS3_ACCEL_ODR_104HZ); if (ret < 0) { goto fail; } ret = set_register(LSM6DS3_ACCEL_I2C_REG_DRDY_CFG, LSM6DS3_ACCEL_DRDY_PULSE_MODE); if (ret < 0) { goto fail; } // enable data ready interrupt for accel on INT1 // (without resetting existing interrupts) ret = read_register(LSM6DS3_ACCEL_I2C_REG_INT1_CTRL, &value, 1); if (ret < 0) { goto fail; } value |= LSM6DS3_ACCEL_INT1_DRDY_XL; ret = set_register(LSM6DS3_ACCEL_I2C_REG_INT1_CTRL, value); fail: return ret; } int LSM6DS3_Accel::shutdown() { int ret = 0; // disable data ready interrupt for accel on INT1 uint8_t value = 0; ret = read_register(LSM6DS3_ACCEL_I2C_REG_INT1_CTRL, &value, 1); if (ret < 0) { goto fail; } value &= ~(LSM6DS3_ACCEL_INT1_DRDY_XL); ret = set_register(LSM6DS3_ACCEL_I2C_REG_INT1_CTRL, value); if (ret < 0) { LOGE("Could not disable lsm6ds3 acceleration interrupt!"); goto fail; } // enable power-down mode value = 0; ret = read_register(LSM6DS3_ACCEL_I2C_REG_CTRL1_XL, &value, 1); if (ret < 0) { goto fail; } value &= 0x0F; ret = set_register(LSM6DS3_ACCEL_I2C_REG_CTRL1_XL, value); if (ret < 0) { LOGE("Could not power-down lsm6ds3 accelerometer!"); goto fail; } fail: return ret; } bool LSM6DS3_Accel::get_event(MessageBuilder &msg, uint64_t ts) { // INT1 shared with gyro, check STATUS_REG who triggered uint8_t status_reg = 0; read_register(LSM6DS3_ACCEL_I2C_REG_STAT_REG, &status_reg, sizeof(status_reg)); if ((status_reg & LSM6DS3_ACCEL_DRDY_XLDA) == 0) { return false; } uint8_t buffer[6]; int len = read_register(LSM6DS3_ACCEL_I2C_REG_OUTX_L_XL, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); float scale = 9.81 * 2.0f / (1 << 15); float x = read_16_bit(buffer[0], buffer[1]) * scale; float y = read_16_bit(buffer[2], buffer[3]) * scale; float z = read_16_bit(buffer[4], buffer[5]) * scale; auto event = msg.initEvent().initAccelerometer(); event.setSource(source); event.setVersion(1); event.setSensor(SENSOR_ACCELEROMETER); event.setType(SENSOR_TYPE_ACCELEROMETER); event.setTimestamp(ts); float xyz[] = {y, -x, z}; auto svec = event.initAcceleration(); svec.setV(xyz); svec.setStatus(true); return true; }
2301_81045437/openpilot
system/sensord/sensors/lsm6ds3_accel.cc
C++
mit
6,396
#pragma once #include "system/sensord/sensors/i2c_sensor.h" // Address of the chip on the bus #define LSM6DS3_ACCEL_I2C_ADDR 0x6A // Registers of the chip #define LSM6DS3_ACCEL_I2C_REG_DRDY_CFG 0x0B #define LSM6DS3_ACCEL_I2C_REG_ID 0x0F #define LSM6DS3_ACCEL_I2C_REG_INT1_CTRL 0x0D #define LSM6DS3_ACCEL_I2C_REG_CTRL1_XL 0x10 #define LSM6DS3_ACCEL_I2C_REG_CTRL3_C 0x12 #define LSM6DS3_ACCEL_I2C_REG_CTRL5_C 0x14 #define LSM6DS3_ACCEL_I2C_REG_CTR9_XL 0x18 #define LSM6DS3_ACCEL_I2C_REG_STAT_REG 0x1E #define LSM6DS3_ACCEL_I2C_REG_OUTX_L_XL 0x28 // Constants #define LSM6DS3_ACCEL_CHIP_ID 0x69 #define LSM6DS3TRC_ACCEL_CHIP_ID 0x6A #define LSM6DS3_ACCEL_FS_4G (0b10 << 2) #define LSM6DS3_ACCEL_ODR_52HZ (0b0011 << 4) #define LSM6DS3_ACCEL_ODR_104HZ (0b0100 << 4) #define LSM6DS3_ACCEL_INT1_DRDY_XL 0b1 #define LSM6DS3_ACCEL_DRDY_XLDA 0b1 #define LSM6DS3_ACCEL_DRDY_PULSE_MODE (1 << 7) #define LSM6DS3_ACCEL_IF_INC 0b00000100 #define LSM6DS3_ACCEL_IF_INC_BDU 0b01000100 #define LSM6DS3_ACCEL_XYZ_DEN 0b11100000 #define LSM6DS3_ACCEL_POSITIVE_TEST 0b01 #define LSM6DS3_ACCEL_NEGATIVE_TEST 0b10 #define LSM6DS3_ACCEL_MIN_ST_LIMIT_mg 90.0f #define LSM6DS3_ACCEL_MAX_ST_LIMIT_mg 1700.0f class LSM6DS3_Accel : public I2CSensor { uint8_t get_device_address() {return LSM6DS3_ACCEL_I2C_ADDR;} cereal::SensorEventData::SensorSource source = cereal::SensorEventData::SensorSource::LSM6DS3; // self test functions int self_test(int test_type); void wait_for_data_ready(); void read_and_avg_data(float* val_st_off); public: LSM6DS3_Accel(I2CBus *bus, int gpio_nr = 0, bool shared_gpio = false); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown(); };
2301_81045437/openpilot
system/sensord/sensors/lsm6ds3_accel.h
C++
mit
1,785
#include "system/sensord/sensors/lsm6ds3_gyro.h" #include <cassert> #include <cmath> #include <cstring> #include "common/swaglog.h" #include "common/timing.h" #include "common/util.h" #define DEG2RAD(x) ((x) * M_PI / 180.0) LSM6DS3_Gyro::LSM6DS3_Gyro(I2CBus *bus, int gpio_nr, bool shared_gpio) : I2CSensor(bus, gpio_nr, shared_gpio) {} void LSM6DS3_Gyro::wait_for_data_ready() { uint8_t drdy = 0; uint8_t buffer[6]; do { read_register(LSM6DS3_GYRO_I2C_REG_STAT_REG, &drdy, sizeof(drdy)); drdy &= LSM6DS3_GYRO_DRDY_GDA; } while (drdy == 0); read_register(LSM6DS3_GYRO_I2C_REG_OUTX_L_G, buffer, sizeof(buffer)); } void LSM6DS3_Gyro::read_and_avg_data(float* out_buf) { uint8_t drdy = 0; uint8_t buffer[6]; for (int i = 0; i < 5; i++) { do { read_register(LSM6DS3_GYRO_I2C_REG_STAT_REG, &drdy, sizeof(drdy)); drdy &= LSM6DS3_GYRO_DRDY_GDA; } while (drdy == 0); int len = read_register(LSM6DS3_GYRO_I2C_REG_OUTX_L_G, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); for (int j = 0; j < 3; j++) { out_buf[j] += (float)read_16_bit(buffer[j*2], buffer[j*2+1]) * 70.0f; } } // calculate the mg average values for (int i = 0; i < 3; i++) { out_buf[i] /= 5.0f; } } int LSM6DS3_Gyro::self_test(int test_type) { float val_st_off[3] = {0}; float val_st_on[3] = {0}; float test_val[3] = {0}; // prepare sensor for self-test // full scale: 2000dps, ODR: 208Hz int ret = set_register(LSM6DS3_GYRO_I2C_REG_CTRL2_G, LSM6DS3_GYRO_ODR_208HZ | LSM6DS3_GYRO_FS_2000dps); if (ret < 0) { return ret; } // wait for stable output, and discard first values util::sleep_for(150); wait_for_data_ready(); read_and_avg_data(val_st_off); // enable Self Test positive (or negative) ret = set_register(LSM6DS3_GYRO_I2C_REG_CTRL5_C, test_type); if (ret < 0) { return ret; } // wait for stable output, and discard first values util::sleep_for(50); wait_for_data_ready(); read_and_avg_data(val_st_on); // disable sensor ret = set_register(LSM6DS3_GYRO_I2C_REG_CTRL2_G, 0); if (ret < 0) { return ret; } // disable self test ret = set_register(LSM6DS3_GYRO_I2C_REG_CTRL5_C, 0); if (ret < 0) { return ret; } // calculate the mg values for self test for (int i = 0; i < 3; i++) { test_val[i] = fabs(val_st_on[i] - val_st_off[i]); } // verify test result for (int i = 0; i < 3; i++) { if ((LSM6DS3_GYRO_MIN_ST_LIMIT_mdps > test_val[i]) || (test_val[i] > LSM6DS3_GYRO_MAX_ST_LIMIT_mdps)) { return -1; } } return ret; } int LSM6DS3_Gyro::init() { uint8_t value = 0; bool do_self_test = false; const char* env_lsm_selftest =env_lsm_selftest = std::getenv("LSM_SELF_TEST"); if (env_lsm_selftest != nullptr && strncmp(env_lsm_selftest, "1", 1) == 0) { do_self_test = true; } int ret = verify_chip_id(LSM6DS3_GYRO_I2C_REG_ID, {LSM6DS3_GYRO_CHIP_ID, LSM6DS3TRC_GYRO_CHIP_ID}); if (ret == -1) return -1; if (ret == LSM6DS3TRC_GYRO_CHIP_ID) { source = cereal::SensorEventData::SensorSource::LSM6DS3TRC; } ret = init_gpio(); if (ret < 0) { goto fail; } ret = self_test(LSM6DS3_GYRO_POSITIVE_TEST); if (ret < 0) { LOGE("LSM6DS3 gyro positive self-test failed!"); if (do_self_test) goto fail; } ret = self_test(LSM6DS3_GYRO_NEGATIVE_TEST); if (ret < 0) { LOGE("LSM6DS3 gyro negative self-test failed!"); if (do_self_test) goto fail; } // TODO: set scale. Default is +- 250 deg/s ret = set_register(LSM6DS3_GYRO_I2C_REG_CTRL2_G, LSM6DS3_GYRO_ODR_104HZ); if (ret < 0) { goto fail; } ret = set_register(LSM6DS3_GYRO_I2C_REG_DRDY_CFG, LSM6DS3_GYRO_DRDY_PULSE_MODE); if (ret < 0) { goto fail; } // enable data ready interrupt for gyro on INT1 // (without resetting existing interrupts) ret = read_register(LSM6DS3_GYRO_I2C_REG_INT1_CTRL, &value, 1); if (ret < 0) { goto fail; } value |= LSM6DS3_GYRO_INT1_DRDY_G; ret = set_register(LSM6DS3_GYRO_I2C_REG_INT1_CTRL, value); fail: return ret; } int LSM6DS3_Gyro::shutdown() { int ret = 0; // disable data ready interrupt for gyro on INT1 uint8_t value = 0; ret = read_register(LSM6DS3_GYRO_I2C_REG_INT1_CTRL, &value, 1); if (ret < 0) { goto fail; } value &= ~(LSM6DS3_GYRO_INT1_DRDY_G); ret = set_register(LSM6DS3_GYRO_I2C_REG_INT1_CTRL, value); if (ret < 0) { LOGE("Could not disable lsm6ds3 gyroscope interrupt!"); goto fail; } // enable power-down mode value = 0; ret = read_register(LSM6DS3_GYRO_I2C_REG_CTRL2_G, &value, 1); if (ret < 0) { goto fail; } value &= 0x0F; ret = set_register(LSM6DS3_GYRO_I2C_REG_CTRL2_G, value); if (ret < 0) { LOGE("Could not power-down lsm6ds3 gyroscope!"); goto fail; } fail: return ret; } bool LSM6DS3_Gyro::get_event(MessageBuilder &msg, uint64_t ts) { // INT1 shared with accel, check STATUS_REG who triggered uint8_t status_reg = 0; read_register(LSM6DS3_GYRO_I2C_REG_STAT_REG, &status_reg, sizeof(status_reg)); if ((status_reg & LSM6DS3_GYRO_DRDY_GDA) == 0) { return false; } uint8_t buffer[6]; int len = read_register(LSM6DS3_GYRO_I2C_REG_OUTX_L_G, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); float scale = 8.75 / 1000.0; float x = DEG2RAD(read_16_bit(buffer[0], buffer[1]) * scale); float y = DEG2RAD(read_16_bit(buffer[2], buffer[3]) * scale); float z = DEG2RAD(read_16_bit(buffer[4], buffer[5]) * scale); auto event = msg.initEvent().initGyroscope(); event.setSource(source); event.setVersion(2); event.setSensor(SENSOR_GYRO_UNCALIBRATED); event.setType(SENSOR_TYPE_GYROSCOPE_UNCALIBRATED); event.setTimestamp(ts); float xyz[] = {y, -x, z}; auto svec = event.initGyroUncalibrated(); svec.setV(xyz); svec.setStatus(true); return true; }
2301_81045437/openpilot
system/sensord/sensors/lsm6ds3_gyro.cc
C++
mit
5,849
#pragma once #include "system/sensord/sensors/i2c_sensor.h" // Address of the chip on the bus #define LSM6DS3_GYRO_I2C_ADDR 0x6A // Registers of the chip #define LSM6DS3_GYRO_I2C_REG_DRDY_CFG 0x0B #define LSM6DS3_GYRO_I2C_REG_ID 0x0F #define LSM6DS3_GYRO_I2C_REG_INT1_CTRL 0x0D #define LSM6DS3_GYRO_I2C_REG_CTRL2_G 0x11 #define LSM6DS3_GYRO_I2C_REG_CTRL5_C 0x14 #define LSM6DS3_GYRO_I2C_REG_STAT_REG 0x1E #define LSM6DS3_GYRO_I2C_REG_OUTX_L_G 0x22 #define LSM6DS3_GYRO_POSITIVE_TEST (0b01 << 2) #define LSM6DS3_GYRO_NEGATIVE_TEST (0b11 << 2) // Constants #define LSM6DS3_GYRO_CHIP_ID 0x69 #define LSM6DS3TRC_GYRO_CHIP_ID 0x6A #define LSM6DS3_GYRO_FS_2000dps (0b11 << 2) #define LSM6DS3_GYRO_ODR_104HZ (0b0100 << 4) #define LSM6DS3_GYRO_ODR_208HZ (0b0101 << 4) #define LSM6DS3_GYRO_INT1_DRDY_G 0b10 #define LSM6DS3_GYRO_DRDY_GDA 0b10 #define LSM6DS3_GYRO_DRDY_PULSE_MODE (1 << 7) #define LSM6DS3_GYRO_MIN_ST_LIMIT_mdps 150000.0f #define LSM6DS3_GYRO_MAX_ST_LIMIT_mdps 700000.0f class LSM6DS3_Gyro : public I2CSensor { uint8_t get_device_address() {return LSM6DS3_GYRO_I2C_ADDR;} cereal::SensorEventData::SensorSource source = cereal::SensorEventData::SensorSource::LSM6DS3; // self test functions int self_test(int test_type); void wait_for_data_ready(); void read_and_avg_data(float* val_st_off); public: LSM6DS3_Gyro(I2CBus *bus, int gpio_nr = 0, bool shared_gpio = false); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown(); };
2301_81045437/openpilot
system/sensord/sensors/lsm6ds3_gyro.h
C++
mit
1,552
#include "system/sensord/sensors/lsm6ds3_temp.h" #include <cassert> #include "common/swaglog.h" #include "common/timing.h" LSM6DS3_Temp::LSM6DS3_Temp(I2CBus *bus) : I2CSensor(bus) {} int LSM6DS3_Temp::init() { int ret = verify_chip_id(LSM6DS3_TEMP_I2C_REG_ID, {LSM6DS3_TEMP_CHIP_ID, LSM6DS3TRC_TEMP_CHIP_ID}); if (ret == -1) return -1; if (ret == LSM6DS3TRC_TEMP_CHIP_ID) { source = cereal::SensorEventData::SensorSource::LSM6DS3TRC; } return 0; } bool LSM6DS3_Temp::get_event(MessageBuilder &msg, uint64_t ts) { uint64_t start_time = nanos_since_boot(); uint8_t buffer[2]; int len = read_register(LSM6DS3_TEMP_I2C_REG_OUT_TEMP_L, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); float scale = (source == cereal::SensorEventData::SensorSource::LSM6DS3TRC) ? 256.0f : 16.0f; float temp = 25.0f + read_16_bit(buffer[0], buffer[1]) / scale; auto event = msg.initEvent().initTemperatureSensor(); event.setSource(source); event.setVersion(1); event.setType(SENSOR_TYPE_AMBIENT_TEMPERATURE); event.setTimestamp(start_time); event.setTemperature(temp); return true; }
2301_81045437/openpilot
system/sensord/sensors/lsm6ds3_temp.cc
C++
mit
1,117
#pragma once #include "system/sensord/sensors/i2c_sensor.h" // Address of the chip on the bus #define LSM6DS3_TEMP_I2C_ADDR 0x6A // Registers of the chip #define LSM6DS3_TEMP_I2C_REG_ID 0x0F #define LSM6DS3_TEMP_I2C_REG_OUT_TEMP_L 0x20 // Constants #define LSM6DS3_TEMP_CHIP_ID 0x69 #define LSM6DS3TRC_TEMP_CHIP_ID 0x6A class LSM6DS3_Temp : public I2CSensor { uint8_t get_device_address() {return LSM6DS3_TEMP_I2C_ADDR;} cereal::SensorEventData::SensorSource source = cereal::SensorEventData::SensorSource::LSM6DS3; public: LSM6DS3_Temp(I2CBus *bus); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown() { return 0; } };
2301_81045437/openpilot
system/sensord/sensors/lsm6ds3_temp.h
C++
mit
697
#include "system/sensord/sensors/mmc5603nj_magn.h" #include <algorithm> #include <cassert> #include <vector> #include "common/swaglog.h" #include "common/timing.h" #include "common/util.h" MMC5603NJ_Magn::MMC5603NJ_Magn(I2CBus *bus) : I2CSensor(bus) {} int MMC5603NJ_Magn::init() { int ret = verify_chip_id(MMC5603NJ_I2C_REG_ID, {MMC5603NJ_CHIP_ID}); if (ret == -1) return -1; // Set ODR to 0 ret = set_register(MMC5603NJ_I2C_REG_ODR, 0); if (ret < 0) { goto fail; } // Set BW to 0b01 for 1-150 Hz operation ret = set_register(MMC5603NJ_I2C_REG_INTERNAL_1, 0b01); if (ret < 0) { goto fail; } fail: return ret; } int MMC5603NJ_Magn::shutdown() { int ret = 0; // disable auto reset of measurements uint8_t value = 0; ret = read_register(MMC5603NJ_I2C_REG_INTERNAL_0, &value, 1); if (ret < 0) { goto fail; } value &= ~(MMC5603NJ_CMM_FREQ_EN | MMC5603NJ_AUTO_SR_EN); ret = set_register(MMC5603NJ_I2C_REG_INTERNAL_0, value); if (ret < 0) { goto fail; } // set ODR to 0 to leave continuous mode ret = set_register(MMC5603NJ_I2C_REG_ODR, 0); if (ret < 0) { goto fail; } return ret; fail: LOGE("Could not disable mmc5603nj auto set reset"); return ret; } void MMC5603NJ_Magn::start_measurement() { set_register(MMC5603NJ_I2C_REG_INTERNAL_0, 0b01); util::sleep_for(5); } std::vector<float> MMC5603NJ_Magn::read_measurement() { int len; uint8_t buffer[9]; len = read_register(MMC5603NJ_I2C_REG_XOUT0, buffer, sizeof(buffer)); assert(len == sizeof(buffer)); float scale = 1.0 / 16384.0; float x = (read_20_bit(buffer[6], buffer[1], buffer[0]) * scale) - 32.0; float y = (read_20_bit(buffer[7], buffer[3], buffer[2]) * scale) - 32.0; float z = (read_20_bit(buffer[8], buffer[5], buffer[4]) * scale) - 32.0; std::vector<float> xyz = {x, y, z}; return xyz; } bool MMC5603NJ_Magn::get_event(MessageBuilder &msg, uint64_t ts) { uint64_t start_time = nanos_since_boot(); // SET - RESET cycle set_register(MMC5603NJ_I2C_REG_INTERNAL_0, MMC5603NJ_SET); util::sleep_for(5); MMC5603NJ_Magn::start_measurement(); std::vector<float> xyz = MMC5603NJ_Magn::read_measurement(); set_register(MMC5603NJ_I2C_REG_INTERNAL_0, MMC5603NJ_RESET); util::sleep_for(5); MMC5603NJ_Magn::start_measurement(); std::vector<float> reset_xyz = MMC5603NJ_Magn::read_measurement(); auto event = msg.initEvent().initMagnetometer(); event.setSource(cereal::SensorEventData::SensorSource::MMC5603NJ); event.setVersion(1); event.setSensor(SENSOR_MAGNETOMETER_UNCALIBRATED); event.setType(SENSOR_TYPE_MAGNETIC_FIELD_UNCALIBRATED); event.setTimestamp(start_time); float vals[] = {xyz[0], xyz[1], xyz[2], reset_xyz[0], reset_xyz[1], reset_xyz[2]}; bool valid = true; if (std::any_of(std::begin(vals), std::end(vals), [](float val) { return val == -32.0; })) { valid = false; } auto svec = event.initMagneticUncalibrated(); svec.setV(vals); svec.setStatus(valid); return true; }
2301_81045437/openpilot
system/sensord/sensors/mmc5603nj_magn.cc
C++
mit
2,996
#pragma once #include <vector> #include "system/sensord/sensors/i2c_sensor.h" // Address of the chip on the bus #define MMC5603NJ_I2C_ADDR 0x30 // Registers of the chip #define MMC5603NJ_I2C_REG_XOUT0 0x00 #define MMC5603NJ_I2C_REG_ODR 0x1A #define MMC5603NJ_I2C_REG_INTERNAL_0 0x1B #define MMC5603NJ_I2C_REG_INTERNAL_1 0x1C #define MMC5603NJ_I2C_REG_INTERNAL_2 0x1D #define MMC5603NJ_I2C_REG_ID 0x39 // Constants #define MMC5603NJ_CHIP_ID 0x10 #define MMC5603NJ_CMM_FREQ_EN (1 << 7) #define MMC5603NJ_AUTO_SR_EN (1 << 5) #define MMC5603NJ_CMM_EN (1 << 4) #define MMC5603NJ_EN_PRD_SET (1 << 3) #define MMC5603NJ_SET (1 << 3) #define MMC5603NJ_RESET (1 << 4) class MMC5603NJ_Magn : public I2CSensor { private: uint8_t get_device_address() {return MMC5603NJ_I2C_ADDR;} void start_measurement(); std::vector<float> read_measurement(); public: MMC5603NJ_Magn(I2CBus *bus); int init(); bool get_event(MessageBuilder &msg, uint64_t ts = 0); int shutdown(); };
2301_81045437/openpilot
system/sensord/sensors/mmc5603nj_magn.h
C++
mit
1,052
#pragma once #include "cereal/messaging/messaging.h" class Sensor { public: int gpio_fd = -1; uint64_t start_ts = 0; uint64_t init_delay = 500e6; // default dealy 500ms virtual ~Sensor() {} virtual int init() = 0; virtual bool get_event(MessageBuilder &msg, uint64_t ts = 0) = 0; virtual bool has_interrupt_enabled() = 0; virtual int shutdown() = 0; virtual bool is_data_valid(uint64_t current_ts) { if (start_ts == 0) { start_ts = current_ts; } return (current_ts - start_ts) > init_delay; } };
2301_81045437/openpilot
system/sensord/sensors/sensor.h
C++
mit
537
#include <sys/resource.h> #include <chrono> #include <thread> #include <vector> #include <map> #include <poll.h> #include <linux/gpio.h> #include "cereal/services.h" #include "cereal/messaging/messaging.h" #include "common/i2c.h" #include "common/ratekeeper.h" #include "common/swaglog.h" #include "common/timing.h" #include "common/util.h" #include "system/sensord/sensors/bmx055_accel.h" #include "system/sensord/sensors/bmx055_gyro.h" #include "system/sensord/sensors/bmx055_magn.h" #include "system/sensord/sensors/bmx055_temp.h" #include "system/sensord/sensors/constants.h" #include "system/sensord/sensors/lsm6ds3_accel.h" #include "system/sensord/sensors/lsm6ds3_gyro.h" #include "system/sensord/sensors/lsm6ds3_temp.h" #include "system/sensord/sensors/mmc5603nj_magn.h" #define I2C_BUS_IMU 1 ExitHandler do_exit; void interrupt_loop(std::vector<std::tuple<Sensor *, std::string>> sensors) { PubMaster pm({"gyroscope", "accelerometer"}); int fd = -1; for (auto &[sensor, msg_name] : sensors) { if (sensor->has_interrupt_enabled()) { fd = sensor->gpio_fd; break; } } struct pollfd fd_list[1] = {0}; fd_list[0].fd = fd; fd_list[0].events = POLLIN | POLLPRI; while (!do_exit) { int err = poll(fd_list, 1, 100); if (err == -1) { if (errno == EINTR) { continue; } return; } else if (err == 0) { LOGE("poll timed out"); continue; } if ((fd_list[0].revents & (POLLIN | POLLPRI)) == 0) { LOGE("no poll events set"); continue; } // Read all events struct gpioevent_data evdata[16]; err = read(fd, evdata, sizeof(evdata)); if (err < 0 || err % sizeof(*evdata) != 0) { LOGE("error reading event data %d", err); continue; } int num_events = err / sizeof(*evdata); uint64_t offset = nanos_since_epoch() - nanos_since_boot(); uint64_t ts = evdata[num_events - 1].timestamp - offset; for (auto &[sensor, msg_name] : sensors) { if (!sensor->has_interrupt_enabled()) { continue; } MessageBuilder msg; if (!sensor->get_event(msg, ts)) { continue; } if (!sensor->is_data_valid(ts)) { continue; } pm.send(msg_name.c_str(), msg); } } } void polling_loop(Sensor *sensor, std::string msg_name) { PubMaster pm({msg_name.c_str()}); RateKeeper rk(msg_name, services.at(msg_name).frequency); while (!do_exit) { MessageBuilder msg; if (sensor->get_event(msg) && sensor->is_data_valid(nanos_since_boot())) { pm.send(msg_name.c_str(), msg); } rk.keepTime(); } } int sensor_loop(I2CBus *i2c_bus_imu) { // Sensor init std::vector<std::tuple<Sensor *, std::string>> sensors_init = { {new BMX055_Accel(i2c_bus_imu), "accelerometer2"}, {new BMX055_Gyro(i2c_bus_imu), "gyroscope2"}, {new BMX055_Magn(i2c_bus_imu), "magnetometer"}, {new BMX055_Temp(i2c_bus_imu), "temperatureSensor2"}, {new LSM6DS3_Accel(i2c_bus_imu, GPIO_LSM_INT), "accelerometer"}, {new LSM6DS3_Gyro(i2c_bus_imu, GPIO_LSM_INT, true), "gyroscope"}, {new LSM6DS3_Temp(i2c_bus_imu), "temperatureSensor"}, {new MMC5603NJ_Magn(i2c_bus_imu), "magnetometer"}, }; // Initialize sensors std::vector<std::thread> threads; for (auto &[sensor, msg_name] : sensors_init) { int err = sensor->init(); if (err < 0) { continue; } if (!sensor->has_interrupt_enabled()) { threads.emplace_back(polling_loop, sensor, msg_name); } } // increase interrupt quality by pinning interrupt and process to core 1 setpriority(PRIO_PROCESS, 0, -18); util::set_core_affinity({1}); // TODO: get the IRQ number from gpiochip std::string irq_path = "/proc/irq/336/smp_affinity_list"; if (!util::file_exists(irq_path)) { irq_path = "/proc/irq/335/smp_affinity_list"; } std::system(util::string_format("sudo su -c 'echo 1 > %s'", irq_path.c_str()).c_str()); // thread for reading events via interrupts threads.emplace_back(&interrupt_loop, std::ref(sensors_init)); // wait for all threads to finish for (auto &t : threads) { t.join(); } for (auto &[sensor, msg_name] : sensors_init) { sensor->shutdown(); delete sensor; } return 0; } int main(int argc, char *argv[]) { try { auto i2c_bus_imu = std::make_unique<I2CBus>(I2C_BUS_IMU); return sensor_loop(i2c_bus_imu.get()); } catch (std::exception &e) { LOGE("I2CBus init failed"); return -1; } }
2301_81045437/openpilot
system/sensord/sensors_qcom2.cc
C++
mit
4,489
#!/usr/bin/env python3 import time import atexit from cereal import messaging from openpilot.system.manager.process_config import managed_processes TIMEOUT = 10*60 def kill(): for proc in ['ubloxd', 'pigeond']: managed_processes[proc].stop(retry=True, block=True) if __name__ == "__main__": # start ubloxd managed_processes['ubloxd'].start() atexit.register(kill) sm = messaging.SubMaster(['ubloxGnss']) times = [] for i in range(20): # start pigeond st = time.monotonic() managed_processes['pigeond'].start() # wait for a >4 satellite fix while True: sm.update(0) msg = sm['ubloxGnss'] if msg.which() == 'measurementReport' and sm.updated["ubloxGnss"]: report = msg.measurementReport if report.numMeas > 4: times.append(time.monotonic() - st) print(f"\033[94m{i}: Got a fix in {round(times[-1], 2)} seconds\033[0m") break if time.monotonic() - st > TIMEOUT: raise TimeoutError("\033[91mFailed to get a fix in {TIMEOUT} seconds!\033[0m") time.sleep(0.1) # stop pigeond managed_processes['pigeond'].stop(retry=True, block=True) time.sleep(20) print(f"\033[92mAverage TTFF: {round(sum(times) / len(times), 2)}s\033[0m")
2301_81045437/openpilot
system/sensord/tests/ttff_test.py
Python
mit
1,266
"""Install exception handler for process crash.""" import sentry_sdk from enum import Enum from sentry_sdk.integrations.threading import ThreadingIntegration from openpilot.common.params import Params from openpilot.system.athena.registration import is_registered_device from openpilot.system.hardware import HARDWARE, PC from openpilot.common.swaglog import cloudlog from openpilot.system.version import get_build_metadata, get_version class SentryProject(Enum): # python project SELFDRIVE = "https://6f3c7076c1e14b2aa10f5dde6dda0cc4@o33823.ingest.sentry.io/77924" # native project SELFDRIVE_NATIVE = "https://3e4b586ed21a4479ad5d85083b639bc6@o33823.ingest.sentry.io/157615" def report_tombstone(fn: str, message: str, contents: str) -> None: cloudlog.error({'tombstone': message}) with sentry_sdk.configure_scope() as scope: scope.set_extra("tombstone_fn", fn) scope.set_extra("tombstone", contents) sentry_sdk.capture_message(message=message) sentry_sdk.flush() def capture_exception(*args, **kwargs) -> None: cloudlog.error("crash", exc_info=kwargs.get('exc_info', 1)) try: sentry_sdk.capture_exception(*args, **kwargs) sentry_sdk.flush() # https://github.com/getsentry/sentry-python/issues/291 except Exception: cloudlog.exception("sentry exception") def set_tag(key: str, value: str) -> None: sentry_sdk.set_tag(key, value) def init(project: SentryProject) -> bool: build_metadata = get_build_metadata() # forks like to mess with this, so double check comma_remote = build_metadata.openpilot.comma_remote and "commaai" in build_metadata.openpilot.git_origin if not comma_remote or not is_registered_device() or PC: return False env = "release" if build_metadata.tested_channel else "master" dongle_id = Params().get("DongleId", encoding='utf-8') integrations = [] if project == SentryProject.SELFDRIVE: integrations.append(ThreadingIntegration(propagate_hub=True)) sentry_sdk.init(project.value, default_integrations=False, release=get_version(), integrations=integrations, traces_sample_rate=1.0, max_value_length=8192, environment=env) build_metadata = get_build_metadata() sentry_sdk.set_user({"id": dongle_id}) sentry_sdk.set_tag("dirty", build_metadata.openpilot.is_dirty) sentry_sdk.set_tag("origin", build_metadata.openpilot.git_origin) sentry_sdk.set_tag("branch", build_metadata.channel) sentry_sdk.set_tag("commit", build_metadata.openpilot.git_commit) sentry_sdk.set_tag("device", HARDWARE.get_device_type()) if project == SentryProject.SELFDRIVE: sentry_sdk.Hub.current.start_session() return True
2301_81045437/openpilot
system/sentry.py
Python
mit
2,741
#!/usr/bin/env python3 import os import zmq import time from pathlib import Path from collections import defaultdict from datetime import datetime, UTC from typing import NoReturn from openpilot.common.params import Params from cereal.messaging import SubMaster from openpilot.system.hardware.hw import Paths from openpilot.common.swaglog import cloudlog from openpilot.system.hardware import HARDWARE from openpilot.common.file_helpers import atomic_write_in_dir from openpilot.system.version import get_build_metadata from openpilot.system.loggerd.config import STATS_DIR_FILE_LIMIT, STATS_SOCKET, STATS_FLUSH_TIME_S class METRIC_TYPE: GAUGE = 'g' SAMPLE = 'sa' class StatLog: def __init__(self): self.pid = None self.zctx = None self.sock = None def connect(self) -> None: self.zctx = zmq.Context() self.sock = self.zctx.socket(zmq.PUSH) self.sock.setsockopt(zmq.LINGER, 10) self.sock.connect(STATS_SOCKET) self.pid = os.getpid() def __del__(self): if self.sock is not None: self.sock.close() if self.zctx is not None: self.zctx.term() def _send(self, metric: str) -> None: if os.getpid() != self.pid: self.connect() try: self.sock.send_string(metric, zmq.NOBLOCK) except zmq.error.Again: # drop :/ pass def gauge(self, name: str, value: float) -> None: self._send(f"{name}:{value}|{METRIC_TYPE.GAUGE}") # Samples will be recorded in a buffer and at aggregation time, # statistical properties will be logged (mean, count, percentiles, ...) def sample(self, name: str, value: float): self._send(f"{name}:{value}|{METRIC_TYPE.SAMPLE}") def main() -> NoReturn: dongle_id = Params().get("DongleId", encoding='utf-8') def get_influxdb_line(measurement: str, value: float | dict[str, float], timestamp: datetime, tags: dict) -> str: res = f"{measurement}" for k, v in tags.items(): res += f",{k}={str(v)}" res += " " if isinstance(value, float): value = {'value': value} for k, v in value.items(): res += f"{k}={v}," res += f"dongle_id=\"{dongle_id}\" {int(timestamp.timestamp() * 1e9)}\n" return res # open statistics socket ctx = zmq.Context.instance() sock = ctx.socket(zmq.PULL) sock.bind(STATS_SOCKET) STATS_DIR = Paths.stats_root() # initialize stats directory Path(STATS_DIR).mkdir(parents=True, exist_ok=True) build_metadata = get_build_metadata() # initialize tags tags = { 'started': False, 'version': build_metadata.openpilot.version, 'branch': build_metadata.channel, 'dirty': build_metadata.openpilot.is_dirty, 'origin': build_metadata.openpilot.git_normalized_origin, 'deviceType': HARDWARE.get_device_type(), } # subscribe to deviceState for started state sm = SubMaster(['deviceState']) idx = 0 last_flush_time = time.monotonic() gauges = {} samples: dict[str, list[float]] = defaultdict(list) try: while True: started_prev = sm['deviceState'].started sm.update() # Update metrics while True: try: metric = sock.recv_string(zmq.NOBLOCK) try: metric_type = metric.split('|')[1] metric_name = metric.split(':')[0] metric_value = float(metric.split('|')[0].split(':')[1]) if metric_type == METRIC_TYPE.GAUGE: gauges[metric_name] = metric_value elif metric_type == METRIC_TYPE.SAMPLE: samples[metric_name].append(metric_value) else: cloudlog.event("unknown metric type", metric_type=metric_type) except Exception: cloudlog.event("malformed metric", metric=metric) except zmq.error.Again: break # flush when started state changes or after FLUSH_TIME_S if (time.monotonic() > last_flush_time + STATS_FLUSH_TIME_S) or (sm['deviceState'].started != started_prev): result = "" current_time = datetime.utcnow().replace(tzinfo=UTC) tags['started'] = sm['deviceState'].started for key, value in gauges.items(): result += get_influxdb_line(f"gauge.{key}", value, current_time, tags) for key, values in samples.items(): values.sort() sample_count = len(values) sample_sum = sum(values) stats = { 'count': sample_count, 'min': values[0], 'max': values[-1], 'mean': sample_sum / sample_count, } for percentile in [0.05, 0.5, 0.95]: value = values[int(round(percentile * (sample_count - 1)))] stats[f"p{int(percentile * 100)}"] = value result += get_influxdb_line(f"sample.{key}", stats, current_time, tags) # clear intermediate data gauges.clear() samples.clear() last_flush_time = time.monotonic() # check that we aren't filling up the drive if len(os.listdir(STATS_DIR)) < STATS_DIR_FILE_LIMIT: if len(result) > 0: stats_path = os.path.join(STATS_DIR, f"{current_time.timestamp():.0f}_{idx}") with atomic_write_in_dir(stats_path) as f: f.write(result) idx += 1 else: cloudlog.error("stats dir full") finally: sock.close() ctx.term() if __name__ == "__main__": main() else: statlog = StatLog()
2301_81045437/openpilot
system/statsd.py
Python
mit
5,406
#!/usr/bin/env python3 from abc import ABC, abstractmethod from openpilot.common.realtime import DT_TRML from openpilot.common.numpy_fast import interp from openpilot.common.swaglog import cloudlog from openpilot.selfdrive.controls.lib.pid import PIDController class BaseFanController(ABC): @abstractmethod def update(self, cur_temp: float, ignition: bool) -> int: pass class TiciFanController(BaseFanController): def __init__(self) -> None: super().__init__() cloudlog.info("Setting up TICI fan handler") self.last_ignition = False self.controller = PIDController(k_p=0, k_i=4e-3, k_f=1, rate=(1 / DT_TRML)) def update(self, cur_temp: float, ignition: bool) -> int: self.controller.neg_limit = -(100 if ignition else 30) self.controller.pos_limit = -(30 if ignition else 0) if ignition != self.last_ignition: self.controller.reset() error = 70 - cur_temp fan_pwr_out = -int(self.controller.update( error=error, feedforward=interp(cur_temp, [60.0, 100.0], [0, -100]) )) self.last_ignition = ignition return fan_pwr_out
2301_81045437/openpilot
system/thermald/fan_controller.py
Python
mit
1,155
import time import threading from openpilot.common.params import Params from openpilot.system.hardware import HARDWARE from openpilot.common.swaglog import cloudlog from openpilot.system.statsd import statlog CAR_VOLTAGE_LOW_PASS_K = 0.011 # LPF gain for 45s tau (dt/tau / (dt/tau + 1)) # While driving, a battery charges completely in about 30-60 minutes CAR_BATTERY_CAPACITY_uWh = 30e6 CAR_CHARGING_RATE_W = 45 VBATT_PAUSE_CHARGING = 11.8 # Lower limit on the LPF car battery voltage MAX_TIME_OFFROAD_S = 30*3600 MIN_ON_TIME_S = 3600 DELAY_SHUTDOWN_TIME_S = 300 # Wait at least DELAY_SHUTDOWN_TIME_S seconds after offroad_time to shutdown. VOLTAGE_SHUTDOWN_MIN_OFFROAD_TIME_S = 60 class PowerMonitoring: def __init__(self): self.params = Params() self.last_measurement_time = None # Used for integration delta self.last_save_time = 0 # Used for saving current value in a param self.power_used_uWh = 0 # Integrated power usage in uWh since going into offroad self.next_pulsed_measurement_time = None self.car_voltage_mV = 12e3 # Low-passed version of peripheralState voltage self.car_voltage_instant_mV = 12e3 # Last value of peripheralState voltage self.integration_lock = threading.Lock() car_battery_capacity_uWh = self.params.get("CarBatteryCapacity") if car_battery_capacity_uWh is None: car_battery_capacity_uWh = 0 # Reset capacity if it's low self.car_battery_capacity_uWh = max((CAR_BATTERY_CAPACITY_uWh / 10), int(car_battery_capacity_uWh)) # Calculation tick def calculate(self, voltage: int | None, ignition: bool): try: now = time.monotonic() # If peripheralState is None, we're probably not in a car, so we don't care if voltage is None: with self.integration_lock: self.last_measurement_time = None self.next_pulsed_measurement_time = None self.power_used_uWh = 0 return # Low-pass battery voltage self.car_voltage_instant_mV = voltage self.car_voltage_mV = ((voltage * CAR_VOLTAGE_LOW_PASS_K) + (self.car_voltage_mV * (1 - CAR_VOLTAGE_LOW_PASS_K))) statlog.gauge("car_voltage", self.car_voltage_mV / 1e3) # Cap the car battery power and save it in a param every 10-ish seconds self.car_battery_capacity_uWh = max(self.car_battery_capacity_uWh, 0) self.car_battery_capacity_uWh = min(self.car_battery_capacity_uWh, CAR_BATTERY_CAPACITY_uWh) if now - self.last_save_time >= 10: self.params.put_nonblocking("CarBatteryCapacity", str(int(self.car_battery_capacity_uWh))) self.last_save_time = now # First measurement, set integration time with self.integration_lock: if self.last_measurement_time is None: self.last_measurement_time = now return if ignition: # If there is ignition, we integrate the charging rate of the car with self.integration_lock: self.power_used_uWh = 0 integration_time_h = (now - self.last_measurement_time) / 3600 if integration_time_h < 0: raise ValueError(f"Negative integration time: {integration_time_h}h") self.car_battery_capacity_uWh += (CAR_CHARGING_RATE_W * 1e6 * integration_time_h) self.last_measurement_time = now else: # Get current power draw somehow current_power = HARDWARE.get_current_power_draw() # Do the integration self._perform_integration(now, current_power) except Exception: cloudlog.exception("Power monitoring calculation failed") def _perform_integration(self, t: float, current_power: float) -> None: with self.integration_lock: try: if self.last_measurement_time: integration_time_h = (t - self.last_measurement_time) / 3600 power_used = (current_power * 1000000) * integration_time_h if power_used < 0: raise ValueError(f"Negative power used! Integration time: {integration_time_h} h Current Power: {power_used} uWh") self.power_used_uWh += power_used self.car_battery_capacity_uWh -= power_used self.last_measurement_time = t except Exception: cloudlog.exception("Integration failed") # Get the power usage def get_power_used(self) -> int: return int(self.power_used_uWh) def get_car_battery_capacity(self) -> int: return int(self.car_battery_capacity_uWh) # See if we need to shutdown def should_shutdown(self, ignition: bool, in_car: bool, offroad_timestamp: float | None, started_seen: bool): if offroad_timestamp is None: return False now = time.monotonic() should_shutdown = False offroad_time = (now - offroad_timestamp) low_voltage_shutdown = (self.car_voltage_mV < (VBATT_PAUSE_CHARGING * 1e3) and offroad_time > VOLTAGE_SHUTDOWN_MIN_OFFROAD_TIME_S) should_shutdown |= offroad_time > MAX_TIME_OFFROAD_S should_shutdown |= low_voltage_shutdown should_shutdown |= (self.car_battery_capacity_uWh <= 0) should_shutdown &= not ignition should_shutdown &= (not self.params.get_bool("DisablePowerDown")) should_shutdown &= in_car should_shutdown &= offroad_time > DELAY_SHUTDOWN_TIME_S should_shutdown |= self.params.get_bool("ForcePowerDown") should_shutdown &= started_seen or (now > MIN_ON_TIME_S) return should_shutdown
2301_81045437/openpilot
system/thermald/power_monitoring.py
Python
mit
5,483
#!/usr/bin/env python3 import os import json import queue import threading import time from collections import OrderedDict, namedtuple from pathlib import Path import psutil import cereal.messaging as messaging from cereal import log from cereal.services import SERVICE_LIST from openpilot.common.dict_helpers import strip_deprecated_keys from openpilot.common.filter_simple import FirstOrderFilter from openpilot.common.params import Params from openpilot.common.realtime import DT_TRML from openpilot.selfdrive.controls.lib.alertmanager import set_offroad_alert from openpilot.system.hardware import HARDWARE, TICI, AGNOS from openpilot.system.loggerd.config import get_available_percent from openpilot.system.statsd import statlog from openpilot.common.swaglog import cloudlog from openpilot.system.thermald.power_monitoring import PowerMonitoring from openpilot.system.thermald.fan_controller import TiciFanController from openpilot.system.version import terms_version, training_version ThermalStatus = log.DeviceState.ThermalStatus NetworkType = log.DeviceState.NetworkType NetworkStrength = log.DeviceState.NetworkStrength CURRENT_TAU = 15. # 15s time constant TEMP_TAU = 5. # 5s time constant DISCONNECT_TIMEOUT = 5. # wait 5 seconds before going offroad after disconnect so you get an alert PANDA_STATES_TIMEOUT = round(1000 / SERVICE_LIST['pandaStates'].frequency * 1.5) # 1.5x the expected pandaState frequency ThermalBand = namedtuple("ThermalBand", ['min_temp', 'max_temp']) HardwareState = namedtuple("HardwareState", ['network_type', 'network_info', 'network_strength', 'network_stats', 'network_metered', 'nvme_temps', 'modem_temps']) # List of thermal bands. We will stay within this region as long as we are within the bounds. # When exiting the bounds, we'll jump to the lower or higher band. Bands are ordered in the dict. THERMAL_BANDS = OrderedDict({ ThermalStatus.green: ThermalBand(None, 80.0), ThermalStatus.yellow: ThermalBand(75.0, 96.0), ThermalStatus.red: ThermalBand(88.0, 107.), ThermalStatus.danger: ThermalBand(94.0, None), }) # Override to highest thermal band when offroad and above this temp OFFROAD_DANGER_TEMP = 75 prev_offroad_states: dict[str, tuple[bool, str | None]] = {} tz_by_type: dict[str, int] | None = None def populate_tz_by_type(): global tz_by_type tz_by_type = {} for n in os.listdir("/sys/devices/virtual/thermal"): if not n.startswith("thermal_zone"): continue with open(os.path.join("/sys/devices/virtual/thermal", n, "type")) as f: tz_by_type[f.read().strip()] = int(n.removeprefix("thermal_zone")) def read_tz(x): if x is None: return 0 if isinstance(x, str): if tz_by_type is None: populate_tz_by_type() x = tz_by_type[x] try: with open(f"/sys/devices/virtual/thermal/thermal_zone{x}/temp") as f: return int(f.read()) except FileNotFoundError: return 0 def read_thermal(thermal_config): dat = messaging.new_message('deviceState', valid=True) dat.deviceState.cpuTempC = [read_tz(z) / thermal_config.cpu[1] for z in thermal_config.cpu[0]] dat.deviceState.gpuTempC = [read_tz(z) / thermal_config.gpu[1] for z in thermal_config.gpu[0]] dat.deviceState.memoryTempC = read_tz(thermal_config.mem[0]) / thermal_config.mem[1] dat.deviceState.pmicTempC = [read_tz(z) / thermal_config.pmic[1] for z in thermal_config.pmic[0]] return dat def set_offroad_alert_if_changed(offroad_alert: str, show_alert: bool, extra_text: str | None=None): if prev_offroad_states.get(offroad_alert, None) == (show_alert, extra_text): return prev_offroad_states[offroad_alert] = (show_alert, extra_text) set_offroad_alert(offroad_alert, show_alert, extra_text) def hw_state_thread(end_event, hw_queue): """Handles non critical hardware state, and sends over queue""" count = 0 prev_hw_state = None modem_version = None modem_nv = None modem_configured = False modem_restarted = False modem_missing_count = 0 while not end_event.is_set(): # these are expensive calls. update every 10s if (count % int(10. / DT_TRML)) == 0: try: network_type = HARDWARE.get_network_type() modem_temps = HARDWARE.get_modem_temperatures() if len(modem_temps) == 0 and prev_hw_state is not None: modem_temps = prev_hw_state.modem_temps # Log modem version once if AGNOS and ((modem_version is None) or (modem_nv is None)): modem_version = HARDWARE.get_modem_version() modem_nv = HARDWARE.get_modem_nv() if (modem_version is not None) and (modem_nv is not None): cloudlog.event("modem version", version=modem_version, nv=modem_nv) else: if not modem_restarted: # TODO: we may be able to remove this with a MM update # ModemManager's probing on startup can fail # rarely, restart the service to probe again. modem_missing_count += 1 if modem_missing_count > 3: modem_restarted = True cloudlog.event("restarting ModemManager") os.system("sudo systemctl restart --no-block ModemManager") tx, rx = HARDWARE.get_modem_data_usage() hw_state = HardwareState( network_type=network_type, network_info=HARDWARE.get_network_info(), network_strength=HARDWARE.get_network_strength(network_type), network_stats={'wwanTx': tx, 'wwanRx': rx}, network_metered=HARDWARE.get_network_metered(network_type), nvme_temps=HARDWARE.get_nvme_temperatures(), modem_temps=modem_temps, ) try: hw_queue.put_nowait(hw_state) except queue.Full: pass # TODO: remove this once the config is in AGNOS if not modem_configured and len(HARDWARE.get_sim_info().get('sim_id', '')) > 0: cloudlog.warning("configuring modem") HARDWARE.configure_modem() modem_configured = True prev_hw_state = hw_state except Exception: cloudlog.exception("Error getting hardware state") count += 1 time.sleep(DT_TRML) def thermald_thread(end_event, hw_queue) -> None: pm = messaging.PubMaster(['deviceState']) sm = messaging.SubMaster(["peripheralState", "gpsLocationExternal", "controlsState", "pandaStates"], poll="pandaStates") count = 0 onroad_conditions: dict[str, bool] = { "ignition": False, } startup_conditions: dict[str, bool] = {} startup_conditions_prev: dict[str, bool] = {} off_ts: float | None = None started_ts: float | None = None started_seen = False startup_blocked_ts: float | None = None thermal_status = ThermalStatus.yellow last_hw_state = HardwareState( network_type=NetworkType.none, network_info=None, network_metered=False, network_strength=NetworkStrength.unknown, network_stats={'wwanTx': -1, 'wwanRx': -1}, nvme_temps=[], modem_temps=[], ) all_temp_filter = FirstOrderFilter(0., TEMP_TAU, DT_TRML, initialized=False) offroad_temp_filter = FirstOrderFilter(0., TEMP_TAU, DT_TRML, initialized=False) should_start_prev = False in_car = False engaged_prev = False params = Params() power_monitor = PowerMonitoring() HARDWARE.initialize_hardware() thermal_config = HARDWARE.get_thermal_config() fan_controller = None while not end_event.is_set(): sm.update(PANDA_STATES_TIMEOUT) pandaStates = sm['pandaStates'] peripheralState = sm['peripheralState'] peripheral_panda_present = peripheralState.pandaType != log.PandaState.PandaType.unknown if sm.updated['pandaStates'] and len(pandaStates) > 0: # Set ignition based on any panda connected onroad_conditions["ignition"] = any(ps.ignitionLine or ps.ignitionCan for ps in pandaStates if ps.pandaType != log.PandaState.PandaType.unknown) pandaState = pandaStates[0] in_car = pandaState.harnessStatus != log.PandaState.HarnessStatus.notConnected # Setup fan handler on first connect to panda if fan_controller is None and peripheral_panda_present: if TICI: fan_controller = TiciFanController() elif (time.monotonic() - sm.recv_time['pandaStates']) > DISCONNECT_TIMEOUT: if onroad_conditions["ignition"]: onroad_conditions["ignition"] = False cloudlog.error("panda timed out onroad") # Run at 2Hz, plus rising edge of ignition ign_edge = started_ts is None and onroad_conditions["ignition"] if (sm.frame % round(SERVICE_LIST['pandaStates'].frequency * DT_TRML) != 0) and not ign_edge: continue msg = read_thermal(thermal_config) msg.deviceState.deviceType = HARDWARE.get_device_type() try: last_hw_state = hw_queue.get_nowait() except queue.Empty: pass msg.deviceState.freeSpacePercent = get_available_percent(default=100.0) msg.deviceState.memoryUsagePercent = int(round(psutil.virtual_memory().percent)) msg.deviceState.gpuUsagePercent = int(round(HARDWARE.get_gpu_usage_percent())) online_cpu_usage = [int(round(n)) for n in psutil.cpu_percent(percpu=True)] offline_cpu_usage = [0., ] * (len(msg.deviceState.cpuTempC) - len(online_cpu_usage)) msg.deviceState.cpuUsagePercent = online_cpu_usage + offline_cpu_usage msg.deviceState.networkType = last_hw_state.network_type msg.deviceState.networkMetered = last_hw_state.network_metered msg.deviceState.networkStrength = last_hw_state.network_strength msg.deviceState.networkStats = last_hw_state.network_stats if last_hw_state.network_info is not None: msg.deviceState.networkInfo = last_hw_state.network_info msg.deviceState.nvmeTempC = last_hw_state.nvme_temps msg.deviceState.modemTempC = last_hw_state.modem_temps msg.deviceState.screenBrightnessPercent = HARDWARE.get_screen_brightness() # this subset is only used for offroad temp_sources = [ msg.deviceState.memoryTempC, max(msg.deviceState.cpuTempC), max(msg.deviceState.gpuTempC), ] offroad_comp_temp = offroad_temp_filter.update(max(temp_sources)) # this drives the thermal status while onroad temp_sources.append(max(msg.deviceState.pmicTempC)) all_comp_temp = all_temp_filter.update(max(temp_sources)) msg.deviceState.maxTempC = all_comp_temp if fan_controller is not None: msg.deviceState.fanSpeedPercentDesired = fan_controller.update(all_comp_temp, onroad_conditions["ignition"]) is_offroad_for_5_min = (started_ts is None) and ((not started_seen) or (off_ts is None) or (time.monotonic() - off_ts > 60 * 5)) if is_offroad_for_5_min and offroad_comp_temp > OFFROAD_DANGER_TEMP: # if device is offroad and already hot without the extra onroad load, # we want to cool down first before increasing load thermal_status = ThermalStatus.danger else: current_band = THERMAL_BANDS[thermal_status] band_idx = list(THERMAL_BANDS.keys()).index(thermal_status) if current_band.min_temp is not None and all_comp_temp < current_band.min_temp: thermal_status = list(THERMAL_BANDS.keys())[band_idx - 1] elif current_band.max_temp is not None and all_comp_temp > current_band.max_temp: thermal_status = list(THERMAL_BANDS.keys())[band_idx + 1] # **** starting logic **** startup_conditions["up_to_date"] = params.get("Offroad_ConnectivityNeeded") is None or params.get_bool("DisableUpdates") or params.get_bool("SnoozeUpdate") startup_conditions["not_uninstalling"] = not params.get_bool("DoUninstall") startup_conditions["accepted_terms"] = params.get("HasAcceptedTerms") == terms_version # with 2% left, we killall, otherwise the phone will take a long time to boot startup_conditions["free_space"] = msg.deviceState.freeSpacePercent > 2 startup_conditions["completed_training"] = params.get("CompletedTrainingVersion") == training_version startup_conditions["not_driver_view"] = not params.get_bool("IsDriverViewEnabled") startup_conditions["not_taking_snapshot"] = not params.get_bool("IsTakingSnapshot") # must be at an engageable thermal band to go onroad startup_conditions["device_temp_engageable"] = thermal_status < ThermalStatus.red # ensure device is fully booted startup_conditions["device_booted"] = startup_conditions.get("device_booted", False) or HARDWARE.booted() # if the temperature enters the danger zone, go offroad to cool down onroad_conditions["device_temp_good"] = thermal_status < ThermalStatus.danger extra_text = f"{offroad_comp_temp:.1f}C" show_alert = (not onroad_conditions["device_temp_good"] or not startup_conditions["device_temp_engageable"]) and onroad_conditions["ignition"] set_offroad_alert_if_changed("Offroad_TemperatureTooHigh", show_alert, extra_text=extra_text) # TODO: this should move to TICI.initialize_hardware, but we currently can't import params there if TICI: if not os.path.isfile("/persist/comma/living-in-the-moment"): if not Path("/data/media").is_mount(): set_offroad_alert_if_changed("Offroad_StorageMissing", True) else: # check for bad NVMe try: with open("/sys/block/nvme0n1/device/model") as f: model = f.read().strip() if not model.startswith("Samsung SSD 980") and params.get("Offroad_BadNvme") is None: set_offroad_alert_if_changed("Offroad_BadNvme", True) cloudlog.event("Unsupported NVMe", model=model, error=True) except Exception: pass # Handle offroad/onroad transition should_start = all(onroad_conditions.values()) if started_ts is None: should_start = should_start and all(startup_conditions.values()) if should_start != should_start_prev or (count == 0): params.put_bool("IsEngaged", False) engaged_prev = False HARDWARE.set_power_save(not should_start) if sm.updated['controlsState']: engaged = sm['controlsState'].enabled if engaged != engaged_prev: params.put_bool("IsEngaged", engaged) engaged_prev = engaged try: with open('/dev/kmsg', 'w') as kmsg: kmsg.write(f"<3>[thermald] engaged: {engaged}\n") except Exception: pass if should_start: off_ts = None if started_ts is None: started_ts = time.monotonic() started_seen = True if startup_blocked_ts is not None: cloudlog.event("Startup after block", block_duration=(time.monotonic() - startup_blocked_ts), startup_conditions=startup_conditions, onroad_conditions=onroad_conditions, startup_conditions_prev=startup_conditions_prev, error=True) startup_blocked_ts = None else: if onroad_conditions["ignition"] and (startup_conditions != startup_conditions_prev): cloudlog.event("Startup blocked", startup_conditions=startup_conditions, onroad_conditions=onroad_conditions, error=True) startup_conditions_prev = startup_conditions.copy() startup_blocked_ts = time.monotonic() started_ts = None if off_ts is None: off_ts = time.monotonic() # Offroad power monitoring voltage = None if peripheralState.pandaType == log.PandaState.PandaType.unknown else peripheralState.voltage power_monitor.calculate(voltage, onroad_conditions["ignition"]) msg.deviceState.offroadPowerUsageUwh = power_monitor.get_power_used() msg.deviceState.carBatteryCapacityUwh = max(0, power_monitor.get_car_battery_capacity()) current_power_draw = HARDWARE.get_current_power_draw() statlog.sample("power_draw", current_power_draw) msg.deviceState.powerDrawW = current_power_draw som_power_draw = HARDWARE.get_som_power_draw() statlog.sample("som_power_draw", som_power_draw) msg.deviceState.somPowerDrawW = som_power_draw # Check if we need to shut down if power_monitor.should_shutdown(onroad_conditions["ignition"], in_car, off_ts, started_seen): cloudlog.warning(f"shutting device down, offroad since {off_ts}") params.put_bool("DoShutdown", True) msg.deviceState.started = started_ts is not None msg.deviceState.startedMonoTime = int(1e9*(started_ts or 0)) last_ping = params.get("LastAthenaPingTime") if last_ping is not None: msg.deviceState.lastAthenaPingTime = int(last_ping) msg.deviceState.thermalStatus = thermal_status pm.send("deviceState", msg) # Log to statsd statlog.gauge("free_space_percent", msg.deviceState.freeSpacePercent) statlog.gauge("gpu_usage_percent", msg.deviceState.gpuUsagePercent) statlog.gauge("memory_usage_percent", msg.deviceState.memoryUsagePercent) for i, usage in enumerate(msg.deviceState.cpuUsagePercent): statlog.gauge(f"cpu{i}_usage_percent", usage) for i, temp in enumerate(msg.deviceState.cpuTempC): statlog.gauge(f"cpu{i}_temperature", temp) for i, temp in enumerate(msg.deviceState.gpuTempC): statlog.gauge(f"gpu{i}_temperature", temp) statlog.gauge("memory_temperature", msg.deviceState.memoryTempC) for i, temp in enumerate(msg.deviceState.pmicTempC): statlog.gauge(f"pmic{i}_temperature", temp) for i, temp in enumerate(last_hw_state.nvme_temps): statlog.gauge(f"nvme_temperature{i}", temp) for i, temp in enumerate(last_hw_state.modem_temps): statlog.gauge(f"modem_temperature{i}", temp) statlog.gauge("fan_speed_percent_desired", msg.deviceState.fanSpeedPercentDesired) statlog.gauge("screen_brightness_percent", msg.deviceState.screenBrightnessPercent) # report to server once every 10 minutes rising_edge_started = should_start and not should_start_prev if rising_edge_started or (count % int(600. / DT_TRML)) == 0: dat = { 'count': count, 'pandaStates': [strip_deprecated_keys(p.to_dict()) for p in pandaStates], 'peripheralState': strip_deprecated_keys(peripheralState.to_dict()), 'location': (strip_deprecated_keys(sm["gpsLocationExternal"].to_dict()) if sm.alive["gpsLocationExternal"] else None), 'deviceState': strip_deprecated_keys(msg.to_dict()) } cloudlog.event("STATUS_PACKET", **dat) # save last one before going onroad if rising_edge_started: try: params.put("LastOffroadStatusPacket", json.dumps(dat)) except Exception: cloudlog.exception("failed to save offroad status") params.put_bool_nonblocking("NetworkMetered", msg.deviceState.networkMetered) count += 1 should_start_prev = should_start def main(): hw_queue = queue.Queue(maxsize=1) end_event = threading.Event() threads = [ threading.Thread(target=hw_state_thread, args=(end_event, hw_queue)), threading.Thread(target=thermald_thread, args=(end_event, hw_queue)), ] for t in threads: t.start() try: while True: time.sleep(1) if not all(t.is_alive() for t in threads): break finally: end_event.set() for t in threads: t.join() if __name__ == "__main__": main()
2301_81045437/openpilot
system/thermald/thermald.py
Python
mit
19,185
#!/usr/bin/env python3 import datetime import os import subprocess import time from typing import NoReturn from timezonefinder import TimezoneFinder import cereal.messaging as messaging from openpilot.common.time import system_time_valid from openpilot.common.params import Params from openpilot.common.swaglog import cloudlog from openpilot.system.hardware import AGNOS def set_timezone(timezone): valid_timezones = subprocess.check_output('timedatectl list-timezones', shell=True, encoding='utf8').strip().split('\n') if timezone not in valid_timezones: cloudlog.error(f"Timezone not supported {timezone}") return cloudlog.debug(f"Setting timezone to {timezone}") try: if AGNOS: tzpath = os.path.join("/usr/share/zoneinfo/", timezone) subprocess.check_call(f'sudo su -c "ln -snf {tzpath} /data/etc/tmptime && \ mv /data/etc/tmptime /data/etc/localtime"', shell=True) subprocess.check_call(f'sudo su -c "echo \"{timezone}\" > /data/etc/timezone"', shell=True) else: subprocess.check_call(f'sudo timedatectl set-timezone {timezone}', shell=True) except subprocess.CalledProcessError: cloudlog.exception(f"Error setting timezone to {timezone}") def set_time(new_time): diff = datetime.datetime.now() - new_time if diff < datetime.timedelta(seconds=10): cloudlog.debug(f"Time diff too small: {diff}") return cloudlog.debug(f"Setting time to {new_time}") try: subprocess.run(f"TZ=UTC date -s '{new_time}'", shell=True, check=True) except subprocess.CalledProcessError: cloudlog.exception("timed.failed_setting_time") def main() -> NoReturn: """ timed has two responsibilities: - getting the current time - getting the current timezone GPS directly gives time, and timezone is looked up from GPS position. AGNOS will also use NTP to update the time. """ params = Params() # Restore timezone from param tz = params.get("Timezone", encoding='utf8') tf = TimezoneFinder() if tz is not None: cloudlog.debug("Restoring timezone from param") set_timezone(tz) pm = messaging.PubMaster(['clocks']) sm = messaging.SubMaster(['liveLocationKalman']) while True: sm.update(1000) msg = messaging.new_message('clocks') msg.valid = system_time_valid() msg.clocks.wallTimeNanos = time.time_ns() pm.send('clocks', msg) llk = sm['liveLocationKalman'] if not llk.gpsOK or (time.monotonic() - sm.logMonoTime['liveLocationKalman']/1e9) > 0.2: continue # set time # TODO: account for unixTimesatmpMillis being a (usually short) time in the past gps_time = datetime.datetime.fromtimestamp(llk.unixTimestampMillis / 1000.) set_time(gps_time) # set timezone pos = llk.positionGeodetic.value if len(pos) == 3: gps_timezone = tf.timezone_at(lat=pos[0], lng=pos[1]) if gps_timezone is None: cloudlog.critical(f"No timezone found based on {pos=}") else: set_timezone(gps_timezone) params.put_nonblocking("Timezone", gps_timezone) time.sleep(10) if __name__ == "__main__": main()
2301_81045437/openpilot
system/timed.py
Python
mit
3,134
#!/usr/bin/env python3 import datetime import os import re import shutil import signal import subprocess import time import glob from typing import NoReturn import openpilot.system.sentry as sentry from openpilot.system.hardware.hw import Paths from openpilot.common.swaglog import cloudlog from openpilot.system.version import get_build_metadata MAX_SIZE = 1_000_000 * 100 # allow up to 100M MAX_TOMBSTONE_FN_LEN = 62 # 85 - 23 ("<dongle id>/crash/") TOMBSTONE_DIR = "/data/tombstones/" APPORT_DIR = "/var/crash/" def safe_fn(s): extra = ['_'] return "".join(c for c in s if c.isalnum() or c in extra).rstrip() def clear_apport_folder(): for f in glob.glob(APPORT_DIR + '*'): try: os.remove(f) except Exception: pass def get_apport_stacktrace(fn): try: cmd = f'apport-retrace -s <(cat <(echo "Package: openpilot") "{fn}")' return subprocess.check_output(cmd, shell=True, encoding='utf8', timeout=30, executable='/bin/bash') except subprocess.CalledProcessError: return "Error getting stacktrace" except subprocess.TimeoutExpired: return "Timeout getting stacktrace" def get_tombstones(): """Returns list of (filename, ctime) for all crashlogs""" files = [] if os.path.exists(APPORT_DIR): with os.scandir(APPORT_DIR) as d: # Loop over first 1000 directory entries for _, f in zip(range(1000), d, strict=False): if f.name.startswith("tombstone"): files.append((f.path, int(f.stat().st_ctime))) elif f.name.endswith(".crash") and f.stat().st_mode == 0o100640: files.append((f.path, int(f.stat().st_ctime))) return files def report_tombstone_apport(fn): f_size = os.path.getsize(fn) if f_size > MAX_SIZE: cloudlog.error(f"Tombstone {fn} too big, {f_size}. Skipping...") return message = "" # One line description of the crash contents = "" # Full file contents without coredump path = "" # File path relative to openpilot directory proc_maps = False with open(fn) as f: for line in f: if "CoreDump" in line: break elif "ProcMaps" in line: proc_maps = True elif "ProcStatus" in line: proc_maps = False if not proc_maps: contents += line if "ExecutablePath" in line: path = line.strip().split(': ')[-1] path = path.replace('/data/openpilot/', '') message += path elif "Signal" in line: message += " - " + line.strip() try: sig_num = int(line.strip().split(': ')[-1]) message += " (" + signal.Signals(sig_num).name + ")" except ValueError: pass stacktrace = get_apport_stacktrace(fn) stacktrace_s = stacktrace.split('\n') crash_function = "No stacktrace" if len(stacktrace_s) > 2: found = False # Try to find first entry in openpilot, fall back to first line for line in stacktrace_s: if "at selfdrive/" in line: crash_function = line found = True break if not found: crash_function = stacktrace_s[1] # Remove arguments that can contain pointers to make sentry one-liner unique crash_function = " ".join(x for x in crash_function.split(' ')[1:] if not x.startswith('0x')) crash_function = re.sub(r'\(.*?\)', '', crash_function) contents = stacktrace + "\n\n" + contents message = message + " - " + crash_function sentry.report_tombstone(fn, message, contents) # Copy crashlog to upload folder clean_path = path.replace('/', '_') date = datetime.datetime.now().strftime("%Y-%m-%d--%H-%M-%S") build_metadata = get_build_metadata() new_fn = f"{date}_{(build_metadata.openpilot.git_commit or 'nocommit')[:8]}_{safe_fn(clean_path)}"[:MAX_TOMBSTONE_FN_LEN] crashlog_dir = os.path.join(Paths.log_root(), "crash") os.makedirs(crashlog_dir, exist_ok=True) # Files could be on different filesystems, copy, then delete shutil.copy(fn, os.path.join(crashlog_dir, new_fn)) try: os.remove(fn) except PermissionError: pass def main() -> NoReturn: should_report = sentry.init(sentry.SentryProject.SELFDRIVE_NATIVE) # Clear apport folder on start, otherwise duplicate crashes won't register clear_apport_folder() initial_tombstones = set(get_tombstones()) while True: now_tombstones = set(get_tombstones()) for fn, _ in (now_tombstones - initial_tombstones): # clear logs if we're not interested in them if not should_report: try: os.remove(fn) except Exception: pass continue try: cloudlog.info(f"reporting new tombstone {fn}") if fn.endswith(".crash"): report_tombstone_apport(fn) else: cloudlog.error(f"unknown crash type: {fn}") except Exception: cloudlog.exception(f"Error reporting tombstone {fn}") initial_tombstones = now_tombstones time.sleep(5) if __name__ == "__main__": main()
2301_81045437/openpilot
system/tombstoned.py
Python
mit
4,947
Import('env', 'common', 'cereal', 'messaging') loc_libs = [cereal, messaging, 'zmq', common, 'capnp', 'kj', 'kaitai', 'pthread'] if GetOption('kaitai'): generated = Dir('generated').srcnode().abspath cmd = f"kaitai-struct-compiler --target cpp_stl --outdir {generated} $SOURCES" env.Command(['generated/ubx.cpp', 'generated/ubx.h'], 'ubx.ksy', cmd) env.Command(['generated/gps.cpp', 'generated/gps.h'], 'gps.ksy', cmd) glonass = env.Command(['generated/glonass.cpp', 'generated/glonass.h'], 'glonass.ksy', cmd) # kaitai issue: https://github.com/kaitai-io/kaitai_struct/issues/910 patch = env.Command(None, 'glonass_fix.patch', 'git apply $SOURCES') env.Depends(patch, glonass) glonass_obj = env.Object('generated/glonass.cpp') env.Program("ubloxd", ["ubloxd.cc", "ublox_msg.cc", "generated/ubx.cpp", "generated/gps.cpp", glonass_obj], LIBS=loc_libs) if GetOption('extras'): env.Program("tests/test_glonass_runner", ['tests/test_glonass_runner.cc', 'tests/test_glonass_kaitai.cc', glonass_obj], LIBS=[loc_libs])
2301_81045437/openpilot
system/ubloxd/SConscript
Python
mit
1,035
// This is a generated file! Please edit source .ksy file and use kaitai-struct-compiler to rebuild #include "glonass.h" glonass_t::glonass_t(kaitai::kstream* p__io, kaitai::kstruct* p__parent, glonass_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = this; try { _read(); } catch(...) { _clean_up(); throw; } } void glonass_t::_read() { m_idle_chip = m__io->read_bits_int_be(1); m_string_number = m__io->read_bits_int_be(4); //m__io->align_to_byte(); switch (string_number()) { case 4: { m_data = new string_4_t(m__io, this, m__root); break; } case 1: { m_data = new string_1_t(m__io, this, m__root); break; } case 3: { m_data = new string_3_t(m__io, this, m__root); break; } case 5: { m_data = new string_5_t(m__io, this, m__root); break; } case 2: { m_data = new string_2_t(m__io, this, m__root); break; } default: { m_data = new string_non_immediate_t(m__io, this, m__root); break; } } m_hamming_code = m__io->read_bits_int_be(8); m_pad_1 = m__io->read_bits_int_be(11); m_superframe_number = m__io->read_bits_int_be(16); m_pad_2 = m__io->read_bits_int_be(8); m_frame_number = m__io->read_bits_int_be(8); } glonass_t::~glonass_t() { _clean_up(); } void glonass_t::_clean_up() { if (m_data) { delete m_data; m_data = 0; } } glonass_t::string_4_t::string_4_t(kaitai::kstream* p__io, glonass_t* p__parent, glonass_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; f_tau_n = false; f_delta_tau_n = false; try { _read(); } catch(...) { _clean_up(); throw; } } void glonass_t::string_4_t::_read() { m_tau_n_sign = m__io->read_bits_int_be(1); m_tau_n_value = m__io->read_bits_int_be(21); m_delta_tau_n_sign = m__io->read_bits_int_be(1); m_delta_tau_n_value = m__io->read_bits_int_be(4); m_e_n = m__io->read_bits_int_be(5); m_not_used_1 = m__io->read_bits_int_be(14); m_p4 = m__io->read_bits_int_be(1); m_f_t = m__io->read_bits_int_be(4); m_not_used_2 = m__io->read_bits_int_be(3); m_n_t = m__io->read_bits_int_be(11); m_n = m__io->read_bits_int_be(5); m_m = m__io->read_bits_int_be(2); } glonass_t::string_4_t::~string_4_t() { _clean_up(); } void glonass_t::string_4_t::_clean_up() { } int32_t glonass_t::string_4_t::tau_n() { if (f_tau_n) return m_tau_n; m_tau_n = ((tau_n_sign()) ? ((tau_n_value() * -1)) : (tau_n_value())); f_tau_n = true; return m_tau_n; } int32_t glonass_t::string_4_t::delta_tau_n() { if (f_delta_tau_n) return m_delta_tau_n; m_delta_tau_n = ((delta_tau_n_sign()) ? ((delta_tau_n_value() * -1)) : (delta_tau_n_value())); f_delta_tau_n = true; return m_delta_tau_n; } glonass_t::string_non_immediate_t::string_non_immediate_t(kaitai::kstream* p__io, glonass_t* p__parent, glonass_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void glonass_t::string_non_immediate_t::_read() { m_data_1 = m__io->read_bits_int_be(64); m_data_2 = m__io->read_bits_int_be(8); } glonass_t::string_non_immediate_t::~string_non_immediate_t() { _clean_up(); } void glonass_t::string_non_immediate_t::_clean_up() { } glonass_t::string_5_t::string_5_t(kaitai::kstream* p__io, glonass_t* p__parent, glonass_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void glonass_t::string_5_t::_read() { m_n_a = m__io->read_bits_int_be(11); m_tau_c = m__io->read_bits_int_be(32); m_not_used = m__io->read_bits_int_be(1); m_n_4 = m__io->read_bits_int_be(5); m_tau_gps = m__io->read_bits_int_be(22); m_l_n = m__io->read_bits_int_be(1); } glonass_t::string_5_t::~string_5_t() { _clean_up(); } void glonass_t::string_5_t::_clean_up() { } glonass_t::string_1_t::string_1_t(kaitai::kstream* p__io, glonass_t* p__parent, glonass_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; f_x_vel = false; f_x_accel = false; f_x = false; try { _read(); } catch(...) { _clean_up(); throw; } } void glonass_t::string_1_t::_read() { m_not_used = m__io->read_bits_int_be(2); m_p1 = m__io->read_bits_int_be(2); m_t_k = m__io->read_bits_int_be(12); m_x_vel_sign = m__io->read_bits_int_be(1); m_x_vel_value = m__io->read_bits_int_be(23); m_x_accel_sign = m__io->read_bits_int_be(1); m_x_accel_value = m__io->read_bits_int_be(4); m_x_sign = m__io->read_bits_int_be(1); m_x_value = m__io->read_bits_int_be(26); } glonass_t::string_1_t::~string_1_t() { _clean_up(); } void glonass_t::string_1_t::_clean_up() { } int32_t glonass_t::string_1_t::x_vel() { if (f_x_vel) return m_x_vel; m_x_vel = ((x_vel_sign()) ? ((x_vel_value() * -1)) : (x_vel_value())); f_x_vel = true; return m_x_vel; } int32_t glonass_t::string_1_t::x_accel() { if (f_x_accel) return m_x_accel; m_x_accel = ((x_accel_sign()) ? ((x_accel_value() * -1)) : (x_accel_value())); f_x_accel = true; return m_x_accel; } int32_t glonass_t::string_1_t::x() { if (f_x) return m_x; m_x = ((x_sign()) ? ((x_value() * -1)) : (x_value())); f_x = true; return m_x; } glonass_t::string_2_t::string_2_t(kaitai::kstream* p__io, glonass_t* p__parent, glonass_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; f_y_vel = false; f_y_accel = false; f_y = false; try { _read(); } catch(...) { _clean_up(); throw; } } void glonass_t::string_2_t::_read() { m_b_n = m__io->read_bits_int_be(3); m_p2 = m__io->read_bits_int_be(1); m_t_b = m__io->read_bits_int_be(7); m_not_used = m__io->read_bits_int_be(5); m_y_vel_sign = m__io->read_bits_int_be(1); m_y_vel_value = m__io->read_bits_int_be(23); m_y_accel_sign = m__io->read_bits_int_be(1); m_y_accel_value = m__io->read_bits_int_be(4); m_y_sign = m__io->read_bits_int_be(1); m_y_value = m__io->read_bits_int_be(26); } glonass_t::string_2_t::~string_2_t() { _clean_up(); } void glonass_t::string_2_t::_clean_up() { } int32_t glonass_t::string_2_t::y_vel() { if (f_y_vel) return m_y_vel; m_y_vel = ((y_vel_sign()) ? ((y_vel_value() * -1)) : (y_vel_value())); f_y_vel = true; return m_y_vel; } int32_t glonass_t::string_2_t::y_accel() { if (f_y_accel) return m_y_accel; m_y_accel = ((y_accel_sign()) ? ((y_accel_value() * -1)) : (y_accel_value())); f_y_accel = true; return m_y_accel; } int32_t glonass_t::string_2_t::y() { if (f_y) return m_y; m_y = ((y_sign()) ? ((y_value() * -1)) : (y_value())); f_y = true; return m_y; } glonass_t::string_3_t::string_3_t(kaitai::kstream* p__io, glonass_t* p__parent, glonass_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; f_gamma_n = false; f_z_vel = false; f_z_accel = false; f_z = false; try { _read(); } catch(...) { _clean_up(); throw; } } void glonass_t::string_3_t::_read() { m_p3 = m__io->read_bits_int_be(1); m_gamma_n_sign = m__io->read_bits_int_be(1); m_gamma_n_value = m__io->read_bits_int_be(10); m_not_used = m__io->read_bits_int_be(1); m_p = m__io->read_bits_int_be(2); m_l_n = m__io->read_bits_int_be(1); m_z_vel_sign = m__io->read_bits_int_be(1); m_z_vel_value = m__io->read_bits_int_be(23); m_z_accel_sign = m__io->read_bits_int_be(1); m_z_accel_value = m__io->read_bits_int_be(4); m_z_sign = m__io->read_bits_int_be(1); m_z_value = m__io->read_bits_int_be(26); } glonass_t::string_3_t::~string_3_t() { _clean_up(); } void glonass_t::string_3_t::_clean_up() { } int32_t glonass_t::string_3_t::gamma_n() { if (f_gamma_n) return m_gamma_n; m_gamma_n = ((gamma_n_sign()) ? ((gamma_n_value() * -1)) : (gamma_n_value())); f_gamma_n = true; return m_gamma_n; } int32_t glonass_t::string_3_t::z_vel() { if (f_z_vel) return m_z_vel; m_z_vel = ((z_vel_sign()) ? ((z_vel_value() * -1)) : (z_vel_value())); f_z_vel = true; return m_z_vel; } int32_t glonass_t::string_3_t::z_accel() { if (f_z_accel) return m_z_accel; m_z_accel = ((z_accel_sign()) ? ((z_accel_value() * -1)) : (z_accel_value())); f_z_accel = true; return m_z_accel; } int32_t glonass_t::string_3_t::z() { if (f_z) return m_z; m_z = ((z_sign()) ? ((z_value() * -1)) : (z_value())); f_z = true; return m_z; }
2301_81045437/openpilot
system/ubloxd/generated/glonass.cpp
C++
mit
9,005
#ifndef GLONASS_H_ #define GLONASS_H_ // This is a generated file! Please edit source .ksy file and use kaitai-struct-compiler to rebuild #include "kaitai/kaitaistruct.h" #include <stdint.h> #if KAITAI_STRUCT_VERSION < 9000L #error "Incompatible Kaitai Struct C++/STL API: version 0.9 or later is required" #endif class glonass_t : public kaitai::kstruct { public: class string_4_t; class string_non_immediate_t; class string_5_t; class string_1_t; class string_2_t; class string_3_t; glonass_t(kaitai::kstream* p__io, kaitai::kstruct* p__parent = 0, glonass_t* p__root = 0); private: void _read(); void _clean_up(); public: ~glonass_t(); class string_4_t : public kaitai::kstruct { public: string_4_t(kaitai::kstream* p__io, glonass_t* p__parent = 0, glonass_t* p__root = 0); private: void _read(); void _clean_up(); public: ~string_4_t(); private: bool f_tau_n; int32_t m_tau_n; public: int32_t tau_n(); private: bool f_delta_tau_n; int32_t m_delta_tau_n; public: int32_t delta_tau_n(); private: bool m_tau_n_sign; uint64_t m_tau_n_value; bool m_delta_tau_n_sign; uint64_t m_delta_tau_n_value; uint64_t m_e_n; uint64_t m_not_used_1; bool m_p4; uint64_t m_f_t; uint64_t m_not_used_2; uint64_t m_n_t; uint64_t m_n; uint64_t m_m; glonass_t* m__root; glonass_t* m__parent; public: bool tau_n_sign() const { return m_tau_n_sign; } uint64_t tau_n_value() const { return m_tau_n_value; } bool delta_tau_n_sign() const { return m_delta_tau_n_sign; } uint64_t delta_tau_n_value() const { return m_delta_tau_n_value; } uint64_t e_n() const { return m_e_n; } uint64_t not_used_1() const { return m_not_used_1; } bool p4() const { return m_p4; } uint64_t f_t() const { return m_f_t; } uint64_t not_used_2() const { return m_not_used_2; } uint64_t n_t() const { return m_n_t; } uint64_t n() const { return m_n; } uint64_t m() const { return m_m; } glonass_t* _root() const { return m__root; } glonass_t* _parent() const { return m__parent; } }; class string_non_immediate_t : public kaitai::kstruct { public: string_non_immediate_t(kaitai::kstream* p__io, glonass_t* p__parent = 0, glonass_t* p__root = 0); private: void _read(); void _clean_up(); public: ~string_non_immediate_t(); private: uint64_t m_data_1; uint64_t m_data_2; glonass_t* m__root; glonass_t* m__parent; public: uint64_t data_1() const { return m_data_1; } uint64_t data_2() const { return m_data_2; } glonass_t* _root() const { return m__root; } glonass_t* _parent() const { return m__parent; } }; class string_5_t : public kaitai::kstruct { public: string_5_t(kaitai::kstream* p__io, glonass_t* p__parent = 0, glonass_t* p__root = 0); private: void _read(); void _clean_up(); public: ~string_5_t(); private: uint64_t m_n_a; uint64_t m_tau_c; bool m_not_used; uint64_t m_n_4; uint64_t m_tau_gps; bool m_l_n; glonass_t* m__root; glonass_t* m__parent; public: uint64_t n_a() const { return m_n_a; } uint64_t tau_c() const { return m_tau_c; } bool not_used() const { return m_not_used; } uint64_t n_4() const { return m_n_4; } uint64_t tau_gps() const { return m_tau_gps; } bool l_n() const { return m_l_n; } glonass_t* _root() const { return m__root; } glonass_t* _parent() const { return m__parent; } }; class string_1_t : public kaitai::kstruct { public: string_1_t(kaitai::kstream* p__io, glonass_t* p__parent = 0, glonass_t* p__root = 0); private: void _read(); void _clean_up(); public: ~string_1_t(); private: bool f_x_vel; int32_t m_x_vel; public: int32_t x_vel(); private: bool f_x_accel; int32_t m_x_accel; public: int32_t x_accel(); private: bool f_x; int32_t m_x; public: int32_t x(); private: uint64_t m_not_used; uint64_t m_p1; uint64_t m_t_k; bool m_x_vel_sign; uint64_t m_x_vel_value; bool m_x_accel_sign; uint64_t m_x_accel_value; bool m_x_sign; uint64_t m_x_value; glonass_t* m__root; glonass_t* m__parent; public: uint64_t not_used() const { return m_not_used; } uint64_t p1() const { return m_p1; } uint64_t t_k() const { return m_t_k; } bool x_vel_sign() const { return m_x_vel_sign; } uint64_t x_vel_value() const { return m_x_vel_value; } bool x_accel_sign() const { return m_x_accel_sign; } uint64_t x_accel_value() const { return m_x_accel_value; } bool x_sign() const { return m_x_sign; } uint64_t x_value() const { return m_x_value; } glonass_t* _root() const { return m__root; } glonass_t* _parent() const { return m__parent; } }; class string_2_t : public kaitai::kstruct { public: string_2_t(kaitai::kstream* p__io, glonass_t* p__parent = 0, glonass_t* p__root = 0); private: void _read(); void _clean_up(); public: ~string_2_t(); private: bool f_y_vel; int32_t m_y_vel; public: int32_t y_vel(); private: bool f_y_accel; int32_t m_y_accel; public: int32_t y_accel(); private: bool f_y; int32_t m_y; public: int32_t y(); private: uint64_t m_b_n; bool m_p2; uint64_t m_t_b; uint64_t m_not_used; bool m_y_vel_sign; uint64_t m_y_vel_value; bool m_y_accel_sign; uint64_t m_y_accel_value; bool m_y_sign; uint64_t m_y_value; glonass_t* m__root; glonass_t* m__parent; public: uint64_t b_n() const { return m_b_n; } bool p2() const { return m_p2; } uint64_t t_b() const { return m_t_b; } uint64_t not_used() const { return m_not_used; } bool y_vel_sign() const { return m_y_vel_sign; } uint64_t y_vel_value() const { return m_y_vel_value; } bool y_accel_sign() const { return m_y_accel_sign; } uint64_t y_accel_value() const { return m_y_accel_value; } bool y_sign() const { return m_y_sign; } uint64_t y_value() const { return m_y_value; } glonass_t* _root() const { return m__root; } glonass_t* _parent() const { return m__parent; } }; class string_3_t : public kaitai::kstruct { public: string_3_t(kaitai::kstream* p__io, glonass_t* p__parent = 0, glonass_t* p__root = 0); private: void _read(); void _clean_up(); public: ~string_3_t(); private: bool f_gamma_n; int32_t m_gamma_n; public: int32_t gamma_n(); private: bool f_z_vel; int32_t m_z_vel; public: int32_t z_vel(); private: bool f_z_accel; int32_t m_z_accel; public: int32_t z_accel(); private: bool f_z; int32_t m_z; public: int32_t z(); private: bool m_p3; bool m_gamma_n_sign; uint64_t m_gamma_n_value; bool m_not_used; uint64_t m_p; bool m_l_n; bool m_z_vel_sign; uint64_t m_z_vel_value; bool m_z_accel_sign; uint64_t m_z_accel_value; bool m_z_sign; uint64_t m_z_value; glonass_t* m__root; glonass_t* m__parent; public: bool p3() const { return m_p3; } bool gamma_n_sign() const { return m_gamma_n_sign; } uint64_t gamma_n_value() const { return m_gamma_n_value; } bool not_used() const { return m_not_used; } uint64_t p() const { return m_p; } bool l_n() const { return m_l_n; } bool z_vel_sign() const { return m_z_vel_sign; } uint64_t z_vel_value() const { return m_z_vel_value; } bool z_accel_sign() const { return m_z_accel_sign; } uint64_t z_accel_value() const { return m_z_accel_value; } bool z_sign() const { return m_z_sign; } uint64_t z_value() const { return m_z_value; } glonass_t* _root() const { return m__root; } glonass_t* _parent() const { return m__parent; } }; private: bool m_idle_chip; uint64_t m_string_number; kaitai::kstruct* m_data; uint64_t m_hamming_code; uint64_t m_pad_1; uint64_t m_superframe_number; uint64_t m_pad_2; uint64_t m_frame_number; glonass_t* m__root; kaitai::kstruct* m__parent; public: bool idle_chip() const { return m_idle_chip; } uint64_t string_number() const { return m_string_number; } kaitai::kstruct* data() const { return m_data; } uint64_t hamming_code() const { return m_hamming_code; } uint64_t pad_1() const { return m_pad_1; } uint64_t superframe_number() const { return m_superframe_number; } uint64_t pad_2() const { return m_pad_2; } uint64_t frame_number() const { return m_frame_number; } glonass_t* _root() const { return m__root; } kaitai::kstruct* _parent() const { return m__parent; } }; #endif // GLONASS_H_
2301_81045437/openpilot
system/ubloxd/generated/glonass.h
C++
mit
9,668
// This is a generated file! Please edit source .ksy file and use kaitai-struct-compiler to rebuild #include "gps.h" #include "kaitai/exceptions.h" gps_t::gps_t(kaitai::kstream* p__io, kaitai::kstruct* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = this; m_tlm = 0; m_how = 0; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::_read() { m_tlm = new tlm_t(m__io, this, m__root); m_how = new how_t(m__io, this, m__root); n_body = true; switch (how()->subframe_id()) { case 1: { n_body = false; m_body = new subframe_1_t(m__io, this, m__root); break; } case 2: { n_body = false; m_body = new subframe_2_t(m__io, this, m__root); break; } case 3: { n_body = false; m_body = new subframe_3_t(m__io, this, m__root); break; } case 4: { n_body = false; m_body = new subframe_4_t(m__io, this, m__root); break; } } } gps_t::~gps_t() { _clean_up(); } void gps_t::_clean_up() { if (m_tlm) { delete m_tlm; m_tlm = 0; } if (m_how) { delete m_how; m_how = 0; } if (!n_body) { if (m_body) { delete m_body; m_body = 0; } } } gps_t::subframe_1_t::subframe_1_t(kaitai::kstream* p__io, gps_t* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; f_af_0 = false; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::subframe_1_t::_read() { m_week_no = m__io->read_bits_int_be(10); m_code = m__io->read_bits_int_be(2); m_sv_accuracy = m__io->read_bits_int_be(4); m_sv_health = m__io->read_bits_int_be(6); m_iodc_msb = m__io->read_bits_int_be(2); m_l2_p_data_flag = m__io->read_bits_int_be(1); m_reserved1 = m__io->read_bits_int_be(23); m_reserved2 = m__io->read_bits_int_be(24); m_reserved3 = m__io->read_bits_int_be(24); m_reserved4 = m__io->read_bits_int_be(16); m__io->align_to_byte(); m_t_gd = m__io->read_s1(); m_iodc_lsb = m__io->read_u1(); m_t_oc = m__io->read_u2be(); m_af_2 = m__io->read_s1(); m_af_1 = m__io->read_s2be(); m_af_0_sign = m__io->read_bits_int_be(1); m_af_0_value = m__io->read_bits_int_be(21); m_reserved5 = m__io->read_bits_int_be(2); } gps_t::subframe_1_t::~subframe_1_t() { _clean_up(); } void gps_t::subframe_1_t::_clean_up() { } int32_t gps_t::subframe_1_t::af_0() { if (f_af_0) return m_af_0; m_af_0 = ((af_0_sign()) ? ((af_0_value() - (1 << 21))) : (af_0_value())); f_af_0 = true; return m_af_0; } gps_t::subframe_3_t::subframe_3_t(kaitai::kstream* p__io, gps_t* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; f_omega_dot = false; f_idot = false; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::subframe_3_t::_read() { m_c_ic = m__io->read_s2be(); m_omega_0 = m__io->read_s4be(); m_c_is = m__io->read_s2be(); m_i_0 = m__io->read_s4be(); m_c_rc = m__io->read_s2be(); m_omega = m__io->read_s4be(); m_omega_dot_sign = m__io->read_bits_int_be(1); m_omega_dot_value = m__io->read_bits_int_be(23); m__io->align_to_byte(); m_iode = m__io->read_u1(); m_idot_sign = m__io->read_bits_int_be(1); m_idot_value = m__io->read_bits_int_be(13); m_reserved = m__io->read_bits_int_be(2); } gps_t::subframe_3_t::~subframe_3_t() { _clean_up(); } void gps_t::subframe_3_t::_clean_up() { } int32_t gps_t::subframe_3_t::omega_dot() { if (f_omega_dot) return m_omega_dot; m_omega_dot = ((omega_dot_sign()) ? ((omega_dot_value() - (1 << 23))) : (omega_dot_value())); f_omega_dot = true; return m_omega_dot; } int32_t gps_t::subframe_3_t::idot() { if (f_idot) return m_idot; m_idot = ((idot_sign()) ? ((idot_value() - (1 << 13))) : (idot_value())); f_idot = true; return m_idot; } gps_t::subframe_4_t::subframe_4_t(kaitai::kstream* p__io, gps_t* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::subframe_4_t::_read() { m_data_id = m__io->read_bits_int_be(2); m_page_id = m__io->read_bits_int_be(6); m__io->align_to_byte(); n_body = true; switch (page_id()) { case 56: { n_body = false; m_body = new ionosphere_data_t(m__io, this, m__root); break; } } } gps_t::subframe_4_t::~subframe_4_t() { _clean_up(); } void gps_t::subframe_4_t::_clean_up() { if (!n_body) { if (m_body) { delete m_body; m_body = 0; } } } gps_t::subframe_4_t::ionosphere_data_t::ionosphere_data_t(kaitai::kstream* p__io, gps_t::subframe_4_t* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::subframe_4_t::ionosphere_data_t::_read() { m_a0 = m__io->read_s1(); m_a1 = m__io->read_s1(); m_a2 = m__io->read_s1(); m_a3 = m__io->read_s1(); m_b0 = m__io->read_s1(); m_b1 = m__io->read_s1(); m_b2 = m__io->read_s1(); m_b3 = m__io->read_s1(); } gps_t::subframe_4_t::ionosphere_data_t::~ionosphere_data_t() { _clean_up(); } void gps_t::subframe_4_t::ionosphere_data_t::_clean_up() { } gps_t::how_t::how_t(kaitai::kstream* p__io, gps_t* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::how_t::_read() { m_tow_count = m__io->read_bits_int_be(17); m_alert = m__io->read_bits_int_be(1); m_anti_spoof = m__io->read_bits_int_be(1); m_subframe_id = m__io->read_bits_int_be(3); m_reserved = m__io->read_bits_int_be(2); } gps_t::how_t::~how_t() { _clean_up(); } void gps_t::how_t::_clean_up() { } gps_t::tlm_t::tlm_t(kaitai::kstream* p__io, gps_t* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::tlm_t::_read() { m_preamble = m__io->read_bytes(1); if (!(preamble() == std::string("\x8B", 1))) { throw kaitai::validation_not_equal_error<std::string>(std::string("\x8B", 1), preamble(), _io(), std::string("/types/tlm/seq/0")); } m_tlm = m__io->read_bits_int_be(14); m_integrity_status = m__io->read_bits_int_be(1); m_reserved = m__io->read_bits_int_be(1); } gps_t::tlm_t::~tlm_t() { _clean_up(); } void gps_t::tlm_t::_clean_up() { } gps_t::subframe_2_t::subframe_2_t(kaitai::kstream* p__io, gps_t* p__parent, gps_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void gps_t::subframe_2_t::_read() { m_iode = m__io->read_u1(); m_c_rs = m__io->read_s2be(); m_delta_n = m__io->read_s2be(); m_m_0 = m__io->read_s4be(); m_c_uc = m__io->read_s2be(); m_e = m__io->read_s4be(); m_c_us = m__io->read_s2be(); m_sqrt_a = m__io->read_u4be(); m_t_oe = m__io->read_u2be(); m_fit_interval_flag = m__io->read_bits_int_be(1); m_aoda = m__io->read_bits_int_be(5); m_reserved = m__io->read_bits_int_be(2); } gps_t::subframe_2_t::~subframe_2_t() { _clean_up(); } void gps_t::subframe_2_t::_clean_up() { }
2301_81045437/openpilot
system/ubloxd/generated/gps.cpp
C++
mit
7,822
#ifndef GPS_H_ #define GPS_H_ // This is a generated file! Please edit source .ksy file and use kaitai-struct-compiler to rebuild #include "kaitai/kaitaistruct.h" #include <stdint.h> #if KAITAI_STRUCT_VERSION < 9000L #error "Incompatible Kaitai Struct C++/STL API: version 0.9 or later is required" #endif class gps_t : public kaitai::kstruct { public: class subframe_1_t; class subframe_3_t; class subframe_4_t; class how_t; class tlm_t; class subframe_2_t; gps_t(kaitai::kstream* p__io, kaitai::kstruct* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~gps_t(); class subframe_1_t : public kaitai::kstruct { public: subframe_1_t(kaitai::kstream* p__io, gps_t* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~subframe_1_t(); private: bool f_af_0; int32_t m_af_0; public: int32_t af_0(); private: uint64_t m_week_no; uint64_t m_code; uint64_t m_sv_accuracy; uint64_t m_sv_health; uint64_t m_iodc_msb; bool m_l2_p_data_flag; uint64_t m_reserved1; uint64_t m_reserved2; uint64_t m_reserved3; uint64_t m_reserved4; int8_t m_t_gd; uint8_t m_iodc_lsb; uint16_t m_t_oc; int8_t m_af_2; int16_t m_af_1; bool m_af_0_sign; uint64_t m_af_0_value; uint64_t m_reserved5; gps_t* m__root; gps_t* m__parent; public: uint64_t week_no() const { return m_week_no; } uint64_t code() const { return m_code; } uint64_t sv_accuracy() const { return m_sv_accuracy; } uint64_t sv_health() const { return m_sv_health; } uint64_t iodc_msb() const { return m_iodc_msb; } bool l2_p_data_flag() const { return m_l2_p_data_flag; } uint64_t reserved1() const { return m_reserved1; } uint64_t reserved2() const { return m_reserved2; } uint64_t reserved3() const { return m_reserved3; } uint64_t reserved4() const { return m_reserved4; } int8_t t_gd() const { return m_t_gd; } uint8_t iodc_lsb() const { return m_iodc_lsb; } uint16_t t_oc() const { return m_t_oc; } int8_t af_2() const { return m_af_2; } int16_t af_1() const { return m_af_1; } bool af_0_sign() const { return m_af_0_sign; } uint64_t af_0_value() const { return m_af_0_value; } uint64_t reserved5() const { return m_reserved5; } gps_t* _root() const { return m__root; } gps_t* _parent() const { return m__parent; } }; class subframe_3_t : public kaitai::kstruct { public: subframe_3_t(kaitai::kstream* p__io, gps_t* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~subframe_3_t(); private: bool f_omega_dot; int32_t m_omega_dot; public: int32_t omega_dot(); private: bool f_idot; int32_t m_idot; public: int32_t idot(); private: int16_t m_c_ic; int32_t m_omega_0; int16_t m_c_is; int32_t m_i_0; int16_t m_c_rc; int32_t m_omega; bool m_omega_dot_sign; uint64_t m_omega_dot_value; uint8_t m_iode; bool m_idot_sign; uint64_t m_idot_value; uint64_t m_reserved; gps_t* m__root; gps_t* m__parent; public: int16_t c_ic() const { return m_c_ic; } int32_t omega_0() const { return m_omega_0; } int16_t c_is() const { return m_c_is; } int32_t i_0() const { return m_i_0; } int16_t c_rc() const { return m_c_rc; } int32_t omega() const { return m_omega; } bool omega_dot_sign() const { return m_omega_dot_sign; } uint64_t omega_dot_value() const { return m_omega_dot_value; } uint8_t iode() const { return m_iode; } bool idot_sign() const { return m_idot_sign; } uint64_t idot_value() const { return m_idot_value; } uint64_t reserved() const { return m_reserved; } gps_t* _root() const { return m__root; } gps_t* _parent() const { return m__parent; } }; class subframe_4_t : public kaitai::kstruct { public: class ionosphere_data_t; subframe_4_t(kaitai::kstream* p__io, gps_t* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~subframe_4_t(); class ionosphere_data_t : public kaitai::kstruct { public: ionosphere_data_t(kaitai::kstream* p__io, gps_t::subframe_4_t* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~ionosphere_data_t(); private: int8_t m_a0; int8_t m_a1; int8_t m_a2; int8_t m_a3; int8_t m_b0; int8_t m_b1; int8_t m_b2; int8_t m_b3; gps_t* m__root; gps_t::subframe_4_t* m__parent; public: int8_t a0() const { return m_a0; } int8_t a1() const { return m_a1; } int8_t a2() const { return m_a2; } int8_t a3() const { return m_a3; } int8_t b0() const { return m_b0; } int8_t b1() const { return m_b1; } int8_t b2() const { return m_b2; } int8_t b3() const { return m_b3; } gps_t* _root() const { return m__root; } gps_t::subframe_4_t* _parent() const { return m__parent; } }; private: uint64_t m_data_id; uint64_t m_page_id; ionosphere_data_t* m_body; bool n_body; public: bool _is_null_body() { body(); return n_body; }; private: gps_t* m__root; gps_t* m__parent; public: uint64_t data_id() const { return m_data_id; } uint64_t page_id() const { return m_page_id; } ionosphere_data_t* body() const { return m_body; } gps_t* _root() const { return m__root; } gps_t* _parent() const { return m__parent; } }; class how_t : public kaitai::kstruct { public: how_t(kaitai::kstream* p__io, gps_t* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~how_t(); private: uint64_t m_tow_count; bool m_alert; bool m_anti_spoof; uint64_t m_subframe_id; uint64_t m_reserved; gps_t* m__root; gps_t* m__parent; public: uint64_t tow_count() const { return m_tow_count; } bool alert() const { return m_alert; } bool anti_spoof() const { return m_anti_spoof; } uint64_t subframe_id() const { return m_subframe_id; } uint64_t reserved() const { return m_reserved; } gps_t* _root() const { return m__root; } gps_t* _parent() const { return m__parent; } }; class tlm_t : public kaitai::kstruct { public: tlm_t(kaitai::kstream* p__io, gps_t* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~tlm_t(); private: std::string m_preamble; uint64_t m_tlm; bool m_integrity_status; bool m_reserved; gps_t* m__root; gps_t* m__parent; public: std::string preamble() const { return m_preamble; } uint64_t tlm() const { return m_tlm; } bool integrity_status() const { return m_integrity_status; } bool reserved() const { return m_reserved; } gps_t* _root() const { return m__root; } gps_t* _parent() const { return m__parent; } }; class subframe_2_t : public kaitai::kstruct { public: subframe_2_t(kaitai::kstream* p__io, gps_t* p__parent = 0, gps_t* p__root = 0); private: void _read(); void _clean_up(); public: ~subframe_2_t(); private: uint8_t m_iode; int16_t m_c_rs; int16_t m_delta_n; int32_t m_m_0; int16_t m_c_uc; int32_t m_e; int16_t m_c_us; uint32_t m_sqrt_a; uint16_t m_t_oe; bool m_fit_interval_flag; uint64_t m_aoda; uint64_t m_reserved; gps_t* m__root; gps_t* m__parent; public: uint8_t iode() const { return m_iode; } int16_t c_rs() const { return m_c_rs; } int16_t delta_n() const { return m_delta_n; } int32_t m_0() const { return m_m_0; } int16_t c_uc() const { return m_c_uc; } int32_t e() const { return m_e; } int16_t c_us() const { return m_c_us; } uint32_t sqrt_a() const { return m_sqrt_a; } uint16_t t_oe() const { return m_t_oe; } bool fit_interval_flag() const { return m_fit_interval_flag; } uint64_t aoda() const { return m_aoda; } uint64_t reserved() const { return m_reserved; } gps_t* _root() const { return m__root; } gps_t* _parent() const { return m__parent; } }; private: tlm_t* m_tlm; how_t* m_how; kaitai::kstruct* m_body; bool n_body; public: bool _is_null_body() { body(); return n_body; }; private: gps_t* m__root; kaitai::kstruct* m__parent; public: tlm_t* tlm() const { return m_tlm; } how_t* how() const { return m_how; } kaitai::kstruct* body() const { return m_body; } gps_t* _root() const { return m__root; } kaitai::kstruct* _parent() const { return m__parent; } }; #endif // GPS_H_
2301_81045437/openpilot
system/ubloxd/generated/gps.h
C++
mit
9,732
// This is a generated file! Please edit source .ksy file and use kaitai-struct-compiler to rebuild #include "ubx.h" #include "kaitai/exceptions.h" ubx_t::ubx_t(kaitai::kstream* p__io, kaitai::kstruct* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = this; f_checksum = false; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::_read() { m_magic = m__io->read_bytes(2); if (!(magic() == std::string("\xB5\x62", 2))) { throw kaitai::validation_not_equal_error<std::string>(std::string("\xB5\x62", 2), magic(), _io(), std::string("/seq/0")); } m_msg_type = m__io->read_u2be(); m_length = m__io->read_u2le(); n_body = true; switch (msg_type()) { case 2569: { n_body = false; m_body = new mon_hw_t(m__io, this, m__root); break; } case 533: { n_body = false; m_body = new rxm_rawx_t(m__io, this, m__root); break; } case 531: { n_body = false; m_body = new rxm_sfrbx_t(m__io, this, m__root); break; } case 309: { n_body = false; m_body = new nav_sat_t(m__io, this, m__root); break; } case 2571: { n_body = false; m_body = new mon_hw2_t(m__io, this, m__root); break; } case 263: { n_body = false; m_body = new nav_pvt_t(m__io, this, m__root); break; } } } ubx_t::~ubx_t() { _clean_up(); } void ubx_t::_clean_up() { if (!n_body) { if (m_body) { delete m_body; m_body = 0; } } if (f_checksum) { } } ubx_t::rxm_rawx_t::rxm_rawx_t(kaitai::kstream* p__io, ubx_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; m_meas = 0; m__raw_meas = 0; m__io__raw_meas = 0; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::rxm_rawx_t::_read() { m_rcv_tow = m__io->read_f8le(); m_week = m__io->read_u2le(); m_leap_s = m__io->read_s1(); m_num_meas = m__io->read_u1(); m_rec_stat = m__io->read_u1(); m_reserved1 = m__io->read_bytes(3); m__raw_meas = new std::vector<std::string>(); m__io__raw_meas = new std::vector<kaitai::kstream*>(); m_meas = new std::vector<measurement_t*>(); const int l_meas = num_meas(); for (int i = 0; i < l_meas; i++) { m__raw_meas->push_back(m__io->read_bytes(32)); kaitai::kstream* io__raw_meas = new kaitai::kstream(m__raw_meas->at(m__raw_meas->size() - 1)); m__io__raw_meas->push_back(io__raw_meas); m_meas->push_back(new measurement_t(io__raw_meas, this, m__root)); } } ubx_t::rxm_rawx_t::~rxm_rawx_t() { _clean_up(); } void ubx_t::rxm_rawx_t::_clean_up() { if (m__raw_meas) { delete m__raw_meas; m__raw_meas = 0; } if (m__io__raw_meas) { for (std::vector<kaitai::kstream*>::iterator it = m__io__raw_meas->begin(); it != m__io__raw_meas->end(); ++it) { delete *it; } delete m__io__raw_meas; m__io__raw_meas = 0; } if (m_meas) { for (std::vector<measurement_t*>::iterator it = m_meas->begin(); it != m_meas->end(); ++it) { delete *it; } delete m_meas; m_meas = 0; } } ubx_t::rxm_rawx_t::measurement_t::measurement_t(kaitai::kstream* p__io, ubx_t::rxm_rawx_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::rxm_rawx_t::measurement_t::_read() { m_pr_mes = m__io->read_f8le(); m_cp_mes = m__io->read_f8le(); m_do_mes = m__io->read_f4le(); m_gnss_id = static_cast<ubx_t::gnss_type_t>(m__io->read_u1()); m_sv_id = m__io->read_u1(); m_reserved2 = m__io->read_bytes(1); m_freq_id = m__io->read_u1(); m_lock_time = m__io->read_u2le(); m_cno = m__io->read_u1(); m_pr_stdev = m__io->read_u1(); m_cp_stdev = m__io->read_u1(); m_do_stdev = m__io->read_u1(); m_trk_stat = m__io->read_u1(); m_reserved3 = m__io->read_bytes(1); } ubx_t::rxm_rawx_t::measurement_t::~measurement_t() { _clean_up(); } void ubx_t::rxm_rawx_t::measurement_t::_clean_up() { } ubx_t::rxm_sfrbx_t::rxm_sfrbx_t(kaitai::kstream* p__io, ubx_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; m_body = 0; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::rxm_sfrbx_t::_read() { m_gnss_id = static_cast<ubx_t::gnss_type_t>(m__io->read_u1()); m_sv_id = m__io->read_u1(); m_reserved1 = m__io->read_bytes(1); m_freq_id = m__io->read_u1(); m_num_words = m__io->read_u1(); m_reserved2 = m__io->read_bytes(1); m_version = m__io->read_u1(); m_reserved3 = m__io->read_bytes(1); m_body = new std::vector<uint32_t>(); const int l_body = num_words(); for (int i = 0; i < l_body; i++) { m_body->push_back(m__io->read_u4le()); } } ubx_t::rxm_sfrbx_t::~rxm_sfrbx_t() { _clean_up(); } void ubx_t::rxm_sfrbx_t::_clean_up() { if (m_body) { delete m_body; m_body = 0; } } ubx_t::nav_sat_t::nav_sat_t(kaitai::kstream* p__io, ubx_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; m_svs = 0; m__raw_svs = 0; m__io__raw_svs = 0; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::nav_sat_t::_read() { m_itow = m__io->read_u4le(); m_version = m__io->read_u1(); m_num_svs = m__io->read_u1(); m_reserved = m__io->read_bytes(2); m__raw_svs = new std::vector<std::string>(); m__io__raw_svs = new std::vector<kaitai::kstream*>(); m_svs = new std::vector<nav_t*>(); const int l_svs = num_svs(); for (int i = 0; i < l_svs; i++) { m__raw_svs->push_back(m__io->read_bytes(12)); kaitai::kstream* io__raw_svs = new kaitai::kstream(m__raw_svs->at(m__raw_svs->size() - 1)); m__io__raw_svs->push_back(io__raw_svs); m_svs->push_back(new nav_t(io__raw_svs, this, m__root)); } } ubx_t::nav_sat_t::~nav_sat_t() { _clean_up(); } void ubx_t::nav_sat_t::_clean_up() { if (m__raw_svs) { delete m__raw_svs; m__raw_svs = 0; } if (m__io__raw_svs) { for (std::vector<kaitai::kstream*>::iterator it = m__io__raw_svs->begin(); it != m__io__raw_svs->end(); ++it) { delete *it; } delete m__io__raw_svs; m__io__raw_svs = 0; } if (m_svs) { for (std::vector<nav_t*>::iterator it = m_svs->begin(); it != m_svs->end(); ++it) { delete *it; } delete m_svs; m_svs = 0; } } ubx_t::nav_sat_t::nav_t::nav_t(kaitai::kstream* p__io, ubx_t::nav_sat_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::nav_sat_t::nav_t::_read() { m_gnss_id = static_cast<ubx_t::gnss_type_t>(m__io->read_u1()); m_sv_id = m__io->read_u1(); m_cno = m__io->read_u1(); m_elev = m__io->read_s1(); m_azim = m__io->read_s2le(); m_pr_res = m__io->read_s2le(); m_flags = m__io->read_u4le(); } ubx_t::nav_sat_t::nav_t::~nav_t() { _clean_up(); } void ubx_t::nav_sat_t::nav_t::_clean_up() { } ubx_t::nav_pvt_t::nav_pvt_t(kaitai::kstream* p__io, ubx_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::nav_pvt_t::_read() { m_i_tow = m__io->read_u4le(); m_year = m__io->read_u2le(); m_month = m__io->read_u1(); m_day = m__io->read_u1(); m_hour = m__io->read_u1(); m_min = m__io->read_u1(); m_sec = m__io->read_u1(); m_valid = m__io->read_u1(); m_t_acc = m__io->read_u4le(); m_nano = m__io->read_s4le(); m_fix_type = m__io->read_u1(); m_flags = m__io->read_u1(); m_flags2 = m__io->read_u1(); m_num_sv = m__io->read_u1(); m_lon = m__io->read_s4le(); m_lat = m__io->read_s4le(); m_height = m__io->read_s4le(); m_h_msl = m__io->read_s4le(); m_h_acc = m__io->read_u4le(); m_v_acc = m__io->read_u4le(); m_vel_n = m__io->read_s4le(); m_vel_e = m__io->read_s4le(); m_vel_d = m__io->read_s4le(); m_g_speed = m__io->read_s4le(); m_head_mot = m__io->read_s4le(); m_s_acc = m__io->read_s4le(); m_head_acc = m__io->read_u4le(); m_p_dop = m__io->read_u2le(); m_flags3 = m__io->read_u1(); m_reserved1 = m__io->read_bytes(5); m_head_veh = m__io->read_s4le(); m_mag_dec = m__io->read_s2le(); m_mag_acc = m__io->read_u2le(); } ubx_t::nav_pvt_t::~nav_pvt_t() { _clean_up(); } void ubx_t::nav_pvt_t::_clean_up() { } ubx_t::mon_hw2_t::mon_hw2_t(kaitai::kstream* p__io, ubx_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::mon_hw2_t::_read() { m_ofs_i = m__io->read_s1(); m_mag_i = m__io->read_u1(); m_ofs_q = m__io->read_s1(); m_mag_q = m__io->read_u1(); m_cfg_source = static_cast<ubx_t::mon_hw2_t::config_source_t>(m__io->read_u1()); m_reserved1 = m__io->read_bytes(3); m_low_lev_cfg = m__io->read_u4le(); m_reserved2 = m__io->read_bytes(8); m_post_status = m__io->read_u4le(); m_reserved3 = m__io->read_bytes(4); } ubx_t::mon_hw2_t::~mon_hw2_t() { _clean_up(); } void ubx_t::mon_hw2_t::_clean_up() { } ubx_t::mon_hw_t::mon_hw_t(kaitai::kstream* p__io, ubx_t* p__parent, ubx_t* p__root) : kaitai::kstruct(p__io) { m__parent = p__parent; m__root = p__root; try { _read(); } catch(...) { _clean_up(); throw; } } void ubx_t::mon_hw_t::_read() { m_pin_sel = m__io->read_u4le(); m_pin_bank = m__io->read_u4le(); m_pin_dir = m__io->read_u4le(); m_pin_val = m__io->read_u4le(); m_noise_per_ms = m__io->read_u2le(); m_agc_cnt = m__io->read_u2le(); m_a_status = static_cast<ubx_t::mon_hw_t::antenna_status_t>(m__io->read_u1()); m_a_power = static_cast<ubx_t::mon_hw_t::antenna_power_t>(m__io->read_u1()); m_flags = m__io->read_u1(); m_reserved1 = m__io->read_bytes(1); m_used_mask = m__io->read_u4le(); m_vp = m__io->read_bytes(17); m_jam_ind = m__io->read_u1(); m_reserved2 = m__io->read_bytes(2); m_pin_irq = m__io->read_u4le(); m_pull_h = m__io->read_u4le(); m_pull_l = m__io->read_u4le(); } ubx_t::mon_hw_t::~mon_hw_t() { _clean_up(); } void ubx_t::mon_hw_t::_clean_up() { } uint16_t ubx_t::checksum() { if (f_checksum) return m_checksum; std::streampos _pos = m__io->pos(); m__io->seek((length() + 6)); m_checksum = m__io->read_u2le(); m__io->seek(_pos); f_checksum = true; return m_checksum; }
2301_81045437/openpilot
system/ubloxd/generated/ubx.cpp
C++
mit
11,212
#ifndef UBX_H_ #define UBX_H_ // This is a generated file! Please edit source .ksy file and use kaitai-struct-compiler to rebuild #include "kaitai/kaitaistruct.h" #include <stdint.h> #include <vector> #if KAITAI_STRUCT_VERSION < 9000L #error "Incompatible Kaitai Struct C++/STL API: version 0.9 or later is required" #endif class ubx_t : public kaitai::kstruct { public: class rxm_rawx_t; class rxm_sfrbx_t; class nav_sat_t; class nav_pvt_t; class mon_hw2_t; class mon_hw_t; enum gnss_type_t { GNSS_TYPE_GPS = 0, GNSS_TYPE_SBAS = 1, GNSS_TYPE_GALILEO = 2, GNSS_TYPE_BEIDOU = 3, GNSS_TYPE_IMES = 4, GNSS_TYPE_QZSS = 5, GNSS_TYPE_GLONASS = 6 }; ubx_t(kaitai::kstream* p__io, kaitai::kstruct* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~ubx_t(); class rxm_rawx_t : public kaitai::kstruct { public: class measurement_t; rxm_rawx_t(kaitai::kstream* p__io, ubx_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~rxm_rawx_t(); class measurement_t : public kaitai::kstruct { public: measurement_t(kaitai::kstream* p__io, ubx_t::rxm_rawx_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~measurement_t(); private: double m_pr_mes; double m_cp_mes; float m_do_mes; gnss_type_t m_gnss_id; uint8_t m_sv_id; std::string m_reserved2; uint8_t m_freq_id; uint16_t m_lock_time; uint8_t m_cno; uint8_t m_pr_stdev; uint8_t m_cp_stdev; uint8_t m_do_stdev; uint8_t m_trk_stat; std::string m_reserved3; ubx_t* m__root; ubx_t::rxm_rawx_t* m__parent; public: double pr_mes() const { return m_pr_mes; } double cp_mes() const { return m_cp_mes; } float do_mes() const { return m_do_mes; } gnss_type_t gnss_id() const { return m_gnss_id; } uint8_t sv_id() const { return m_sv_id; } std::string reserved2() const { return m_reserved2; } uint8_t freq_id() const { return m_freq_id; } uint16_t lock_time() const { return m_lock_time; } uint8_t cno() const { return m_cno; } uint8_t pr_stdev() const { return m_pr_stdev; } uint8_t cp_stdev() const { return m_cp_stdev; } uint8_t do_stdev() const { return m_do_stdev; } uint8_t trk_stat() const { return m_trk_stat; } std::string reserved3() const { return m_reserved3; } ubx_t* _root() const { return m__root; } ubx_t::rxm_rawx_t* _parent() const { return m__parent; } }; private: double m_rcv_tow; uint16_t m_week; int8_t m_leap_s; uint8_t m_num_meas; uint8_t m_rec_stat; std::string m_reserved1; std::vector<measurement_t*>* m_meas; ubx_t* m__root; ubx_t* m__parent; std::vector<std::string>* m__raw_meas; std::vector<kaitai::kstream*>* m__io__raw_meas; public: double rcv_tow() const { return m_rcv_tow; } uint16_t week() const { return m_week; } int8_t leap_s() const { return m_leap_s; } uint8_t num_meas() const { return m_num_meas; } uint8_t rec_stat() const { return m_rec_stat; } std::string reserved1() const { return m_reserved1; } std::vector<measurement_t*>* meas() const { return m_meas; } ubx_t* _root() const { return m__root; } ubx_t* _parent() const { return m__parent; } std::vector<std::string>* _raw_meas() const { return m__raw_meas; } std::vector<kaitai::kstream*>* _io__raw_meas() const { return m__io__raw_meas; } }; class rxm_sfrbx_t : public kaitai::kstruct { public: rxm_sfrbx_t(kaitai::kstream* p__io, ubx_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~rxm_sfrbx_t(); private: gnss_type_t m_gnss_id; uint8_t m_sv_id; std::string m_reserved1; uint8_t m_freq_id; uint8_t m_num_words; std::string m_reserved2; uint8_t m_version; std::string m_reserved3; std::vector<uint32_t>* m_body; ubx_t* m__root; ubx_t* m__parent; public: gnss_type_t gnss_id() const { return m_gnss_id; } uint8_t sv_id() const { return m_sv_id; } std::string reserved1() const { return m_reserved1; } uint8_t freq_id() const { return m_freq_id; } uint8_t num_words() const { return m_num_words; } std::string reserved2() const { return m_reserved2; } uint8_t version() const { return m_version; } std::string reserved3() const { return m_reserved3; } std::vector<uint32_t>* body() const { return m_body; } ubx_t* _root() const { return m__root; } ubx_t* _parent() const { return m__parent; } }; class nav_sat_t : public kaitai::kstruct { public: class nav_t; nav_sat_t(kaitai::kstream* p__io, ubx_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~nav_sat_t(); class nav_t : public kaitai::kstruct { public: nav_t(kaitai::kstream* p__io, ubx_t::nav_sat_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~nav_t(); private: gnss_type_t m_gnss_id; uint8_t m_sv_id; uint8_t m_cno; int8_t m_elev; int16_t m_azim; int16_t m_pr_res; uint32_t m_flags; ubx_t* m__root; ubx_t::nav_sat_t* m__parent; public: gnss_type_t gnss_id() const { return m_gnss_id; } uint8_t sv_id() const { return m_sv_id; } uint8_t cno() const { return m_cno; } int8_t elev() const { return m_elev; } int16_t azim() const { return m_azim; } int16_t pr_res() const { return m_pr_res; } uint32_t flags() const { return m_flags; } ubx_t* _root() const { return m__root; } ubx_t::nav_sat_t* _parent() const { return m__parent; } }; private: uint32_t m_itow; uint8_t m_version; uint8_t m_num_svs; std::string m_reserved; std::vector<nav_t*>* m_svs; ubx_t* m__root; ubx_t* m__parent; std::vector<std::string>* m__raw_svs; std::vector<kaitai::kstream*>* m__io__raw_svs; public: uint32_t itow() const { return m_itow; } uint8_t version() const { return m_version; } uint8_t num_svs() const { return m_num_svs; } std::string reserved() const { return m_reserved; } std::vector<nav_t*>* svs() const { return m_svs; } ubx_t* _root() const { return m__root; } ubx_t* _parent() const { return m__parent; } std::vector<std::string>* _raw_svs() const { return m__raw_svs; } std::vector<kaitai::kstream*>* _io__raw_svs() const { return m__io__raw_svs; } }; class nav_pvt_t : public kaitai::kstruct { public: nav_pvt_t(kaitai::kstream* p__io, ubx_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~nav_pvt_t(); private: uint32_t m_i_tow; uint16_t m_year; uint8_t m_month; uint8_t m_day; uint8_t m_hour; uint8_t m_min; uint8_t m_sec; uint8_t m_valid; uint32_t m_t_acc; int32_t m_nano; uint8_t m_fix_type; uint8_t m_flags; uint8_t m_flags2; uint8_t m_num_sv; int32_t m_lon; int32_t m_lat; int32_t m_height; int32_t m_h_msl; uint32_t m_h_acc; uint32_t m_v_acc; int32_t m_vel_n; int32_t m_vel_e; int32_t m_vel_d; int32_t m_g_speed; int32_t m_head_mot; int32_t m_s_acc; uint32_t m_head_acc; uint16_t m_p_dop; uint8_t m_flags3; std::string m_reserved1; int32_t m_head_veh; int16_t m_mag_dec; uint16_t m_mag_acc; ubx_t* m__root; ubx_t* m__parent; public: uint32_t i_tow() const { return m_i_tow; } uint16_t year() const { return m_year; } uint8_t month() const { return m_month; } uint8_t day() const { return m_day; } uint8_t hour() const { return m_hour; } uint8_t min() const { return m_min; } uint8_t sec() const { return m_sec; } uint8_t valid() const { return m_valid; } uint32_t t_acc() const { return m_t_acc; } int32_t nano() const { return m_nano; } uint8_t fix_type() const { return m_fix_type; } uint8_t flags() const { return m_flags; } uint8_t flags2() const { return m_flags2; } uint8_t num_sv() const { return m_num_sv; } int32_t lon() const { return m_lon; } int32_t lat() const { return m_lat; } int32_t height() const { return m_height; } int32_t h_msl() const { return m_h_msl; } uint32_t h_acc() const { return m_h_acc; } uint32_t v_acc() const { return m_v_acc; } int32_t vel_n() const { return m_vel_n; } int32_t vel_e() const { return m_vel_e; } int32_t vel_d() const { return m_vel_d; } int32_t g_speed() const { return m_g_speed; } int32_t head_mot() const { return m_head_mot; } int32_t s_acc() const { return m_s_acc; } uint32_t head_acc() const { return m_head_acc; } uint16_t p_dop() const { return m_p_dop; } uint8_t flags3() const { return m_flags3; } std::string reserved1() const { return m_reserved1; } int32_t head_veh() const { return m_head_veh; } int16_t mag_dec() const { return m_mag_dec; } uint16_t mag_acc() const { return m_mag_acc; } ubx_t* _root() const { return m__root; } ubx_t* _parent() const { return m__parent; } }; class mon_hw2_t : public kaitai::kstruct { public: enum config_source_t { CONFIG_SOURCE_FLASH = 102, CONFIG_SOURCE_OTP = 111, CONFIG_SOURCE_CONFIG_PINS = 112, CONFIG_SOURCE_ROM = 113 }; mon_hw2_t(kaitai::kstream* p__io, ubx_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~mon_hw2_t(); private: int8_t m_ofs_i; uint8_t m_mag_i; int8_t m_ofs_q; uint8_t m_mag_q; config_source_t m_cfg_source; std::string m_reserved1; uint32_t m_low_lev_cfg; std::string m_reserved2; uint32_t m_post_status; std::string m_reserved3; ubx_t* m__root; ubx_t* m__parent; public: int8_t ofs_i() const { return m_ofs_i; } uint8_t mag_i() const { return m_mag_i; } int8_t ofs_q() const { return m_ofs_q; } uint8_t mag_q() const { return m_mag_q; } config_source_t cfg_source() const { return m_cfg_source; } std::string reserved1() const { return m_reserved1; } uint32_t low_lev_cfg() const { return m_low_lev_cfg; } std::string reserved2() const { return m_reserved2; } uint32_t post_status() const { return m_post_status; } std::string reserved3() const { return m_reserved3; } ubx_t* _root() const { return m__root; } ubx_t* _parent() const { return m__parent; } }; class mon_hw_t : public kaitai::kstruct { public: enum antenna_status_t { ANTENNA_STATUS_INIT = 0, ANTENNA_STATUS_DONTKNOW = 1, ANTENNA_STATUS_OK = 2, ANTENNA_STATUS_SHORT = 3, ANTENNA_STATUS_OPEN = 4 }; enum antenna_power_t { ANTENNA_POWER_FALSE = 0, ANTENNA_POWER_TRUE = 1, ANTENNA_POWER_DONTKNOW = 2 }; mon_hw_t(kaitai::kstream* p__io, ubx_t* p__parent = 0, ubx_t* p__root = 0); private: void _read(); void _clean_up(); public: ~mon_hw_t(); private: uint32_t m_pin_sel; uint32_t m_pin_bank; uint32_t m_pin_dir; uint32_t m_pin_val; uint16_t m_noise_per_ms; uint16_t m_agc_cnt; antenna_status_t m_a_status; antenna_power_t m_a_power; uint8_t m_flags; std::string m_reserved1; uint32_t m_used_mask; std::string m_vp; uint8_t m_jam_ind; std::string m_reserved2; uint32_t m_pin_irq; uint32_t m_pull_h; uint32_t m_pull_l; ubx_t* m__root; ubx_t* m__parent; public: uint32_t pin_sel() const { return m_pin_sel; } uint32_t pin_bank() const { return m_pin_bank; } uint32_t pin_dir() const { return m_pin_dir; } uint32_t pin_val() const { return m_pin_val; } uint16_t noise_per_ms() const { return m_noise_per_ms; } uint16_t agc_cnt() const { return m_agc_cnt; } antenna_status_t a_status() const { return m_a_status; } antenna_power_t a_power() const { return m_a_power; } uint8_t flags() const { return m_flags; } std::string reserved1() const { return m_reserved1; } uint32_t used_mask() const { return m_used_mask; } std::string vp() const { return m_vp; } uint8_t jam_ind() const { return m_jam_ind; } std::string reserved2() const { return m_reserved2; } uint32_t pin_irq() const { return m_pin_irq; } uint32_t pull_h() const { return m_pull_h; } uint32_t pull_l() const { return m_pull_l; } ubx_t* _root() const { return m__root; } ubx_t* _parent() const { return m__parent; } }; private: bool f_checksum; uint16_t m_checksum; public: uint16_t checksum(); private: std::string m_magic; uint16_t m_msg_type; uint16_t m_length; kaitai::kstruct* m_body; bool n_body; public: bool _is_null_body() { body(); return n_body; }; private: ubx_t* m__root; kaitai::kstruct* m__parent; public: std::string magic() const { return m_magic; } uint16_t msg_type() const { return m_msg_type; } uint16_t length() const { return m_length; } kaitai::kstruct* body() const { return m_body; } ubx_t* _root() const { return m__root; } kaitai::kstruct* _parent() const { return m__parent; } }; #endif // UBX_H_
2301_81045437/openpilot
system/ubloxd/generated/ubx.h
C++
mit
14,946
# http://gauss.gge.unb.ca/GLONASS.ICD.pdf # some variables are misprinted but good in the old doc # https://www.unavco.org/help/glossary/docs/ICD_GLONASS_4.0_(1998)_en.pdf meta: id: glonass endian: be bit-endian: be seq: - id: idle_chip type: b1 - id: string_number type: b4 - id: data type: switch-on: string_number cases: 1: string_1 2: string_2 3: string_3 4: string_4 5: string_5 _: string_non_immediate - id: hamming_code type: b8 - id: pad_1 type: b11 - id: superframe_number type: b16 - id: pad_2 type: b8 - id: frame_number type: b8 types: string_1: seq: - id: not_used type: b2 - id: p1 type: b2 - id: t_k type: b12 - id: x_vel_sign type: b1 - id: x_vel_value type: b23 - id: x_accel_sign type: b1 - id: x_accel_value type: b4 - id: x_sign type: b1 - id: x_value type: b26 instances: x_vel: value: 'x_vel_sign ? (x_vel_value * (-1)) : x_vel_value' x_accel: value: 'x_accel_sign ? (x_accel_value * (-1)) : x_accel_value' x: value: 'x_sign ? (x_value * (-1)) : x_value' string_2: seq: - id: b_n type: b3 - id: p2 type: b1 - id: t_b type: b7 - id: not_used type: b5 - id: y_vel_sign type: b1 - id: y_vel_value type: b23 - id: y_accel_sign type: b1 - id: y_accel_value type: b4 - id: y_sign type: b1 - id: y_value type: b26 instances: y_vel: value: 'y_vel_sign ? (y_vel_value * (-1)) : y_vel_value' y_accel: value: 'y_accel_sign ? (y_accel_value * (-1)) : y_accel_value' y: value: 'y_sign ? (y_value * (-1)) : y_value' string_3: seq: - id: p3 type: b1 - id: gamma_n_sign type: b1 - id: gamma_n_value type: b10 - id: not_used type: b1 - id: p type: b2 - id: l_n type: b1 - id: z_vel_sign type: b1 - id: z_vel_value type: b23 - id: z_accel_sign type: b1 - id: z_accel_value type: b4 - id: z_sign type: b1 - id: z_value type: b26 instances: gamma_n: value: 'gamma_n_sign ? (gamma_n_value * (-1)) : gamma_n_value' z_vel: value: 'z_vel_sign ? (z_vel_value * (-1)) : z_vel_value' z_accel: value: 'z_accel_sign ? (z_accel_value * (-1)) : z_accel_value' z: value: 'z_sign ? (z_value * (-1)) : z_value' string_4: seq: - id: tau_n_sign type: b1 - id: tau_n_value type: b21 - id: delta_tau_n_sign type: b1 - id: delta_tau_n_value type: b4 - id: e_n type: b5 - id: not_used_1 type: b14 - id: p4 type: b1 - id: f_t type: b4 - id: not_used_2 type: b3 - id: n_t type: b11 - id: n type: b5 - id: m type: b2 instances: tau_n: value: 'tau_n_sign ? (tau_n_value * (-1)) : tau_n_value' delta_tau_n: value: 'delta_tau_n_sign ? (delta_tau_n_value * (-1)) : delta_tau_n_value' string_5: seq: - id: n_a type: b11 - id: tau_c type: b32 - id: not_used type: b1 - id: n_4 type: b5 - id: tau_gps type: b22 - id: l_n type: b1 string_non_immediate: seq: - id: data_1 type: b64 - id: data_2 type: b8
2301_81045437/openpilot
system/ubloxd/glonass.ksy
Kaitai Struct
mit
3,723
# https://www.gps.gov/technical/icwg/IS-GPS-200E.pdf meta: id: gps endian: be bit-endian: be seq: - id: tlm type: tlm - id: how type: how - id: body type: switch-on: how.subframe_id cases: 1: subframe_1 2: subframe_2 3: subframe_3 4: subframe_4 types: tlm: seq: - id: preamble contents: [0x8b] - id: tlm type: b14 - id: integrity_status type: b1 - id: reserved type: b1 how: seq: - id: tow_count type: b17 - id: alert type: b1 - id: anti_spoof type: b1 - id: subframe_id type: b3 - id: reserved type: b2 subframe_1: seq: # Word 3 - id: week_no type: b10 - id: code type: b2 - id: sv_accuracy type: b4 - id: sv_health type: b6 - id: iodc_msb type: b2 # Word 4 - id: l2_p_data_flag type: b1 - id: reserved1 type: b23 # Word 5 - id: reserved2 type: b24 # Word 6 - id: reserved3 type: b24 # Word 7 - id: reserved4 type: b16 - id: t_gd type: s1 # Word 8 - id: iodc_lsb type: u1 - id: t_oc type: u2 # Word 9 - id: af_2 type: s1 - id: af_1 type: s2 # Word 10 - id: af_0_sign type: b1 - id: af_0_value type: b21 - id: reserved5 type: b2 instances: af_0: value: 'af_0_sign ? (af_0_value - (1 << 21)) : af_0_value' subframe_2: seq: # Word 3 - id: iode type: u1 - id: c_rs type: s2 # Word 4 & 5 - id: delta_n type: s2 - id: m_0 type: s4 # Word 6 & 7 - id: c_uc type: s2 - id: e type: s4 # Word 8 & 9 - id: c_us type: s2 - id: sqrt_a type: u4 # Word 10 - id: t_oe type: u2 - id: fit_interval_flag type: b1 - id: aoda type: b5 - id: reserved type: b2 subframe_3: seq: # Word 3 & 4 - id: c_ic type: s2 - id: omega_0 type: s4 # Word 5 & 6 - id: c_is type: s2 - id: i_0 type: s4 # Word 7 & 8 - id: c_rc type: s2 - id: omega type: s4 # Word 9 - id: omega_dot_sign type: b1 - id: omega_dot_value type: b23 # Word 10 - id: iode type: u1 - id: idot_sign type: b1 - id: idot_value type: b13 - id: reserved type: b2 instances: omega_dot: value: 'omega_dot_sign ? (omega_dot_value - (1 << 23)) : omega_dot_value' idot: value: 'idot_sign ? (idot_value - (1 << 13)) : idot_value' subframe_4: seq: # Word 3 - id: data_id type: b2 - id: page_id type: b6 - id: body type: switch-on: page_id cases: 56: ionosphere_data types: ionosphere_data: seq: - id: a0 type: s1 - id: a1 type: s1 - id: a2 type: s1 - id: a3 type: s1 - id: b0 type: s1 - id: b1 type: s1 - id: b2 type: s1 - id: b3 type: s1
2301_81045437/openpilot
system/ubloxd/gps.ksy
Kaitai Struct
mit
3,505
#!/usr/bin/env python3 import sys import time import signal import serial import struct import requests import urllib.parse from datetime import datetime from cereal import messaging from openpilot.common.params import Params from openpilot.common.swaglog import cloudlog from openpilot.system.hardware import TICI from openpilot.common.gpio import gpio_init, gpio_set from openpilot.system.hardware.tici.pins import GPIO UBLOX_TTY = "/dev/ttyHS0" UBLOX_ACK = b"\xb5\x62\x05\x01\x02\x00" UBLOX_NACK = b"\xb5\x62\x05\x00\x02\x00" UBLOX_SOS_ACK = b"\xb5\x62\x09\x14\x08\x00\x02\x00\x00\x00\x01\x00\x00\x00" UBLOX_SOS_NACK = b"\xb5\x62\x09\x14\x08\x00\x02\x00\x00\x00\x00\x00\x00\x00" UBLOX_BACKUP_RESTORE_MSG = b"\xb5\x62\x09\x14\x08\x00\x03" UBLOX_ASSIST_ACK = b"\xb5\x62\x13\x60\x08\x00" def set_power(enabled: bool) -> None: gpio_init(GPIO.UBLOX_SAFEBOOT_N, True) gpio_init(GPIO.GNSS_PWR_EN, True) gpio_init(GPIO.UBLOX_RST_N, True) gpio_set(GPIO.UBLOX_SAFEBOOT_N, True) gpio_set(GPIO.GNSS_PWR_EN, enabled) gpio_set(GPIO.UBLOX_RST_N, enabled) def add_ubx_checksum(msg: bytes) -> bytes: A = B = 0 for b in msg[2:]: A = (A + b) % 256 B = (B + A) % 256 return msg + bytes([A, B]) def get_assistnow_messages(token: bytes) -> list[bytes]: # make request # TODO: implement adding the last known location r = requests.get("https://online-live2.services.u-blox.com/GetOnlineData.ashx", params=urllib.parse.urlencode({ 'token': token, 'gnss': 'gps,glo', 'datatype': 'eph,alm,aux', }, safe=':,'), timeout=5) assert r.status_code == 200, "Got invalid status code" dat = r.content # split up messages msgs = [] while len(dat) > 0: assert dat[:2] == b"\xB5\x62" msg_len = 6 + (dat[5] << 8 | dat[4]) + 2 msgs.append(dat[:msg_len]) dat = dat[msg_len:] return msgs class TTYPigeon: def __init__(self): self.tty = serial.VTIMESerial(UBLOX_TTY, baudrate=9600, timeout=0) def send(self, dat: bytes) -> None: self.tty.write(dat) def receive(self) -> bytes: dat = b'' while len(dat) < 0x1000: d = self.tty.read(0x40) dat += d if len(d) == 0: break return dat def set_baud(self, baud: int) -> None: self.tty.baudrate = baud def wait_for_ack(self, ack: bytes = UBLOX_ACK, nack: bytes = UBLOX_NACK, timeout: float = 0.5) -> bool: dat = b'' st = time.monotonic() while True: dat += self.receive() if ack in dat: cloudlog.debug("Received ACK from ublox") return True elif nack in dat: cloudlog.error("Received NACK from ublox") return False elif time.monotonic() - st > timeout: cloudlog.error("No response from ublox") raise TimeoutError('No response from ublox') time.sleep(0.001) def send_with_ack(self, dat: bytes, ack: bytes = UBLOX_ACK, nack: bytes = UBLOX_NACK) -> None: self.send(dat) self.wait_for_ack(ack, nack) def wait_for_backup_restore_status(self, timeout: float = 1.) -> int: dat = b'' st = time.monotonic() while True: dat += self.receive() position = dat.find(UBLOX_BACKUP_RESTORE_MSG) if position >= 0 and len(dat) >= position + 11: return dat[position + 10] elif time.monotonic() - st > timeout: cloudlog.error("No backup restore response from ublox") raise TimeoutError('No response from ublox') time.sleep(0.001) def reset_device(self) -> bool: # deleting the backup does not always work on first try (mostly on second try) for _ in range(5): # device cold start self.send(b"\xb5\x62\x06\x04\x04\x00\xff\xff\x00\x00\x0c\x5d") time.sleep(1) # wait for cold start init_baudrate(self) # clear configuration self.send_with_ack(b"\xb5\x62\x06\x09\x0d\x00\x1f\x1f\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x17\x71\xd7") # clear flash memory (almanac backup) self.send_with_ack(b"\xB5\x62\x09\x14\x04\x00\x01\x00\x00\x00\x22\xf0") # try restoring backup to verify it got deleted self.send(b"\xB5\x62\x09\x14\x00\x00\x1D\x60") # 1: failed to restore, 2: could restore, 3: no backup status = self.wait_for_backup_restore_status() if status == 1 or status == 3: return True return False def init_baudrate(pigeon: TTYPigeon): # ublox default setting on startup is 9600 baudrate pigeon.set_baud(9600) # $PUBX,41,1,0007,0003,460800,0*15\r\n pigeon.send(b"\x24\x50\x55\x42\x58\x2C\x34\x31\x2C\x31\x2C\x30\x30\x30\x37\x2C\x30\x30\x30\x33\x2C\x34\x36\x30\x38\x30\x30\x2C\x30\x2A\x31\x35\x0D\x0A") time.sleep(0.1) pigeon.set_baud(460800) def initialize_pigeon(pigeon: TTYPigeon) -> bool: # try initializing a few times for _ in range(10): try: # setup port config pigeon.send_with_ack(b"\xb5\x62\x06\x00\x14\x00\x03\xFF\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x00\x01\x00\x00\x00\x00\x00\x1E\x7F") pigeon.send_with_ack(b"\xb5\x62\x06\x00\x14\x00\x00\xFF\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x19\x35") pigeon.send_with_ack(b"\xb5\x62\x06\x00\x14\x00\x01\x00\x00\x00\xC0\x08\x00\x00\x00\x08\x07\x00\x01\x00\x01\x00\x00\x00\x00\x00\xF4\x80") pigeon.send_with_ack(b"\xb5\x62\x06\x00\x14\x00\x04\xFF\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1D\x85") pigeon.send_with_ack(b"\xb5\x62\x06\x00\x00\x00\x06\x18") pigeon.send_with_ack(b"\xb5\x62\x06\x00\x01\x00\x01\x08\x22") pigeon.send_with_ack(b"\xb5\x62\x06\x00\x01\x00\x03\x0A\x24") # UBX-CFG-RATE (0x06 0x08) pigeon.send_with_ack(b"\xB5\x62\x06\x08\x06\x00\x64\x00\x01\x00\x00\x00\x79\x10") # UBX-CFG-NAV5 (0x06 0x24) pigeon.send_with_ack(b"\xB5\x62\x06\x24\x24\x00\x05\x00\x04\x03\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x5A\x63") # UBX-CFG-ODO (0x06 0x1E) pigeon.send_with_ack(b"\xB5\x62\x06\x1E\x14\x00\x00\x00\x00\x00\x01\x03\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3C\x37") pigeon.send_with_ack(b"\xB5\x62\x06\x39\x08\x00\xFF\xAD\x62\xAD\x1E\x63\x00\x00\x83\x0C") pigeon.send_with_ack(b"\xB5\x62\x06\x23\x28\x00\x00\x00\x00\x04\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x56\x24") # UBX-CFG-NAV5 (0x06 0x24) pigeon.send_with_ack(b"\xB5\x62\x06\x24\x00\x00\x2A\x84") pigeon.send_with_ack(b"\xB5\x62\x06\x23\x00\x00\x29\x81") pigeon.send_with_ack(b"\xB5\x62\x06\x1E\x00\x00\x24\x72") pigeon.send_with_ack(b"\xB5\x62\x06\x39\x00\x00\x3F\xC3") # UBX-CFG-MSG (set message rate) pigeon.send_with_ack(b"\xB5\x62\x06\x01\x03\x00\x01\x07\x01\x13\x51") pigeon.send_with_ack(b"\xB5\x62\x06\x01\x03\x00\x02\x15\x01\x22\x70") pigeon.send_with_ack(b"\xB5\x62\x06\x01\x03\x00\x02\x13\x01\x20\x6C") pigeon.send_with_ack(b"\xB5\x62\x06\x01\x03\x00\x0A\x09\x01\x1E\x70") pigeon.send_with_ack(b"\xB5\x62\x06\x01\x03\x00\x0A\x0B\x01\x20\x74") pigeon.send_with_ack(b"\xB5\x62\x06\x01\x03\x00\x01\x35\x01\x41\xAD") cloudlog.debug("pigeon configured") # try restoring almanac backup pigeon.send(b"\xB5\x62\x09\x14\x00\x00\x1D\x60") restore_status = pigeon.wait_for_backup_restore_status() if restore_status == 2: cloudlog.warning("almanac backup restored") elif restore_status == 3: cloudlog.warning("no almanac backup found") else: cloudlog.error(f"failed to restore almanac backup, status: {restore_status}") # sending time to ublox t_now = datetime.utcnow() if t_now >= datetime(2021, 6, 1): cloudlog.warning("Sending current time to ublox") # UBX-MGA-INI-TIME_UTC msg = add_ubx_checksum(b"\xB5\x62\x13\x40\x18\x00" + struct.pack("<BBBBHBBBBBxIHxxI", 0x10, 0x00, 0x00, 0x80, t_now.year, t_now.month, t_now.day, t_now.hour, t_now.minute, t_now.second, 0, 30, 0 )) pigeon.send_with_ack(msg, ack=UBLOX_ASSIST_ACK) # try getting AssistNow if we have a token token = Params().get('AssistNowToken') if token is not None: try: for msg in get_assistnow_messages(token): pigeon.send_with_ack(msg, ack=UBLOX_ASSIST_ACK) cloudlog.warning("AssistNow messages sent") except Exception: cloudlog.warning("failed to get AssistNow messages") cloudlog.warning("Pigeon GPS on!") break except TimeoutError: cloudlog.warning("Initialization failed, trying again!") else: cloudlog.warning("Failed to initialize pigeon") return False return True def deinitialize_and_exit(pigeon: TTYPigeon | None): cloudlog.warning("Storing almanac in ublox flash") if pigeon is not None: # controlled GNSS stop pigeon.send(b"\xB5\x62\x06\x04\x04\x00\x00\x00\x08\x00\x16\x74") # store almanac in flash pigeon.send(b"\xB5\x62\x09\x14\x04\x00\x00\x00\x00\x00\x21\xEC") try: if pigeon.wait_for_ack(ack=UBLOX_SOS_ACK, nack=UBLOX_SOS_NACK): cloudlog.warning("Done storing almanac") else: cloudlog.error("Error storing almanac") except TimeoutError: pass # turn off power and exit cleanly set_power(False) sys.exit(0) def create_pigeon() -> tuple[TTYPigeon, messaging.PubMaster]: pigeon = None # register exit handler signal.signal(signal.SIGINT, lambda sig, frame: deinitialize_and_exit(pigeon)) pm = messaging.PubMaster(['ubloxRaw']) # power cycle ublox set_power(False) time.sleep(0.1) set_power(True) time.sleep(0.5) pigeon = TTYPigeon() return pigeon, pm def run_receiving(pigeon: TTYPigeon, pm: messaging.PubMaster, duration: int = 0): start_time = time.monotonic() def end_condition(): return True if duration == 0 else time.monotonic() - start_time < duration while end_condition(): dat = pigeon.receive() if len(dat) > 0: if dat[0] == 0x00: cloudlog.warning("received invalid data from ublox, re-initing!") init_baudrate(pigeon) initialize_pigeon(pigeon) continue # send out to socket msg = messaging.new_message('ubloxRaw', len(dat), valid=True) msg.ubloxRaw = dat[:] pm.send('ubloxRaw', msg) else: # prevent locking up a CPU core if ublox disconnects time.sleep(0.001) def main(): assert TICI, "unsupported hardware for pigeond" pigeon, pm = create_pigeon() init_baudrate(pigeon) initialize_pigeon(pigeon) # start receiving data run_receiving(pigeon, pm) if __name__ == "__main__": main()
2301_81045437/openpilot
system/ubloxd/pigeond.py
Python
mit
10,845
#!/usr/bin/env python3 import time import cereal.messaging as messaging if __name__ == "__main__": sm = messaging.SubMaster(['ubloxGnss', 'gpsLocationExternal']) while 1: ug = sm['ubloxGnss'] gle = sm['gpsLocationExternal'] try: cnos = [] for m in ug.measurementReport.measurements: cnos.append(m.cno) print("Sats: %d Accuracy: %.2f m cnos" % (ug.measurementReport.numMeas, gle.horizontalAccuracy), sorted(cnos)) except Exception: pass sm.update() time.sleep(0.1)
2301_81045437/openpilot
system/ubloxd/tests/print_gps_stats.py
Python
mit
531
#include <iostream> #include <vector> #include <bitset> #include <cassert> #include <cstdlib> #include <ctime> #include "catch2/catch.hpp" #include "system/ubloxd/generated/glonass.h" typedef std::vector<std::pair<int, int64_t>> string_data; #define IDLE_CHIP_IDX 0 #define STRING_NUMBER_IDX 1 // string data 1-5 #define HC_IDX 0 #define PAD1_IDX 1 #define SUPERFRAME_IDX 2 #define PAD2_IDX 3 #define FRAME_IDX 4 // Indexes for string number 1 #define ST1_NU_IDX 2 #define ST1_P1_IDX 3 #define ST1_T_K_IDX 4 #define ST1_X_VEL_S_IDX 5 #define ST1_X_VEL_V_IDX 6 #define ST1_X_ACCEL_S_IDX 7 #define ST1_X_ACCEL_V_IDX 8 #define ST1_X_S_IDX 9 #define ST1_X_V_IDX 10 #define ST1_HC_OFF 11 // Indexes for string number 2 #define ST2_BN_IDX 2 #define ST2_P2_IDX 3 #define ST2_TB_IDX 4 #define ST2_NU_IDX 5 #define ST2_Y_VEL_S_IDX 6 #define ST2_Y_VEL_V_IDX 7 #define ST2_Y_ACCEL_S_IDX 8 #define ST2_Y_ACCEL_V_IDX 9 #define ST2_Y_S_IDX 10 #define ST2_Y_V_IDX 11 #define ST2_HC_OFF 12 // Indexes for string number 3 #define ST3_P3_IDX 2 #define ST3_GAMMA_N_S_IDX 3 #define ST3_GAMMA_N_V_IDX 4 #define ST3_NU_1_IDX 5 #define ST3_P_IDX 6 #define ST3_L_N_IDX 7 #define ST3_Z_VEL_S_IDX 8 #define ST3_Z_VEL_V_IDX 9 #define ST3_Z_ACCEL_S_IDX 10 #define ST3_Z_ACCEL_V_IDX 11 #define ST3_Z_S_IDX 12 #define ST3_Z_V_IDX 13 #define ST3_HC_OFF 14 // Indexes for string number 4 #define ST4_TAU_N_S_IDX 2 #define ST4_TAU_N_V_IDX 3 #define ST4_DELTA_TAU_N_S_IDX 4 #define ST4_DELTA_TAU_N_V_IDX 5 #define ST4_E_N_IDX 6 #define ST4_NU_1_IDX 7 #define ST4_P4_IDX 8 #define ST4_F_T_IDX 9 #define ST4_NU_2_IDX 10 #define ST4_N_T_IDX 11 #define ST4_N_IDX 12 #define ST4_M_IDX 13 #define ST4_HC_OFF 14 // Indexes for string number 5 #define ST5_N_A_IDX 2 #define ST5_TAU_C_IDX 3 #define ST5_NU_IDX 4 #define ST5_N_4_IDX 5 #define ST5_TAU_GPS_IDX 6 #define ST5_L_N_IDX 7 #define ST5_HC_OFF 8 // Indexes for non immediate #define ST6_DATA_1_IDX 2 #define ST6_DATA_2_IDX 3 #define ST6_HC_OFF 4 std::string generate_inp_data(string_data& data) { std::string inp_data = ""; for (auto& [b, v] : data) { std::string tmp = std::bitset<64>(v).to_string(); inp_data += tmp.substr(64-b, b); } assert(inp_data.size() == 128); std::string string_data; string_data.reserve(16); for (int i = 0; i < 128; i+=8) { std::string substr = inp_data.substr(i, 8); string_data.push_back((uint8_t)std::stoi(substr.c_str(), 0, 2)); } return string_data; } string_data generate_string_data(uint8_t string_number) { srand((unsigned)time(0)); string_data data; //<bit length, value> data.push_back({1, 0}); // idle chip data.push_back({4, string_number}); // string number if (string_number == 1) { data.push_back({2, 3}); // not_used data.push_back({2, 1}); // p1 data.push_back({12, 113}); // t_k data.push_back({1, rand() & 1}); // x_vel_sign data.push_back({23, 7122}); // x_vel_value data.push_back({1, rand() & 1}); // x_accel_sign data.push_back({4, 3}); // x_accel_value data.push_back({1, rand() & 1}); // x_sign data.push_back({26, 33554431}); // x_value } else if (string_number == 2) { data.push_back({3, 3}); // b_n data.push_back({1, 1}); // p2 data.push_back({7, 123}); // t_b data.push_back({5, 31}); // not_used data.push_back({1, rand() & 1}); // y_vel_sign data.push_back({23, 7422}); // y_vel_value data.push_back({1, rand() & 1}); // y_accel_sign data.push_back({4, 3}); // y_accel_value data.push_back({1, rand() & 1}); // y_sign data.push_back({26, 67108863}); // y_value } else if (string_number == 3) { data.push_back({1, 0}); // p3 data.push_back({1, 1}); // gamma_n_sign data.push_back({10, 123}); // gamma_n_value data.push_back({1, 0}); // not_used data.push_back({2, 2}); // p data.push_back({1, 1}); // l_n data.push_back({1, rand() & 1}); // z_vel_sign data.push_back({23, 1337}); // z_vel_value data.push_back({1, rand() & 1}); // z_accel_sign data.push_back({4, 9}); // z_accel_value data.push_back({1, rand() & 1}); // z_sign data.push_back({26, 100023}); // z_value } else if (string_number == 4) { data.push_back({1, rand() & 1}); // tau_n_sign data.push_back({21, 197152}); // tau_n_value data.push_back({1, rand() & 1}); // delta_tau_n_sign data.push_back({4, 4}); // delta_tau_n_value data.push_back({5, 0}); // e_n data.push_back({14, 2}); // not_used_1 data.push_back({1, 1}); // p4 data.push_back({4, 9}); // f_t data.push_back({3, 3}); // not_used_2 data.push_back({11, 2047}); // n_t data.push_back({5, 2}); // n data.push_back({2, 1}); // m } else if (string_number == 5) { data.push_back({11, 2047}); // n_a data.push_back({32, 4294767295}); // tau_c data.push_back({1, 0}); // not_used_1 data.push_back({5, 2}); // n_4 data.push_back({22, 4114304}); // tau_gps data.push_back({1, 0}); // l_n } else { // non-immediate data is not parsed data.push_back({64, rand()}); // data_1 data.push_back({8, 6}); // data_2 } data.push_back({8, rand() & 0xFF}); // hamming code data.push_back({11, rand() & 0x7FF}); // pad data.push_back({16, rand() & 0xFFFF}); // superframe data.push_back({8, rand() & 0xFF}); // pad data.push_back({8, rand() & 0xFF}); // frame return data; } TEST_CASE("parse_string_number_1"){ string_data data = generate_string_data(1); std::string inp_data = generate_inp_data(data); kaitai::kstream stream(inp_data); glonass_t gl_string(&stream); REQUIRE(gl_string.idle_chip() == data[IDLE_CHIP_IDX].second); REQUIRE(gl_string.string_number() == data[STRING_NUMBER_IDX].second); REQUIRE(gl_string.hamming_code() == data[ST1_HC_OFF + HC_IDX].second); REQUIRE(gl_string.pad_1() == data[ST1_HC_OFF + PAD1_IDX].second); REQUIRE(gl_string.superframe_number() == data[ST1_HC_OFF + SUPERFRAME_IDX].second); REQUIRE(gl_string.pad_2() == data[ST1_HC_OFF + PAD2_IDX].second); REQUIRE(gl_string.frame_number() == data[ST1_HC_OFF + FRAME_IDX].second); kaitai::kstream str1(inp_data); glonass_t str1_data(&str1); glonass_t::string_1_t* s1 = static_cast<glonass_t::string_1_t*>(str1_data.data()); REQUIRE(s1->not_used() == data[ST1_NU_IDX].second); REQUIRE(s1->p1() == data[ST1_P1_IDX].second); REQUIRE(s1->t_k() == data[ST1_T_K_IDX].second); int mul = s1->x_vel_sign() ? (-1) : 1; REQUIRE(s1->x_vel() == (data[ST1_X_VEL_V_IDX].second * mul)); mul = s1->x_accel_sign() ? (-1) : 1; REQUIRE(s1->x_accel() == (data[ST1_X_ACCEL_V_IDX].second * mul)); mul = s1->x_sign() ? (-1) : 1; REQUIRE(s1->x() == (data[ST1_X_V_IDX].second * mul)); } TEST_CASE("parse_string_number_2"){ string_data data = generate_string_data(2); std::string inp_data = generate_inp_data(data); kaitai::kstream stream(inp_data); glonass_t gl_string(&stream); REQUIRE(gl_string.idle_chip() == data[IDLE_CHIP_IDX].second); REQUIRE(gl_string.string_number() == data[STRING_NUMBER_IDX].second); REQUIRE(gl_string.hamming_code() == data[ST2_HC_OFF + HC_IDX].second); REQUIRE(gl_string.pad_1() == data[ST2_HC_OFF + PAD1_IDX].second); REQUIRE(gl_string.superframe_number() == data[ST2_HC_OFF + SUPERFRAME_IDX].second); REQUIRE(gl_string.pad_2() == data[ST2_HC_OFF + PAD2_IDX].second); REQUIRE(gl_string.frame_number() == data[ST2_HC_OFF + FRAME_IDX].second); kaitai::kstream str2(inp_data); glonass_t str2_data(&str2); glonass_t::string_2_t* s2 = static_cast<glonass_t::string_2_t*>(str2_data.data()); REQUIRE(s2->b_n() == data[ST2_BN_IDX].second); REQUIRE(s2->not_used() == data[ST2_NU_IDX].second); REQUIRE(s2->p2() == data[ST2_P2_IDX].second); REQUIRE(s2->t_b() == data[ST2_TB_IDX].second); int mul = s2->y_vel_sign() ? (-1) : 1; REQUIRE(s2->y_vel() == (data[ST2_Y_VEL_V_IDX].second * mul)); mul = s2->y_accel_sign() ? (-1) : 1; REQUIRE(s2->y_accel() == (data[ST2_Y_ACCEL_V_IDX].second * mul)); mul = s2->y_sign() ? (-1) : 1; REQUIRE(s2->y() == (data[ST2_Y_V_IDX].second * mul)); } TEST_CASE("parse_string_number_3"){ string_data data = generate_string_data(3); std::string inp_data = generate_inp_data(data); kaitai::kstream stream(inp_data); glonass_t gl_string(&stream); REQUIRE(gl_string.idle_chip() == data[IDLE_CHIP_IDX].second); REQUIRE(gl_string.string_number() == data[STRING_NUMBER_IDX].second); REQUIRE(gl_string.hamming_code() == data[ST3_HC_OFF + HC_IDX].second); REQUIRE(gl_string.pad_1() == data[ST3_HC_OFF + PAD1_IDX].second); REQUIRE(gl_string.superframe_number() == data[ST3_HC_OFF + SUPERFRAME_IDX].second); REQUIRE(gl_string.pad_2() == data[ST3_HC_OFF + PAD2_IDX].second); REQUIRE(gl_string.frame_number() == data[ST3_HC_OFF + FRAME_IDX].second); kaitai::kstream str3(inp_data); glonass_t str3_data(&str3); glonass_t::string_3_t* s3 = static_cast<glonass_t::string_3_t*>(str3_data.data()); REQUIRE(s3->p3() == data[ST3_P3_IDX].second); int mul = s3->gamma_n_sign() ? (-1) : 1; REQUIRE(s3->gamma_n() == (data[ST3_GAMMA_N_V_IDX].second * mul)); REQUIRE(s3->not_used() == data[ST3_NU_1_IDX].second); REQUIRE(s3->p() == data[ST3_P_IDX].second); REQUIRE(s3->l_n() == data[ST3_L_N_IDX].second); mul = s3->z_vel_sign() ? (-1) : 1; REQUIRE(s3->z_vel() == (data[ST3_Z_VEL_V_IDX].second * mul)); mul = s3->z_accel_sign() ? (-1) : 1; REQUIRE(s3->z_accel() == (data[ST3_Z_ACCEL_V_IDX].second * mul)); mul = s3->z_sign() ? (-1) : 1; REQUIRE(s3->z() == (data[ST3_Z_V_IDX].second * mul)); } TEST_CASE("parse_string_number_4"){ string_data data = generate_string_data(4); std::string inp_data = generate_inp_data(data); kaitai::kstream stream(inp_data); glonass_t gl_string(&stream); REQUIRE(gl_string.idle_chip() == data[IDLE_CHIP_IDX].second); REQUIRE(gl_string.string_number() == data[STRING_NUMBER_IDX].second); REQUIRE(gl_string.hamming_code() == data[ST4_HC_OFF + HC_IDX].second); REQUIRE(gl_string.pad_1() == data[ST4_HC_OFF + PAD1_IDX].second); REQUIRE(gl_string.superframe_number() == data[ST4_HC_OFF + SUPERFRAME_IDX].second); REQUIRE(gl_string.pad_2() == data[ST4_HC_OFF + PAD2_IDX].second); REQUIRE(gl_string.frame_number() == data[ST4_HC_OFF + FRAME_IDX].second); kaitai::kstream str4(inp_data); glonass_t str4_data(&str4); glonass_t::string_4_t* s4 = static_cast<glonass_t::string_4_t*>(str4_data.data()); int mul = s4->tau_n_sign() ? (-1) : 1; REQUIRE(s4->tau_n() == (data[ST4_TAU_N_V_IDX].second * mul)); mul = s4->delta_tau_n_sign() ? (-1) : 1; REQUIRE(s4->delta_tau_n() == (data[ST4_DELTA_TAU_N_V_IDX].second * mul)); REQUIRE(s4->e_n() == data[ST4_E_N_IDX].second); REQUIRE(s4->not_used_1() == data[ST4_NU_1_IDX].second); REQUIRE(s4->p4() == data[ST4_P4_IDX].second); REQUIRE(s4->f_t() == data[ST4_F_T_IDX].second); REQUIRE(s4->not_used_2() == data[ST4_NU_2_IDX].second); REQUIRE(s4->n_t() == data[ST4_N_T_IDX].second); REQUIRE(s4->n() == data[ST4_N_IDX].second); REQUIRE(s4->m() == data[ST4_M_IDX].second); } TEST_CASE("parse_string_number_5"){ string_data data = generate_string_data(5); std::string inp_data = generate_inp_data(data); kaitai::kstream stream(inp_data); glonass_t gl_string(&stream); REQUIRE(gl_string.idle_chip() == data[IDLE_CHIP_IDX].second); REQUIRE(gl_string.string_number() == data[STRING_NUMBER_IDX].second); REQUIRE(gl_string.hamming_code() == data[ST5_HC_OFF + HC_IDX].second); REQUIRE(gl_string.pad_1() == data[ST5_HC_OFF + PAD1_IDX].second); REQUIRE(gl_string.superframe_number() == data[ST5_HC_OFF + SUPERFRAME_IDX].second); REQUIRE(gl_string.pad_2() == data[ST5_HC_OFF + PAD2_IDX].second); REQUIRE(gl_string.frame_number() == data[ST5_HC_OFF + FRAME_IDX].second); kaitai::kstream str5(inp_data); glonass_t str5_data(&str5); glonass_t::string_5_t* s5 = static_cast<glonass_t::string_5_t*>(str5_data.data()); REQUIRE(s5->n_a() == data[ST5_N_A_IDX].second); REQUIRE(s5->tau_c() == data[ST5_TAU_C_IDX].second); REQUIRE(s5->not_used() == data[ST5_NU_IDX].second); REQUIRE(s5->n_4() == data[ST5_N_4_IDX].second); REQUIRE(s5->tau_gps() == data[ST5_TAU_GPS_IDX].second); REQUIRE(s5->l_n() == data[ST5_L_N_IDX].second); } TEST_CASE("parse_string_number_NI"){ string_data data = generate_string_data((rand() % 10) + 6); std::string inp_data = generate_inp_data(data); kaitai::kstream stream(inp_data); glonass_t gl_string(&stream); REQUIRE(gl_string.idle_chip() == data[IDLE_CHIP_IDX].second); REQUIRE(gl_string.string_number() == data[STRING_NUMBER_IDX].second); REQUIRE(gl_string.hamming_code() == data[ST6_HC_OFF + HC_IDX].second); REQUIRE(gl_string.pad_1() == data[ST6_HC_OFF + PAD1_IDX].second); REQUIRE(gl_string.superframe_number() == data[ST6_HC_OFF + SUPERFRAME_IDX].second); REQUIRE(gl_string.pad_2() == data[ST6_HC_OFF + PAD2_IDX].second); REQUIRE(gl_string.frame_number() == data[ST6_HC_OFF + FRAME_IDX].second); kaitai::kstream strni(inp_data); glonass_t strni_data(&strni); glonass_t::string_non_immediate_t* sni = static_cast<glonass_t::string_non_immediate_t*>(strni_data.data()); REQUIRE(sni->data_1() == data[ST6_DATA_1_IDX].second); REQUIRE(sni->data_2() == data[ST6_DATA_2_IDX].second); }
2301_81045437/openpilot
system/ubloxd/tests/test_glonass_kaitai.cc
C++
mit
13,191
#define CATCH_CONFIG_MAIN #include "catch2/catch.hpp"
2301_81045437/openpilot
system/ubloxd/tests/test_glonass_runner.cc
C++
mit
54
#!/usr/bin/env python3 # type: ignore from openpilot.selfdrive.locationd.test import ublox import struct baudrate = 460800 rate = 100 # send new data every 100ms def configure_ublox(dev): # configure ports and solution parameters and rate dev.configure_port(port=ublox.PORT_USB, inMask=1, outMask=1) # enable only UBX on USB dev.configure_port(port=0, inMask=0, outMask=0) # disable DDC payload = struct.pack('<BBHIIHHHBB', 1, 0, 0, 2240, baudrate, 1, 1, 0, 0, 0) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_PRT, payload) # enable UART dev.configure_port(port=4, inMask=0, outMask=0) # disable SPI dev.configure_poll_port() dev.configure_poll_port(ublox.PORT_SERIAL1) dev.configure_poll_port(ublox.PORT_USB) dev.configure_solution_rate(rate_ms=rate) # Configure solution payload = struct.pack('<HBBIIBB4H6BH6B', 5, 4, 3, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_NAV5, payload) payload = struct.pack('<B3BBB6BBB2BBB2B', 0, 0, 0, 0, 1, 3, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_ODO, payload) #bits_ITMF_config1 = '10101101011000101010110111111111' #bits_ITMF_config2 = '00000000000000000110001100011110' ITMF_config1 = 2908925439 ITMF_config2 = 25374 payload = struct.pack('<II', ITMF_config1, ITMF_config2) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_ITMF, payload) payload = struct.pack('<HHIBBBBBBBBBBH6BBB2BH4B3BB', 0, (1 << 10), 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_NAVX5, payload) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_NAV5) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_NAVX5) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_ODO) dev.configure_poll(ublox.CLASS_CFG, ublox.MSG_CFG_ITMF) # Configure RAW, PVT and HW messages to be sent every solution cycle dev.configure_message_rate(ublox.CLASS_NAV, ublox.MSG_NAV_PVT, 1) dev.configure_message_rate(ublox.CLASS_RXM, ublox.MSG_RXM_RAW, 1) dev.configure_message_rate(ublox.CLASS_RXM, ublox.MSG_RXM_SFRBX, 1) dev.configure_message_rate(ublox.CLASS_MON, ublox.MSG_MON_HW, 1) dev.configure_message_rate(ublox.CLASS_MON, ublox.MSG_MON_HW2, 1) dev.configure_message_rate(ublox.CLASS_NAV, ublox.MSG_NAV_SAT, 1) # Query the backup restore status print("backup restore polling message (implement custom response handler!):") dev.configure_poll(0x09, 0x14) print("if successful, send this to clear the flash:") dev.send_message(0x09, 0x14, b"\x01\x00\x00\x00") print("send on stop:") # Save on shutdown # Controlled GNSS stop and hot start payload = struct.pack('<HBB', 0x0000, 0x08, 0x00) dev.send_message(ublox.CLASS_CFG, ublox.MSG_CFG_RST, payload) # UBX-UPD-SOS backup dev.send_message(0x09, 0x14, b"\x00\x00\x00\x00") if __name__ == "__main__": class Device: def write(self, s): d = '"{}"s'.format(''.join(f'\\x{b:02X}' for b in s)) print(f" if (!send_with_ack({d})) continue;") dev = ublox.UBlox(Device(), baudrate=baudrate) configure_ublox(dev)
2301_81045437/openpilot
system/ubloxd/tests/ubloxd.py
Python
mit
3,770
#include "system/ubloxd/ublox_msg.h" #include <unistd.h> #include <algorithm> #include <cassert> #include <chrono> #include <cmath> #include <cstdio> #include <cstdlib> #include <ctime> #include <unordered_map> #include <utility> #include "common/swaglog.h" const double gpsPi = 3.1415926535898; #define UBLOX_MSG_SIZE(hdr) (*(uint16_t *)&hdr[4]) inline static bool bit_to_bool(uint8_t val, int shifts) { return (bool)(val & (1 << shifts)); } inline int UbloxMsgParser::needed_bytes() { // Msg header incomplete? if (bytes_in_parse_buf < ublox::UBLOX_HEADER_SIZE) return ublox::UBLOX_HEADER_SIZE + ublox::UBLOX_CHECKSUM_SIZE - bytes_in_parse_buf; uint16_t needed = UBLOX_MSG_SIZE(msg_parse_buf) + ublox::UBLOX_HEADER_SIZE + ublox::UBLOX_CHECKSUM_SIZE; // too much data if (needed < (uint16_t)bytes_in_parse_buf) return -1; return needed - (uint16_t)bytes_in_parse_buf; } inline bool UbloxMsgParser::valid_cheksum() { uint8_t ck_a = 0, ck_b = 0; for (int i = 2; i < bytes_in_parse_buf - ublox::UBLOX_CHECKSUM_SIZE; i++) { ck_a = (ck_a + msg_parse_buf[i]) & 0xFF; ck_b = (ck_b + ck_a) & 0xFF; } if (ck_a != msg_parse_buf[bytes_in_parse_buf - 2]) { LOGD("Checksum a mismatch: %02X, %02X", ck_a, msg_parse_buf[6]); return false; } if (ck_b != msg_parse_buf[bytes_in_parse_buf - 1]) { LOGD("Checksum b mismatch: %02X, %02X", ck_b, msg_parse_buf[7]); return false; } return true; } inline bool UbloxMsgParser::valid() { return bytes_in_parse_buf >= ublox::UBLOX_HEADER_SIZE + ublox::UBLOX_CHECKSUM_SIZE && needed_bytes() == 0 && valid_cheksum(); } inline bool UbloxMsgParser::valid_so_far() { if (bytes_in_parse_buf > 0 && msg_parse_buf[0] != ublox::PREAMBLE1) { return false; } if (bytes_in_parse_buf > 1 && msg_parse_buf[1] != ublox::PREAMBLE2) { return false; } if (needed_bytes() == 0 && !valid()) { return false; } return true; } bool UbloxMsgParser::add_data(float log_time, const uint8_t *incoming_data, uint32_t incoming_data_len, size_t &bytes_consumed) { last_log_time = log_time; int needed = needed_bytes(); if (needed > 0) { bytes_consumed = std::min((uint32_t)needed, incoming_data_len); // Add data to buffer memcpy(msg_parse_buf + bytes_in_parse_buf, incoming_data, bytes_consumed); bytes_in_parse_buf += bytes_consumed; } else { bytes_consumed = incoming_data_len; } // Validate msg format, detect invalid header and invalid checksum. while (!valid_so_far() && bytes_in_parse_buf != 0) { // Corrupted msg, drop a byte. bytes_in_parse_buf -= 1; if (bytes_in_parse_buf > 0) memmove(&msg_parse_buf[0], &msg_parse_buf[1], bytes_in_parse_buf); } // There is redundant data at the end of buffer, reset the buffer. if (needed_bytes() == -1) { bytes_in_parse_buf = 0; } return valid(); } std::pair<std::string, kj::Array<capnp::word>> UbloxMsgParser::gen_msg() { std::string dat = data(); kaitai::kstream stream(dat); ubx_t ubx_message(&stream); auto body = ubx_message.body(); switch (ubx_message.msg_type()) { case 0x0107: return {"gpsLocationExternal", gen_nav_pvt(static_cast<ubx_t::nav_pvt_t*>(body))}; case 0x0213: // UBX-RXM-SFRB (Broadcast Navigation Data Subframe) return {"ubloxGnss", gen_rxm_sfrbx(static_cast<ubx_t::rxm_sfrbx_t*>(body))}; case 0x0215: // UBX-RXM-RAW (Multi-GNSS Raw Measurement Data) return {"ubloxGnss", gen_rxm_rawx(static_cast<ubx_t::rxm_rawx_t*>(body))}; case 0x0a09: return {"ubloxGnss", gen_mon_hw(static_cast<ubx_t::mon_hw_t*>(body))}; case 0x0a0b: return {"ubloxGnss", gen_mon_hw2(static_cast<ubx_t::mon_hw2_t*>(body))}; case 0x0135: return {"ubloxGnss", gen_nav_sat(static_cast<ubx_t::nav_sat_t*>(body))}; default: LOGE("Unknown message type %x", ubx_message.msg_type()); return {"ubloxGnss", kj::Array<capnp::word>()}; } } kj::Array<capnp::word> UbloxMsgParser::gen_nav_pvt(ubx_t::nav_pvt_t *msg) { MessageBuilder msg_builder; auto gpsLoc = msg_builder.initEvent().initGpsLocationExternal(); gpsLoc.setSource(cereal::GpsLocationData::SensorSource::UBLOX); gpsLoc.setFlags(msg->flags()); gpsLoc.setHasFix((msg->flags() % 2) == 1); gpsLoc.setLatitude(msg->lat() * 1e-07); gpsLoc.setLongitude(msg->lon() * 1e-07); gpsLoc.setAltitude(msg->height() * 1e-03); gpsLoc.setSpeed(msg->g_speed() * 1e-03); gpsLoc.setBearingDeg(msg->head_mot() * 1e-5); gpsLoc.setHorizontalAccuracy(msg->h_acc() * 1e-03); std::tm timeinfo = std::tm(); timeinfo.tm_year = msg->year() - 1900; timeinfo.tm_mon = msg->month() - 1; timeinfo.tm_mday = msg->day(); timeinfo.tm_hour = msg->hour(); timeinfo.tm_min = msg->min(); timeinfo.tm_sec = msg->sec(); std::time_t utc_tt = timegm(&timeinfo); gpsLoc.setUnixTimestampMillis(utc_tt * 1e+03 + msg->nano() * 1e-06); float f[] = { msg->vel_n() * 1e-03f, msg->vel_e() * 1e-03f, msg->vel_d() * 1e-03f }; gpsLoc.setVNED(f); gpsLoc.setVerticalAccuracy(msg->v_acc() * 1e-03); gpsLoc.setSpeedAccuracy(msg->s_acc() * 1e-03); gpsLoc.setBearingAccuracyDeg(msg->head_acc() * 1e-05); return capnp::messageToFlatArray(msg_builder); } kj::Array<capnp::word> UbloxMsgParser::parse_gps_ephemeris(ubx_t::rxm_sfrbx_t *msg) { // GPS subframes are packed into 10x 4 bytes, each containing 3 actual bytes // We will first need to separate the data from the padding and parity auto body = *msg->body(); assert(body.size() == 10); std::string subframe_data; subframe_data.reserve(30); for (uint32_t word : body) { word = word >> 6; // TODO: Verify parity subframe_data.push_back(word >> 16); subframe_data.push_back(word >> 8); subframe_data.push_back(word >> 0); } // Collect subframes in map and parse when we have all the parts { kaitai::kstream stream(subframe_data); gps_t subframe(&stream); int subframe_id = subframe.how()->subframe_id(); if (subframe_id > 3 || subframe_id < 1) { // dont parse almanac subframes return kj::Array<capnp::word>(); } gps_subframes[msg->sv_id()][subframe_id] = subframe_data; } // publish if subframes 1-3 have been collected if (gps_subframes[msg->sv_id()].size() == 3) { MessageBuilder msg_builder; auto eph = msg_builder.initEvent().initUbloxGnss().initEphemeris(); eph.setSvId(msg->sv_id()); int iode_s2 = 0; int iode_s3 = 0; int iodc_lsb = 0; int week; // Subframe 1 { kaitai::kstream stream(gps_subframes[msg->sv_id()][1]); gps_t subframe(&stream); gps_t::subframe_1_t* subframe_1 = static_cast<gps_t::subframe_1_t*>(subframe.body()); // Each message is incremented to be greater or equal than week 1877 (2015-12-27). // To skip this use the current_time argument week = subframe_1->week_no(); week += 1024; if (week < 1877) { week += 1024; } //eph.setGpsWeek(subframe_1->week_no()); eph.setTgd(subframe_1->t_gd() * pow(2, -31)); eph.setToc(subframe_1->t_oc() * pow(2, 4)); eph.setAf2(subframe_1->af_2() * pow(2, -55)); eph.setAf1(subframe_1->af_1() * pow(2, -43)); eph.setAf0(subframe_1->af_0() * pow(2, -31)); eph.setSvHealth(subframe_1->sv_health()); eph.setTowCount(subframe.how()->tow_count()); iodc_lsb = subframe_1->iodc_lsb(); } // Subframe 2 { kaitai::kstream stream(gps_subframes[msg->sv_id()][2]); gps_t subframe(&stream); gps_t::subframe_2_t* subframe_2 = static_cast<gps_t::subframe_2_t*>(subframe.body()); // GPS week refers to current week, the ephemeris can be valid for the next // if toe equals 0, this can be verified by the TOW count if it is within the // last 2 hours of the week (gps ephemeris valid for 4hours) if (subframe_2->t_oe() == 0 and subframe.how()->tow_count()*6 >= (SECS_IN_WEEK - 2*SECS_IN_HR)){ week += 1; } eph.setCrs(subframe_2->c_rs() * pow(2, -5)); eph.setDeltaN(subframe_2->delta_n() * pow(2, -43) * gpsPi); eph.setM0(subframe_2->m_0() * pow(2, -31) * gpsPi); eph.setCuc(subframe_2->c_uc() * pow(2, -29)); eph.setEcc(subframe_2->e() * pow(2, -33)); eph.setCus(subframe_2->c_us() * pow(2, -29)); eph.setA(pow(subframe_2->sqrt_a() * pow(2, -19), 2.0)); eph.setToe(subframe_2->t_oe() * pow(2, 4)); iode_s2 = subframe_2->iode(); } // Subframe 3 { kaitai::kstream stream(gps_subframes[msg->sv_id()][3]); gps_t subframe(&stream); gps_t::subframe_3_t* subframe_3 = static_cast<gps_t::subframe_3_t*>(subframe.body()); eph.setCic(subframe_3->c_ic() * pow(2, -29)); eph.setOmega0(subframe_3->omega_0() * pow(2, -31) * gpsPi); eph.setCis(subframe_3->c_is() * pow(2, -29)); eph.setI0(subframe_3->i_0() * pow(2, -31) * gpsPi); eph.setCrc(subframe_3->c_rc() * pow(2, -5)); eph.setOmega(subframe_3->omega() * pow(2, -31) * gpsPi); eph.setOmegaDot(subframe_3->omega_dot() * pow(2, -43) * gpsPi); eph.setIode(subframe_3->iode()); eph.setIDot(subframe_3->idot() * pow(2, -43) * gpsPi); iode_s3 = subframe_3->iode(); } eph.setToeWeek(week); eph.setTocWeek(week); gps_subframes[msg->sv_id()].clear(); if (iodc_lsb != iode_s2 || iodc_lsb != iode_s3) { // data set cutover, reject ephemeris return kj::Array<capnp::word>(); } return capnp::messageToFlatArray(msg_builder); } return kj::Array<capnp::word>(); } kj::Array<capnp::word> UbloxMsgParser::parse_glonass_ephemeris(ubx_t::rxm_sfrbx_t *msg) { // This parser assumes that no 2 satellites of the same frequency // can be in view at the same time auto body = *msg->body(); assert(body.size() == 4); { std::string string_data; string_data.reserve(16); for (uint32_t word : body) { for (int i = 3; i >= 0; i--) string_data.push_back(word >> 8*i); } kaitai::kstream stream(string_data); glonass_t gl_string(&stream); int string_number = gl_string.string_number(); if (string_number < 1 || string_number > 5 || gl_string.idle_chip()) { // dont parse non immediate data, idle_chip == 0 return kj::Array<capnp::word>(); } // Check if new string either has same superframe_id or log transmission times make sense bool superframe_unknown = false; bool needs_clear = false; for (int i = 1; i <= 5; i++) { if (glonass_strings[msg->freq_id()].find(i) == glonass_strings[msg->freq_id()].end()) continue; if (glonass_string_superframes[msg->freq_id()][i] == 0 || gl_string.superframe_number() == 0) { superframe_unknown = true; } else if (glonass_string_superframes[msg->freq_id()][i] != gl_string.superframe_number()) { needs_clear = true; } // Check if string times add up to being from the same frame // If superframe is known this is redundant // Strings are sent 2s apart and frames are 30s apart if (superframe_unknown && std::abs((glonass_string_times[msg->freq_id()][i] - 2.0 * i) - (last_log_time - 2.0 * string_number)) > 10) needs_clear = true; } if (needs_clear) { glonass_strings[msg->freq_id()].clear(); glonass_string_superframes[msg->freq_id()].clear(); glonass_string_times[msg->freq_id()].clear(); } glonass_strings[msg->freq_id()][string_number] = string_data; glonass_string_superframes[msg->freq_id()][string_number] = gl_string.superframe_number(); glonass_string_times[msg->freq_id()][string_number] = last_log_time; } if (msg->sv_id() == 255) { // data can be decoded before identifying the SV number, in this case 255 // is returned, which means "unknown" (ublox p32) return kj::Array<capnp::word>(); } // publish if strings 1-5 have been collected if (glonass_strings[msg->freq_id()].size() != 5) { return kj::Array<capnp::word>(); } MessageBuilder msg_builder; auto eph = msg_builder.initEvent().initUbloxGnss().initGlonassEphemeris(); eph.setSvId(msg->sv_id()); eph.setFreqNum(msg->freq_id() - 7); uint16_t current_day = 0; uint16_t tk = 0; // string number 1 { kaitai::kstream stream(glonass_strings[msg->freq_id()][1]); glonass_t gl_stream(&stream); glonass_t::string_1_t* data = static_cast<glonass_t::string_1_t*>(gl_stream.data()); eph.setP1(data->p1()); tk = data->t_k(); eph.setTkDEPRECATED(tk); eph.setXVel(data->x_vel() * pow(2, -20)); eph.setXAccel(data->x_accel() * pow(2, -30)); eph.setX(data->x() * pow(2, -11)); } // string number 2 { kaitai::kstream stream(glonass_strings[msg->freq_id()][2]); glonass_t gl_stream(&stream); glonass_t::string_2_t* data = static_cast<glonass_t::string_2_t*>(gl_stream.data()); eph.setSvHealth(data->b_n()>>2); // MSB indicates health eph.setP2(data->p2()); eph.setTb(data->t_b()); eph.setYVel(data->y_vel() * pow(2, -20)); eph.setYAccel(data->y_accel() * pow(2, -30)); eph.setY(data->y() * pow(2, -11)); } // string number 3 { kaitai::kstream stream(glonass_strings[msg->freq_id()][3]); glonass_t gl_stream(&stream); glonass_t::string_3_t* data = static_cast<glonass_t::string_3_t*>(gl_stream.data()); eph.setP3(data->p3()); eph.setGammaN(data->gamma_n() * pow(2, -40)); eph.setSvHealth(eph.getSvHealth() | data->l_n()); eph.setZVel(data->z_vel() * pow(2, -20)); eph.setZAccel(data->z_accel() * pow(2, -30)); eph.setZ(data->z() * pow(2, -11)); } // string number 4 { kaitai::kstream stream(glonass_strings[msg->freq_id()][4]); glonass_t gl_stream(&stream); glonass_t::string_4_t* data = static_cast<glonass_t::string_4_t*>(gl_stream.data()); current_day = data->n_t(); eph.setNt(current_day); eph.setTauN(data->tau_n() * pow(2, -30)); eph.setDeltaTauN(data->delta_tau_n() * pow(2, -30)); eph.setAge(data->e_n()); eph.setP4(data->p4()); eph.setSvURA(glonass_URA_lookup.at(data->f_t())); if (msg->sv_id() != data->n()) { LOGE("SV_ID != SLOT_NUMBER: %d %" PRIu64, msg->sv_id(), data->n()); } eph.setSvType(data->m()); } // string number 5 { kaitai::kstream stream(glonass_strings[msg->freq_id()][5]); glonass_t gl_stream(&stream); glonass_t::string_5_t* data = static_cast<glonass_t::string_5_t*>(gl_stream.data()); // string5 parsing is only needed to get the year, this can be removed and // the year can be fetched later in laika (note rollovers and leap year) eph.setN4(data->n_4()); int tk_seconds = SECS_IN_HR * ((tk>>7) & 0x1F) + SECS_IN_MIN * ((tk>>1) & 0x3F) + (tk & 0x1) * 30; eph.setTkSeconds(tk_seconds); } glonass_strings[msg->freq_id()].clear(); return capnp::messageToFlatArray(msg_builder); } kj::Array<capnp::word> UbloxMsgParser::gen_rxm_sfrbx(ubx_t::rxm_sfrbx_t *msg) { switch (msg->gnss_id()) { case ubx_t::gnss_type_t::GNSS_TYPE_GPS: return parse_gps_ephemeris(msg); case ubx_t::gnss_type_t::GNSS_TYPE_GLONASS: return parse_glonass_ephemeris(msg); default: return kj::Array<capnp::word>(); } } kj::Array<capnp::word> UbloxMsgParser::gen_rxm_rawx(ubx_t::rxm_rawx_t *msg) { MessageBuilder msg_builder; auto mr = msg_builder.initEvent().initUbloxGnss().initMeasurementReport(); mr.setRcvTow(msg->rcv_tow()); mr.setGpsWeek(msg->week()); mr.setLeapSeconds(msg->leap_s()); mr.setGpsWeek(msg->week()); auto mb = mr.initMeasurements(msg->num_meas()); auto measurements = *msg->meas(); for (int8_t i = 0; i < msg->num_meas(); i++) { mb[i].setSvId(measurements[i]->sv_id()); mb[i].setPseudorange(measurements[i]->pr_mes()); mb[i].setCarrierCycles(measurements[i]->cp_mes()); mb[i].setDoppler(measurements[i]->do_mes()); mb[i].setGnssId(measurements[i]->gnss_id()); mb[i].setGlonassFrequencyIndex(measurements[i]->freq_id()); mb[i].setLocktime(measurements[i]->lock_time()); mb[i].setCno(measurements[i]->cno()); mb[i].setPseudorangeStdev(0.01 * (pow(2, (measurements[i]->pr_stdev() & 15)))); // weird scaling, might be wrong mb[i].setCarrierPhaseStdev(0.004 * (measurements[i]->cp_stdev() & 15)); mb[i].setDopplerStdev(0.002 * (pow(2, (measurements[i]->do_stdev() & 15)))); // weird scaling, might be wrong auto ts = mb[i].initTrackingStatus(); auto trk_stat = measurements[i]->trk_stat(); ts.setPseudorangeValid(bit_to_bool(trk_stat, 0)); ts.setCarrierPhaseValid(bit_to_bool(trk_stat, 1)); ts.setHalfCycleValid(bit_to_bool(trk_stat, 2)); ts.setHalfCycleSubtracted(bit_to_bool(trk_stat, 3)); } mr.setNumMeas(msg->num_meas()); auto rs = mr.initReceiverStatus(); rs.setLeapSecValid(bit_to_bool(msg->rec_stat(), 0)); rs.setClkReset(bit_to_bool(msg->rec_stat(), 2)); return capnp::messageToFlatArray(msg_builder); } kj::Array<capnp::word> UbloxMsgParser::gen_nav_sat(ubx_t::nav_sat_t *msg) { MessageBuilder msg_builder; auto sr = msg_builder.initEvent().initUbloxGnss().initSatReport(); sr.setITow(msg->itow()); auto svs = sr.initSvs(msg->num_svs()); auto svs_data = *msg->svs(); for (int8_t i = 0; i < msg->num_svs(); i++) { svs[i].setSvId(svs_data[i]->sv_id()); svs[i].setGnssId(svs_data[i]->gnss_id()); svs[i].setFlagsBitfield(svs_data[i]->flags()); } return capnp::messageToFlatArray(msg_builder); } kj::Array<capnp::word> UbloxMsgParser::gen_mon_hw(ubx_t::mon_hw_t *msg) { MessageBuilder msg_builder; auto hwStatus = msg_builder.initEvent().initUbloxGnss().initHwStatus(); hwStatus.setNoisePerMS(msg->noise_per_ms()); hwStatus.setFlags(msg->flags()); hwStatus.setAgcCnt(msg->agc_cnt()); hwStatus.setAStatus((cereal::UbloxGnss::HwStatus::AntennaSupervisorState) msg->a_status()); hwStatus.setAPower((cereal::UbloxGnss::HwStatus::AntennaPowerStatus) msg->a_power()); hwStatus.setJamInd(msg->jam_ind()); return capnp::messageToFlatArray(msg_builder); } kj::Array<capnp::word> UbloxMsgParser::gen_mon_hw2(ubx_t::mon_hw2_t *msg) { MessageBuilder msg_builder; auto hwStatus = msg_builder.initEvent().initUbloxGnss().initHwStatus2(); hwStatus.setOfsI(msg->ofs_i()); hwStatus.setMagI(msg->mag_i()); hwStatus.setOfsQ(msg->ofs_q()); hwStatus.setMagQ(msg->mag_q()); switch (msg->cfg_source()) { case ubx_t::mon_hw2_t::config_source_t::CONFIG_SOURCE_ROM: hwStatus.setCfgSource(cereal::UbloxGnss::HwStatus2::ConfigSource::ROM); break; case ubx_t::mon_hw2_t::config_source_t::CONFIG_SOURCE_OTP: hwStatus.setCfgSource(cereal::UbloxGnss::HwStatus2::ConfigSource::OTP); break; case ubx_t::mon_hw2_t::config_source_t::CONFIG_SOURCE_CONFIG_PINS: hwStatus.setCfgSource(cereal::UbloxGnss::HwStatus2::ConfigSource::CONFIGPINS); break; case ubx_t::mon_hw2_t::config_source_t::CONFIG_SOURCE_FLASH: hwStatus.setCfgSource(cereal::UbloxGnss::HwStatus2::ConfigSource::FLASH); break; default: hwStatus.setCfgSource(cereal::UbloxGnss::HwStatus2::ConfigSource::UNDEFINED); break; } hwStatus.setLowLevCfg(msg->low_lev_cfg()); hwStatus.setPostStatus(msg->post_status()); return capnp::messageToFlatArray(msg_builder); }
2301_81045437/openpilot
system/ubloxd/ublox_msg.cc
C++
mit
19,207