mirror of
https://github.com/slsdetectorgroup/slsDetectorPackage.git
synced 2026-01-13 11:16:04 +01:00
* basic ctb config api for register and bit names * tests for define and definelist pass. yet to implement using them for reg, setbit, clearbit and getbit * improved autocomplete for getbit,setbit, clearbit * validate autocomplete * definelist has no put * updating help * converting char array+int in runtimeerror compiles but throws at runtime.Fixed.Tested for it. Also check if string or int before using getregisterdefinitonbyvalue to see if it threw to call the other function. because both of it can throw and we should differentiate the issues for both * removed std::vector<std::pair<string,int> to std::map<string, int> for defiitions list * Dev/define cmd tie bit to reg (#1328) * strong type * moved everythign to bit_utils class * pybindings * added tests for python * removed duplicates * removed bit names in reg * changed BitPosition to BitAddress * Using define reg/bit from python (#1344) * define_bit, define_addr in python. * setBit/clearBit takes int or addr * added example using bits * split define into 2 commands define_reg and define_bit, definelist into 2: definelist_reg and definelist_bit * allow string for register and bit names in c++ api * refactor from github comments * naming refactoring (getRegisterDefnition to retunr name and address specifically * added marker for 8 cmd tests connected to define, changed macro to static constexpr * changed bitPosition from int to uint32_t * got rid of setbitposition and setaddress, instead overloaded constructor to take in strings so that the conversion from string to bit address members, takes place within the class for easy maintainance in case type changes * Removing implicit conversions: RegisterAddresss and RegisterValue: Removed the implicit conversions. RegisterAddress: Changed member name from address_ to value_ and method as well to value(). RegisterValue: Also added | operator to be able to concatenate with uint32_t. Same in python bindings (but could not find the tests to modify * Allowed concatenation with other RegisterValue, made them all constexpr * fix a ctbConfig test * Maponstack works with integration tests, but need unit tests * tests on mapstack * fixed ctb tests and FixedString being initialized with gibberish * removing parsing from string inside the class RegisterAddress, BitAddress and RegisterValue * updated python bindings * fixed bit utils test * renaming getRegisterDefintiionAddress/Name=>getRegisterAddress/Name and similary for getBitDefinitionAddress/Name * updated python bindings * fix tests (format) * a few python tests added and python bindings corrected * replaceing str with __str__ for bit.cpp * repr reimplemented for bit.cpp * removed make with registerAddress etc * starting server for tests per session and nor module * killprocess throws if no process found-> github runs fails, changed to pkill and not throw * clean shm shouldnt raise, in ci binary not found * ignoring these tests for CI, which fail on CI because simulators are not generated in CI. This is in another PR, where it should work --------- Co-authored-by: Erik Fröjdh <erik.frojdh@gmail.com> Co-authored-by: froejdh_e <erik.frojdh@psi.ch>
267 lines
8.2 KiB
Python
267 lines
8.2 KiB
Python
# SPDX-License-Identifier: LGPL-3.0-or-other
|
|
# Copyright (C) 2021 Contributors to the SLS Detector Package
|
|
"""
|
|
This file is used to auto generate Python bindings for the
|
|
sls::Detector class. The tool needs the libclang bindings
|
|
to be installed.
|
|
|
|
When the Detector API is updated this file should be run
|
|
manually.
|
|
"""
|
|
import os
|
|
from clang import cindex
|
|
import subprocess
|
|
import argparse
|
|
import sys
|
|
import time
|
|
import ctypes.util, re # to check libclang version
|
|
from pathlib import Path
|
|
from parse import system_include_paths, clang_format_version
|
|
|
|
REDC = "\033[91m"
|
|
GREENC = "\033[92m"
|
|
YELLOWC = "\033[93m"
|
|
ENDC = "\033[0m"
|
|
|
|
def yellow(msg):
|
|
return f"{YELLOWC}{msg}{ENDC}"
|
|
|
|
def red(msg):
|
|
return f"{REDC}{msg}{ENDC}"
|
|
|
|
|
|
def green(msg):
|
|
return f"{GREENC}{msg}{ENDC}"
|
|
|
|
|
|
def find_libclang():
|
|
"""Find libclang in the current Conda/Mamba environment."""
|
|
conda_prefix = os.environ.get("CONDA_PREFIX")
|
|
if conda_prefix:
|
|
lib_dir = os.path.join(conda_prefix, "lib")
|
|
# Look for libclang*.so files
|
|
for f in os.listdir(lib_dir):
|
|
if f.startswith("libclang") and f.endswith(".so"):
|
|
return os.path.join(lib_dir, f)
|
|
|
|
# fallback: system-wide search
|
|
path = ctypes.util.find_library("clang")
|
|
if path:
|
|
return path
|
|
|
|
raise FileNotFoundError("libclang not found in CONDA_PREFIX or system paths.")
|
|
|
|
|
|
def check_libclang_version(required="12"):
|
|
# Use already-loaded libclang, or let cindex resolve it
|
|
lib = ctypes.CDLL(cindex.Config.library_file or ctypes.util.find_library("clang"))
|
|
|
|
# Get version string
|
|
lib.clang_getClangVersion.restype = ctypes.c_void_p
|
|
version_ptr = lib.clang_getClangVersion()
|
|
version_str = ctypes.cast(version_ptr, ctypes.c_char_p).value.decode()
|
|
|
|
# Parse and check version
|
|
match = re.search(r"version\s+(\d+)", version_str)
|
|
if not match or match.group(1) != required:
|
|
msg = red(f"libclang version {match.group(1) if match else '?'} found, but version {required} required. Bye!")
|
|
print(msg)
|
|
sys.exit(1)
|
|
msg = green(f"Found libclang version {required}")
|
|
print(msg)
|
|
|
|
|
|
def check_clang_format_version(required_version):
|
|
if (ver := clang_format_version()) != required_version:
|
|
msg = red(
|
|
f"Clang format version {required_version} required, detected: {ver}. Bye!"
|
|
)
|
|
print(msg)
|
|
sys.exit(1)
|
|
else:
|
|
msg = green(f"Found clang-format version {ver}")
|
|
print(msg)
|
|
|
|
|
|
def check_for_compile_commands_json(path):
|
|
# print(f"Looking for compile data base in: {path}")
|
|
compile_data_base_file = path / "compile_commands.json"
|
|
if not compile_data_base_file.exists():
|
|
msg = red(f"No compile_commands.json file found in {path}. Bye!")
|
|
print(msg)
|
|
sys.exit(1)
|
|
else:
|
|
msg = green(f"Found: {compile_data_base_file}")
|
|
print(msg)
|
|
|
|
|
|
default_build_path = "/home/l_frojdh/sls/build/"
|
|
fpath = "../../slsDetectorSoftware/src/Detector.cpp"
|
|
|
|
|
|
m = []
|
|
ag = []
|
|
lines = []
|
|
ag2 = []
|
|
cn = []
|
|
|
|
|
|
def get_arguments(node):
|
|
args = [a.type.spelling for a in node.get_arguments()]
|
|
args = [
|
|
"py::arg() = Positions{}" if item == "sls::Positions" else "py::arg()"
|
|
for item in args
|
|
]
|
|
args = ", ".join(args)
|
|
if args:
|
|
args = f", {args}"
|
|
return args
|
|
|
|
|
|
def get_arguments_with_default(node):
|
|
args = []
|
|
for arg in node.get_arguments():
|
|
tokens = [t.spelling for t in arg.get_tokens()]
|
|
# print(tokens)
|
|
if "=" in tokens:
|
|
if arg.type.spelling == "sls::Positions": # TODO! automate
|
|
args.append("py::arg() = Positions{}")
|
|
else:
|
|
args.append("py::arg()" + "".join(tokens[tokens.index("=") :]))
|
|
else:
|
|
args.append("py::arg()")
|
|
args = ", ".join(args)
|
|
if args:
|
|
args = f", {args}"
|
|
return args
|
|
|
|
|
|
def get_fdec(node):
|
|
args = [a.type.spelling for a in node.get_arguments()]
|
|
if node.result_type.spelling:
|
|
return_type = node.result_type.spelling
|
|
else:
|
|
return_type = "void"
|
|
|
|
if node.is_const_method():
|
|
const = "const"
|
|
else:
|
|
const = ""
|
|
args = ", ".join(args)
|
|
args = f"({return_type}(Detector::*)({args}){const})"
|
|
return args
|
|
|
|
|
|
def time_return_lambda(node, args):
|
|
names = ['a', 'b', 'c', 'd']
|
|
fa = [a.type.spelling for a in node.get_arguments()]
|
|
ca = ','.join(f'{arg} {n}' for arg, n in zip(fa, names))
|
|
na = ','.join(names[0:len(fa)])
|
|
s = f'CppDetectorApi.def("{node.spelling}",[](sls::Detector& self, {ca}){{ auto r = self.{node.spelling}({na}); \n return std::vector<sls::Duration>(r.begin(), r.end()); }}{args});'
|
|
return s
|
|
|
|
|
|
def visit(node):
|
|
|
|
loc = node.location
|
|
# skip if ndoe is outside project directory
|
|
if loc.file and not str(loc.file).startswith(str(cargs.build_path.parent)):
|
|
return
|
|
|
|
'''
|
|
# to see which file was causing the error (not in Detector.h, so skipping others in the above code)
|
|
try:
|
|
kind = node.kind
|
|
except ValueError as e:
|
|
loc = node.location
|
|
file_name = loc.file.name if loc.file else "<unknown file>"
|
|
msg = yellow(f"\nWarning: skipping node with unknown CursorKind id {node._kind_id} at {file_name}:{loc.line}:{loc.column}")
|
|
print(msg)
|
|
return
|
|
'''
|
|
|
|
if node.kind == cindex.CursorKind.CLASS_DECL:
|
|
if node.displayname == "Detector":
|
|
for child in node.get_children():
|
|
# Skip assignment operators
|
|
if child.kind == cindex.CursorKind.CXX_METHOD and child.spelling == "operator=":
|
|
continue
|
|
if (
|
|
child.kind == cindex.CursorKind.CXX_METHOD
|
|
and child.access_specifier == cindex.AccessSpecifier.PUBLIC
|
|
):
|
|
m.append(child)
|
|
args = get_arguments_with_default(child)
|
|
fs = get_fdec(child)
|
|
lines.append(
|
|
f'CppDetectorApi.def("{child.spelling}",{fs} &Detector::{child.spelling}{args});'
|
|
)
|
|
if cargs.verbose:
|
|
print(f"&Detector::{child.spelling}{args})")
|
|
cn.append(child)
|
|
|
|
for child in node.get_children():
|
|
visit(child)
|
|
|
|
|
|
if __name__ == "__main__":
|
|
parser = argparse.ArgumentParser()
|
|
parser.add_argument(
|
|
"-p",
|
|
"--build_path",
|
|
help="Path to the build database",
|
|
type=Path,
|
|
default=default_build_path,
|
|
)
|
|
parser.add_argument(
|
|
"-v",
|
|
"--verbose",
|
|
help="more output",
|
|
action="store_true",
|
|
)
|
|
cargs = parser.parse_args()
|
|
|
|
libclang_path = find_libclang()
|
|
cindex.Config.set_library_file(libclang_path)
|
|
check_libclang_version("12")
|
|
check_clang_format_version(12)
|
|
check_for_compile_commands_json(cargs.build_path)
|
|
|
|
print("Parsing functions in Detector.h - ", end="", flush=True)
|
|
t0 = time.perf_counter()
|
|
# parse functions
|
|
db = cindex.CompilationDatabase.fromDirectory(cargs.build_path)
|
|
index = cindex.Index.create()
|
|
args = db.getCompileCommands(fpath)
|
|
args = list(iter(args).__next__().arguments)[0:-1]
|
|
args = args + "-x c++ --std=c++11".split()
|
|
syspath = system_include_paths("clang++")
|
|
incargs = ["-I" + inc for inc in syspath]
|
|
args = args + incargs
|
|
tu = index.parse(fpath, args=args)
|
|
visit(tu.cursor)
|
|
print(green("OK"))
|
|
print(f"Parsing took {time.perf_counter()-t0:.3f}s")
|
|
|
|
print("Read detector_in.cpp - ", end="")
|
|
with open("../src/detector_in.cpp") as f:
|
|
data = f.read()
|
|
s = "".join(lines)
|
|
s += ";"
|
|
text = data.replace("[[FUNCTIONS]]", s)
|
|
warning = "/* WARINING This file is auto generated any edits might be overwritten without warning */\n\n"
|
|
print(green("OK"))
|
|
print("Writing to detector.cpp - ", end="")
|
|
with open("../src/detector.cpp", "w") as f:
|
|
f.write(warning)
|
|
f.write(text)
|
|
print(green("OK"))
|
|
|
|
# run clang format on the output
|
|
print("Running clang format on generated source -", end="")
|
|
subprocess.run(["clang-format", "../src/detector.cpp", "-i"])
|
|
print(green(" OK"))
|
|
|
|
print("Changes since last commit:")
|
|
subprocess.run(["git", "diff", "../src/detector.cpp"])
|