Skip to content

Commit

Permalink
Merge pull request #477 from IMRCLab/feature_download_uSD_test_flights
Browse files Browse the repository at this point in the history
Integrate automatic download of SD data in test_flights.py + fixed issue with SetParam for non-existing parameter
  • Loading branch information
julienthevenoz committed Apr 25, 2024
2 parents 4e9000c + 639eb88 commit d9064d9
Show file tree
Hide file tree
Showing 11 changed files with 1,231 additions and 30 deletions.
6 changes: 6 additions & 0 deletions crazyflie_examples/crazyflie_examples/figure8.py
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,9 @@ def main():
traj1 = Trajectory()
traj1.loadcsv(Path(__file__).parent / 'data/figure8.csv')

# enable logging
allcfs.setParam('usd.logging', 1)

TRIALS = 1
TIMESCALE = 1.0
for i in range(TRIALS):
Expand All @@ -36,6 +39,9 @@ def main():
allcfs.land(targetHeight=0.06, duration=2.0)
timeHelper.sleep(3.0)

# disable logging
allcfs.setParam('usd.logging', 0)


if __name__ == '__main__':
main()
6 changes: 6 additions & 0 deletions crazyflie_examples/crazyflie_examples/multi_trajectory.py
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,9 @@ def main():
trajs = []
n = 2 # number of distinct trajectories

# enable logging
allcfs.setParam('usd.logging', 1)

for i in range(n):
traj = Trajectory()
traj.loadcsv(Path(__file__).parent / f'data/multi_trajectory/traj{i}.csv')
Expand All @@ -38,6 +41,9 @@ def main():
allcfs.land(targetHeight=0.06, duration=2.0)
timeHelper.sleep(3.0)

# disable logging
allcfs.setParam('usd.logging', 0)


if __name__ == '__main__':
main()
23 changes: 14 additions & 9 deletions crazyflie_py/crazyflie_py/crazyflie.py
Original file line number Diff line number Diff line change
Expand Up @@ -955,15 +955,20 @@ def startTrajectory(self, trajectoryId,

def setParam(self, name, value):
"""Set parameter via broadcasts. See Crazyflie.setParam for details."""
param_name = 'all.params.' + name
param_type = self.paramTypeDict[name]
if param_type == ParameterType.PARAMETER_INTEGER:
param_value = ParameterValue(type=param_type, integer_value=int(value))
elif param_type == ParameterType.PARAMETER_DOUBLE:
param_value = ParameterValue(type=param_type, double_value=float(value))
req = SetParameters.Request()
req.parameters = [Parameter(name=param_name, value=param_value)]
self.setParamsService.call_async(req)
try:
param_name = 'all.params.' + name
param_type = self.paramTypeDict[name]
if param_type == ParameterType.PARAMETER_INTEGER:
param_value = ParameterValue(type=param_type, integer_value=int(value))
elif param_type == ParameterType.PARAMETER_DOUBLE:
param_value = ParameterValue(type=param_type, double_value=float(value))
req = SetParameters.Request()
req.parameters = [Parameter(name=param_name, value=param_value)]
self.setParamsService.call_async(req)
except KeyError as e:
self.get_logger().warn(f'(crazyflie.py)setParam : keyError raised {e}')
except Exception as e:
self.get_logger().warn(f'(crazyflie.py)setParam : exception raised {e}')

def cmdFullState(self, pos, vel, acc, yaw, omega):
"""
Expand Down
126 changes: 126 additions & 0 deletions systemtests/SDplotting/cfusdlog.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,126 @@
# -*- coding: utf-8 -*-
"""
Helper to decode binary logged sensor data from crazyflie2 with uSD-Card-Deck.
Source: https://github.com/IMRCLab/crazyflie-firmware/blob/master/tools/usdlog/cfusdlog.py
MIT License
Copyright (c) 2021 Intelligent Multi-Robot Coordination Lab @ TU Berlin, Germany
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
"""
import argparse
from zlib import crc32
import struct
import numpy as np

# extract null-terminated string
def _get_name(data, idx):
endIdx = idx
while data[endIdx] != 0:
endIdx = endIdx + 1
return data[idx:endIdx].decode("utf-8"), endIdx + 1

def decode(filename):
# read file as binary
with open(filename, 'rb') as f:
data = f.read()

# check magic header
if data[0] != 0xBC:
print("Unsupported format!")
return

# check CRC
crc = crc32(data[0:-4])
expected_crc, = struct.unpack('I', data[-4:])
if crc != expected_crc:
print("WARNING: CRC does not match!")

# check version
version, num_event_types = struct.unpack('HH', data[1:5])
if version != 1 and version != 2:
print("Unsupported version!", version)
return

result = dict()
event_by_id = dict()

# read header with data types
idx = 5
for _ in range(num_event_types):
event_id, = struct.unpack('H', data[idx:idx+2])
idx += 2
event_name, idx = _get_name(data, idx)
result[event_name] = dict()
result[event_name]["timestamp"] = []
num_variables, = struct.unpack('H', data[idx:idx+2])
idx += 2
fmtStr = "<"
variables = []
for _ in range(num_variables):
var_name_and_type, idx = _get_name(data, idx)
var_name = var_name_and_type[0:-3]
var_type = var_name_and_type[-2]
result[event_name][var_name] = []
fmtStr += var_type
variables.append(var_name)
event_by_id[event_id] = {
'name': event_name,
'fmtStr': fmtStr,
'numBytes': struct.calcsize(fmtStr),
'variables': variables,
}

while idx < len(data) - 4:
if version == 1:
event_id, timestamp, = struct.unpack('<HI', data[idx:idx+6])
idx += 6
elif version == 2:
event_id, timestamp, = struct.unpack('<HQ', data[idx:idx+10])
timestamp = timestamp / 1000.0
idx += 10
event = event_by_id[event_id]
fmtStr = event['fmtStr']
eventData = struct.unpack(fmtStr, data[idx:idx+event['numBytes']])
idx += event['numBytes']
for v,d in zip(event['variables'], eventData):
result[event['name']][v].append(d)
result[event['name']]["timestamp"].append(timestamp)

# remove keys that had no data
for event_name in list(result.keys()):
if len(result[event_name]['timestamp']) == 0:
del result[event_name]

# convert to numpy arrays
for event_name in result.keys():
for var_name in result[event_name]:
result[event_name][var_name] = np.array(result[event_name][var_name])

return result


if __name__ == "__main__":
parser = argparse.ArgumentParser()
parser.add_argument("filename")
args = parser.parse_args()
data = decode(args.filename)
print(data)
179 changes: 179 additions & 0 deletions systemtests/SDplotting/data_helper.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,179 @@
# -*- coding: utf-8 -*-
"""
Tool for manipulating and adding data to the automatically generated reports.
"""
import numpy as np
from numpy.polynomial import polynomial as P
from scipy.interpolate import CubicSpline, BSpline, splrep


# from model_payload import ResidualsPayload


class DataHelper:
def __init__(self) -> None:
pass

@staticmethod
def generate_data(data: dict[str, np.ndarray],
event: str,
info: dict[str, str | int | float]) -> dict[str, np.ndarray]:
source = data[event].get(info.get("source", None), None)
t = data[event]["timestamp"]
t_fit = data[event].get("fitTimestamp", None)

if info.get("derivative", 0) < 0:
raise ValueError("Derivative must be greater than or equal to 0")

if info["type"] == "linspace":
data_new = DataHelper.generate_data_linspace(source, info["step"])
elif info["type"] == "poly":
data_new = DataHelper.generate_data_poly(t, source, t_fit, info)
elif info["type"] == "cs":
data_new = DataHelper.generate_data_cs(t, source, t_fit, info)
elif info["type"] == "bs":
data_new = DataHelper.generate_data_bs(t, source, t_fit, info)
elif info["type"] == "custom":
data_new = DataHelper.generate_data_custom(data[event], info["target"])
else:
raise NotImplementedError

# exit 1: add each vector of the custom data list iteratively to the data dictionary and return
if isinstance(info["target"], list):
dict_new = {}
for i, target in enumerate(info["target"]):
dict_new[target] = data_new[i]

return dict_new

# exit 2: add single vector to dictionary and return
return {info["target"]: data_new}

@staticmethod
def generate_data_linspace(x: np.ndarray, step: int) -> np.ndarray:
return np.arange(x[0], x[-1], step)

@staticmethod
def generate_data_poly(x: np.ndarray, y: np.ndarray, x_fit: np.ndarray, info: dict[str, str | int | float]) -> np.ndarray:
p = P.Polynomial.fit(x, y, info["degree"])
p = p.deriv(info["derivative"])

if not info.get("original_length", False):
return p(x_fit)

return p(x)

@staticmethod
def generate_data_cs(x: np.ndarray, y: np.ndarray, x_fit: np.ndarray, info: dict[str, str | int | float]) -> np.ndarray:
cs = CubicSpline(x, y)

if not info.get("original_length", False):
return cs(x_fit, info["derivative"])

return cs(x, info["derivative"])

@staticmethod
def generate_data_bs(x: np.ndarray, y: np.ndarray, x_fit: np.ndarray, info: dict[str, str | int | float]) -> np.ndarray:
tck = splrep(x, y, s=info["smoothing"])
bs = BSpline(*tck)

if not info.get("original_length", False):
return bs(x_fit, info["derivative"])

return bs(x, info["derivative"])

@staticmethod
def generate_data_custom(data: dict[str, np.ndarray], target_list: list[str]) -> list[np.ndarray]:
pass
# init objects for computing custom data (residuals, state errors, etc.)
# res_payload = ResidualsPayload(data)

# check and generate target for custom data
# custom_data = []
# for target in target_list:
# if target == "error.px":
# custom_data.append(res_payload.get_error_payload_position_x())
# elif target == "error.py":
# custom_data.append(res_payload.get_error_payload_position_y())
# elif target == "error.pz":
# custom_data.append(res_payload.get_error_payload_position_z())
# elif target == "error.pvx":
# custom_data.append(res_payload.get_error_payload_velocity_x())
# elif target == "error.pvy":
# custom_data.append(res_payload.get_error_payload_velocity_x())
# elif target == "error.pvz":
# custom_data.append(res_payload.get_error_payload_velocity_x())
# elif target == "error.cpx":
# custom_data.append(res_payload.get_error_cable_unit_vector_x())
# elif target == "error.cpy":
# custom_data.append(res_payload.get_error_cable_unit_vector_y())
# elif target == "error.cpz":
# custom_data.append(res_payload.get_error_cable_unit_vector_z())
# elif target == "error.pwx":
# custom_data.append(res_payload.get_error_payload_angular_velocity_x())
# elif target == "error.pwy":
# custom_data.append(res_payload.get_error_payload_angular_velocity_y())
# elif target == "error.pwz":
# custom_data.append(res_payload.get_error_payload_angular_velocity_z())
# elif target == "error.rpyx":
# custom_data.append(res_payload.get_error_uav_orientation_x())
# elif target == "error.rpyy":
# custom_data.append(res_payload.get_error_uav_orientation_y())
# elif target == "error.rpyz":
# custom_data.append(res_payload.get_error_uav_orientation_z())
# elif target == "error.wx":
# custom_data.append(res_payload.get_error_uav_angular_velocity_x())
# elif target == "error.wy":
# custom_data.append(res_payload.get_error_uav_angular_velocity_y())
# elif target == "error.wz":
# custom_data.append(res_payload.get_error_uav_angular_velocity_z())
# elif target == "residual.f":
# custom_data.append(res_payload.get_residual_force())
# elif target == "residual.tx":
# custom_data.append(res_payload.get_residual_torque_x())
# elif target == "residual.ty":
# custom_data.append(res_payload.get_residual_torque_y())
# elif target == "residual.tz":
# custom_data.append(res_payload.get_residual_torque_z())

# return custom_data


if __name__ == "__main__":
pass
# small test
# data = {"event": {
# "timestamp": np.array([1, 2, 3, 4, 5, 6, 7, 8, 9, 10]),
# "source": np.array([10, 20, 15, 30, 15, 10, 5, 10, 15, 20])}}

# info = {"type": "poly",
# "degree": 100,
# "derivative": 1,
# "source": "source",
# "target": "target"}

# target, generated_data = DataHelper.generate_data(data, "event", info)
# plt.plot(data["event"]["timestamp"], data["event"]["source"], label="source")
# plt.plot(data["event"]["timestamp"], generated_data, label="generated")
# plt.legend()
# plt.show()

# another small test
# x = np.arange(10)
# y = np.sin(x)
# cs = CubicSpline(x, y)
# xs = np.arange(-0.5, 9.6, 0.1)
# fig, ax = plt.subplots(figsize=(6.5, 4))
# ax.plot(x, y, 'o', label='data')
# ax.plot(xs, np.sin(xs), label='true')
# ax.plot(xs, cs(xs), label="S")
# ax.plot(xs, cs.derivative(1), label="S'")
# ax.plot(xs, cs.derivative(2), label="S''")
# ax.plot(xs, cs.derivative(3), label="S'''")
# ax.set_xlim(-0.5, 9.5)
# ax.legend(loc='lower left', ncol=2)
# plt.show()

# print(cs.c.shape)
# csder = cs.derivative(1)
# print(csder.c.shape)
Loading

0 comments on commit d9064d9

Please sign in to comment.