repo_id
stringlengths
19
138
file_path
stringlengths
32
200
content
stringlengths
1
12.9M
__index_level_0__
int64
0
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/common/online_to_offline.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import abc import logging import math from google.protobuf.internal import decoder from google.protobuf.internal import encoder import numpy as np from modules.prediction.proto import offline_features_pb2 from modules.tools.prediction.data_pipelines.common.bounding_rectangle import BoundingRectangle from modules.tools.prediction.data_pipelines.common.configure import parameters param_fea = parameters['feature'] class LabelGenerator(object): def __init__(self): self.filepath = None ''' feature_dict contains the organized Feature in the following way: obstacle_ID --> [Feature1, Feature2, Feature3, ...] (sequentially sorted) ''' self.feature_dict = dict() ''' observation_dict contains the important observations of the subsequent Features for each obstacle at every timestamp: obstacle_ID@timestamp --> dictionary of observations where dictionary of observations contains: 'obs_traj': the trajectory points (x, y, vel_heading) up to max_observation_time this trajectory poitns must be consecutive (0.1sec sampling period) 'obs_traj_len': length of trajectory points 'obs_actual_lane_ids': the actual sequence of lane_segment ids the obstacle steps on 'has_started_lane_change': whether the obstacle has started lane changing within max_observation_time 'has_finished_lane_change': whether it has finished lane changing 'lane_change_start_time': 'lane_change_finish_time': 'is_jittering': 'new_lane_id': 'total_observed_time_span': This observation_dict, once constructed, can be reused by various labeling functions. ''' self.observation_dict = dict() self.future_status_dict = dict() self.cruise_label_dict = dict() self.junction_label_dict = dict() def LoadFeaturePBAndSaveLabelFiles(self, input_filepath): ''' This function will be used to replace all the functionalities in generate_cruise_label.py ''' self.filepath = input_filepath feature_sequences = self.LoadPBFeatures(input_filepath) self.OrganizeFeatures(feature_sequences) del feature_sequences # Try to free up some memory self.ObserveAllFeatureSequences() ''' @brief: parse the pb file of Feature of all obstacles at all times. @input filepath: the path of the pb file that contains all the features of every obstacle at every timestamp. @output: python readable format of the same content. ''' def LoadPBFeatures(self, filepath): self.filepath = filepath offline_features = offline_features_pb2.Features() with open(filepath, 'rb') as file_in: offline_features.ParseFromString(file_in.read()) return offline_features.feature ''' @brief: save the feature_sequences to an output protobuf file. @input filepath: the path of the output pb file. @input feature_sequences: the content to be saved. ''' @staticmethod def SaveOutputPB(filepath, pb_message): with open(filepath, 'wb') as file: serializedMessage = pb_message.SerializeToString() file.write(serializedMessage) ''' @brief: organize the features by obstacle IDs first, then sort each obstacle's feature according to time sequence. @input features: the unorganized features @output: organized (meaning: grouped by obstacle ID and sorted by time) features. ''' def OrganizeFeatures(self, features): # Organize Feature by obstacle_ID (put those belonging to the same obstacle together) for feature in features: if feature.id in self.feature_dict.keys(): self.feature_dict[feature.id].append(feature) else: self.feature_dict[feature.id] = [feature] # For the same obstacle, sort the Feature sequentially. for obs_id in self.feature_dict.keys(): if len(self.feature_dict[obs_id]) < 2: del self.feature_dict[obs_id] continue self.feature_dict[obs_id].sort(key=lambda x: x.timestamp) ''' @brief: observe all feature sequences and build observation_dict. @output: the complete observation_dict. ''' def ObserveAllFeatureSequences(self): for obs_id, feature_sequence in self.feature_dict.items(): for idx, feature in enumerate(feature_sequence): if not feature.HasField('lane') or \ not feature.lane.HasField('lane_feature'): # print('No lane feature, cancel labeling') continue self.ObserveFeatureSequence(feature_sequence, idx) np.save(self.filepath + '.npy', self.observation_dict) ''' @brief: Observe the sequence of Features following the Feature at idx_curr and save some important observations in the class so that it can be used by various label functions. @input feature_sequence: A sorted sequence of Feature corresponding to one obstacle. @input idx_curr: The index of the current Feature to be labelled. We will look at the subsequent Features following this one to complete labeling. @output: All saved as class variables in observation_dict, including: its trajectory info and its lane changing info. ''' def ObserveFeatureSequence(self, feature_sequence, idx_curr): # Initialization. feature_curr = feature_sequence[idx_curr] dict_key = "{}@{:.3f}".format(feature_curr.id, feature_curr.timestamp) if dict_key in self.observation_dict.keys(): return # Record all the lane segments belonging to the lane sequence that the # obstacle is currently on. curr_lane_segments = set() for lane_sequence in feature_curr.lane.lane_graph.lane_sequence: if lane_sequence.vehicle_on_lane: for lane_segment in lane_sequence.lane_segment: curr_lane_segments.add(lane_segment.lane_id) if len(curr_lane_segments) == 0: # print("Obstacle is not on any lane.") return # Declare needed varables. new_lane_id = None has_started_lane_change = False has_finished_lane_change = False lane_change_start_time = None lane_change_finish_time = None is_jittering = False feature_seq_len = len(feature_sequence) prev_timestamp = -1.0 obs_actual_lane_ids = [] obs_traj = [] total_observed_time_span = 0.0 # This goes through all the subsequent features in this sequence # of features up to the maximum_observation_time. for j in range(idx_curr, feature_seq_len): # If timespan exceeds max. observation time, then end observing. time_span = feature_sequence[j].timestamp - feature_curr.timestamp if time_span > param_fea['maximum_observation_time']: break total_observed_time_span = time_span ##################################################################### # Update the obstacle trajectory: # Only update for consecutive (sampling rate = 0.1sec) points. obs_traj.append((feature_sequence[j].position.x, feature_sequence[j].position.y, feature_sequence[j].velocity_heading, feature_sequence[j].speed, feature_sequence[j].length, feature_sequence[j].width, feature_sequence[j].timestamp)) ##################################################################### # Update the lane-change info (mainly for cruise scenario): if feature_sequence[j].HasField('lane') and \ feature_sequence[j].lane.HasField('lane_feature'): # If jittering or done, then jump over this part. if (is_jittering or has_finished_lane_change): continue # Record the sequence of lane_segments the obstacle stepped on. lane_id_j = feature_sequence[j].lane.lane_feature.lane_id if lane_id_j not in obs_actual_lane_ids: obs_actual_lane_ids.append(lane_id_j) # If step into another lane, label lane change to be started. if lane_id_j not in curr_lane_segments: # If it's the first time, log new_lane_id if not has_started_lane_change: has_started_lane_change = True lane_change_start_time = time_span new_lane_id = lane_id_j else: # If it stepped into other lanes and now comes back, it's jittering! if has_started_lane_change: is_jittering = True continue # If roughly get to the center of another lane, label lane change to be finished. left_bound = feature_sequence[j].lane.lane_feature.dist_to_left_boundary right_bound = feature_sequence[j].lane.lane_feature.dist_to_right_boundary if left_bound / (left_bound + right_bound) > (0.5 - param_fea['lane_change_finish_condition']) and \ left_bound / (left_bound + right_bound) < (0.5 + param_fea['lane_change_finish_condition']): if has_started_lane_change: # This means that the obstacle has finished lane change. has_finished_lane_change = True lane_change_finish_time = time_span else: # This means that the obstacle moves back to the center # of the original lane for the first time. if lane_change_finish_time is None: lane_change_finish_time = time_span if len(obs_actual_lane_ids) == 0: # print("No lane id") return # Update the observation_dict: dict_val = dict() dict_val['obs_traj'] = obs_traj dict_val['obs_traj_len'] = len(obs_traj) dict_val['obs_actual_lane_ids'] = obs_actual_lane_ids dict_val['has_started_lane_change'] = has_started_lane_change dict_val['has_finished_lane_change'] = has_finished_lane_change dict_val['lane_change_start_time'] = lane_change_start_time dict_val['lane_change_finish_time'] = lane_change_finish_time dict_val['is_jittering'] = is_jittering dict_val['new_lane_id'] = new_lane_id dict_val['total_observed_time_span'] = total_observed_time_span self.observation_dict["{}@{:.3f}".format( feature_curr.id, feature_curr.timestamp)] = dict_val return ''' @brief Based on the observation, label each lane sequence accordingly: - label whether the obstacle is on the lane_sequence within a certain amount of time. - if there is lane chage, label the time it takes to get to that lane. ''' def LabelSingleLane(self, period_of_interest=3.0): output_features = offline_features_pb2.Features() for obs_id, feature_sequence in self.feature_dict.items(): feature_seq_len = len(feature_sequence) for idx, feature in enumerate(feature_sequence): if not feature.HasField('lane') or \ not feature.lane.HasField('lane_feature'): # print "No lane feature, cancel labeling" continue # Observe the subsequent Features if "{}@{:.3f}".format(feature.id, feature.timestamp) not in self.observation_dict: continue observed_val = self.observation_dict["{}@{:.3f}".format( feature.id, feature.timestamp)] lane_sequence_dict = dict() # Based on the observation, label data. for lane_sequence in feature.lane.lane_graph.lane_sequence: # Sanity check. if len(lane_sequence.lane_segment) == 0: print('There is no lane segment in this sequence.') continue # Handle jittering data if observed_val['is_jittering']: lane_sequence.label = -10 lane_sequence.time_to_lane_center = -1.0 lane_sequence.time_to_lane_edge = -1.0 continue # Handle the case that we didn't obesrve enough Features to label if observed_val['total_observed_time_span'] < period_of_interest and \ not observed_val['has_started_lane_change']: lane_sequence.label = -20 lane_sequence.time_to_lane_center = -1.0 lane_sequence.time_to_lane_edge = -1.0 # The current lane is obstacle's original lane. (labels: 0,2,4) if lane_sequence.vehicle_on_lane: # Obs is following ONE OF its original lanes: if not observed_val['has_started_lane_change'] or \ observed_val['lane_change_start_time'] > period_of_interest: # Record this lane_sequence's lane_ids current_lane_ids = [] for k in range(len(lane_sequence.lane_segment)): if lane_sequence.lane_segment[k].HasField('lane_id'): current_lane_ids.append(lane_sequence.lane_segment[k].lane_id) is_following_this_lane = True for l_id in range(1, min(len(current_lane_ids), len(observed_val['obs_actual_lane_ids']))): if current_lane_ids[l_id] != observed_val['obs_actual_lane_ids'][l_id]: is_following_this_lane = False break # Obs is following this original lane: if is_following_this_lane: # Obstacle is following this original lane and moved to lane-center if observed_val['lane_change_finish_time'] is not None: lane_sequence.label = 4 lane_sequence.time_to_lane_edge = -1.0 lane_sequence.time_to_lane_center = -1.0 # Obstacle is following this original lane but is never at lane-center: else: lane_sequence.label = 2 lane_sequence.time_to_lane_edge = -1.0 lane_sequence.time_to_lane_center = -1.0 # Obs is following another original lane: else: lane_sequence.label = 0 lane_sequence.time_to_lane_edge = -1.0 lane_sequence.time_to_lane_center = -1.0 # Obs has stepped out of this lane within period_of_interest. else: lane_sequence.label = 0 lane_sequence.time_to_lane_edge = -1.0 lane_sequence.time_to_lane_center = -1.0 # The current lane is NOT obstacle's original lane. (labels: -1,1,3) else: # Obstacle is following the original lane. if not observed_val['has_started_lane_change'] or \ observed_val['lane_change_start_time'] > period_of_interest: lane_sequence.label = -1 lane_sequence.time_to_lane_edge = -1.0 lane_sequence.time_to_lane_center = -1.0 else: new_lane_id_is_in_this_lane_seq = False for lane_segment in lane_sequence.lane_segment: if lane_segment.lane_id == observed_val['new_lane_id']: new_lane_id_is_in_this_lane_seq = True break # Obstacle has changed to this lane. if new_lane_id_is_in_this_lane_seq: # Obstacle has finished lane changing within time_of_interest. if observed_val['has_finished_lane_change'] and \ observed_val['lane_change_finish_time'] < period_of_interest: lane_sequence.label = 3 lane_sequence.time_to_lane_edge = observed_val['lane_change_start_time'] lane_sequence.time_to_lane_center = observed_val['lane_change_finish_time'] # Obstacle started lane changing but haven't finished yet. else: lane_sequence.label = 1 lane_sequence.time_to_lane_edge = observed_val['lane_change_start_time'] lane_sequence.time_to_lane_center = -1.0 # Obstacle has changed to some other lane. else: lane_sequence.label = -1 lane_sequence.time_to_lane_edge = -1.0 lane_sequence.time_to_lane_center = -1.0 for lane_sequence in feature.lane.lane_graph.lane_sequence: lane_sequence_dict[lane_sequence.lane_sequence_id] = [lane_sequence.label, lane_sequence.time_to_lane_center, lane_sequence.time_to_lane_edge] self.cruise_label_dict["{}@{:.3f}".format( feature.id, feature.timestamp)] = lane_sequence_dict np.save(self.filepath + '.cruise_label.npy', self.cruise_label_dict) def LabelTrajectory(self, period_of_interest=3.0): output_features = offline_features_pb2.Features() for obs_id, feature_sequence in self.feature_dict.items(): for idx, feature in enumerate(feature_sequence): # Observe the subsequent Features if "{}@{:.3f}".format(feature.id, feature.timestamp) not in self.observation_dict: continue observed_val = self.observation_dict["{}@{:.3f}".format( feature.id, feature.timestamp)] self.future_status_dict["{}@{:.3f}".format( feature.id, feature.timestamp)] = observed_val['obs_traj'] np.save(self.filepath + '.future_status.npy', self.future_status_dict) # for point in observed_val['obs_traj']: # traj_point = feature.future_trajectory_points.add() # traj_point.path_point.x = point[0] # traj_point.path_point.y = point[1] # traj_point.path_point.velocity_heading = point[2] # traj_point.timestamp = point[3] # output_features.feature.add().CopyFrom(feature) # self.SaveOutputPB(self.filepath + '.future_status.label', output_features) def LabelJunctionExit(self): ''' label feature trajectory according to real future lane sequence in 7s ''' output_features = offline_features_pb2.Features() for obs_id, feature_sequence in self.feature_dict.items(): feature_seq_len = len(feature_sequence) for i, fea in enumerate(feature_sequence): # Sanity check. if not fea.HasField('junction_feature') or \ not len(fea.junction_feature.junction_exit): # print("No junction_feature, junction_exit, or junction_mlp_feature, not labeling this frame.") continue curr_pos = np.array([fea.position.x, fea.position.y]) # Only keep speed > 1 # TODO(all) consider recovery # if fea.speed <= 1: # continue heading = math.atan2(fea.raw_velocity.y, fea.raw_velocity.x) # Construct dictionary of all exit with dict[exit_lane_id] = np.array(exit_position) exit_dict = dict() exit_pos_dict = dict() mask = [0] * 12 for junction_exit in fea.junction_feature.junction_exit: if junction_exit.HasField('exit_lane_id'): exit_dict[junction_exit.exit_lane_id] = \ BoundingRectangle(junction_exit.exit_position.x, junction_exit.exit_position.y, junction_exit.exit_heading, 0.01, junction_exit.exit_width) exit_pos = np.array([junction_exit.exit_position.x, junction_exit.exit_position.y]) exit_pos_dict[junction_exit.exit_lane_id] = exit_pos delta_pos = exit_pos - curr_pos angle = math.atan2(delta_pos[1], delta_pos[0]) - heading d_idx = int((angle / (2.0 * np.pi) + 1.0 / 24) * 12 % 12) mask[d_idx] = 1 # Searching for up to 100 frames (10 seconds) for j in range(i, min(i + 100, feature_seq_len)): car_bounding = BoundingRectangle(feature_sequence[j].position.x, feature_sequence[j].position.y, math.atan2(feature_sequence[j].raw_velocity.y, feature_sequence[j].raw_velocity.x), feature_sequence[j].length, feature_sequence[j].width) for key, value in exit_dict.items(): if car_bounding.overlap(value): exit_pos = exit_pos_dict[key] delta_pos = exit_pos - curr_pos angle = math.atan2( delta_pos[1], delta_pos[0]) - heading d_idx = int((angle / (2.0 * np.pi) + 1.0 / 24) * 12 % 12) label = [0] * 12 label[d_idx] = 1 fea.junction_feature.junction_mlp_label.extend(label) self.junction_label_dict["{}@{:.3f}".format( fea.id, fea.timestamp)] = label + mask break # actually break two level else: continue break np.save(self.filepath + '.junction_label.npy', self.junction_label_dict) # if fea.HasField('junction_feature') and \ # len(fea.junction_feature.junction_mlp_label) > 0: # output_features.feature.add().CopyFrom(fea) # self.SaveOutputPB(self.filepath + '.junction.label', output_features) def Label(self): self.LabelTrajectory() self.LabelSingleLane() self.LabelJunctionExit() # TODO(all): # - implement label multiple lane
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/common/BUILD
load("@rules_python//python:defs.bzl", "py_library") package(default_visibility = ["//visibility:public"]) py_library( name = "bounding_rectangle", srcs = ["bounding_rectangle.py"], deps = [ ":rotation2d", ":util", ":vector2d", ], ) py_library( name = "configure", srcs = ["configure.py"], ) py_library( name = "data_preprocess", srcs = ["data_preprocess.py"], ) py_library( name = "feature_io", srcs = ["feature_io.py"], deps = [ "//modules/common_msgs/prediction_msgs:feature_py_pb2", "//modules/prediction/proto:offline_features_py_pb2", ], ) py_library( name = "log", srcs = ["log.py"], ) py_library( name = "online_to_offline", srcs = ["online_to_offline.py"], deps = [ ":bounding_rectangle", ":configure", "//modules/prediction/proto:offline_features_py_pb2", ], ) py_library( name = "rotation2d", srcs = ["rotation2d.py"], deps = [ ":vector2d", ], ) py_library( name = "trajectory", srcs = ["trajectory.py"], deps = [ ":bounding_rectangle", ":configure", ], ) py_library( name = "util", srcs = ["util.py"], ) py_library( name = "vector2d", srcs = ["vector2d.py"], )
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/common/vector2d.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### from math import sqrt class Vector2: def __init__(self, x, y): self.x = x self.y = y def add(self, v): return Vector2(self.x + v.x, self.y + v.y) def subtract(self, v): return Vector2(self.x - v.x, self.y - v.y) def dot(self, v): return self.x * v.x + self.y * v.y def norm(self): return sqrt(self.x * self.x + self.y * self.y) def norm_square(self): return self.x * self.x + self.y * self.y def print_point(self): print(str(self.x) + "\t" + str(self.y) + "\n")
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/merge_label_dicts_script.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # # Usage: # sudo bash /apollo/modules/tools/prediction/mlp_train/scripts/generate_labels.sh <input_feature.bin> # # The input feature.X.bin will generate furture_status.label, cruise.label, junction.label SRC_FILE=$1 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash /apollo/bazel-bin/modules/tools/prediction/data_pipelines/data_preprocessing/merge_label_dicts ${SRC_FILE}
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/records_to_prediction_result.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 TARGET_DIR=$2 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ ! -z "$4" ]; then export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:$4 fi sudo mkdir -p ${TARGET_DIR} if [ -z "$3" ]; then MAP_DIR="sunnyvale" else MAP_DIR=$3 fi /apollo/bazel-bin/modules/prediction/pipeline/records_to_offline_data \ --flagfile=/apollo/modules/prediction/conf/prediction.conf \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --prediction_offline_mode=3 \ --prediction_offline_bags=${SRC_DIR} \ --noenable_multi_thread \ --prediction_data_dir=${TARGET_DIR}
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/records_to_data_for_learning.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 TARGET_DIR=$2 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ ! -z "$4" ]; then export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:$4 fi sudo mkdir -p ${TARGET_DIR} if [ -z "$3" ]; then MAP_DIR="sunnyvale" else MAP_DIR=$3 fi /apollo/bazel-bin/modules/prediction/pipeline/records_to_offline_data \ --flagfile=/apollo/modules/prediction/conf/prediction.conf \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --prediction_offline_mode=2 \ --prediction_offline_bags=${SRC_DIR} \ --prediction_data_dir=${TARGET_DIR} \ --noenable_multi_thread \ --noenable_async_draw_base_image
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/records_to_dump_feature_proto.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 TARGET_DIR=$2 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ ! -z "$4" ]; then export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:$4 fi sudo mkdir -p ${TARGET_DIR} if [ -z "$3" ]; then MAP_DIR="sunnyvale" else MAP_DIR=$3 fi /apollo/bazel-bin/modules/prediction/pipeline/records_to_offline_data \ --flagfile=/apollo/modules/prediction/conf/prediction.conf \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --prediction_offline_mode=1 \ --noenable_multi_thread \ --prediction_offline_bags=${SRC_DIR} \ --prediction_data_dir=${TARGET_DIR}
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/combine_features_and_labels_script.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # # Usage: # sudo bash /apollo/modules/tools/prediction/mlp_train/scripts/generate_labels.sh <input_feature.bin> # # The input feature.X.bin will generate furture_status.label, cruise.label, junction.label SRC_DIR=$1 LBL_DIR=$2 SCENARIO=$3 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ ${SCENARIO} == "junction" ]; then /apollo/bazel-bin/modules/tools/prediction/data_pipelines/data_preprocessing/combine_features_and_labels_for_junction ${SRC_DIR} ${LBL_DIR} else /apollo/bazel-bin/modules/tools/prediction/data_pipelines/data_preprocessing/combine_features_and_labels ${SRC_DIR} ${LBL_DIR} fi
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/records_to_dump_records.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2020 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ ! -z "$3" ]; then export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:$3 fi if [ -z "$2" ]; then MAP_DIR="sunnyvale" else MAP_DIR=$2 fi /apollo/bazel-bin/modules/prediction/pipeline/records_to_offline_data \ --flagfile=/apollo/modules/prediction/conf/prediction.conf \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --prediction_offline_mode=6 \ --prediction_offline_bags=${SRC_DIR} \ --noenable_multi_thread \ --noenable_async_draw_base_image \ --enable_all_pedestrian_caution_in_front \ --noenable_rank_caution_obstacles
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/vector_net.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2021 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### OBSTACLE_X=$1 OBSTACLE_Y=$2 OBSTACLE_PHI=$3 TARGET_FILE=$4 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ -z "$5" ]; then MAP_DIR="sunnyvale" else MAP_DIR=$5 fi /apollo/bazel-bin/modules/prediction/pipeline/vector_net_feature \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --prediction_target_file=${TARGET_FILE} \ --obstacle_x=${OBSTACLE_X} \ --obstacle_y=${OBSTACLE_Y} \ --obstacle_phi=${OBSTACLE_PHI}
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/records_to_frame_env.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 TARGET_DIR=$2 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ ! -z "$4" ]; then export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:$4 fi sudo mkdir -p ${TARGET_DIR} if [ -z "$3" ]; then MAP_DIR="sunnyvale" else MAP_DIR=$3 fi /apollo/bazel-bin/modules/prediction/pipeline/records_to_offline_data \ --flagfile=/apollo/modules/prediction/conf/prediction.conf \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --prediction_offline_mode=4 \ --noenable_multi_thread \ --prediction_offline_bags=${SRC_DIR} \ --prediction_data_dir=${TARGET_DIR} \ --max_num_dump_feature=1000 \ --noenable_semantic_map \ --noenable_async_draw_base_image
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/records_to_data_for_tuning.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 TARGET_DIR=$2 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash if [ ! -z "$4" ]; then export LD_LIBRARY_PATH=$LD_LIBRARY_PATH:$4 fi sudo mkdir -p ${TARGET_DIR} if [ -z "$3" ]; then MAP_DIR="sunnyvale" else MAP_DIR=$3 fi /apollo/bazel-bin/modules/prediction/pipeline/records_to_offline_data \ --flagfile=/apollo/modules/prediction/conf/prediction.conf \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --prediction_offline_mode=5 \ --noenable_multi_thread \ --prediction_offline_bags=${SRC_DIR} \ --prediction_data_dir=${TARGET_DIR} \ --noenable_multi_thread
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/evaluate_prediction_result_script.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # # Usage: # sudo bash /apollo/modules/tools/prediction/data_pipelines/scripts/evaluate_prediction_result_script.sh # <results_dir> <labels_dir> <time_range> # RESULTS_DIR=$1 LABELS_DIR=$2 TIME_RANGE=$3 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash /apollo/bazel-bin/modules/tools/prediction/data_pipelines/performance_evaluation/evaluate_prediction_result \ ${RESULTS_DIR} ${LABELS_DIR} ${TIME_RANGE}
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/scripts/generate_labels.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # # Usage: # sudo bash /apollo/modules/tools/prediction/mlp_train/scripts/generate_labels.sh <input_feature.bin> # # The input feature.X.bin will generate 4 files: .npy, .furture_status.npy, cruise_label.npy, junction_label.npy SRC_FILE=$1 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash /apollo/bazel-bin/modules/tools/prediction/data_pipelines/data_preprocessing/generate_labels ${SRC_FILE}
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/merge_label_dicts.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import modules.tools.prediction.data_pipelines.data_preprocessing.features_labels_utils as features_labels_utils if __name__ == "__main__": parser = argparse.ArgumentParser(description='Merge all label_dicts in each' 'terminal folder.') parser.add_argument('dirpath', type=str, help='Path of terminal folder.') args = parser.parse_args() features_labels_utils.MergeDicts(args.dirpath, dict_name='future_status') features_labels_utils.MergeDicts(args.dirpath, dict_name='junction_label') features_labels_utils.MergeDicts(args.dirpath, dict_name='cruise_label')
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/generate_cruise_labels.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import glob import logging import os import sys from modules.tools.prediction.data_pipelines.common.online_to_offline import LabelGenerator if __name__ == "__main__": parser = argparse.ArgumentParser(description='Generate labels') parser.add_argument('input', type=str, help='input file') args = parser.parse_args() label_gen = LabelGenerator() print("Create Label {}".format(args.input)) if os.path.isfile(args.input): label_gen.LoadFeaturePBAndSaveLabelFiles(args.input) label_gen.LabelSingleLane() else: print("{} is not a valid file".format(args.input))
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/features_labels_utils.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import h5py import numpy as np import os from modules.prediction.proto import offline_features_pb2 junction_label_label_dim = 12 future_status_label_dim = 30 ''' Read a single dataforlearn.bin file and output a list of DataForLearning that is contained in that file. ''' def LoadDataForLearning(filepath): list_of_data_for_learning = \ offline_features_pb2.ListDataForLearning() with open(filepath, 'rb') as file_in: list_of_data_for_learning.ParseFromString(file_in.read()) return list_of_data_for_learning.data_for_learning ''' Read a single .npy dictionary file and get its content. ''' def LoadLabels(filepath): mydict = np.load(filepath).item() return mydict ''' Merge two dictionary into a single one and return. ''' def MergeTwoDicts(dict1, dict2): newdict = dict1.copy() newdict.update(dict2) return newdict ''' Merge all dictionaries directly under a directory ''' def MergeDicts(dirpath, dict_name='future_status'): list_of_files = os.listdir(dirpath) dict_merged = None for file in list_of_files: full_path = os.path.join(dirpath, file) if file.split('.')[-1] == 'npy' and file.split('.')[-2] == dict_name: dict_curr = LoadLabels(full_path) if dict_merged is None: dict_merged = dict_curr.copy() else: dict_merged.update(dict_curr) np.save(dirpath + '/' + dict_name + '.npy', dict_merged) return dict_merged ''' Go through every entry of data_for_learn proto and get the corresponding labels. Save the output file into h5 format (array of lists with each list being a data point for training/validating). ''' def CombineFeaturesAndLabels(feature_path, label_path, dict_name='future_status'): list_of_data_for_learning = LoadDataForLearning(feature_path) dict_labels = LoadLabels(label_path) output_np_array = [] for data_for_learning in list_of_data_for_learning: # features_for_learning: list of doubles features_for_learning = list(data_for_learning.features_for_learning) key = "{}@{:.3f}".format(data_for_learning.id, data_for_learning.timestamp) # Sanity checks to see if this data-point is valid or not. if key not in dict_labels: print('Cannot find a feature-to-label mapping.') continue labels = None list_curr = None if dict_name == 'junction_label': if len(dict_labels[key]) != junction_label_label_dim: continue labels = dict_labels[key] list_curr = features_for_learning + labels elif dict_name == 'future_status': if len(dict_labels[key]) < future_status_label_dim: continue labels = dict_labels[key][:30] list_curr = [len(features_for_learning)] + \ features_for_learning + labels output_np_array.append(list_curr) output_np_array = np.array(output_np_array) np.save(feature_path + '.features+' + dict_name + '.npy', output_np_array) ''' Merge all files of features+labels into a single one ''' def MergeCombinedFeaturesAndLabels(dirpath): list_of_files = os.listdir(dirpath) features_labels_merged = [] for file in list_of_files: full_path = os.path.join(dirpath, file) if file.split('.')[-1] == 'npy' and \ file.split('.')[-2] == 'labels' and \ file.split('.')[0] == 'datalearn': features_labels_curr = np.load(full_path).tolist() features_labels_merged += features_labels_curr np.save(dirpath + '/training_data.npy', np.array(features_labels_merged)) ''' It takes terminal folder as input, then 1. Merge all label dicts. 2. Go through every data_for_learn proto, and find the corresponding label 3. Merge all features+labels files into a single one: data.npy ''' def PrepareDataForTraining(dirpath): MergeDicts(dirpath) list_of_files = os.listdir(dirpath) for file in list_of_files: full_path = os.path.join(dirpath, file) if file.split('.')[-1] == 'bin' and \ file.split('.')[0] == 'datalearn': CombineFeaturesAndLabels(full_path, dirpath + 'labels.npy') MergeCombinedFeaturesAndLabels(dirpath)
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/combine_features_and_labels.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import os import re from modules.tools.prediction.data_pipelines.data_preprocessing.features_labels_utils import CombineFeaturesAndLabels, MergeCombinedFeaturesAndLabels if __name__ == "__main__": parser = argparse.ArgumentParser(description='Merge all label_dicts in each' 'terminal folder.') parser.add_argument('features_dirpath', type=str, help='Path of terminal folder for data_for_learn.') parser.add_argument('labels_dirpath', type=str, help='Path of terminal folder for labels') args = parser.parse_args() list_of_files = os.listdir(args.features_dirpath) for file in list_of_files: full_file_path = os.path.join(args.features_dirpath, file) if file.split('.')[-1] == 'bin' and \ file.split('.')[0] == 'datalearn': label_path = args.labels_dirpath CombineFeaturesAndLabels(full_file_path, label_path + '/labels.npy') MergeCombinedFeaturesAndLabels(args.features_dirpath)
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/generate_labels.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import glob import logging import os import sys from modules.tools.prediction.data_pipelines.common.online_to_offline import LabelGenerator if __name__ == "__main__": parser = argparse.ArgumentParser(description='Generate labels') parser.add_argument('input', type=str, help='input file') args = parser.parse_args() label_gen = LabelGenerator() print("Create Label {}".format(args.input)) if os.path.isfile(args.input): label_gen.LoadFeaturePBAndSaveLabelFiles(args.input) label_gen.Label() else: print("{} is not a valid file".format(args.input))
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/generate_junction_labels.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import glob import logging import os import sys from modules.tools.prediction.data_pipelines.common.online_to_offline import LabelGenerator if __name__ == "__main__": parser = argparse.ArgumentParser(description='Generate labels') parser.add_argument('input', type=str, help='input file') args = parser.parse_args() label_gen = LabelGenerator() print("Create Label {}".format(args.input)) if os.path.isfile(args.input): label_gen.LoadFeaturePBAndSaveLabelFiles(args.input) label_gen.LabelJunctionExit() else: print("{} is not a valid file".format(args.input))
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/BUILD
load("@rules_python//python:defs.bzl", "py_binary", "py_library") package(default_visibility = ["//visibility:public"]) py_library( name = "combine_features_and_labels", srcs = ["combine_features_and_labels.py"], deps = [ ":features_labels_utils", ], ) py_library( name = "combine_features_and_labels_for_junction", srcs = ["combine_features_and_labels_for_junction.py"], deps = [ ":features_labels_utils", ], ) py_library( name = "features_labels_utils", srcs = ["features_labels_utils.py"], deps = [ "//modules/prediction/proto:offline_features_py_pb2", ], ) py_binary( name = "generate_cruise_labels", srcs = ["generate_cruise_labels.py"], deps = [ "//modules/tools/prediction/data_pipelines/common:online_to_offline", ], ) py_binary( name = "generate_future_trajectory", srcs = ["generate_future_trajectory.py"], deps = [ "//modules/tools/prediction/data_pipelines/common:online_to_offline", ], ) py_binary( name = "generate_junction_labels", srcs = ["generate_junction_labels.py"], deps = [ "//modules/tools/prediction/data_pipelines/common:online_to_offline", ], ) py_binary( name = "generate_labels", srcs = ["generate_labels.py"], deps = [ "//modules/tools/prediction/data_pipelines/common:online_to_offline", ], ) py_binary( name = "merge_label_dicts", srcs = ["merge_label_dicts.py"], deps = [ ":features_labels_utils", ], )
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/generate_future_trajectory.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import glob import logging import os import sys from modules.tools.prediction.data_pipelines.common.online_to_offline import LabelGenerator if __name__ == "__main__": parser = argparse.ArgumentParser(description='Generate labels') parser.add_argument('input', type=str, help='input file') args = parser.parse_args() label_gen = LabelGenerator() print("Create Label {}".format(args.input)) if os.path.isfile(args.input): label_gen.LoadFeaturePBAndSaveLabelFiles(args.input) label_gen.LabelTrajectory() else: print("{} is not a valid file".format(args.input))
0
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines
apollo_public_repos/apollo/modules/tools/prediction/data_pipelines/data_preprocessing/combine_features_and_labels_for_junction.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import os import re from modules.tools.prediction.data_pipelines.data_preprocessing.features_labels_utils import CombineFeaturesAndLabels if __name__ == "__main__": parser = argparse.ArgumentParser( description='Merge all label_dicts in each terminal folder.') parser.add_argument('features_dirpath', type=str, help='Path of terminal folder for data_for_learn.') parser.add_argument('labels_dirpath', type=str, help='Path of terminal folder for labels') args = parser.parse_args() list_of_files = os.listdir(args.features_dirpath) for file in list_of_files: full_file_path = os.path.join(args.features_dirpath, file) if file.split('.')[-1] == 'bin' and \ file.split('.')[0] == 'datalearn': label_path = args.labels_dirpath CombineFeaturesAndLabels(full_file_path, label_path + '/junction_label.npy', 'junction_label')
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/counting.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import numpy as np import os from collections import Counter from glob import glob feature_dim = 62 count = Counter() filenames = glob('/tmp/data/feature_v1_bin/*/*.label.bin') for filename in filenames: bin_data = np.fromfile(filename, dtype=np.float32) if bin_data.shape[0] % (feature_dim + 1) != 0: raise ValueError('data size (%d) must be multiple of feature_dim + 1 (%d).' % (bin_data.shape[0], feature_dim + 1)) label = bin_data[feature_dim::(feature_dim+1)].astype(np.int32) count.update(label) print(count)
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/convert_to_tfrecords.py
#!/usr/bin/env python3 ############################################################################### # Modification Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # Copyright 2015 The TensorFlow Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ============================================================================== """Converts MLP data to TFRecords file format with Example protos.""" import argparse import os import sys import numpy as np import tensorflow as tf FLAGS = None feature_dim = 62 def _float_feature(value): return tf.train.Feature(float_list=tf.train.FloatList(value=value)) def convert_to(bin_data, name): """Converts bin_data to tfrecords.""" if bin_data.shape[0] % (feature_dim + 1) != 0: raise ValueError( 'data size (%d) must be multiple of feature_dim + 1 (%d).' % (bin_data.shape[0], feature_dim + 1)) num_examples = bin_data.shape[0] // (feature_dim + 1) print("num_examples:", num_examples) filename = os.path.join(name + '.tfrecords') print('Writing', filename) with tf.python_io.TFRecordWriter(filename) as writer: for index in range(0, num_examples): data_raw = bin_data[index * (feature_dim + 1):index * (feature_dim + 1) + feature_dim] label_raw = np.array( [bin_data[index*(feature_dim + 1)+feature_dim]]) example = tf.train.Example( features=tf.train.Features( feature={ 'data': _float_feature(data_raw), 'label': _float_feature(label_raw) })) writer.write(example.SerializeToString()) def main(unused_argv): # Get the data. for path, subdirs, files in os.walk(FLAGS.directory): print("path:", path) print("subdirs:", subdirs) for name in files: filename = os.path.join(path, name) print("processing ", filename) bin_data = np.fromfile(filename, dtype=np.float32) # Convert to Examples and write the result to TFRecords. convert_to(bin_data, filename) if __name__ == '__main__': parser = argparse.ArgumentParser() parser.add_argument( '--directory', type=str, default='/tmp/data/prediction', help='Directory to download data files and write the converted result') FLAGS, unparsed = parser.parse_known_args() tf.app.run(main=main, argv=[sys.argv[0]] + unparsed)
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/mlp_main.py
#!/usr/bin/env python3 ############################################################################### # Modification Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # Copyright 2017 The TensorFlow Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ============================================================================== """Mlp model for classifying prediction from Mlp dataset. """ import argparse import functools import itertools import os import six import modules.tools.multiple_gpu_estimator.mlp_data import modules.tools.multiple_gpu_estimator.mlp_model import modules.tools.multiple_gpu_estimator.mlp_utils import numpy as np import tensorflow as tf tf.logging.set_verbosity(tf.logging.INFO) def get_model_fn(num_gpus, variable_strategy, num_workers): """Returns a function that will build the mlp model.""" def _mlp_model_fn(features, labels, mode, params): """Mlp model body. Support single host, one or more GPU training. Parameter distribution can be either one of the following scheme. 1. CPU is the parameter server and manages gradient updates. 2. Parameters are distributed evenly across all GPUs, and the first GPU manages gradient updates. Args: features: a list of tensors, one for each tower labels: a list of tensors, one for each tower mode: ModeKeys.TRAIN or EVAL params: Hyperparameters suitable for tuning Returns: A EstimatorSpec object. """ is_training = (mode == tf.estimator.ModeKeys.TRAIN) weight_decay = params.weight_decay momentum = params.momentum tower_features = features tower_labels = labels tower_losses = [] tower_gradvars = [] tower_preds = [] # channels first (NCHW) is normally optimal on GPU and channels last (NHWC) # on CPU. The exception is Intel MKL on CPU which is optimal with # channels_last. data_format = params.data_format if not data_format: if num_gpus == 0: data_format = 'channels_last' else: data_format = 'channels_first' if num_gpus == 0: num_devices = 1 device_type = 'cpu' else: num_devices = num_gpus device_type = 'gpu' for i in range(num_devices): worker_device = '/{}:{}'.format(device_type, i) if variable_strategy == 'CPU': device_setter = mlp_utils.local_device_setter( worker_device=worker_device) elif variable_strategy == 'GPU': device_setter = mlp_utils.local_device_setter( ps_device_type='gpu', worker_device=worker_device, ps_strategy=tf.contrib.training. GreedyLoadBalancingStrategy( num_gpus, tf.contrib.training.byte_size_load_fn)) with tf.variable_scope('mlp', reuse=bool(i != 0)): with tf.name_scope('tower_%d' % i) as name_scope: with tf.device(device_setter): loss, gradvars, preds = _tower_fn( is_training, weight_decay, tower_features[i], tower_labels[i], data_format, params.batch_norm_decay, params.batch_norm_epsilon) tower_losses.append(loss) tower_gradvars.append(gradvars) tower_preds.append(preds) if i == 0: # Only trigger batch_norm moving mean and variance update from # the 1st tower. Ideally, we should grab the updates from all # towers but these stats accumulate extremely fast so we can # ignore the other stats from the other towers without # significant detriment. update_ops = tf.get_collection( tf.GraphKeys.UPDATE_OPS, name_scope) # Now compute global loss and gradients. gradvars = [] with tf.name_scope('gradient_averaging'): all_grads = {} for grad, var in itertools.chain(*tower_gradvars): if grad is not None: all_grads.setdefault(var, []).append(grad) for var, grads in six.iteritems(all_grads): # Average gradients on the same device as the variables # to which they apply. with tf.device(var.device): if len(grads) == 1: avg_grad = grads[0] else: avg_grad = tf.multiply( tf.add_n(grads), 1. / len(grads)) gradvars.append((avg_grad, var)) # Device that runs the ops to apply global gradient updates. consolidation_device = '/gpu:0' if variable_strategy == 'GPU' else '/cpu:0' with tf.device(consolidation_device): num_batches_per_epoch = mlp_data.MlpDataSet.num_examples_per_epoch( 'train') // (params.train_batch_size * num_workers) boundaries = [ num_batches_per_epoch * x for x in np.array([20, 50, 80], dtype=np.int64) ] staged_lr = [ params.learning_rate * x for x in [1, 0.1, 0.01, 0.002] ] learning_rate = tf.train.piecewise_constant( tf.train.get_global_step(), boundaries, staged_lr) loss = tf.reduce_mean(tower_losses, name='loss') examples_sec_hook = mlp_utils.ExamplesPerSecondHook( params.train_batch_size, every_n_steps=10) tensors_to_log = {'learning_rate': learning_rate, 'loss': loss} logging_hook = tf.train.LoggingTensorHook( tensors=tensors_to_log, every_n_iter=100) train_hooks = [logging_hook, examples_sec_hook] optimizer = tf.train.MomentumOptimizer( learning_rate=learning_rate, momentum=momentum) if params.sync: optimizer = tf.train.SyncReplicasOptimizer( optimizer, replicas_to_aggregate=num_workers) sync_replicas_hook = optimizer.make_session_run_hook( params.is_chief) train_hooks.append(sync_replicas_hook) # Create single grouped train op train_op = [ optimizer.apply_gradients( gradvars, global_step=tf.train.get_global_step()) ] train_op.extend(update_ops) train_op = tf.group(*train_op) predictions = { 'classes': tf.concat([p['classes'] for p in tower_preds], axis=0), 'probabilities': tf.concat([p['probabilities'] for p in tower_preds], axis=0) } stacked_labels = tf.concat(labels, axis=0) metrics = { 'accuracy': tf.metrics.accuracy(stacked_labels, predictions['classes']) } return tf.estimator.EstimatorSpec( mode=mode, predictions=predictions, loss=loss, train_op=train_op, training_hooks=train_hooks, eval_metric_ops=metrics) return _mlp_model_fn def _tower_fn(is_training, weight_decay, feature, label, data_format, batch_norm_decay, batch_norm_epsilon): """Build computation tower. Args: is_training: true if is training graph. weight_decay: weight regularization strength, a float. feature: a Tensor. label: a Tensor. data_format: channels_last (NHWC) or channels_first (NCHW). batch_norm_decay: decay for batch normalization, a float. batch_norm_epsilon: epsilon for batch normalization, a float. Returns: A tuple with the loss for the tower, the gradients and parameters, and predictions. """ model = mlp_model.MlpModel( batch_norm_decay=batch_norm_decay, batch_norm_epsilon=batch_norm_epsilon, is_training=is_training, data_format=data_format) logits = model.forward_pass(feature, input_data_format='channels_last') tower_pred = { 'classes': tf.argmax(input=logits, axis=1), 'probabilities': tf.nn.softmax(logits) } tower_loss = tf.losses.sparse_softmax_cross_entropy( logits=logits, labels=label) tower_loss = tf.reduce_mean(tower_loss) model_params = tf.trainable_variables() tower_loss += weight_decay * tf.add_n( [tf.nn.l2_loss(v) for v in model_params]) tower_grad = tf.gradients(tower_loss, model_params) return tower_loss, list(zip(tower_grad, model_params)), tower_pred def input_fn(data_dir, subset, num_shards, batch_size): """Create input graph for model. Args: data_dir: Directory where TFRecords representing the dataset are located. subset: one of 'train', 'validate' and 'eval'. num_shards: num of towers participating in data-parallel training. batch_size: total batch size for training to be divided by the number of shards. Returns: two lists of tensors for features and labels, each of num_shards length. """ with tf.device('/cpu:0'): dataset = mlp_data.MlpDataSet(data_dir, subset) image_batch, label_batch = dataset.make_batch(batch_size) if num_shards <= 1: # No GPU available or only 1 GPU. return [image_batch], [label_batch] # Note that passing num=batch_size is safe here, even though # dataset.batch(batch_size) can, in some cases, return fewer than batch_size # examples. This is because it does so only when repeating for a limited # number of epochs, but our dataset repeats forever. image_batch = tf.unstack(image_batch, num=batch_size, axis=0) label_batch = tf.unstack(label_batch, num=batch_size, axis=0) feature_shards = [[] for i in range(num_shards)] label_shards = [[] for i in range(num_shards)] for i in range(batch_size): idx = i % num_shards feature_shards[idx].append(image_batch[i]) label_shards[idx].append(label_batch[i]) feature_shards = [tf.parallel_stack(x) for x in feature_shards] label_shards = [tf.parallel_stack(x) for x in label_shards] return feature_shards, label_shards def get_experiment_fn( data_dir, num_gpus, variable_strategy, ): """Returns an Experiment function. Experiments perform training on several workers in parallel, in other words experiments know how to invoke train and eval in a sensible fashion for distributed training. Arguments passed directly to this function are not tunable, all other arguments should be passed within tf.HParams, passed to the enclosed function. Args: data_dir: str. Location of the data for input_fns. num_gpus: int. Number of GPUs on each worker. variable_strategy: String. CPU to use CPU as the parameter server and GPU to use the GPUs as the parameter server. Returns: A function (tf.estimator.RunConfig, tf.contrib.training.HParams) -> tf.contrib.learn.Experiment. Suitable for use by tf.contrib.learn.learn_runner, which will run various methods on Experiment (train, evaluate) based on information about the current runner in `run_config`. """ def _experiment_fn(run_config, hparams): """Returns an Experiment.""" # Create estimator. train_input_fn = functools.partial( input_fn, data_dir, subset='train', num_shards=num_gpus, batch_size=hparams.train_batch_size) eval_input_fn = functools.partial( input_fn, data_dir, subset='eval', batch_size=hparams.eval_batch_size, num_shards=num_gpus) num_eval_examples = mlp_data.MlpDataSet.num_examples_per_epoch('eval') if num_eval_examples % hparams.eval_batch_size != 0: raise ValueError( 'validation set size must be multiple of eval_batch_size') train_steps = hparams.train_steps eval_steps = num_eval_examples // hparams.eval_batch_size classifier = tf.estimator.Estimator( model_fn=get_model_fn(num_gpus, variable_strategy, run_config.num_worker_replicas or 1), config=run_config, params=hparams) # Create experiment. return tf.contrib.learn.Experiment( classifier, train_input_fn=train_input_fn, eval_input_fn=eval_input_fn, train_steps=train_steps, eval_steps=eval_steps) return _experiment_fn def main(job_dir, data_dir, num_gpus, variable_strategy, log_device_placement, num_intra_threads, **hparams): # The env variable is on deprecation path, default is set to off. os.environ['TF_SYNC_ON_FINISH'] = '0' os.environ['TF_ENABLE_WINOGRAD_NONFUSED'] = '1' # Session configuration. sess_config = tf.ConfigProto( allow_soft_placement=True, log_device_placement=log_device_placement, intra_op_parallelism_threads=num_intra_threads, gpu_options=tf.GPUOptions(force_gpu_compatible=True)) config = mlp_utils.RunConfig(session_config=sess_config, model_dir=job_dir) tf.contrib.learn.learn_runner.run( get_experiment_fn(data_dir, num_gpus, variable_strategy), run_config=config, hparams=tf.contrib.training.HParams( is_chief=config.is_chief, **hparams)) if __name__ == '__main__': parser = argparse.ArgumentParser() parser.add_argument( '--data-dir', type=str, required=True, help='The directory where the CIFAR-10 input data is stored.') parser.add_argument( '--job-dir', type=str, required=True, help='The directory where the model will be stored.') parser.add_argument( '--variable-strategy', choices=['CPU', 'GPU'], type=str, default='CPU', help='Where to locate variable operations') parser.add_argument( '--num-gpus', type=int, default=1, help='The number of gpus used. Uses only CPU if set to 0.') parser.add_argument( '--train-steps', type=int, default=20000, help='The number of steps to use for training.') parser.add_argument( '--train-batch-size', type=int, default=10000, help='Batch size for training.') parser.add_argument( '--eval-batch-size', type=int, default=10000, help='Batch size for validation.') parser.add_argument( '--momentum', type=float, default=0.9, help='Momentum for MomentumOptimizer.') parser.add_argument( '--weight-decay', type=float, default=2e-4, help='Weight decay for convolutions.') parser.add_argument( '--learning-rate', type=float, default=0.1, help="""\ This is the initial learning rate value. The learning rate will decrease during training. For more details check the model_fn implementation in this file.\ """) parser.add_argument( '--sync', action='store_true', default=False, help="""\ If present when running in a distributed environment will run on sync mode.\ """) parser.add_argument( '--num-intra-threads', type=int, default=0, help="""\ Number of threads to use for intra-op parallelism. When training on CPU set to 0 to have the system pick the appropriate number or alternatively set it to the number of physical CPU cores.\ """) parser.add_argument( '--num-inter-threads', type=int, default=0, help="""\ Number of threads to use for inter-op parallelism. If set to 0, the system will pick an appropriate number.\ """) parser.add_argument( '--data-format', type=str, default=None, help="""\ If not set, the data format best for the training device is used. Allowed values: channels_first (NCHW) channels_last (NHWC).\ """) parser.add_argument( '--log-device-placement', action='store_true', default=False, help='Whether to log device placement.') parser.add_argument( '--batch-norm-decay', type=float, default=0.997, help='Decay for batch norm.') parser.add_argument( '--batch-norm-epsilon', type=float, default=1e-5, help='Epsilon for batch norm.') args = parser.parse_args() if args.num_gpus > 0: assert tf.test.is_gpu_available(), "Requested GPUs but none found." if args.num_gpus < 0: raise ValueError( 'Invalid GPU count: \"--num-gpus\" must be 0 or a positive integer.' ) if args.num_gpus == 0 and args.variable_strategy == 'GPU': raise ValueError( 'num-gpus=0, CPU must be used as parameter server. Set' '--variable-strategy=CPU.') if args.num_gpus != 0 and args.train_batch_size % args.num_gpus != 0: raise ValueError('--train-batch-size must be multiple of --num-gpus.') if args.num_gpus != 0 and args.eval_batch_size % args.num_gpus != 0: raise ValueError('--eval-batch-size must be multiple of --num-gpus.') main(**vars(args))
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/mlp_data.py
#!/usr/bin/env python3 ############################################################################### # Modification Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # Copyright 2017 The TensorFlow Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ============================================================================== """Prediction data set""" import os import tensorflow as tf dim_input = 62 class MlpDataSet(object): """Prediction mlp data set. """ def __init__(self, data_dir, subset='train'): self.data_dir = data_dir self.subset = subset def get_filenames(self): if self.subset in ['train', 'validation', 'eval']: return [os.path.join(self.data_dir, self.subset + '.tfrecords')] else: raise ValueError('Invalid data subset "%s"' % self.subset) def parser(self, serialized_example): """Parses a single tf.Example into image and label tensors.""" # Dimensions of the images in the CIFAR-10 dataset. features = tf.parse_single_example( serialized_example, features={ 'data': tf.FixedLenFeature([62], tf.float32), 'label': tf.FixedLenFeature([1], tf.float32), }) image = features['data'] label = tf.cast(features['label'], tf.int32)+1 return image, label def make_batch(self, batch_size): """Read the images and labels from 'filenames'.""" filenames = self.get_filenames() # Repeat infinitely. dataset = tf.data.TFRecordDataset(filenames).repeat() # Parse records. dataset = dataset.map(self.parser, num_parallel_calls=batch_size) # Potentially shuffle records. if self.subset == 'train': min_queue_examples = int( MlpDataSet.num_examples_per_epoch(self.subset) * 0.1) # Ensure that the capacity is sufficiently large to provide good random # shuffling. dataset = dataset.shuffle(buffer_size=min_queue_examples + 3 * batch_size) # Batch it up. dataset = dataset.batch(batch_size) iterator = dataset.make_one_shot_iterator() image_batch, label_batch = iterator.get_next() return image_batch, label_batch @staticmethod def num_examples_per_epoch(subset='train'): if subset == 'train': return 13000000 elif subset == 'validation': return 1600000 elif subset == 'eval': return 1600000 else: raise ValueError('Invalid data subset "%s"' % subset)
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/model_base.py
#!/usr/bin/env python3 ############################################################################### # Modification Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # Copyright 2018 The TensorFlow Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ============================================================================== import tensorflow as tf class ModelBase(object): def __init__(self, is_training=True, data_format='channels_last', batch_norm_decay=0.999, batch_norm_epsilon=0.001): """ModelBase constructor. Args: is_training: if build training or inference model. data_format: the data_format used during computation. one of 'channels_first' or 'channels_last'. """ self._batch_norm_decay = batch_norm_decay self._batch_norm_epsilon = batch_norm_epsilon self._is_training = is_training assert data_format in ('channels_first', 'channels_last') self._data_format = data_format def forward_pass(self, x): raise NotImplementedError( 'forward_pass() is implemented in ResNet sub classes') def _conv(self, x, kernel_size, filters, strides, is_atrous=False): """Convolution.""" padding = 'SAME' if not is_atrous and strides > 1: pad = kernel_size - 1 pad_beg = pad // 2 pad_end = pad - pad_beg if self._data_format == 'channels_first': x = tf.pad( x, [[0, 0], [0, 0], [pad_beg, pad_end], [pad_beg, pad_end]]) else: x = tf.pad( x, [[0, 0], [pad_beg, pad_end], [pad_beg, pad_end], [0, 0]]) padding = 'VALID' return tf.layers.conv2d( inputs=x, kernel_size=kernel_size, filters=filters, strides=strides, padding=padding, use_bias=False, data_format=self._data_format) def _batch_norm(self, x): if self._data_format == 'channels_first': data_format = 'NCHW' else: data_format = 'NHWC' return tf.contrib.layers.batch_norm( x, decay=self._batch_norm_decay, center=True, scale=True, epsilon=self._batch_norm_epsilon, is_training=self._is_training, fused=True, data_format=data_format) def _relu(self, x): return tf.nn.relu(x) def _fully_connected(self, x, out_dim, kernel_initializer=None, kernel_regularizer=None): with tf.name_scope('fully_connected') as name_scope: x = tf.layers.dense( x, out_dim, kernel_initializer=kernel_initializer, kernel_regularizer=kernel_regularizer) tf.logging.info('image after unit %s: %s', name_scope, x.get_shape()) return x
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/preprocessing.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import tensorflow as tf import numpy as np from glob import glob feature_dim = 62 train_data = np.zeros([20000000, feature_dim+1], dtype=np.float32) test_data = np.zeros([2000000, feature_dim+1], dtype=np.float32) eval_data = np.zeros([2000000, feature_dim+1], dtype=np.float32) train_idx, test_idx, eval_idx = 0, 0, 0 filenames = glob('/tmp/data/feature_v1_bin/*/*.label.bin') for filename in filenames: print(filename) bin_data = np.fromfile(filename, dtype=np.float32) if bin_data.shape[0] % (feature_dim + 1) != 0: raise ValueError('data size (%d) must be multiple of feature_dim + 1 (%d).' % (bin_data.shape[0], feature_dim + 1)) num_examples = bin_data.shape[0] // (feature_dim + 1) for i in range(num_examples): label = int(bin_data[i*(feature_dim + 1)+feature_dim]) data = bin_data[i*(feature_dim + 1):(i+1) * (feature_dim + 1)].reshape([1, (feature_dim+1)]) if label == 2: times = 17 new_data = np.repeat(data, times, axis=0) elif label == 1: times = np.random.choice([2, 2, 2, 3, 3]) new_data = np.repeat(data, times, axis=0) else: times = 1 new_data = data if i % 10 == 8: test_data[test_idx:test_idx+times, :] = new_data test_idx += times elif i % 10 == 9: eval_data[eval_idx:eval_idx+times, :] = new_data eval_idx += times else: train_data[train_idx:train_idx+times, :] = new_data train_idx += times train_data = train_data[:train_idx, :] np.random.shuffle(train_data) print(train_data.shape, train_idx) test_data = test_data[:test_idx, :] np.random.shuffle(test_data) print(test_data.shape, test_idx) eval_data = eval_data[:eval_idx, :] np.random.shuffle(eval_data) print(eval_data.shape, eval_idx) # write to file train_data[:13000000, :].tofile('/tmp/data/prediction/train.bin') test_data[:1600000, :].tofile('/tmp/data/prediction/test.bin') eval_data[:1600000, :].tofile('/tmp/data/prediction/eval.bin')
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/mlp_model.py
#!/usr/bin/env python3 ############################################################################### # Modification Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # Copyright 2017 The TensorFlow Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ============================================================================== import tensorflow as tf import modules.tools.prediction.multiple_gpu_estimator.model_base dim_input = 62 dim_hidden_1 = 30 dim_hidden_2 = 15 dim_output = 4 class MlpModel(model_base.ModelBase): """prediction model with fully connected layers.""" def __init__(self, is_training=True, batch_norm_decay=0.999, batch_norm_epsilon=0.001, data_format='channels_last'): super(MlpModel, self).__init__(is_training, data_format, batch_norm_decay, batch_norm_epsilon) def forward_pass(self, x, input_data_format='channels_last'): """Build the core model within the graph.""" x = self._fully_connected_with_bn( x, dim_input, kernel_initializer=tf.contrib.keras.initializers.he_normal(), kernel_regularizer=tf.contrib.layers.l2_regularizer(0.01)) x = self._fully_connected_with_bn( x, dim_hidden_1, kernel_initializer=tf.contrib.keras.initializers.he_normal(), kernel_regularizer=tf.contrib.layers.l2_regularizer(0.01)) x = self._fully_connected_with_bn( x, dim_hidden_2, kernel_initializer=tf.contrib.keras.initializers.he_normal(), kernel_regularizer=tf.contrib.layers.l2_regularizer(0.01)) x = self._fully_connected(x, dim_output) return x def _fully_connected_with_bn(self, x, out_dim, kernel_initializer=None, kernel_regularizer=None): x = self._fully_connected( x, out_dim, kernel_initializer=kernel_initializer, kernel_regularizer=kernel_regularizer) x = self._relu(x) x = self._batch_norm(x) return x
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/mlp_utils.py
#!/usr/bin/env python3 ############################################################################### # Modification Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # Copyright 2017 The TensorFlow Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # ============================================================================== import collections import six from tensorflow.contrib.learn.python.learn import run_config from tensorflow.core.framework import node_def_pb2 from tensorflow.python.framework import device as pydev from tensorflow.python.platform import tf_logging as logging from tensorflow.python.training import basic_session_run_hooks from tensorflow.python.training import device_setter from tensorflow.python.training import session_run_hook from tensorflow.python.training import training_util import tensorflow as tf class RunConfig(tf.contrib.learn.RunConfig): def uid(self, whitelist=None): """Generates a 'Unique Identifier' based on all internal fields. Caller should use the uid string to check `RunConfig` instance integrity in one session use, but should not rely on the implementation details, which is subject to change. Args: whitelist: A list of the string names of the properties uid should not include. If `None`, defaults to `_DEFAULT_UID_WHITE_LIST`, which includes most properties user allowes to change. Returns: A uid string. """ if whitelist is None: whitelist = run_config._DEFAULT_UID_WHITE_LIST state = { k: v for k, v in self.__dict__.items() if not k.startswith('__') } # Pop out the keys in whitelist. for k in whitelist: state.pop('_' + k, None) ordered_state = collections.OrderedDict( sorted(list(state.items()), key=lambda t: t[0])) # For class instance without __repr__, some special cares are required. # Otherwise, the object address will be used. if '_cluster_spec' in ordered_state: ordered_state['_cluster_spec'] = collections.OrderedDict( sorted( list(ordered_state['_cluster_spec'].as_dict().items()), key=lambda t: t[0])) return ', '.join( '%s=%r' % (k, v) for (k, v) in six.iteritems(ordered_state)) class ExamplesPerSecondHook(session_run_hook.SessionRunHook): """Hook to print out examples per second. Total time is tracked and then divided by the total number of steps to get the average step time and then batch_size is used to determine the running average of examples per second. The examples per second for the most recent interval is also logged. """ def __init__( self, batch_size, every_n_steps=100, every_n_secs=None, ): """Initializer for ExamplesPerSecondHook. Args: batch_size: Total batch size used to calculate examples/second from global time. every_n_steps: Log stats every n steps. every_n_secs: Log stats every n seconds. """ if (every_n_steps is None) == (every_n_secs is None): raise ValueError('exactly one of every_n_steps' ' and every_n_secs should be provided.') self._timer = basic_session_run_hooks.SecondOrStepTimer( every_steps=every_n_steps, every_secs=every_n_secs) self._step_train_time = 0 self._total_steps = 0 self._batch_size = batch_size def begin(self): self._global_step_tensor = training_util.get_global_step() if self._global_step_tensor is None: raise RuntimeError( 'Global step should be created to use StepCounterHook.') def before_run(self, run_context): # pylint: disable=unused-argument return basic_session_run_hooks.SessionRunArgs(self._global_step_tensor) def after_run(self, run_context, run_values): _ = run_context global_step = run_values.results if self._timer.should_trigger_for_step(global_step): elapsed_time, elapsed_steps = self._timer.update_last_triggered_step( global_step) if elapsed_time is not None: steps_per_sec = elapsed_steps / elapsed_time self._step_train_time += elapsed_time self._total_steps += elapsed_steps average_examples_per_sec = self._batch_size * ( self._total_steps / self._step_train_time) current_examples_per_sec = steps_per_sec * self._batch_size # Average examples/sec followed by current examples/sec logging.info('%s: %g (%g), step = %g', 'Average examples/sec', average_examples_per_sec, current_examples_per_sec, self._total_steps) def local_device_setter(num_devices=1, ps_device_type='cpu', worker_device='/cpu:0', ps_ops=None, ps_strategy=None): if ps_ops is None: ps_ops = ['Variable', 'VariableV2', 'VarHandleOp'] if ps_strategy is None: ps_strategy = device_setter._RoundRobinStrategy(num_devices) if not six.callable(ps_strategy): raise TypeError("ps_strategy must be callable") def _local_device_chooser(op): current_device = pydev.DeviceSpec.from_string(op.device or "") node_def = op if isinstance(op, node_def_pb2.NodeDef) else op.node_def if node_def.op in ps_ops: ps_device_spec = pydev.DeviceSpec.from_string('/{}:{}'.format( ps_device_type, ps_strategy(op))) ps_device_spec.merge_from(current_device) return ps_device_spec.to_string() worker_device_spec = pydev.DeviceSpec.from_string(worker_device or "") worker_device_spec.merge_from(current_device) return worker_device_spec.to_string() return _local_device_chooser
0
apollo_public_repos/apollo/modules/tools/prediction
apollo_public_repos/apollo/modules/tools/prediction/multiple_gpu_estimator/BUILD
load("@rules_python//python:defs.bzl", "py_binary", "py_library") package(default_visibility = ["//visibility:public"]) py_binary( name = "convert_to_tfrecords", srcs = ["convert_to_tfrecords.py"], ) py_binary( name = "counting", srcs = ["counting.py"], ) py_library( name = "mlp_data", srcs = ["mlp_data.py"], ) py_binary( name = "mlp_main", srcs = ["mlp_main.py"], deps = [ ":mlp_data", ":mlp_model", ":mlp_utils", ], ) py_library( name = "mlp_model", srcs = ["mlp_model.py"], deps = [ ":model_base", ], ) py_library( name = "mlp_utils", srcs = ["mlp_utils.py"], ) py_library( name = "model_base", srcs = ["model_base.py"], ) py_binary( name = "preprocessing", srcs = ["preprocessing.py"], )
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/speed_dsteering_data.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys from modules.tools.plot_planning.record_reader import RecordItemReader import matplotlib.pyplot as plt from cyber.python.cyber_py3.record import RecordReader from modules.common_msgs.chassis_msgs import chassis_pb2 class SpeedDsteeringData: def __init__(self): self.last_steering_percentage = None self.last_speed_mps = None self.last_timestamp_sec = None self.speed_data = [] self.d_steering_data = [] def add(self, chassis): steering_percentage = chassis.steering_percentage speed_mps = chassis.speed_mps timestamp_sec = chassis.header.timestamp_sec if self.last_timestamp_sec is None: self.last_steering_percentage = steering_percentage self.last_speed_mps = speed_mps self.last_timestamp_sec = timestamp_sec return if (timestamp_sec - self.last_timestamp_sec) > 0.02: d_steering = (steering_percentage - self.last_steering_percentage) \ / (timestamp_sec - self.last_timestamp_sec) self.speed_data.append(speed_mps) self.d_steering_data.append(d_steering) self.last_steering_percentage = steering_percentage self.last_speed_mps = speed_mps self.last_timestamp_sec = timestamp_sec def get_speed_dsteering(self): return self.speed_data, self.d_steering_data if __name__ == "__main__": import sys import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots() colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] for fn in fns: reader = RecordItemReader(folder+"/"+fn) processor = SpeedDsteeringData() last_pose_data = None last_chassis_data = None topics = ["/apollo/localization/pose", "/apollo/canbus/chassis"] for data in reader.read(topics): if "chassis" in data: last_chassis_data = data["chassis"] if last_chassis_data is not None: processor.add(last_chassis_data) #last_pose_data = None #last_chassis_data = None data_x, data_y = processor.get_speed_dsteering() ax.scatter(data_x, data_y, c=color, marker=marker, alpha=0.2) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/imu_speed_jerk.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from modules.tools.plot_planning.record_reader import RecordItemReader from modules.tools.plot_planning.imu_speed_acc import ImuSpeedAcc class ImuSpeedJerk: def __init__(self, is_lateral=False): self.timestamp_list = [] self.jerk_list = [] self.imu_speed_acc = ImuSpeedAcc(is_lateral) def add(self, location_est): self.imu_speed_acc.add(location_est) acc_timestamp_list = self.imu_speed_acc.get_timestamp_list() if len(acc_timestamp_list) <= 0: return index_500ms = len(acc_timestamp_list) - 1 found_index_500ms = False last_timestamp = acc_timestamp_list[-1] while index_500ms >= 0: current_timestamp = acc_timestamp_list[index_500ms] if (last_timestamp - current_timestamp) >= 0.5: found_index_500ms = True break index_500ms -= 1 if found_index_500ms: acc_list = self.imu_speed_acc.get_acc_list() jerk = (acc_list[-1] - acc_list[index_500ms]) / \ (acc_timestamp_list[-1] - acc_timestamp_list[index_500ms]) self.jerk_list.append(jerk) self.timestamp_list.append(acc_timestamp_list[-1]) def get_jerk_list(self): return self.jerk_list def get_timestamp_list(self): return self.timestamp_list def get_lastest_jerk(self): if len(self.jerk_list) > 0: return self.jerk_list[-1] else: return None def get_lastest_timestamp(self): if len(self.timestamp_list) > 0: return self.timestamp_list[-1] else: return None if __name__ == "__main__": import sys import matplotlib.pyplot as plt import numpy as np from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots(1, 1) colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): x = [] y = [] folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] fns.sort() for fn in fns: reader = RecordItemReader(folder+"/"+fn) processor = ImuSpeedJerk(True) last_pose_data = None last_chassis_data = None topics = ["/apollo/localization/pose"] for data in reader.read(topics): if "pose" in data: last_pose_data = data["pose"] processor.add(last_pose_data) data_x = processor.get_timestamp_list() data_y = processor.get_jerk_list() x.extend(data_x) y.extend(data_y) if len(x) <= 0: continue ax.scatter(x, y, c=color, marker=marker, alpha=0.4) #ax.plot(x, y, c=color, alpha=0.4) ax.set_xlabel('Timestamp') ax.set_ylabel('Jerk') plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/plot_speed_steering.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys import matplotlib.pyplot as plt from cyber.python.cyber_py3.record import RecordReader from modules.common_msgs.chassis_msgs import chassis_pb2 def process(reader): last_steering_percentage = None last_speed_mps = None last_timestamp_sec = None speed_data = [] d_steering_data = [] for msg in reader.read_messages(): if msg.topic == "/apollo/canbus/chassis": chassis = chassis_pb2.Chassis() chassis.ParseFromString(msg.message) steering_percentage = chassis.steering_percentage speed_mps = chassis.speed_mps timestamp_sec = chassis.header.timestamp_sec if chassis.driving_mode != chassis_pb2.Chassis.COMPLETE_AUTO_DRIVE: last_steering_percentage = steering_percentage last_speed_mps = speed_mps last_timestamp_sec = timestamp_sec continue if last_timestamp_sec is None: last_steering_percentage = steering_percentage last_speed_mps = speed_mps last_timestamp_sec = timestamp_sec continue if (timestamp_sec - last_timestamp_sec) > 0.02: d_steering = (steering_percentage - last_steering_percentage) \ / (timestamp_sec - last_timestamp_sec) speed_data.append(speed_mps) d_steering_data.append(d_steering) last_steering_percentage = steering_percentage last_speed_mps = speed_mps last_timestamp_sec = timestamp_sec return speed_data, d_steering_data if __name__ == "__main__": fns = sys.argv[1:] fig, ax = plt.subplots() for fn in fns: reader = RecordReader(fn) speed_data, d_steering_data = process(reader) ax.scatter(speed_data, d_steering_data) ax.set_xlim(-5, 40) ax.set_ylim(-300, 300) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/chassis_speed.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from modules.tools.plot_planning.record_reader import RecordItemReader class ChassisSpeed: def __init__(self): self.timestamp_list = [] self.speed_list = [] def add(self, chassis): timestamp_sec = chassis.header.timestamp_sec speed_mps = chassis.speed_mps self.timestamp_list.append(timestamp_sec) self.speed_list.append(speed_mps) def get_speed_list(self): return self.speed_list def get_timestamp_list(self): return self.timestamp_list def get_lastest_speed(self): if len(self.speed_list) > 0: return self.speed_list[-1] else: return None def get_lastest_timestamp(self): if len(self.timestamp_list) > 0: return self.timestamp_list[-1] else: return None if __name__ == "__main__": import sys import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots() colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] for fn in fns: reader = RecordItemReader(folder+"/"+fn) processor = ChassisSpeed() last_chassis_data = None topics = ["/apollo/canbus/chassis"] for data in reader.read(topics): if "chassis" in data: last_chassis_data = data["chassis"] processor.add(last_chassis_data) last_pose_data = None last_chassis_data = None data_x = processor.get_timestamp_list() data_y = processor.get_speed_list() ax.scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/record_reader.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### from cyber.python.cyber_py3.record import RecordReader from modules.common_msgs.chassis_msgs import chassis_pb2 from modules.common_msgs.localization_msgs import localization_pb2 from modules.common_msgs.planning_msgs import planning_pb2 class RecordItemReader: def __init__(self, record_file): self.record_file = record_file def read(self, topics): reader = RecordReader(self.record_file) for msg in reader.read_messages(): if msg.topic not in topics: continue if msg.topic == "/apollo/canbus/chassis": chassis = chassis_pb2.Chassis() chassis.ParseFromString(msg.message) data = {"chassis": chassis} yield data if msg.topic == "/apollo/localization/pose": location_est = localization_pb2.LocalizationEstimate() location_est.ParseFromString(msg.message) data = {"pose": location_est} yield data if msg.topic == "/apollo/planning": planning = planning_pb2.ADCTrajectory() planning.ParseFromString(msg.message) data = {"planning": planning} yield data
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/imu_angular_velocity.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from modules.tools.plot_planning.record_reader import RecordItemReader class ImuAngularVelocity: def __init__(self): self.timestamp_list = [] self.angular_velocity_list = [] self.corrected_angular_velocity_list = [] self.last_corrected_angular_velocity = None self.last_timestamp = None def add(self, location_est): timestamp_sec = location_est.header.timestamp_sec angular_velocity = location_est.pose.angular_velocity.z if self.last_corrected_angular_velocity is not None: corrected = self.correct_angular_velocity( angular_velocity, timestamp_sec) else: corrected = angular_velocity self.timestamp_list.append(timestamp_sec) self.angular_velocity_list.append(angular_velocity) self.corrected_angular_velocity_list.append(corrected) self.last_corrected_angular_velocity = corrected self.last_timestamp = timestamp_sec def correct_angular_velocity(self, angular_velocity, timestamp_sec): if self.last_corrected_angular_velocity is None: return angular_velocity delta = abs(angular_velocity - self.last_corrected_angular_velocity)\ / abs(self.last_corrected_angular_velocity) if delta > 0.25: corrected = angular_velocity / 2.0 return corrected else: return angular_velocity def get_anglular_velocity_list(self): return self.angular_velocity_list def get_corrected_anglular_velocity_list(self): return self.corrected_angular_velocity_list def get_timestamp_list(self): return self.timestamp_list def get_latest_angular_velocity(self): if len(self.angular_velocity_list) == 0: return None else: return self.angular_velocity_list[-1] def get_latest_corrected_angular_velocity(self): if len(self.corrected_angular_velocity_list) == 0: return None else: return self.corrected_angular_velocity_list[-1] def get_latest_timestamp(self): if len(self.timestamp_list) == 0: return None else: return self.timestamp_list[-1] if __name__ == "__main__": import sys import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots() colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] fns.sort() for fn in fns: reader = RecordItemReader(folder+"/"+fn) processor = ImuAngularVelocity() for data in reader.read(["/apollo/localization/pose"]): processor.add(data["pose"]) data_x = processor.get_timestamp_list() data_y = processor.get_corrected_anglular_velocity_list() ax.scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) data_y = processor.get_anglular_velocity_list() ax.scatter(data_x, data_y, c='k', marker="+", alpha=0.8) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/planning_speed.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### class PlanningSpeed: def __init__(self): self.timestamp_list = [] self.speed_list = [] self.last_speed_mps = None self.last_imu_speed = None def add(self, planning_pb): timestamp_sec = planning_pb.header.timestamp_sec relative_time = planning_pb.debug.planning_data.init_point.relative_time self.timestamp_list.append(timestamp_sec + relative_time) speed = planning_pb.debug.planning_data.init_point.v self.speed_list.append(speed) def get_speed_list(self): return self.speed_list def get_timestamp_list(self): return self.timestamp_list def get_lastest_speed(self): if len(self.speed_list) > 0: return self.speed_list[-1] else: return None def get_lastest_timestamp(self): if len(self.timestamp_list) > 0: return self.timestamp_list[-1] else: return None if __name__ == "__main__": import sys import math import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join from record_reader import RecordItemReader folders = sys.argv[1:] fig, ax = plt.subplots() colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] for fn in fns: reader = RecordItemReader(folder+"/"+fn) processor = PlanningSpeed() last_pose_data = None last_chassis_data = None topics = ["/apollo/planning"] for data in reader.read(topics): if "planning" in data: planning_pb = data["planning"] processor.add(planning_pb) data_x = processor.get_timestamp_list() data_y = processor.get_speed_list() ax.scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/imu_speed.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from modules.tools.plot_planning.record_reader import RecordItemReader class ImuSpeed: def __init__(self, is_lateral=False): self.timestamp_list = [] self.speed_list = [] self.last_speed_mps = None self.last_imu_speed = None self.is_lateral = is_lateral def add(self, location_est): timestamp_sec = location_est.measurement_time self.timestamp_list.append(timestamp_sec) if self.is_lateral: speed = -1 * location_est.pose.linear_velocity.x \ * math.sin(location_est.pose.heading) + \ location_est.pose.linear_velocity.y * \ math.cos(location_est.pose.heading) else: speed = location_est.pose.linear_velocity.x \ * math.cos(location_est.pose.heading) + \ location_est.pose.linear_velocity.y * \ math.sin(location_est.pose.heading) self.speed_list.append(speed) def get_speed_list(self): return self.speed_list def get_timestamp_list(self): return self.timestamp_list def get_lastest_speed(self): if len(self.speed_list) > 0: return self.speed_list[-1] else: return None def get_lastest_timestamp(self): if len(self.timestamp_list) > 0: return self.timestamp_list[-1] else: return None if __name__ == "__main__": import sys import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots(2, 1) colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] for fn in fns: reader = RecordItemReader(folder+"/"+fn) lat_speed_processor = ImuSpeed(True) lon_speed_processor = ImuSpeed(False) last_pose_data = None last_chassis_data = None topics = ["/apollo/localization/pose"] for data in reader.read(topics): if "pose" in data: last_pose_data = data["pose"] lat_speed_processor.add(last_pose_data) lon_speed_processor.add(last_pose_data) data_x = lon_speed_processor.get_timestamp_list() data_y = lon_speed_processor.get_speed_list() ax[0].scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) data_x = lat_speed_processor.get_timestamp_list() data_y = lat_speed_processor.get_speed_list() ax[1].scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) ax[0].set_xlabel('Timestamp') ax[0].set_ylabel('Lon Acc') ax[1].set_xlabel('Timestamp') ax[1].set_ylabel('Lat Acc') plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/plot_planning_acc.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys import threading import gflags import matplotlib.animation as animation import matplotlib.pyplot as plt from cyber.python.cyber_py3 import cyber from modules.common_msgs.control_msgs import control_cmd_pb2 from modules.common_msgs.planning_msgs import planning_pb2 LAST_TRAJ_DATA = [] LAST_TRAJ_T_DATA = [] CURRENT_TRAJ_DATA = [] CURRENT_TRAJ_T_DATA = [] INIT_V_DATA = [] INIT_T_DATA = [] begin_t = None last_t = None last_v = None lock = threading.Lock() FLAGS = gflags.FLAGS gflags.DEFINE_integer("data_length", 500, "Planning plot data length") def callback(planning_pb): global INIT_V_DATA, INIT_T_DATA global CURRENT_TRAJ_DATA, LAST_TRAJ_DATA global CURRENT_TRAJ_T_DATA, LAST_TRAJ_T_DATA global begin_t, last_t, last_v lock.acquire() if begin_t is None: begin_t = planning_pb.header.timestamp_sec current_t = planning_pb.header.timestamp_sec current_v = planning_pb.debug.planning_data.init_point.v if last_t is not None and abs(current_t - last_t) > 1: begin_t = planning_pb.header.timestamp_sec LAST_TRAJ_DATA = [] LAST_TRAJ_T_DATA = [] CURRENT_TRAJ_DATA = [] CURRENT_TRAJ_T_DATA = [] INIT_V_DATA = [] INIT_T_DATA = [] last_t = None last_v = None if last_t is not None and last_v is not None and current_t > last_t: INIT_T_DATA.append(current_t - begin_t) INIT_V_DATA.append((current_v - last_v) / (current_t - last_t)) LAST_TRAJ_DATA = [] for v in CURRENT_TRAJ_DATA: LAST_TRAJ_DATA.append(v) LAST_TRAJ_T_DATA = [] for t in CURRENT_TRAJ_T_DATA: LAST_TRAJ_T_DATA.append(t) CURRENT_TRAJ_DATA = [] CURRENT_TRAJ_T_DATA = [] traj_point_last_v = None traj_point_last_t = None for traj_point in planning_pb.trajectory_point: if traj_point_last_v is None: CURRENT_TRAJ_DATA.append(traj_point.a) else: # CURRENT_TRAJ_DATA.append(traj_point.a) cal_a = (traj_point.v - traj_point_last_v) / \ (traj_point.relative_time - traj_point_last_t) CURRENT_TRAJ_DATA.append(cal_a) CURRENT_TRAJ_T_DATA.append(current_t - begin_t + traj_point.relative_time) traj_point_last_t = traj_point.relative_time traj_point_last_v = traj_point.v lock.release() last_t = current_t last_v = current_v def listener(): cyber.init() test_node = cyber.Node("planning_acc_listener") test_node.create_reader("/apollo/planning", planning_pb2.ADCTrajectory, callback) def compensate(data_list): comp_data = [0] * FLAGS.data_length comp_data.extend(data_list) if len(comp_data) > FLAGS.data_length: comp_data = comp_data[-FLAGS.data_length:] return comp_data def update(frame_number): lock.acquire() last_traj.set_xdata(LAST_TRAJ_T_DATA) last_traj.set_ydata(LAST_TRAJ_DATA) current_traj.set_xdata(CURRENT_TRAJ_T_DATA) current_traj.set_ydata(CURRENT_TRAJ_DATA) init_data_line.set_xdata(INIT_T_DATA) init_data_line.set_ydata(INIT_V_DATA) lock.release() #brake_text.set_text('brake = %.1f' % brake_data[-1]) #throttle_text.set_text('throttle = %.1f' % throttle_data[-1]) if len(INIT_V_DATA) > 0: init_data_text.set_text('init point a = %.1f' % INIT_V_DATA[-1]) if __name__ == '__main__': argv = FLAGS(sys.argv) listener() fig, ax = plt.subplots() X = range(FLAGS.data_length) Xs = [i * -1 for i in X] Xs.sort() init_data_line, = ax.plot( INIT_T_DATA, INIT_V_DATA, 'b', lw=2, alpha=0.7, label='init_point_a') current_traj, = ax.plot( CURRENT_TRAJ_T_DATA, CURRENT_TRAJ_DATA, 'r', lw=1, alpha=0.5, label='current_traj') last_traj, = ax.plot( LAST_TRAJ_T_DATA, LAST_TRAJ_DATA, 'g', lw=1, alpha=0.5, label='last_traj') #brake_text = ax.text(0.75, 0.85, '', transform=ax.transAxes) #throttle_text = ax.text(0.75, 0.90, '', transform=ax.transAxes) init_data_text = ax.text(0.75, 0.95, '', transform=ax.transAxes) ani = animation.FuncAnimation(fig, update, interval=100) ax.set_ylim(-6, 3) ax.set_xlim(-1, 60) ax.legend(loc="upper left") plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/imu_av_curvature.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from modules.tools.plot_planning.record_reader import RecordItemReader from modules.tools.plot_planning.imu_angular_velocity import ImuAngularVelocity from modules.tools.plot_planning.imu_speed import ImuSpeed class ImuAvCurvature: def __init__(self): self.timestamp_list = [] self.curvature_list = [] self.last_angular_velocity_z = None self.imu_angular_velocity = ImuAngularVelocity() self.imu_speed = ImuSpeed() def add(self, location_est): timestamp_sec = location_est.header.timestamp_sec self.imu_angular_velocity.add(location_est) self.imu_speed.add(location_est) angular_velocity_z \ = self.imu_angular_velocity.get_latest_corrected_angular_velocity() speed_mps = self.imu_speed.get_lastest_speed() if speed_mps > 0.03: kappa = angular_velocity_z / speed_mps else: kappa = 0 self.timestamp_list.append(timestamp_sec) self.curvature_list.append(kappa) self.last_angular_velocity_z = angular_velocity_z def get_timestamp_list(self): return self.timestamp_list def get_curvature_list(self): return self.curvature_list def get_last_timestamp(self): if len(self.timestamp_list) > 0: return self.timestamp_list[-1] return None def get_last_curvature(self): if len(self.curvature_list) > 0: return self.curvature_list[-1] return None if __name__ == "__main__": import sys import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots() colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] fns.sort() for fn in fns: print(fn) reader = RecordItemReader(folder+"/"+fn) curvature_processor = ImuAvCurvature() speed_processor = ImuSpeed() av_processor = ImuAngularVelocity() last_pose_data = None last_chassis_data = None for data in reader.read(["/apollo/localization/pose"]): if "pose" in data: last_pose_data = data["pose"] curvature_processor.add(last_pose_data) speed_processor.add(last_pose_data) av_processor.add(last_pose_data) data_x = curvature_processor.get_timestamp_list() data_y = curvature_processor.get_curvature_list() ax.scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) data_x = speed_processor.get_timestamp_list() data_y = speed_processor.get_speed_list() ax.scatter(data_x, data_y, c='r', marker=marker, alpha=0.4) data_x = av_processor.get_timestamp_list() data_y = av_processor.get_corrected_anglular_velocity_list() ax.scatter(data_x, data_y, c='b', marker=marker, alpha=0.4) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/plot_speed_jerk.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### from os import listdir from os.path import isfile, join import math import sys import matplotlib.pyplot as plt import numpy as np from modules.tools.plot_planning.imu_speed import ImuSpeed from modules.tools.plot_planning.imu_speed_jerk import ImuSpeedJerk from modules.tools.plot_planning.record_reader import RecordItemReader def grid(data_list, shift): data_grid = [] for data in data_list: data_grid.append(round(data) + shift / 10.0) return data_grid def generate_speed_jerk_dict(speed_jerk_dict, speed_list, jerk_list): for i in range(len(speed_list)): speed = int(speed_list[i]) jerk = int(jerk_list[i]) if speed in speed_jerk_dict: if jerk not in speed_jerk_dict[speed]: speed_jerk_dict[speed].append(jerk) else: speed_jerk_dict[speed] = [jerk] return speed_jerk_dict if __name__ == "__main__": folders = sys.argv[1:] fig, ax = plt.subplots(1, 1) colors = ["g", "b", "r", "m", "y"] markers = [".", ".", ".", "."] speed_jerk_dict = {} for i in range(len(folders)): x = [] y = [] folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] fns.sort() for fn in fns: reader = RecordItemReader(folder+"/"+fn) jerk_processor = ImuSpeedJerk(True) speed_processor = ImuSpeed(True) topics = ["/apollo/localization/pose"] for data in reader.read(topics): if "pose" in data: pose_data = data["pose"] speed_processor.add(pose_data) jerk_processor.add(pose_data) data_x = grid(speed_processor.get_speed_list(), i + 1) data_y = grid(jerk_processor.get_jerk_list(), i + 1) data_x = data_x[-1 * len(data_y):] x.extend(data_x) y.extend(data_y) speed_jerk_dict = generate_speed_jerk_dict(speed_jerk_dict, x, y) if len(x) <= 0: continue ax.scatter(x, y, c=color, marker=marker, alpha=0.4) #ax.plot(x, y, c=color, alpha=0.4) ax.set_xlabel('Speed') ax.set_ylabel('Jerk') print(speed_jerk_dict) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/plot_chassis_acc.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys import threading import gflags import matplotlib.animation as animation import matplotlib.pyplot as plt from cyber.python.cyber_py3 import cyber from modules.common_msgs.chassis_msgs import chassis_pb2 from modules.common_msgs.control_msgs import control_cmd_pb2 INIT_ACC_DATA = [] INIT_T_DATA = [] begin_t = None last_t = None last_v = None lock = threading.Lock() FLAGS = gflags.FLAGS gflags.DEFINE_integer("data_length", 500, "Planning plot data length") def callback(chassis_pb): global INIT_ACC_DATA, INIT_T_DATA global begin_t, last_t, last_v if begin_t is None: begin_t = chassis_pb.header.timestamp_sec last_t = begin_t current_t = chassis_pb.header.timestamp_sec current_v = chassis_pb.speed_mps print(current_v) if abs(current_t - last_t) < 0.015: return lock.acquire() if last_t is not None and abs(current_t - last_t) > 1: begin_t = chassis_pb.header.timestamp_sec INIT_ACC_DATA = [] INIT_T_DATA = [] last_t = None last_v = None if last_t is not None and last_v is not None and current_t > last_t: INIT_T_DATA.append(current_t - begin_t) INIT_ACC_DATA.append((current_v - last_v) / (current_t - last_t)) lock.release() last_t = current_t last_v = current_v def listener(): cyber.init() test_node = cyber.Node("chassis_acc_listener") test_node.create_reader("/apollo/canbus/chassis", chassis_pb2.Chassis, callback) def compensate(data_list): comp_data = [0] * FLAGS.data_length comp_data.extend(data_list) if len(comp_data) > FLAGS.data_length: comp_data = comp_data[-FLAGS.data_length:] return comp_data def update(frame_number): lock.acquire() init_data_line.set_xdata(INIT_T_DATA) init_data_line.set_ydata(INIT_ACC_DATA) lock.release() #brake_text.set_text('brake = %.1f' % brake_data[-1]) #throttle_text.set_text('throttle = %.1f' % throttle_data[-1]) if len(INIT_ACC_DATA) > 0: init_data_text.set_text('chassis acc = %.1f' % INIT_ACC_DATA[-1]) if __name__ == '__main__': argv = FLAGS(sys.argv) listener() fig, ax = plt.subplots() X = range(FLAGS.data_length) Xs = [i * -1 for i in X] Xs.sort() init_data_line, = ax.plot( INIT_T_DATA, INIT_ACC_DATA, 'b', lw=2, alpha=0.7, label='chassis acc') #brake_text = ax.text(0.75, 0.85, '', transform=ax.transAxes) #throttle_text = ax.text(0.75, 0.90, '', transform=ax.transAxes) init_data_text = ax.text(0.75, 0.95, '', transform=ax.transAxes) ani = animation.FuncAnimation(fig, update, interval=100) ax.set_ylim(-6, 3) ax.set_xlim(-1, 60) ax.legend(loc="upper left") plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/time_curvature_data.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### from modules.tools.plot_planning.record_reader import RecordItemReader from modules.tools.plot_planning.time_angular_velocity_data import TimeAngularVelocityData from modules.tools.plot_planning.time_speed_data import TimeSpeedData import math class TimeCurvatureData: def __init__(self): self.timestamp_list = [] self.curvature_list = [] self.speed_list = [] self.corrected_timestamp_list = [] self.corrected_velocity_list = [] self.last_angular_velocity_z = None self.angular_velocity_data = TimeAngularVelocityData() self.speed_data = TimeSpeedData() def add(self, location_est, chassis): timestamp_sec = location_est.header.timestamp_sec self.angular_velocity_data.add_location_estimation(location_est) self.speed_data.add(location_est, chassis) angular_velocity_z = self.angular_velocity_data.get_latest() speed_mps = self.speed_data.get_imu_based_lastest_speed() if speed_mps > 0.5: kappa = angular_velocity_z / speed_mps if kappa > 0.05: self.timestamp_list.append(timestamp_sec) self.curvature_list.append(kappa) self.speed_list.append(speed_mps) self.last_angular_velocity_z = angular_velocity_z def get_time_curvature(self): return self.timestamp_list, self.curvature_list def get_speed_curvature(self): return self.speed_list, self.curvature_list def get_fixed_ca_speed_curvature(self): speed_list = list(range(1, 31)) curvature_list = [] for speed in speed_list: curvature = 2.0 / (speed * speed) curvature_list.append(curvature) return speed_list, curvature_list if __name__ == "__main__": import sys import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots() colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] for fn in fns: print(fn) reader = RecordItemReader(folder+"/"+fn) processor = TimeCurvatureData() last_pose_data = None last_chassis_data = None for data in reader.read(["/apollo/localization/pose", "/apollo/canbus/chassis"]): if "pose" in data: last_pose_data = data["pose"] if "chassis" in data: last_chassis_data = data["chassis"] if last_chassis_data is not None and last_pose_data is not None: processor.add(last_pose_data, last_chassis_data) data_x, data_y = processor.get_speed_curvature() data_y = [abs(i) for i in data_y] ax.scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) #data_x, data_y = processor.speed_data.get_time_speed() #ax.scatter(data_x, data_y, c=color, marker="+", alpha=0.4) processor = TimeCurvatureData() x, y = processor.get_fixed_ca_speed_curvature() ax.plot(x, y) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/imu_speed_acc.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from modules.tools.plot_planning.imu_speed import ImuSpeed from modules.tools.plot_planning.record_reader import RecordItemReader class ImuSpeedAcc: def __init__(self, is_lateral=False): self.timestamp_list = [] self.acc_list = [] self.imu_speed = ImuSpeed(is_lateral) def add(self, location_est): self.imu_speed.add(location_est) speed_timestamp_list = self.imu_speed.get_timestamp_list() index_50ms = len(speed_timestamp_list) - 1 found_index_50ms = False last_timestamp = speed_timestamp_list[-1] while index_50ms >= 0: current_timestamp = speed_timestamp_list[index_50ms] if (last_timestamp - current_timestamp) >= 0.05: found_index_50ms = True break index_50ms -= 1 if found_index_50ms: speed_list = self.imu_speed.get_speed_list() acc = (speed_list[-1] - speed_list[index_50ms]) / \ (speed_timestamp_list[-1] - speed_timestamp_list[index_50ms]) self.acc_list.append(acc) self.timestamp_list.append(speed_timestamp_list[-1]) def get_acc_list(self): return self.acc_list def get_timestamp_list(self): return self.timestamp_list def get_lastest_acc(self): if len(self.acc_list) > 0: return self.acc_list[-1] else: return None def get_lastest_timestamp(self): if len(self.timestamp_list) > 0: return self.timestamp_list[-1] else: return None if __name__ == "__main__": import sys import matplotlib.pyplot as plt import numpy as np from os import listdir from os.path import isfile, join def plot_freq(x, y, ax, color): Fs = len(y) / float(x[-1] - x[0]) n = len(y) k = np.arange(n) T = n / Fs frq = k / T frq = frq[range(n // 2)] Y = np.fft.fft(y) / n Y = Y[range(n // 2)] ax.plot(frq, abs(Y), c=color) folders = sys.argv[1:] fig, ax = plt.subplots(2, 2) colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): lat_time = [] lat_acc = [] lon_time = [] lon_acc = [] folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] fns.sort() for fn in fns: reader = RecordItemReader(folder + "/" + fn) lat_acc_processor = ImuSpeedAcc(is_lateral=True) lon_acc_processor = ImuSpeedAcc(is_lateral=False) last_pose_data = None last_chassis_data = None topics = ["/apollo/localization/pose"] for data in reader.read(topics): if "pose" in data: last_pose_data = data["pose"] lat_acc_processor.add(last_pose_data) lon_acc_processor.add(last_pose_data) data_x = lat_acc_processor.get_timestamp_list() data_y = lat_acc_processor.get_acc_list() lat_time.extend(data_x) lat_acc.extend(data_y) data_x = lon_acc_processor.get_timestamp_list() data_y = lon_acc_processor.get_acc_list() lon_time.extend(data_x) lon_acc.extend(data_y) if len(lat_time) == 0: continue ax[0][0].plot(lon_time, lon_acc, c=color, alpha=0.4) ax[0][1].plot(lat_time, lat_acc, c=color, alpha=0.4) ax[1][0].plot(lat_acc, lon_acc, '.', c=color, alpha=0.4) ax[0][0].set_xlabel('Timestamp') ax[0][0].set_ylabel('Lon Acc') ax[0][1].set_xlabel('Timestamp') ax[0][1].set_ylabel('Lat Acc') plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/plot_acc_jerk.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math import sys import matplotlib.pyplot as plt import numpy as np from os import listdir from os.path import isfile, join from modules.tools.plot_planning.record_reader import RecordItemReader from modules.tools.plot_planning.imu_speed_jerk import ImuSpeedJerk from modules.tools.plot_planning.imu_speed_acc import ImuSpeedAcc def grid(data_list, shift): data_grid = [] for data in data_list: data_grid.append(round(data) + shift/10.0) return data_grid if __name__ == "__main__": folders = sys.argv[1:] fig, ax = plt.subplots(1, 1) colors = ["g", "b", "r", "m", "y"] markers = [".", ".", ".", "."] for i in range(len(folders)): x = [] y = [] folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] fns.sort() for fn in fns: reader = RecordItemReader(folder+"/"+fn) jerk_processor = ImuSpeedJerk() acc_processor = ImuSpeedAcc() topics = ["/apollo/localization/pose"] for data in reader.read(topics): if "pose" in data: pose_data = data["pose"] acc_processor.add(pose_data) jerk_processor.add(pose_data) data_x = grid(acc_processor.get_acc_list(), i + 1) data_y = grid(jerk_processor.get_jerk_list(), i + 1) data_x = data_x[-1 * len(data_y):] x.extend(data_x) y.extend(data_y) if len(x) <= 0: continue ax.scatter(x, y, c=color, marker=marker, alpha=0.4) #ax.plot(x, y, c=color, alpha=0.4) ax.set_xlabel('Acc') ax.set_ylabel('Jerk') plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/plot_planning_speed.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys import threading import gflags import matplotlib.animation as animation import matplotlib.pyplot as plt from cyber.python.cyber_py3 import cyber from modules.common_msgs.control_msgs import control_cmd_pb2 from modules.common_msgs.planning_msgs import planning_pb2 LAST_TRAJ_DATA = [] LAST_TRAJ_T_DATA = [] CURRENT_TRAJ_DATA = [] CURRENT_TRAJ_T_DATA = [] INIT_V_DATA = [] INIT_T_DATA = [] begin_t = None last_t = None lock = threading.Lock() FLAGS = gflags.FLAGS gflags.DEFINE_integer("data_length", 500, "Planning plot data length") def callback(planning_pb): global INIT_V_DATA, INIT_T_DATA global CURRENT_TRAJ_DATA, LAST_TRAJ_DATA global CURRENT_TRAJ_T_DATA, LAST_TRAJ_T_DATA global begin_t, last_t lock.acquire() if begin_t is None: begin_t = planning_pb.header.timestamp_sec current_t = planning_pb.header.timestamp_sec if last_t is not None and abs(current_t - last_t) > 1: begin_t = planning_pb.header.timestamp_sec LAST_TRAJ_DATA = [] LAST_TRAJ_T_DATA = [] CURRENT_TRAJ_DATA = [] CURRENT_TRAJ_T_DATA = [] INIT_V_DATA = [] INIT_T_DATA = [] INIT_T_DATA.append(current_t - begin_t) INIT_V_DATA.append(planning_pb.debug.planning_data.init_point.v) LAST_TRAJ_DATA = [] for v in CURRENT_TRAJ_DATA: LAST_TRAJ_DATA.append(v) LAST_TRAJ_T_DATA = [] for t in CURRENT_TRAJ_T_DATA: LAST_TRAJ_T_DATA.append(t) CURRENT_TRAJ_DATA = [] CURRENT_TRAJ_T_DATA = [] for traj_point in planning_pb.trajectory_point: CURRENT_TRAJ_DATA.append(traj_point.v) CURRENT_TRAJ_T_DATA.append(current_t - begin_t + traj_point.relative_time) lock.release() last_t = current_t def listener(): cyber.init() test_node = cyber.Node("planning_listener") test_node.create_reader("/apollo/planning", planning_pb2.ADCTrajectory, callback) def compensate(data_list): comp_data = [0] * FLAGS.data_length comp_data.extend(data_list) if len(comp_data) > FLAGS.data_length: comp_data = comp_data[-FLAGS.data_length:] return comp_data def update(frame_number): lock.acquire() last_traj.set_xdata(LAST_TRAJ_T_DATA) last_traj.set_ydata(LAST_TRAJ_DATA) current_traj.set_xdata(CURRENT_TRAJ_T_DATA) current_traj.set_ydata(CURRENT_TRAJ_DATA) init_data_line.set_xdata(INIT_T_DATA) init_data_line.set_ydata(INIT_V_DATA) lock.release() #brake_text.set_text('brake = %.1f' % brake_data[-1]) #throttle_text.set_text('throttle = %.1f' % throttle_data[-1]) if len(INIT_V_DATA) > 0: init_data_text.set_text('init point v = %.1f' % INIT_V_DATA[-1]) if __name__ == '__main__': argv = FLAGS(sys.argv) listener() fig, ax = plt.subplots() X = range(FLAGS.data_length) Xs = [i * -1 for i in X] Xs.sort() init_data_line, = ax.plot( INIT_T_DATA, INIT_V_DATA, 'b', lw=2, alpha=0.7, label='init_point_v') current_traj, = ax.plot( CURRENT_TRAJ_T_DATA, CURRENT_TRAJ_DATA, 'r', lw=1, alpha=0.5, label='current_traj') last_traj, = ax.plot( LAST_TRAJ_T_DATA, LAST_TRAJ_DATA, 'g', lw=1, alpha=0.5, label='last_traj') #brake_text = ax.text(0.75, 0.85, '', transform=ax.transAxes) #throttle_text = ax.text(0.75, 0.90, '', transform=ax.transAxes) init_data_text = ax.text(0.75, 0.95, '', transform=ax.transAxes) ani = animation.FuncAnimation(fig, update, interval=100) ax.set_ylim(-1, 30) ax.set_xlim(-1, 60) ax.legend(loc="upper left") plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/BUILD
load("@rules_python//python:defs.bzl", "py_binary", "py_library") load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) py_binary( name = "chassis_speed", srcs = ["chassis_speed.py"], deps = [ ":record_reader", ], ) py_binary( name = "imu_acc", srcs = ["imu_acc.py"], deps = [ ":record_reader", ], ) py_binary( name = "imu_angular_velocity", srcs = ["imu_angular_velocity.py"], deps = [ ":record_reader", ], ) py_binary( name = "imu_av_curvature", srcs = ["imu_av_curvature.py"], deps = [ ":imu_angular_velocity", ":imu_speed", ":record_reader", ], ) py_binary( name = "imu_speed", srcs = ["imu_speed.py"], deps = [ ":record_reader", ], ) py_binary( name = "imu_speed_acc", srcs = ["imu_speed_acc.py"], deps = [ ":imu_speed", ":record_reader", ], ) py_binary( name = "imu_speed_jerk", srcs = ["imu_speed_jerk.py"], deps = [ ":imu_speed_acc", ":record_reader", ], ) py_binary( name = "planning_speed", srcs = ["planning_speed.py"], ) py_binary( name = "plot_acc_jerk", srcs = ["plot_acc_jerk.py"], deps = [ ":imu_speed_acc", ":imu_speed_jerk", ":record_reader", ], ) py_binary( name = "plot_chassis_acc", srcs = ["plot_chassis_acc.py"], deps = [ "//cyber/python/cyber_py3:cyber", "//modules/common_msgs/chassis_msgs:chassis_py_pb2", "//modules/common_msgs/control_msgs:control_cmd_py_pb2", ], ) py_binary( name = "plot_planning_acc", srcs = ["plot_planning_acc.py"], deps = [ "//cyber/python/cyber_py3:cyber", "//modules/common_msgs/chassis_msgs:chassis_py_pb2", "//modules/common_msgs/control_msgs:control_cmd_py_pb2", ], ) py_binary( name = "plot_planning_speed", srcs = ["plot_planning_speed.py"], deps = [ "//cyber/python/cyber_py3:cyber", "//modules/common_msgs/chassis_msgs:chassis_py_pb2", "//modules/common_msgs/control_msgs:control_cmd_py_pb2", ], ) py_binary( name = "plot_speed_jerk", srcs = ["plot_speed_jerk.py"], deps = [ ":imu_speed", ":imu_speed_jerk", ":record_reader", ], ) py_binary( name = "plot_speed_steering", srcs = ["plot_speed_steering.py"], deps = [ "//cyber/python/cyber_py3:record", "//modules/common_msgs/chassis_msgs:chassis_py_pb2", "//modules/common_msgs/planning_msgs:planning_py_pb2", ], ) py_library( name = "record_reader", srcs = ["record_reader.py"], deps = [ "//cyber/python/cyber_py3:record", "//modules/common_msgs/chassis_msgs:chassis_py_pb2", "//modules/common_msgs/localization_msgs:localization_py_pb2", "//modules/common_msgs/planning_msgs:planning_py_pb2", ], ) py_binary( name = "speed_dsteering_data", srcs = ["speed_dsteering_data.py"], deps = [ "//cyber/python/cyber_py3:record", "//modules/common_msgs/chassis_msgs:chassis_py_pb2", ], ) install( name = "install", py_dest = "tools/plot_planning", targets = [ ":speed_dsteering_data", ":plot_speed_steering", ":plot_speed_jerk", ":plot_planning_speed", ":plot_planning_acc", ":plot_chassis_acc", ":plot_acc_jerk", ":planning_speed", ":imu_speed_jerk", ":imu_speed_acc", ":imu_speed", ":imu_av_curvature", ":imu_angular_velocity", ":imu_acc", ":chassis_speed", ] )
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/plot_planning/imu_acc.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from modules.tools.plot_planning.record_reader import RecordItemReader class ImuAcc: def __init__(self): self.timestamp_list = [] self.corrected_acc_list = [] self.acc_list = [] self.last_corrected_acc = None self.last_timestamp = None def add(self, location_est): timestamp = location_est.measurement_time acc = location_est.pose.linear_acceleration.x * \ math.cos(location_est.pose.heading) + \ location_est.pose.linear_acceleration.y * \ math.sin(location_est.pose.heading) if self.last_corrected_acc is not None: corrected_acc = self._correct_acc(acc, self.last_corrected_acc) else: corrected_acc = acc self.acc_list.append(acc) self.corrected_acc_list.append(corrected_acc) self.timestamp_list.append(timestamp) self.last_timestamp = timestamp self.last_corrected_acc = corrected_acc def get_acc_list(self): return self.acc_list def get_corrected_acc_list(self): return self.corrected_acc_list def get_timestamp_list(self): return self.timestamp_list def get_lastest_corrected_acc(self): if len(self.corrected_acc_list) > 0: return self.corrected_acc_list[-1] else: return None def get_lastest_acc(self): if len(self.acc_list) > 0: return self.acc_list[-1] else: return None def get_lastest_timestamp(self): if len(self.timestamp_list) > 0: return self.timestamp_list[-1] else: return None def _correct_acc(self, acc, last_acc): if last_acc is None: return last_acc delta = abs(acc - last_acc) / abs(last_acc) if delta > 0.4: corrected = acc / 2.0 return corrected else: return acc if __name__ == "__main__": import sys import matplotlib.pyplot as plt from os import listdir from os.path import isfile, join folders = sys.argv[1:] fig, ax = plt.subplots() colors = ["g", "b", "r", "m", "y"] markers = ["o", "o", "o", "o"] for i in range(len(folders)): folder = folders[i] color = colors[i % len(colors)] marker = markers[i % len(markers)] fns = [f for f in listdir(folder) if isfile(join(folder, f))] for fn in fns: reader = RecordItemReader(folder+"/"+fn) processor = ImuAcc() last_pose_data = None last_chassis_data = None topics = ["/apollo/localization/pose"] for data in reader.read(topics): if "pose" in data: last_pose_data = data["pose"] processor.add(last_pose_data) last_pose_data = None last_chassis_data = None data_x = processor.get_timestamp_list() data_y = processor.get_corrected_acc_list() ax.scatter(data_x, data_y, c=color, marker=marker, alpha=0.4) data_y = processor.get_acc_list() ax.scatter(data_x, data_y, c="k", marker="+", alpha=0.4) plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/map_datachecker/server.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### set -e function print_usage() { RED='\033[0;31m' BLUE='\033[0;34m' BOLD='\033[1m' NONE='\033[0m' echo -e "\n${RED}Usage${NONE}: ${BOLD}bash server.sh${NONE} COMMAND" echo -e "\n${RED}Commands${NONE}: ${BLUE}start${NONE}: start server ${BLUE}stop${NONE}: stop server " } function set_global_var() { SCRIPT_PATH="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )" APOLLO_ROOT_PATH="${SCRIPT_PATH}/../../.." MAP_DATACHECKER_SERVER=${APOLLO_ROOT_PATH}/bazel-bin/modules/map/tools/map_datachecker/server/map_datachecker_server CONF=${APOLLO_ROOT_PATH}/modules/map/tools/map_datachecker/server/conf/map-datachecker.conf LOG_DIR=${SCRIPT_PATH}/log } function start_server() { if [ ! -e ${MAP_DATACHECKER_SERVER} ];then echo "/apollo/apollo.sh build should be executed before run this script" exit -1 fi if [ ! -e "${LOG_DIR}" ];then mkdir -p ${LOG_DIR} fi server_count=`ps -ef | grep map_datachecker_server | grep -v grep | wc -l` if [ ${server_count} -ne 0 ];then echo 'Start server failed, there is already a process called map_datachecker_server' echo 'You can kill the preceding map_datachecker_server and rerun this command' exit -1 fi server_log=server_`date '+%Y%m%d%H%M%S'`.log ${MAP_DATACHECKER_SERVER} --flagfile=${CONF} > ${LOG_DIR}/${server_log} 2>&1 & if [ $? -ne 0 ];then echo 'Start server failed' exit -1 fi echo 'Server has been started successfully' } function stop_server() { kill_cmd="kill -INT $(ps -ef | grep map_datachecker_server | grep -v grep | awk '{print $2}')" server_count=`ps -ef | grep map_datachecker_server | grep -v grep | wc -l` if [ ${server_count} -eq 1 ];then ${kill_cmd} echo "stop server done" elif [ ${server_count} -eq 0 ];then echo "System has no server to stop" else read -p "System has more than one server, stop all server?[Y/N]" is_stop case ${is_stop} in [Yy]*) ${kill_cmd} echo "Stop server done" ;; [Nn]*) ;; esac fi } function main() { set_global_var local cmd=$1 case $cmd in start) start_server ;; stop) stop_server ;; usage) print_usage ;; *) print_usage ;; esac } main $@
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/map_datachecker/client.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### set -ue function print_usage() { RED='\033[0;31m' BLUE='\033[0;34m' BOLD='\033[1m' NONE='\033[0m' echo -e "\n${RED}Usage${NONE}: ${BOLD}bash client.sh${NONE} --stage STAGE [--cmd COMMAND, default is start] [--record_path PATH, only record_check requied]" echo -e "\n${RED}Stages${NONE}: ${BLUE}record_check${NONE}: check data integrity ${BLUE}static_align${NONE}: static alignment ${BLUE}eight_route${NONE}: figure eight ${BLUE}data_collect${NONE}: data collection ${BLUE}loops_check${NONE}: check loops ${BLUE}clean${NONE}: end this collection " echo -e "${RED}Commands${NONE}: ${BLUE}start${NONE}: start corresponding stage ${BLUE}stop${NONE}: stop corresponding stage " } function set_global_var() { SCRIPT_PATH="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )" APOLLO_ROOT_PATH="${SCRIPT_PATH}/../../.." MAP_DATACHECKER_CLIENT=${APOLLO_ROOT_PATH}/bazel-bin/modules/map/tools/map_datachecker/client/map_datachecker_client CONF=${APOLLO_ROOT_PATH}/modules/map/tools/map_datachecker/conf/map-datachecker.conf LOG_DIR=${APOLLO_ROOT_PATH}/modules/tools/map_datachecker/log } function examine_2_params() { if [[ $1 != "--stage" ]];then return -1 fi stage=$2 if [[ ${stage} != "record_check" ]] && [[ ${stage} != "static_align" ]] && [[ ${stage} != "eight_route" ]] && [[ ${stage} != "data_collect" ]] && [[ ${stage} != "loops_check" ]] && [[ ${stage} != "clean" ]];then return -1 fi return 0 } function examine_4_params() { examine_2_params $@ if [[ $? -ne 0 ]];then return -1 fi if [[ $3 == "--cmd" ]];then cmd=$4 if [[ ${cmd} != "start" ]] && [[ ${cmd} != "stop" ]];then return -1 fi elif [[ $3 == "--record_path" ]];then record_path=$4 else return -1 fi return 0 } function examine_6_params() { examine_4_params $@ if [[ $? -ne 0 ]];then return -1 fi if [[ $5 == "--record_path" ]];then record_path=$4 else return -1 fi return 0 } function examine_params() { if [[ $# -eq 2 ]];then examine_2_params $@ elif [[ $# -eq 4 ]];then examine_4_params $@ elif [[ $# -eq 6 ]];then examine_6_params $@ else print_usage return -1 fi if [[ $? -ne 0 ]];then print_usage return -1 fi stage=$2 if [[ ${stage} == "record_check" ]];then if [[ $# -eq 2 ]];then print_usage return -1 elif [[ $# -eq 4 ]];then if [[ $3 != "--record_path" ]];then print_usage return -1 fi else if [[ $3 != "--record_path" ]] && [[ $5 != "--record_path" ]];then print_usage return -1 fi fi fi return 0 } function trap_ctrlc() { PID=$! echo kill ${PID} kill -INT ${PID} } function main() { examine_params $@ if [ $? -ne 0 ];then exit -1 fi set_global_var ${MAP_DATACHECKER_CLIENT} $@ 2>> ${LOG_DIR}/client.log # PID=$! # trap "trap_ctrlc" INT } main $@
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/map_datachecker/BUILD
load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) install( name = "install", data_dest = "tools/map_datachecker", data = [":scripts"], visibility = ["//visibility:public"], ) filegroup( name = "scripts", srcs = glob([ "*.sh", ]), )
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/create_map/convert_map_txt2bin.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ Convert a base map from txt to bin format """ import argparse from modules.common_msgs.map_msgs.map_pb2 import Map from google.protobuf import text_format def main(): parser = argparse.ArgumentParser( description='Convert a base map from txt to bin format') parser.add_argument( '-i', '--input_file', help='Input base map in txt format', type=str, default='modules/map/data/gen/base_map.txt') parser.add_argument( '-o', '--output_file', help='Output base map in bin format', type=str, default='modules/map/data/gen/base_map.bin') args = vars(parser.parse_args()) input_file_name = args['input_file'] output_file_name = args['output_file'] with open(input_file_name, 'r') as f: mp = Map() text_format.Merge(f.read(), mp) # Output map with open(output_file_name, "wb") as f: f.write(mp.SerializeToString()) if __name__ == '__main__': main()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/create_map/BUILD
load("@rules_python//python:defs.bzl", "py_binary") load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) filegroup( name = "py_files", srcs = glob([ "*.py", ]), ) py_binary( name = "convert_map_txt2bin", srcs = ["convert_map_txt2bin.py"], deps = [ "//modules/common_msgs/map_msgs:map_py_pb2", ], ) install( name = "install", py_dest = "tools/create_map", targets = [":convert_map_txt2bin"] )
0
apollo_public_repos/apollo/modules/tools/planning
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory/run.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### if [ $# -lt 2 ] then echo Usage: ./run.sh planning.pb.txt localization.pb.txt exit fi TOP_DIR="$(cd "$(dirname "${BASH_SOURCE[0]}")/../../.." && pwd -P)" source "${TOP_DIR}/scripts/apollo_base.sh" cd "$(dirname "${BASH_SOURCE[0]}")" eval "${TOP_DIR}/bazel-bin/modules/tools/planning/plot_trajectory/main $1 $2"
0
apollo_public_repos/apollo/modules/tools/planning
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory/mkz_polygon.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math def get(position, heading): front_edge_to_center = 3.89 back_edge_to_center = 1.043 left_edge_to_center = 1.055 right_edge_to_center = 1.055 cos_h = math.cos(heading) sin_h = math.sin(heading) # (p3) -------- (p0) # | o | # (p2) -------- (p1) p0_x, p0_y = front_edge_to_center, left_edge_to_center p1_x, p1_y = front_edge_to_center, -right_edge_to_center p2_x, p2_y = -back_edge_to_center, -left_edge_to_center p3_x, p3_y = -back_edge_to_center, right_edge_to_center p0_x, p0_y = p0_x * cos_h - p0_y * sin_h, p0_x * sin_h + p0_y * cos_h p1_x, p1_y = p1_x * cos_h - p1_y * sin_h, p1_x * sin_h + p1_y * cos_h p2_x, p2_y = p2_x * cos_h - p2_y * sin_h, p2_x * sin_h + p2_y * cos_h p3_x, p3_y = p3_x * cos_h - p3_y * sin_h, p3_x * sin_h + p3_y * cos_h [x, y, z] = position polygon = [] polygon.append([p0_x + x, p0_y + y, 0]) polygon.append([p1_x + x, p1_y + y, 0]) polygon.append([p2_x + x, p2_y + y, 0]) polygon.append([p3_x + x, p3_y + y, 0]) return polygon def plot(position, quaternion, ax): polygon = get(position, quaternion) px = [] py = [] for point in polygon: px.append(point[0]) py.append(point[1]) point = polygon[0] px.append(point[0]) py.append(point[1]) ax.plot(px, py, "g-") ax.plot([position[0]], [position[1]], 'go')
0
apollo_public_repos/apollo/modules/tools/planning
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory/BUILD
load("@rules_python//python:defs.bzl", "py_binary", "py_library") load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) filegroup( name = "runtime_files", srcs = glob(["example_data/*"]) + ["run.sh"], ) py_binary( name = "main", srcs = ["main.py"], data = [ "//modules/tools/planning/plot_trajectory/example_data", ], deps = [ ":mkz_polygon", "//modules/common_msgs/localization_msgs:localization_py_pb2", "//modules/common_msgs/planning_msgs:planning_py_pb2", "//modules/tools/common:proto_utils", ], ) py_library( name = "mkz_polygon", srcs = ["mkz_polygon.py"], ) install( name = "install", data_dest = "tools/planning/plot_trajectory", py_dest = "tools/planning/plot_trajectory", targets = [ ":main", ] )
0
apollo_public_repos/apollo/modules/tools/planning
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory/main.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys import matplotlib.pyplot as plt import modules.tools.common.proto_utils as proto_utils from modules.tools.planning.plot_trajectory import mkz_polygon from modules.common_msgs.planning_msgs.planning_pb2 import ADCTrajectory from modules.common_msgs.localization_msgs.localization_pb2 import LocalizationEstimate def plot_trajectory(planning_pb, ax): points_x = [] points_y = [] points_t = [] base_time_sec = planning_pb.header.timestamp_sec for trajectory_point in planning_pb.adc_trajectory_point: points_x.append(trajectory_point.x) points_y.append(trajectory_point.y) points_t.append(base_time_sec + trajectory_point.relative_time) ax.plot(points_x, points_y, "r.") def find_closest_t(points_t, current_t): if len(points_t) == 0: return -1 if len(points_t) == 1: return points_t[0] if len(points_t) == 2: if abs(points_t[0] - current_t) < abs(points_t[1] - current_t): return points_t[0] else: return points_t[1] if points_t[len(points_t) // 2] > current_t: return find_closest_t(points_t[0:len(points_t) // 2], current_t) elif points_t[len(points_t) // 2] < current_t: return find_closest_t(points_t[len(points_t) // 2 + 1:], current_t) else: return current_t def find_closest_traj_point(planning_pb, current_t): points_x = [] points_y = [] points_t = [] base_time_sec = planning_pb.header.timestamp_sec for trajectory_point in planning_pb.adc_trajectory_point: points_x.append(trajectory_point.x) points_y.append(trajectory_point.y) points_t.append(base_time_sec + trajectory_point.relative_time) matched_t = find_closest_t(points_t, current_t) idx = points_t.index(matched_t) return planning_pb.adc_trajectory_point[idx] def plot_traj_point(planning_pb, traj_point, ax): matched_t = planning_pb.header.timestamp_sec \ + traj_point.relative_time ax.plot([traj_point.x], [traj_point.y], "bs") content = "t = " + str(matched_t) + "\n" content += "speed = " + str(traj_point.speed) + "\n" content += "acc = " + str(traj_point.acceleration_s) lxy = [-80, -80] ax.annotate( content, xy=(traj_point.x, traj_point.y), xytext=lxy, textcoords='offset points', ha='right', va='top', bbox=dict(boxstyle='round,pad=0.5', fc='yellow', alpha=0.3), arrowprops=dict(arrowstyle='->', connectionstyle='arc3,rad=0'), alpha=0.8) def plot_vehicle(localization_pb, ax): loc_x = [localization_pb.pose.position.x] loc_y = [localization_pb.pose.position.y] current_t = localization_pb.header.timestamp_sec ax.plot(loc_x, loc_y, "bo") position = [] position.append(localization_pb.pose.position.x) position.append(localization_pb.pose.position.y) position.append(localization_pb.pose.position.z) mkz_polygon.plot(position, localization_pb.pose.heading, ax) content = "t = " + str(current_t) + "\n" content += "speed @y = " + \ str(localization_pb.pose.linear_velocity.y) + "\n" content += "acc @y = " + \ str(localization_pb.pose.linear_acceleration_vrf.y) lxy = [-80, 80] ax.annotate( content, xy=(loc_x[0], loc_y[0]), xytext=lxy, textcoords='offset points', ha='left', va='top', bbox=dict(boxstyle='round,pad=0.5', fc='yellow', alpha=0.3), arrowprops=dict(arrowstyle='->', connectionstyle='arc3,rad=0'), alpha=0.8) if __name__ == "__main__": if len(sys.argv) < 2: print("usage: %s <planning.pb.txt> <localization.pb.txt>" % sys.argv[0]) sys.exit(0) planning_pb_file = sys.argv[1] localization_pb_file = sys.argv[2] planning_pb = proto_utils.get_pb_from_text_file( planning_pb_file, ADCTrajectory()) localization_pb = proto_utils.get_pb_from_text_file( localization_pb_file, LocalizationEstimate()) plot_trajectory(planning_pb, plt) plot_vehicle(localization_pb, plt) current_t = localization_pb.header.timestamp_sec trajectory_point = find_closest_traj_point(planning_pb, current_t) plot_traj_point(planning_pb, trajectory_point, plt) plt.axis('equal') plt.show()
0
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory/example_data/1_planning.pb.txt
header { timestamp_sec: 1494373003.683531 module_name: "planning" sequence_num: 1 } total_path_length: 32.38002780204 total_path_time: 9.9800000190734863 adc_trajectory_point { x: -124.367072419 y: 364.831849142 z: -31.332377322 speed: 1.62222218513 acceleration_s: 0.786162598236 curvature: -0.00252617800322 curvature_change_rate: 0 relative_time: -0.089999914169311523 theta: -1.81237826921 accumulated_s: 0 } adc_trajectory_point { x: -124.371192947 y: 364.815408289 z: -31.3321617292 speed: 1.63055551052 acceleration_s: 0.823007905434 curvature: -0.00248790128945 curvature_change_rate: 0.00234746462335 relative_time: -0.079999923706054688 theta: -1.81246574077 accumulated_s: 0.016305555109999981 } adc_trajectory_point { x: -124.375298464 y: 364.798862219 z: -31.3319112528 speed: 1.63055551052 acceleration_s: 0.939039433387 curvature: -0.00248790128945 curvature_change_rate: 0 relative_time: -0.069999933242797852 theta: -1.81246756399 accumulated_s: 0.032611110209999961 } adc_trajectory_point { x: -124.379445239 y: 364.782260752 z: -31.331748303 speed: 1.65555560589 acceleration_s: 0.799533704679 curvature: -0.00244962463489 curvature_change_rate: 0.00231201262143 relative_time: -0.059999942779541016 theta: -1.81249667017 accumulated_s: 0.0491666662700001 } adc_trajectory_point { x: -124.379445239 y: 364.782260752 z: -31.331748303 speed: 1.65555560589 acceleration_s: 0.799533704679 curvature: -0.00244962463489 curvature_change_rate: 0 relative_time: -0.059999942779541016 theta: -1.81249667017 accumulated_s: 0.065722222330000024 } adc_trajectory_point { x: -124.387812319 y: 364.748792952 z: -31.3314336967 speed: 1.67222225666 acceleration_s: 0.709512194401 curvature: -0.00241134803862 curvature_change_rate: 0.00228896584236 relative_time: -0.039999961853027344 theta: -1.81252111016 accumulated_s: 0.082444444899999914 } adc_trajectory_point { x: -124.39208822 y: 364.73193295 z: -31.3311777441 speed: 1.67222225666 acceleration_s: 0.885164961093 curvature: -0.00241134803862 curvature_change_rate: 0 relative_time: -0.029999971389770508 theta: -1.81259538169 accumulated_s: 0.099166667460000024 } adc_trajectory_point { x: -124.396360761 y: 364.715008909 z: -31.3310258063 speed: 1.6916667223 acceleration_s: 0.840964839003 curvature: -0.00241134803862 curvature_change_rate: 0 relative_time: -0.019999980926513672 theta: -1.81260595807 accumulated_s: 0.1160833346900001 } adc_trajectory_point { x: -124.400686806 y: 364.698015497 z: -31.3307877881 speed: 1.6916667223 acceleration_s: 0.79314550852 curvature: -0.00241134803862 curvature_change_rate: 0 relative_time: -0.0099999904632568359 theta: -1.81264478745 accumulated_s: 0.13300000190999994 } adc_trajectory_point { x: -124.404998184 y: 364.68093016 z: -31.330677554 speed: 1.70833337307 acceleration_s: 0.79314550852 curvature: -0.00237307149975 curvature_change_rate: 0.00224057783324 relative_time: 0 theta: -1.81266143871 accumulated_s: 0.15008333563999998 } adc_trajectory_point { x: -124.404998184 y: 364.68093016 z: -31.330677554 speed: 1.70833337307 acceleration_s: 0.848439761077 curvature: -0.00237307149975 curvature_change_rate: 0 relative_time: 0 theta: -1.81266143871 accumulated_s: 0.16716666937000002 } adc_trajectory_point { x: -124.413740829 y: 364.646558161 z: -31.330341435 speed: 1.7277777195 acceleration_s: 0.839788102862 curvature: -0.00233479501735 curvature_change_rate: 0.00221535918454 relative_time: 0.019999980926513672 theta: -1.81271721372 accumulated_s: 0.18444444656999992 } adc_trajectory_point { x: -124.418160805 y: 364.629263991 z: -31.3301604046 speed: 1.7277777195 acceleration_s: 0.796361476988 curvature: -0.00233479501735 curvature_change_rate: 0 relative_time: 0.029999971389770508 theta: -1.8127539742 accumulated_s: 0.20172222376000004 } adc_trajectory_point { x: -124.422587432 y: 364.611881599 z: -31.329923776 speed: 1.74166667461 acceleration_s: 0.796361476988 curvature: -0.00229651859052 curvature_change_rate: 0.00219768956878 relative_time: 0.039999961853027344 theta: -1.81278276405 accumulated_s: 0.21913889051000002 } adc_trajectory_point { x: -124.42702661 y: 364.59441933 z: -31.329741355 speed: 1.74166667461 acceleration_s: 0.79238461037 curvature: -0.00229651859052 curvature_change_rate: 0 relative_time: 0.04999995231628418 theta: -1.81281670152 accumulated_s: 0.23655555725 } adc_trajectory_point { x: -124.431486786 y: 364.576916664 z: -31.3295119135 speed: 1.75833332539 acceleration_s: 0.623637235555 curvature: -0.00229651859052 curvature_change_rate: 0 relative_time: 0.059999942779541016 theta: -1.8128477221 accumulated_s: 0.25413889050999994 } adc_trajectory_point { x: -124.435979126 y: 364.559317752 z: -31.3293451639 speed: 1.75833332539 acceleration_s: 0.78715534576 curvature: -0.00229651859052 curvature_change_rate: 0 relative_time: 0.069999933242797852 theta: -1.81292572329 accumulated_s: 0.2717222237600001 } adc_trajectory_point { x: -124.440512829 y: 364.541682956 z: -31.3291209918 speed: 1.7722222805 acceleration_s: 0.651805683286 curvature: -0.00225824221834 curvature_change_rate: 0.00215979522414 relative_time: 0.080000162124633789 theta: -1.81300561803 accumulated_s: 0.2894444465699999 } adc_trajectory_point { x: -124.440512829 y: 364.541682956 z: -31.3291209918 speed: 1.7722222805 acceleration_s: 0.651805683286 curvature: -0.00225824221834 curvature_change_rate: 0 relative_time: 0.080000162124633789 theta: -1.81300561803 accumulated_s: 0.30716666936999992 } adc_trajectory_point { x: -124.449549206 y: 364.506162589 z: -31.3285673754 speed: 1.78888893127 acceleration_s: 0.710935224764 curvature: -0.00221996589991 curvature_change_rate: 0.00213966992371 relative_time: 0.10000014305114746 theta: -1.81308814408 accumulated_s: 0.32505555867999991 } adc_trajectory_point { x: -124.454089513 y: 364.488330402 z: -31.3283397462 speed: 1.78888893127 acceleration_s: 0.570744609263 curvature: -0.00221996589991 curvature_change_rate: 0 relative_time: 0.1100001335144043 theta: -1.81312803791 accumulated_s: 0.3429444479999999 } adc_trajectory_point { x: -124.458653948 y: 364.470391315 z: -31.3280404089 speed: 1.80277776718 acceleration_s: 0.765021682693 curvature: -0.00218168963431 curvature_change_rate: 0.00212318269586 relative_time: 0.12000012397766113 theta: -1.81320046776 accumulated_s: 0.36097222567000009 } adc_trajectory_point { x: -124.463241748 y: 364.45241929 z: -31.3277416844 speed: 1.80277776718 acceleration_s: 0.654807529919 curvature: -0.00218168963431 curvature_change_rate: 0 relative_time: 0.13000011444091797 theta: -1.81324631449 accumulated_s: 0.37900000334000006 } adc_trajectory_point { x: -124.46783809 y: 364.434363713 z: -31.3274464924 speed: 1.81944441795 acceleration_s: 0.654807529919 curvature: -0.00214341342064 curvature_change_rate: 0.00210373085859 relative_time: 0.1400001049041748 theta: -1.81332741838 accumulated_s: 0.39719444752 } adc_trajectory_point { x: -124.47245785 y: 364.416250084 z: -31.3270961335 speed: 1.81944441795 acceleration_s: 0.674982832465 curvature: -0.00214341342064 curvature_change_rate: 0 relative_time: 0.15000009536743164 theta: -1.81337278819 accumulated_s: 0.41538889169999993 } adc_trajectory_point { x: -124.477095653 y: 364.398088042 z: -31.326754651 speed: 1.83611106873 acceleration_s: 0.552212210239 curvature: -0.00210513725798 curvature_change_rate: 0.00208463220531 relative_time: 0.16000008583068848 theta: -1.813443323 accumulated_s: 0.43375000239000006 } adc_trajectory_point { x: -124.48176616 y: 364.379838609 z: -31.326410614 speed: 1.83611106873 acceleration_s: 0.740273402835 curvature: -0.00210513725798 curvature_change_rate: 0 relative_time: 0.17000007629394531 theta: -1.81353389521 accumulated_s: 0.45211111306999996 } adc_trajectory_point { x: -124.486428356 y: 364.361555494 z: -31.3261427637 speed: 1.85000002384 acceleration_s: 0.580707000797 curvature: -0.00206686114541 curvature_change_rate: 0.00206897903083 relative_time: 0.18000006675720215 theta: -1.81356533084 accumulated_s: 0.47061111330999994 } adc_trajectory_point { x: -124.491086517 y: 364.343166634 z: -31.3257930893 speed: 1.85000002384 acceleration_s: 0.725814506272 curvature: -0.00206686114541 curvature_change_rate: 0 relative_time: 0.19000005722045898 theta: -1.81360825438 accumulated_s: 0.48911111354999992 } adc_trajectory_point { x: -124.491086517 y: 364.343166634 z: -31.3257930893 speed: 1.86388885975 acceleration_s: 0.725814506272 curvature: -0.00202858508204 curvature_change_rate: 0.00205355931895 relative_time: 0.19000005722045898 theta: -1.81360825438 accumulated_s: 0.5077500021500001 } adc_trajectory_point { x: -124.500568552 y: 364.306281933 z: -31.3251117049 speed: 1.86388885975 acceleration_s: 0.578514170379 curvature: -0.00202858508204 curvature_change_rate: 0 relative_time: 0.21000003814697266 theta: -1.81377712139 accumulated_s: 0.52638889075000006 } adc_trajectory_point { x: -124.505284561 y: 364.287718639 z: -31.3248510277 speed: 1.87777781487 acceleration_s: 0.733719666282 curvature: -0.00199030906694 curvature_change_rate: 0.00203836762757 relative_time: 0.22000002861022949 theta: -1.81380727115 accumulated_s: 0.54516666889000009 } adc_trajectory_point { x: -124.510040247 y: 364.269117353 z: -31.3245309526 speed: 1.87777781487 acceleration_s: 0.545171679849 curvature: -0.00199030906694 curvature_change_rate: 0 relative_time: 0.23000001907348633 theta: -1.81383336004 accumulated_s: 0.56394444703999991 } adc_trajectory_point { x: -124.514817529 y: 364.250426387 z: -31.3242240939 speed: 1.89166665077 acceleration_s: 0.70451380624 curvature: -0.00195203309921 curvature_change_rate: 0.00202339919208 relative_time: 0.24000000953674316 theta: -1.8138975348 accumulated_s: 0.58286111354999992 } adc_trajectory_point { x: -124.519599994 y: 364.231695691 z: -31.3239948656 speed: 1.89166665077 acceleration_s: 0.70451380624 curvature: -0.00195203309921 curvature_change_rate: 0 relative_time: 0.25 theta: -1.81392737 accumulated_s: 0.60177778005999993 } adc_trajectory_point { x: -124.524397496 y: 364.212904296 z: -31.3237304427 speed: 1.90833330154 acceleration_s: 0.579897214634 curvature: -0.00191375717794 curvature_change_rate: 0.00200572516558 relative_time: 0.25999999046325684 theta: -1.81397067294 accumulated_s: 0.62086111307000014 } adc_trajectory_point { x: -124.529204006 y: 364.194037175 z: -31.3235090738 speed: 1.90833330154 acceleration_s: 0.664043300769 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.26999998092651367 theta: -1.81400750394 accumulated_s: 0.6399444460899999 } adc_trajectory_point { x: -124.534002209 y: 364.175124421 z: -31.3233041149 speed: 1.92222225666 acceleration_s: 0.543693233875 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.27999997138977051 theta: -1.81400097688 accumulated_s: 0.65916666866000018 } adc_trajectory_point { x: -124.538850304 y: 364.156134098 z: -31.3231071895 speed: 1.92222225666 acceleration_s: 0.646040675764 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.28999996185302734 theta: -1.81407158499 accumulated_s: 0.67838889122 } adc_trajectory_point { x: -124.543679992 y: 364.137093008 z: -31.3229501601 speed: 1.93611109257 acceleration_s: 0.646040675764 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.29999995231628418 theta: -1.81407281585 accumulated_s: 0.69775000214999983 } adc_trajectory_point { x: -124.548536345 y: 364.117982962 z: -31.3227286693 speed: 1.93611109257 acceleration_s: 0.622100636076 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.309999942779541 theta: -1.81411772979 accumulated_s: 0.71711111307000008 } adc_trajectory_point { x: -124.553410471 y: 364.098815731 z: -31.3226654641 speed: 1.94722223282 acceleration_s: 0.684868392467 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.31999993324279785 theta: -1.81417388783 accumulated_s: 0.73658333540000021 } adc_trajectory_point { x: -124.558283914 y: 364.079585656 z: -31.3224984268 speed: 1.94722223282 acceleration_s: 0.573879708316 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.33000016212463379 theta: -1.81419237818 accumulated_s: 0.75605555772999988 } adc_trajectory_point { x: -124.558283914 y: 364.079585656 z: -31.3224984268 speed: 1.96388888359 acceleration_s: 0.573879708316 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.33000016212463379 theta: -1.81419237818 accumulated_s: 0.7756944465700002 } adc_trajectory_point { x: -124.56804333 y: 364.040941718 z: -31.3223221367 speed: 1.96388888359 acceleration_s: 0.603920311959 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.35000014305114746 theta: -1.81423909981 accumulated_s: 0.79533333540000006 } adc_trajectory_point { x: -124.572951875 y: 364.021539676 z: -31.3221889641 speed: 1.9777777195 acceleration_s: 0.555519021968 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.3600001335144043 theta: -1.81427907955 accumulated_s: 0.81511111259999991 } adc_trajectory_point { x: -124.577850514 y: 364.002080082 z: -31.3222134952 speed: 1.9777777195 acceleration_s: 0.61368027684 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.37000012397766113 theta: -1.81433748319 accumulated_s: 0.8348888897900002 } adc_trajectory_point { x: -124.582810583 y: 363.982557264 z: -31.3221274754 speed: 1.98888885975 acceleration_s: 0.578355004978 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.38000011444091797 theta: -1.81440993028 accumulated_s: 0.85477777838999991 } adc_trajectory_point { x: -124.587728192 y: 363.962979756 z: -31.3221053937 speed: 1.98888885975 acceleration_s: 0.537373855617 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.3900001049041748 theta: -1.81445166373 accumulated_s: 0.87466666699000006 } adc_trajectory_point { x: -124.587728192 y: 363.962979756 z: -31.3221053937 speed: 2.00277781487 acceleration_s: 0.537373855617 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.3900001049041748 theta: -1.81445166373 accumulated_s: 0.89469444513999985 } adc_trajectory_point { x: -124.597654504 y: 363.923691761 z: -31.3219676949 speed: 2.00277781487 acceleration_s: 0.405916936513 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.41000008583068848 theta: -1.81460229183 accumulated_s: 0.91472222328000008 } adc_trajectory_point { x: -124.602613236 y: 363.903946441 z: -31.32195119 speed: 2.01666665077 acceleration_s: 0.616783362769 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.42000007629394531 theta: -1.81466837499 accumulated_s: 0.93488888978999984 } adc_trajectory_point { x: -124.607570356 y: 363.884150608 z: -31.3219562313 speed: 2.01666665077 acceleration_s: 0.588264258574 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.43000006675720215 theta: -1.8146952687 accumulated_s: 0.9550555563 } adc_trajectory_point { x: -124.612537258 y: 363.864291562 z: -31.3218616117 speed: 2.02777767181 acceleration_s: 0.556305840073 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.440000057220459 theta: -1.81476626065 accumulated_s: 0.97533333302 } adc_trajectory_point { x: -124.612537258 y: 363.864291562 z: -31.3218616117 speed: 2.02777767181 acceleration_s: 0.556305840073 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.440000057220459 theta: -1.81476626065 accumulated_s: 0.99561110974 } adc_trajectory_point { x: -124.622499358 y: 363.824418458 z: -31.3218937051 speed: 2.04166674614 acceleration_s: 0.48222098721 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.46000003814697266 theta: -1.81489784186 accumulated_s: 1.0160277772000001 } adc_trajectory_point { x: -124.627475438 y: 363.804392094 z: -31.3218720127 speed: 2.04166674614 acceleration_s: 0.532368831835 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.47000002861022949 theta: -1.81495720235 accumulated_s: 1.0364444446599999 } adc_trajectory_point { x: -124.632512007 y: 363.784329814 z: -31.3218311286 speed: 2.05277776718 acceleration_s: 0.541348464225 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.48000001907348633 theta: -1.81505135668 accumulated_s: 1.0569722223300002 } adc_trajectory_point { x: -124.63750936 y: 363.76423134 z: -31.3217679281 speed: 2.05277776718 acceleration_s: 0.384251194079 curvature: -0.00191375717794 curvature_change_rate: 0 relative_time: 0.49000000953674316 theta: -1.8151075005 accumulated_s: 1.0775000000000001 } adc_trajectory_point { x: -124.64249871 y: 363.744073275 z: -31.3217562251 speed: 2.06666660309 acceleration_s: 0.384251194079 curvature: -0.00187548130221 curvature_change_rate: 0.00185205855989 relative_time: 0.5 theta: -1.8151331721 accumulated_s: 1.09816666603 } adc_trajectory_point { x: -124.64249871 y: 363.744073275 z: -31.3217562251 speed: 2.06666660309 acceleration_s: 0.471254936837 curvature: -0.00187548130221 curvature_change_rate: 0 relative_time: 0.5 theta: -1.8151331721 accumulated_s: 1.11883333206 } adc_trajectory_point { x: -124.65260313 y: 363.703665697 z: -31.3216385534 speed: 2.07500004768 acceleration_s: 0.392185464525 curvature: -0.00187548130221 curvature_change_rate: 0 relative_time: 0.51999998092651367 theta: -1.81530989827 accumulated_s: 1.13958333254 } adc_trajectory_point { x: -124.657703511 y: 363.683362708 z: -31.3215296138 speed: 2.07500004768 acceleration_s: 0.63036516098 curvature: -0.00187548130221 curvature_change_rate: 0 relative_time: 0.52999997138977051 theta: -1.81538619428 accumulated_s: 1.16033333302 } adc_trajectory_point { x: -124.662779303 y: 363.663037709 z: -31.3214895967 speed: 2.08333325386 acceleration_s: 0.438201118283 curvature: -0.00179892968375 curvature_change_rate: 0.00367447782632 relative_time: 0.53999996185302734 theta: -1.81543663872 accumulated_s: 1.1811666655600002 } adc_trajectory_point { x: -124.667900187 y: 363.642640381 z: -31.3213308156 speed: 2.08333325386 acceleration_s: 0.565809026914 curvature: -0.00179892968375 curvature_change_rate: 0 relative_time: 0.54999995231628418 theta: -1.81550191038 accumulated_s: 1.2019999980999998 } adc_trajectory_point { x: -124.673044801 y: 363.622231883 z: -31.3212905452 speed: 2.09722232819 acceleration_s: 0.565809026914 curvature: -0.0017606539392 curvature_change_rate: 0.0018250685224 relative_time: 0.559999942779541 theta: -1.81555087063 accumulated_s: 1.22297222138 } adc_trajectory_point { x: -124.678227606 y: 363.60177704 z: -31.321100113 speed: 2.09722232819 acceleration_s: 0.410090532827 curvature: -0.0017606539392 curvature_change_rate: 0 relative_time: 0.56999993324279785 theta: -1.81562391057 accumulated_s: 1.2439444446599999 } adc_trajectory_point { x: -124.683408173 y: 363.581283104 z: -31.321023169 speed: 2.10833334923 acceleration_s: 0.449863896268 curvature: -0.00168410257488 curvature_change_rate: 0.00363089472296 relative_time: 0.58000016212463379 theta: -1.81565742152 accumulated_s: 1.26502777815 } adc_trajectory_point { x: -124.688631183 y: 363.560746635 z: -31.3208483625 speed: 2.10833334923 acceleration_s: 0.44139750351 curvature: -0.00168410257488 curvature_change_rate: 0 relative_time: 0.59000015258789062 theta: -1.81570010868 accumulated_s: 1.28611111164 } adc_trajectory_point { x: -124.693826843 y: 363.540166385 z: -31.3206919003 speed: 2.1166665554 acceleration_s: 0.44139750351 curvature: -0.00160755137088 curvature_change_rate: 0.00361659250512 relative_time: 0.60000014305114746 theta: -1.81572846193 accumulated_s: 1.3072777772 } adc_trajectory_point { x: -124.699096691 y: 363.519545692 z: -31.3205524767 speed: 2.1166665554 acceleration_s: 0.507769781112 curvature: -0.00160755137088 curvature_change_rate: 0 relative_time: 0.6100001335144043 theta: -1.81579399972 accumulated_s: 1.32844444275 } adc_trajectory_point { x: -124.704331371 y: 363.498896276 z: -31.3203653041 speed: 2.125 acceleration_s: 0.33837386187 curvature: -0.00149272484953 curvature_change_rate: 0.00540360100454 relative_time: 0.62000012397766113 theta: -1.815802083 accumulated_s: 1.3496944427500002 } adc_trajectory_point { x: -124.709628969 y: 363.478187565 z: -31.3201688137 speed: 2.125 acceleration_s: 0.501408729412 curvature: -0.00149272484953 curvature_change_rate: 0 relative_time: 0.630000114440918 theta: -1.81587572212 accumulated_s: 1.37094444275 } adc_trajectory_point { x: -124.714943161 y: 363.457429119 z: -31.3199786805 speed: 2.1333334446 acceleration_s: 0.554039056654 curvature: -0.00137789864791 curvature_change_rate: 0.00538247792035 relative_time: 0.6400001049041748 theta: -1.81592346159 accumulated_s: 1.3922777772 } adc_trajectory_point { x: -124.720250813 y: 363.436649017 z: -31.3197827172 speed: 2.1333334446 acceleration_s: 0.395016178716 curvature: -0.00137789864791 curvature_change_rate: 0 relative_time: 0.65000009536743164 theta: -1.81597240124 accumulated_s: 1.4136111116399999 } adc_trajectory_point { x: -124.725576877 y: 363.41580601 z: -31.3195367893 speed: 2.14444446564 acceleration_s: 0.395016178716 curvature: -0.00130134790508 curvature_change_rate: 0.00356972372356 relative_time: 0.66000008583068848 theta: -1.81600363529 accumulated_s: 1.4350555563 } adc_trajectory_point { x: -124.73087675 y: 363.39494827 z: -31.3193469858 speed: 2.14444446564 acceleration_s: 0.318885692776 curvature: -0.00130134790508 curvature_change_rate: 0 relative_time: 0.67000007629394531 theta: -1.81600079944 accumulated_s: 1.4565000009600002 } adc_trajectory_point { x: -124.736216839 y: 363.374057061 z: -31.3190368135 speed: 2.15277767181 acceleration_s: 0.333498077567 curvature: -0.00122479739336 curvature_change_rate: 0.0035558949131 relative_time: 0.68000006675720215 theta: -1.81606191847 accumulated_s: 1.47802777767 } adc_trajectory_point { x: -124.741576664 y: 363.353124751 z: -31.31877816 speed: 2.15277767181 acceleration_s: 0.425183516383 curvature: -0.00122479739336 curvature_change_rate: 0 relative_time: 0.690000057220459 theta: -1.81611229004 accumulated_s: 1.49955555439 } adc_trajectory_point { x: -124.741576664 y: 363.353124751 z: -31.31877816 speed: 2.16111111641 acceleration_s: 0.425183516383 curvature: -0.00118652218167 curvature_change_rate: 0.00177108948228 relative_time: 0.690000057220459 theta: -1.81611229004 accumulated_s: 1.52116666556 } adc_trajectory_point { x: -124.752221031 y: 363.311269328 z: -31.3181767426 speed: 2.16111111641 acceleration_s: 0.424061091593 curvature: -0.00118652218167 curvature_change_rate: 0 relative_time: 0.71000003814697266 theta: -1.81618315245 accumulated_s: 1.54277777672 } adc_trajectory_point { x: -124.757590008 y: 363.290219413 z: -31.3178582489 speed: 2.16666674614 acceleration_s: 0.403375544049 curvature: -0.00114824699823 curvature_change_rate: 0.00176654686347 relative_time: 0.72000002861022949 theta: -1.81622559154 accumulated_s: 1.5644444441799998 } adc_trajectory_point { x: -124.762941442 y: 363.269138582 z: -31.3174934853 speed: 2.16666674614 acceleration_s: 0.326489423611 curvature: -0.00114824699823 curvature_change_rate: 0 relative_time: 0.73000001907348633 theta: -1.81625356007 accumulated_s: 1.5861111116400002 } adc_trajectory_point { x: -124.768338499 y: 363.247992939 z: -31.3171917684 speed: 2.17499995232 acceleration_s: 0.519132437172 curvature: -0.00110997184211 curvature_change_rate: 0.00175977733142 relative_time: 0.74000000953674316 theta: -1.8162998717 accumulated_s: 1.60786111117 } adc_trajectory_point { x: -124.768338499 y: 363.247992939 z: -31.3171917684 speed: 2.17499995232 acceleration_s: 0.519132437172 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.74000000953674316 theta: -1.8162998717 accumulated_s: 1.62961111069 } adc_trajectory_point { x: -124.779094251 y: 363.205595132 z: -31.3165621795 speed: 2.18333339691 acceleration_s: 0.397473427894 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.75999999046325684 theta: -1.81634104056 accumulated_s: 1.65144444466 } adc_trajectory_point { x: -124.784453844 y: 363.184287854 z: -31.316247059 speed: 2.18333339691 acceleration_s: 0.454685810527 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.76999998092651367 theta: -1.8162850446 accumulated_s: 1.6732777786300002 } adc_trajectory_point { x: -124.789850241 y: 363.16298002 z: -31.3158767791 speed: 2.18333339691 acceleration_s: 0.29593802736 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.77999997138977051 theta: -1.81630023217 accumulated_s: 1.6951111125999998 } adc_trajectory_point { x: -124.795270183 y: 363.141635367 z: -31.3155408166 speed: 2.19166660309 acceleration_s: 0.366713112667 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.78999996185302734 theta: -1.8163197048 accumulated_s: 1.71702777863 } adc_trajectory_point { x: -124.800712164 y: 363.120264703 z: -31.3152514435 speed: 2.20000004768 acceleration_s: 0.322351732867 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.79999995231628418 theta: -1.81633196238 accumulated_s: 1.7390277791100002 } adc_trajectory_point { x: -124.806146552 y: 363.098872199 z: -31.3149091844 speed: 2.20000004768 acceleration_s: 0.245755836194 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.809999942779541 theta: -1.81635659266 accumulated_s: 1.76102777958 } adc_trajectory_point { x: -124.811598191 y: 363.077421343 z: -31.3145428207 speed: 2.205555439 acceleration_s: 0.408752886651 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.81999993324279785 theta: -1.81634827804 accumulated_s: 1.78308333397 } adc_trajectory_point { x: -124.81708544 y: 363.055964991 z: -31.3142130179 speed: 2.205555439 acceleration_s: 0.312351941169 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.83000016212463379 theta: -1.81639688851 accumulated_s: 1.8051388883600001 } adc_trajectory_point { x: -124.81708544 y: 363.055964991 z: -31.3142130179 speed: 2.21388888359 acceleration_s: 0.312351941169 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.83000016212463379 theta: -1.81639688851 accumulated_s: 1.8272777772 } adc_trajectory_point { x: -124.822590897 y: 363.034458283 z: -31.3138107536 speed: 2.21388888359 acceleration_s: 0.435838020412 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.84000015258789062 theta: -1.81646420911 accumulated_s: 1.8494166660300002 } adc_trajectory_point { x: -124.833592056 y: 362.99131051 z: -31.3131701481 speed: 2.22499990463 acceleration_s: 0.332456477929 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.8600001335144043 theta: -1.81650298808 accumulated_s: 1.8716666650799998 } adc_trajectory_point { x: -124.83909123 y: 362.969675964 z: -31.3128626989 speed: 2.22499990463 acceleration_s: 0.403803181453 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.87000012397766113 theta: -1.81650780592 accumulated_s: 1.8939166641299998 } adc_trajectory_point { x: -124.844627275 y: 362.948035607 z: -31.312549402 speed: 2.23333334923 acceleration_s: 0.284167077771 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.880000114440918 theta: -1.81654895806 accumulated_s: 1.91624999762 } adc_trajectory_point { x: -124.850138769 y: 362.926365171 z: -31.3121814989 speed: 2.23333334923 acceleration_s: 0.219597182708 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.8900001049041748 theta: -1.81656080112 accumulated_s: 1.9385833311099998 } adc_trajectory_point { x: -124.855733527 y: 362.904661558 z: -31.3118566293 speed: 2.2416665554 acceleration_s: 0.358176007095 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.90000009536743164 theta: -1.81666201751 accumulated_s: 1.96099999666 } adc_trajectory_point { x: -124.861246653 y: 362.882922273 z: -31.311575816 speed: 2.2416665554 acceleration_s: 0.272688389046 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 0.91000008583068848 theta: -1.81665735581 accumulated_s: 1.9834166622199998 } adc_trajectory_point { x: -124.866788905 y: 362.861141033 z: -31.3113530278 speed: 2.24722218513 acceleration_s: 0.38116814692 curvature: -0.0010716967124 curvature_change_rate: 0.00170321964409 relative_time: 0.92000007629394531 theta: -1.81668984453 accumulated_s: 2.00588888407 } adc_trajectory_point { x: -124.872339689 y: 362.839321604 z: -31.3110525412 speed: 2.24722218513 acceleration_s: 0.395045581062 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 0.93000006675720215 theta: -1.81670429751 accumulated_s: 2.02836110592 } adc_trajectory_point { x: -124.877914017 y: 362.817487959 z: -31.3107835148 speed: 2.25277781487 acceleration_s: 0.30269333311 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 0.940000057220459 theta: -1.81677195389 accumulated_s: 2.05088888407 } adc_trajectory_point { x: -124.877914017 y: 362.817487959 z: -31.3107835148 speed: 2.25277781487 acceleration_s: 0.30269333311 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 0.940000057220459 theta: -1.81677195389 accumulated_s: 2.07341666222 } adc_trajectory_point { x: -124.88912335 y: 362.773678888 z: -31.3103790181 speed: 2.26111102104 acceleration_s: 0.360417891351 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 0.96000003814697266 theta: -1.81688383407 accumulated_s: 2.09602777243 } adc_trajectory_point { x: -124.894731201 y: 362.751723765 z: -31.3102013376 speed: 2.26111102104 acceleration_s: 0.379883345667 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 0.97000002861022949 theta: -1.81692629508 accumulated_s: 2.11863888264 } adc_trajectory_point { x: -124.900382966 y: 362.72974915 z: -31.3100582911 speed: 2.26944446564 acceleration_s: 0.3383902173 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 0.98000001907348633 theta: -1.8169942881 accumulated_s: 2.1413333273 } adc_trajectory_point { x: -124.906011486 y: 362.707746991 z: -31.3099116171 speed: 2.26944446564 acceleration_s: 0.3383902173 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 0.99000000953674316 theta: -1.81701167396 accumulated_s: 2.16402777195 } adc_trajectory_point { x: -124.911657594 y: 362.685697221 z: -31.3098106673 speed: 2.27777767181 acceleration_s: 0.253441101364 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1 theta: -1.81704007269 accumulated_s: 2.18680554867 } adc_trajectory_point { x: -124.917342271 y: 362.663621334 z: -31.3097051326 speed: 2.27777767181 acceleration_s: 0.351491129558 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0099999904632568 theta: -1.817078017 accumulated_s: 2.20958332539 } adc_trajectory_point { x: -124.922997579 y: 362.641505243 z: -31.3096190887 speed: 2.28333330154 acceleration_s: 0.335841421129 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0199999809265137 theta: -1.81708784507 accumulated_s: 2.2324166584 } adc_trajectory_point { x: -124.928712232 y: 362.619380661 z: -31.3095990429 speed: 2.28333330154 acceleration_s: 0.320966118743 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0299999713897705 theta: -1.81714495953 accumulated_s: 2.25524999142 } adc_trajectory_point { x: -124.934424731 y: 362.597219355 z: -31.309548161 speed: 2.29166674614 acceleration_s: 0.276110419835 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0399999618530273 theta: -1.81716699596 accumulated_s: 2.27816665888 } adc_trajectory_point { x: -124.940134488 y: 362.575015263 z: -31.309490839 speed: 2.29166674614 acceleration_s: 0.276110419835 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0499999523162842 theta: -1.81718843848 accumulated_s: 2.30108332634 } adc_trajectory_point { x: -124.945890063 y: 362.552795248 z: -31.3095432203 speed: 2.29999995232 acceleration_s: 0.354382152136 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.059999942779541 theta: -1.81723244496 accumulated_s: 2.3240833258699998 } adc_trajectory_point { x: -124.951605962 y: 362.530523981 z: -31.3095214432 speed: 2.29999995232 acceleration_s: 0.324520312094 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0699999332427979 theta: -1.81723087207 accumulated_s: 2.34708332539 } adc_trajectory_point { x: -124.957321709 y: 362.508220335 z: -31.3095393144 speed: 2.30555558205 acceleration_s: 0.348487246706 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0800001621246338 theta: -1.81721876492 accumulated_s: 2.37013888121 } adc_trajectory_point { x: -124.963071922 y: 362.485895519 z: -31.3095405428 speed: 2.30555558205 acceleration_s: 0.32138151059 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.0900001525878906 theta: -1.81724543977 accumulated_s: 2.39319443703 } adc_trajectory_point { x: -124.968806615 y: 362.463537572 z: -31.3095670613 speed: 2.31388878822 acceleration_s: 0.280537841948 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1000001430511475 theta: -1.81726134313 accumulated_s: 2.41633332491 } adc_trajectory_point { x: -124.974586177 y: 362.441142231 z: -31.3095919834 speed: 2.31388878822 acceleration_s: 0.370225847881 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1100001335144043 theta: -1.81731874733 accumulated_s: 2.43947221279 } adc_trajectory_point { x: -124.980340511 y: 362.418729208 z: -31.3095278786 speed: 2.32222223282 acceleration_s: 0.241979496989 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1200001239776611 theta: -1.81734233112 accumulated_s: 2.46269443512 } adc_trajectory_point { x: -124.986108794 y: 362.396299265 z: -31.3095189845 speed: 2.32222223282 acceleration_s: 0.258339113235 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.130000114440918 theta: -1.81741367267 accumulated_s: 2.48591665745 } adc_trajectory_point { x: -124.991854603 y: 362.373844839 z: -31.3094680347 speed: 2.32777786255 acceleration_s: 0.206151345491 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1400001049041748 theta: -1.81742356958 accumulated_s: 2.50919443608 } adc_trajectory_point { x: -124.99761637 y: 362.351373119 z: -31.3094466757 speed: 2.32777786255 acceleration_s: 0.206151345491 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1500000953674316 theta: -1.81747367091 accumulated_s: 2.5324722147 } adc_trajectory_point { x: -125.003396772 y: 362.328847582 z: -31.3093775567 speed: 2.33333325386 acceleration_s: 0.379817082608 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1600000858306885 theta: -1.81754148719 accumulated_s: 2.5558055472400003 } adc_trajectory_point { x: -125.009165892 y: 362.306293563 z: -31.3092897991 speed: 2.33333325386 acceleration_s: 0.299134172747 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1700000762939453 theta: -1.81757923795 accumulated_s: 2.5791388797800003 } adc_trajectory_point { x: -125.01491479 y: 362.283695177 z: -31.3091968307 speed: 2.33888888359 acceleration_s: 0.360938366845 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.1800000667572021 theta: -1.81761911764 accumulated_s: 2.60252776861 } adc_trajectory_point { x: -125.020689332 y: 362.261076162 z: -31.3090890879 speed: 2.33888888359 acceleration_s: 0.349436649607 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.190000057220459 theta: -1.81768910552 accumulated_s: 2.6259166574500004 } adc_trajectory_point { x: -125.020689332 y: 362.261076162 z: -31.3090890879 speed: 2.34722232819 acceleration_s: 0.349436649607 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.190000057220459 theta: -1.81768910552 accumulated_s: 2.64938888073 } adc_trajectory_point { x: -125.032223512 y: 362.215734672 z: -31.3088880777 speed: 2.34722232819 acceleration_s: 0.382746253399 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2100000381469727 theta: -1.81779317675 accumulated_s: 2.67286110401 } adc_trajectory_point { x: -125.03801035 y: 362.193008906 z: -31.3087713663 speed: 2.35833334923 acceleration_s: 0.355088601835 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2200000286102295 theta: -1.81784525819 accumulated_s: 2.6964444375100003 } adc_trajectory_point { x: -125.043777403 y: 362.17025142 z: -31.3086255761 speed: 2.35833334923 acceleration_s: 0.293401082275 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2300000190734863 theta: -1.81789035034 accumulated_s: 2.720027771 } adc_trajectory_point { x: -125.049547628 y: 362.147452091 z: -31.3085405938 speed: 2.3666665554 acceleration_s: 0.392681080735 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2400000095367432 theta: -1.81791038105 accumulated_s: 2.7436944365500002 } adc_trajectory_point { x: -125.055357917 y: 362.124660437 z: -31.3084632047 speed: 2.3666665554 acceleration_s: 0.212717036543 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.25 theta: -1.81798167142 accumulated_s: 2.7673611021099997 } adc_trajectory_point { x: -125.061163799 y: 362.101799163 z: -31.3083684873 speed: 2.37222218513 acceleration_s: 0.402120536361 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2599999904632568 theta: -1.81802179654 accumulated_s: 2.7910833239599997 } adc_trajectory_point { x: -125.067021567 y: 362.078912029 z: -31.3083270611 speed: 2.37222218513 acceleration_s: 0.40728875592 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2699999809265137 theta: -1.81809542476 accumulated_s: 2.8148055458099996 } adc_trajectory_point { x: -125.072829426 y: 362.055975827 z: -31.3082894357 speed: 2.37777781487 acceleration_s: 0.384221677252 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2799999713897705 theta: -1.81809018366 accumulated_s: 2.83858332396 } adc_trajectory_point { x: -125.078695034 y: 362.032988138 z: -31.308244017 speed: 2.37777781487 acceleration_s: 0.500380948926 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2899999618530273 theta: -1.81813979053 accumulated_s: 2.8623611021100004 } adc_trajectory_point { x: -125.084563219 y: 362.00997671 z: -31.3083070498 speed: 2.38611102104 acceleration_s: 0.500380948926 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.2999999523162842 theta: -1.81817159571 accumulated_s: 2.88622221232 } adc_trajectory_point { x: -125.090443743 y: 361.986921063 z: -31.3083240818 speed: 2.38611102104 acceleration_s: 0.42359364563 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.309999942779541 theta: -1.81820900677 accumulated_s: 2.9100833225300002 } adc_trajectory_point { x: -125.096382179 y: 361.963823327 z: -31.3084300598 speed: 2.39444446564 acceleration_s: 0.441271914059 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3199999332427979 theta: -1.81826673453 accumulated_s: 2.93402776718 } adc_trajectory_point { x: -125.102305553 y: 361.940693228 z: -31.3084903685 speed: 2.39444446564 acceleration_s: 0.371848661884 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3300001621246338 theta: -1.8182738089 accumulated_s: 2.9579722118399996 } adc_trajectory_point { x: -125.108232957 y: 361.917510539 z: -31.3085952336 speed: 2.40277767181 acceleration_s: 0.430566906059 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3400001525878906 theta: -1.81827950286 accumulated_s: 2.98199998856 } adc_trajectory_point { x: -125.108232957 y: 361.917510539 z: -31.3085952336 speed: 2.40277767181 acceleration_s: 0.430566906059 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3400001525878906 theta: -1.81827950286 accumulated_s: 3.00602776528 } adc_trajectory_point { x: -125.120187141 y: 361.871080309 z: -31.3087874381 speed: 2.41111111641 acceleration_s: 0.327868528721 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3600001335144043 theta: -1.81832828484 accumulated_s: 3.0301388764399997 } adc_trajectory_point { x: -125.126181296 y: 361.847791106 z: -31.3088982496 speed: 2.41111111641 acceleration_s: 0.451219002202 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3700001239776611 theta: -1.81832183957 accumulated_s: 3.0542499875999995 } adc_trajectory_point { x: -125.132231645 y: 361.824497802 z: -31.3090133145 speed: 2.41666674614 acceleration_s: 0.356885881439 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.380000114440918 theta: -1.81837974849 accumulated_s: 3.07841665507 } adc_trajectory_point { x: -125.138258952 y: 361.801142214 z: -31.3091033828 speed: 2.41666674614 acceleration_s: 0.420614351144 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3900001049041748 theta: -1.81838505478 accumulated_s: 3.10258332253 } adc_trajectory_point { x: -125.138258952 y: 361.801142214 z: -31.3091033828 speed: 2.42777776718 acceleration_s: 0.420614351144 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.3900001049041748 theta: -1.81838505478 accumulated_s: 3.1268611002 } adc_trajectory_point { x: -125.1504013 y: 361.754317185 z: -31.3093132749 speed: 2.42777776718 acceleration_s: 0.398169023032 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.4100000858306885 theta: -1.81840952263 accumulated_s: 3.1511388778700002 } adc_trajectory_point { x: -125.156499401 y: 361.730817079 z: -31.3093788503 speed: 2.43611121178 acceleration_s: 0.591555982708 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.4200000762939453 theta: -1.81841737267 accumulated_s: 3.1754999899899996 } adc_trajectory_point { x: -125.162622415 y: 361.70731755 z: -31.3094226215 speed: 2.43611121178 acceleration_s: 0.354240702412 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.4300000667572021 theta: -1.81845171629 accumulated_s: 3.19986110211 } adc_trajectory_point { x: -125.168749178 y: 361.683754857 z: -31.3094495237 speed: 2.44166660309 acceleration_s: 0.438057057872 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.440000057220459 theta: -1.8184750244 accumulated_s: 3.2242777681400003 } adc_trajectory_point { x: -125.168749178 y: 361.683754857 z: -31.3094495237 speed: 2.44166660309 acceleration_s: 0.438057057872 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.440000057220459 theta: -1.8184750244 accumulated_s: 3.24869443417 } adc_trajectory_point { x: -125.181073192 y: 361.636523244 z: -31.3095965637 speed: 2.45277786255 acceleration_s: 0.406559172215 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.4600000381469727 theta: -1.81857129728 accumulated_s: 3.2732222127900004 } adc_trajectory_point { x: -125.187253533 y: 361.612821763 z: -31.3096149852 speed: 2.45277786255 acceleration_s: 0.555435364511 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.4700000286102295 theta: -1.81861428093 accumulated_s: 3.29774999142 } adc_trajectory_point { x: -125.193447694 y: 361.589087084 z: -31.3096721135 speed: 2.46111106873 acceleration_s: 0.474561880611 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.4800000190734863 theta: -1.81864823851 accumulated_s: 3.3223611021100004 } adc_trajectory_point { x: -125.199648161 y: 361.565319286 z: -31.3096358571 speed: 2.46111106873 acceleration_s: 0.39098499412 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.4900000095367432 theta: -1.81871111009 accumulated_s: 3.34697221279 } adc_trajectory_point { x: -125.205877684 y: 361.541492939 z: -31.3096838295 speed: 2.46944451332 acceleration_s: 0.39098499412 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5 theta: -1.81876580215 accumulated_s: 3.3716666579299996 } adc_trajectory_point { x: -125.212107542 y: 361.517644532 z: -31.3097066302 speed: 2.46944451332 acceleration_s: 0.378531990209 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5099999904632568 theta: -1.81882500449 accumulated_s: 3.3963611030600003 } adc_trajectory_point { x: -125.218346849 y: 361.493731449 z: -31.309656702 speed: 2.47499990463 acceleration_s: 0.47112637066 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5199999809265137 theta: -1.81886503663 accumulated_s: 3.4211111021100002 } adc_trajectory_point { x: -125.224611842 y: 361.469764138 z: -31.3097078418 speed: 2.47499990463 acceleration_s: 0.574009610061 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5299999713897705 theta: -1.818928914 accumulated_s: 3.44586110115 } adc_trajectory_point { x: -125.230903508 y: 361.445775601 z: -31.30969417 speed: 2.47499990463 acceleration_s: 0.426942605328 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5399999618530273 theta: -1.81902915216 accumulated_s: 3.4706111002 } adc_trajectory_point { x: -125.237193935 y: 361.421710391 z: -31.3097933289 speed: 2.4777777195 acceleration_s: 0.426942605328 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5499999523162842 theta: -1.81910561914 accumulated_s: 3.49538887739 } adc_trajectory_point { x: -125.243475659 y: 361.397603752 z: -31.3098835414 speed: 2.48611116409 acceleration_s: 0.514772887587 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.559999942779541 theta: -1.81914558193 accumulated_s: 3.52024998904 } adc_trajectory_point { x: -125.249806194 y: 361.373444574 z: -31.3098348845 speed: 2.48611116409 acceleration_s: 0.48136122605 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5699999332427979 theta: -1.81924363629 accumulated_s: 3.54511110068 } adc_trajectory_point { x: -125.256129277 y: 361.349208057 z: -31.3098312309 speed: 2.49444437027 acceleration_s: 0.650386793625 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5800001621246338 theta: -1.81930289222 accumulated_s: 3.5700555443799997 } adc_trajectory_point { x: -125.262467753 y: 361.324961814 z: -31.309970025 speed: 2.49444437027 acceleration_s: 0.455046489661 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5900001525878906 theta: -1.81940221501 accumulated_s: 3.5949999880799997 } adc_trajectory_point { x: -125.262467753 y: 361.324961814 z: -31.309970025 speed: 2.49444437027 acceleration_s: 0.455046489661 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.5900001525878906 theta: -1.81940221501 accumulated_s: 3.6199444317799996 } adc_trajectory_point { x: -125.275156926 y: 361.276277158 z: -31.3101264155 speed: 2.50555562973 acceleration_s: 0.504832206055 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.6100001335144043 theta: -1.81951968729 accumulated_s: 3.6449999880800004 } adc_trajectory_point { x: -125.281505449 y: 361.251891324 z: -31.3101503132 speed: 2.51666665077 acceleration_s: 0.330095511333 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.6200001239776611 theta: -1.81957494803 accumulated_s: 3.67016665459 } adc_trajectory_point { x: -125.287885624 y: 361.227417206 z: -31.3101102514 speed: 2.51666665077 acceleration_s: 0.623986480013 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.630000114440918 theta: -1.81963084477 accumulated_s: 3.6953333210999997 } adc_trajectory_point { x: -125.294263067 y: 361.202915719 z: -31.3101540385 speed: 2.52500009537 acceleration_s: 0.470652419138 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.6400001049041748 theta: -1.81968285302 accumulated_s: 3.7205833220500004 } adc_trajectory_point { x: -125.300668029 y: 361.178341563 z: -31.3101223055 speed: 2.52500009537 acceleration_s: 0.557301339731 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.6500000953674316 theta: -1.81976648752 accumulated_s: 3.7458333230000003 } adc_trajectory_point { x: -125.307057381 y: 361.153720209 z: -31.3102796115 speed: 2.53333330154 acceleration_s: 0.59587861808 curvature: -0.00110997184211 curvature_change_rate: -0.00151086040199 relative_time: 1.6600000858306885 theta: -1.8197875326 accumulated_s: 3.77116665602 } adc_trajectory_point { x: -125.313499771 y: 361.129059883 z: -31.3102807552 speed: 2.53333330154 acceleration_s: 0.506494375233 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.6700000762939453 theta: -1.81985507388 accumulated_s: 3.79649998904 } adc_trajectory_point { x: -125.319920217 y: 361.104345721 z: -31.3101786645 speed: 2.544444561 acceleration_s: 0.487412846952 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.6800000667572021 theta: -1.81988979221 accumulated_s: 3.8219444346499998 } adc_trajectory_point { x: -125.326348711 y: 361.079596709 z: -31.3101000581 speed: 2.544444561 acceleration_s: 0.396641112764 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.690000057220459 theta: -1.81993184901 accumulated_s: 3.8473888802599996 } adc_trajectory_point { x: -125.326348711 y: 361.079596709 z: -31.3101000581 speed: 2.55555558205 acceleration_s: 0.396641112764 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.690000057220459 theta: -1.81993184901 accumulated_s: 3.87294443608 } adc_trajectory_point { x: -125.339222556 y: 361.029976296 z: -31.3100965517 speed: 2.55555558205 acceleration_s: 0.497112877228 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7100000381469727 theta: -1.82006312201 accumulated_s: 3.8984999918999996 } adc_trajectory_point { x: -125.345661169 y: 361.005068195 z: -31.3100165213 speed: 2.56388878822 acceleration_s: 0.542388897611 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7200000286102295 theta: -1.82006347002 accumulated_s: 3.92413887978 } adc_trajectory_point { x: -125.352128438 y: 360.980115994 z: -31.3098779172 speed: 2.56388878822 acceleration_s: 0.546547177071 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7300000190734863 theta: -1.82010562887 accumulated_s: 3.9497777676599997 } adc_trajectory_point { x: -125.358609364 y: 360.955101644 z: -31.3097669361 speed: 2.57500004768 acceleration_s: 0.633001016486 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7400000095367432 theta: -1.82010467581 accumulated_s: 3.97552776814 } adc_trajectory_point { x: -125.365083092 y: 360.930060616 z: -31.3096202817 speed: 2.57500004768 acceleration_s: 0.633001016486 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.75 theta: -1.82009665155 accumulated_s: 4.00127776861 } adc_trajectory_point { x: -125.371579562 y: 360.904948257 z: -31.3094767677 speed: 2.58888888359 acceleration_s: 0.53525839062 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7599999904632568 theta: -1.82012311264 accumulated_s: 4.02716665745 } adc_trajectory_point { x: -125.378124914 y: 360.879822808 z: -31.3093882594 speed: 2.58888888359 acceleration_s: 0.487854860158 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7699999809265137 theta: -1.82016109208 accumulated_s: 4.05305554629 } adc_trajectory_point { x: -125.384642207 y: 360.854632133 z: -31.3092705887 speed: 2.6027777195 acceleration_s: 0.478420581517 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7799999713897705 theta: -1.82014668287 accumulated_s: 4.07908332348 } adc_trajectory_point { x: -125.39118994 y: 360.829372517 z: -31.3091875464 speed: 2.6027777195 acceleration_s: 0.544181263352 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7899999618530273 theta: -1.82013984538 accumulated_s: 4.10511110068 } adc_trajectory_point { x: -125.39118994 y: 360.829372517 z: -31.3091875464 speed: 2.61111116409 acceleration_s: 0.544181263352 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.7899999618530273 theta: -1.82013984538 accumulated_s: 4.13122221232 } adc_trajectory_point { x: -125.404328653 y: 360.77872648 z: -31.3089771597 speed: 2.61111116409 acceleration_s: 0.520326750882 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.809999942779541 theta: -1.82020182981 accumulated_s: 4.15733332396 } adc_trajectory_point { x: -125.410949124 y: 360.753315992 z: -31.3088780753 speed: 2.61944437027 acceleration_s: 0.612627571447 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.8199999332427979 theta: -1.82026439025 accumulated_s: 4.18352776766 } adc_trajectory_point { x: -125.417554649 y: 360.727867656 z: -31.3087214185 speed: 2.61944437027 acceleration_s: 0.50038368782 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.8300001621246338 theta: -1.82032107677 accumulated_s: 4.20972221136 } adc_trajectory_point { x: -125.424145847 y: 360.702354047 z: -31.308650543 speed: 2.63055562973 acceleration_s: 0.549022600728 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.8400001525878906 theta: -1.82034991872 accumulated_s: 4.2360277676599996 } adc_trajectory_point { x: -125.430732575 y: 360.676786033 z: -31.3086042292 speed: 2.63055562973 acceleration_s: 0.529990838085 curvature: -0.00110997184211 curvature_change_rate: 0 relative_time: 1.8500001430511475 theta: -1.82037338242 accumulated_s: 4.26233332396 } adc_trajectory_point { x: -125.437348416 y: 360.651184848 z: -31.3085189508 speed: 2.63888883591 acceleration_s: 0.454595254832 curvature: -0.0010716967124 curvature_change_rate: 0.00145042599683 relative_time: 1.8600001335144043 theta: -1.82047284755 accumulated_s: 4.28872221232 } adc_trajectory_point { x: -125.44396724 y: 360.625511185 z: -31.3084344761 speed: 2.63888883591 acceleration_s: 0.57201560229 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.8700001239776611 theta: -1.82055572354 accumulated_s: 4.31511110068 } adc_trajectory_point { x: -125.450578473 y: 360.599791754 z: -31.3083229689 speed: 2.65000009537 acceleration_s: 0.50042079149 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.880000114440918 theta: -1.8206187713 accumulated_s: 4.34161110163 } adc_trajectory_point { x: -125.457161235 y: 360.573994903 z: -31.3082961971 speed: 2.65000009537 acceleration_s: 0.608957670273 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.8900001049041748 theta: -1.82066638752 accumulated_s: 4.36811110258 } adc_trajectory_point { x: -125.457161235 y: 360.573994903 z: -31.3082961971 speed: 2.65833330154 acceleration_s: 0.608957670273 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.8900001049041748 theta: -1.82066638752 accumulated_s: 4.3946944356 } adc_trajectory_point { x: -125.470402386 y: 360.522259867 z: -31.3082394749 speed: 2.65833330154 acceleration_s: 0.544343023852 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.9100000858306885 theta: -1.82083360771 accumulated_s: 4.42127776861 } adc_trajectory_point { x: -125.477007638 y: 360.496297447 z: -31.308145876 speed: 2.669444561 acceleration_s: 0.556709860971 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.9200000762939453 theta: -1.82089204632 accumulated_s: 4.44797221422 } adc_trajectory_point { x: -125.483641068 y: 360.470300722 z: -31.3080749176 speed: 2.669444561 acceleration_s: 0.487942274116 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.9300000667572021 theta: -1.82098793755 accumulated_s: 4.47466665983 } adc_trajectory_point { x: -125.490256914 y: 360.444221465 z: -31.3080387702 speed: 2.68055558205 acceleration_s: 0.625656329633 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.940000057220459 theta: -1.8210536898 accumulated_s: 4.50147221566 } adc_trajectory_point { x: -125.490256914 y: 360.444221465 z: -31.3080387702 speed: 2.68055558205 acceleration_s: 0.625656329633 curvature: -0.0010716967124 curvature_change_rate: 0 relative_time: 1.940000057220459 theta: -1.8210536898 accumulated_s: 4.52827777148 } adc_trajectory_point { x: -125.503575954 y: 360.391941462 z: -31.3079471681 speed: 2.68888878822 acceleration_s: 0.540887660129 curvature: -0.00103342160821 curvature_change_rate: 0.00142345434168 relative_time: 1.9600000381469727 theta: -1.82117825628 accumulated_s: 4.55516665936 } adc_trajectory_point { x: -125.510265055 y: 360.365728364 z: -31.3078916818 speed: 2.68888878822 acceleration_s: 0.521835524634 curvature: -0.00103342160821 curvature_change_rate: 0 relative_time: 1.9700000286102295 theta: -1.82125000892 accumulated_s: 4.58205554724 } adc_trajectory_point { x: -125.516998125 y: 360.339492042 z: -31.3078431217 speed: 2.70000004768 acceleration_s: 0.444248635123 curvature: -0.0009951465286 curvature_change_rate: 0.00141759551589 relative_time: 1.9800000190734863 theta: -1.82132353561 accumulated_s: 4.60905554772 } adc_trajectory_point { x: -125.523724383 y: 360.313171053 z: -31.3077099975 speed: 2.70000004768 acceleration_s: 0.566921838707 curvature: -0.0009951465286 curvature_change_rate: 0 relative_time: 1.9900000095367432 theta: -1.82134145734 accumulated_s: 4.63605554819 } adc_trajectory_point { x: -125.530534332 y: 360.286794019 z: -31.3076497242 speed: 2.71111106873 acceleration_s: 0.566921838707 curvature: -0.000956871472678 curvature_change_rate: 0.00141178487166 relative_time: 2 theta: -1.82141192096 accumulated_s: 4.66316665888 } adc_trajectory_point { x: -125.537331069 y: 360.260350394 z: -31.3075449867 speed: 2.71111106873 acceleration_s: 0.676986950806 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.0099999904632568 theta: -1.82141578788 accumulated_s: 4.69027776957 } adc_trajectory_point { x: -125.544198795 y: 360.233849652 z: -31.3075140547 speed: 2.7277777195 acceleration_s: 0.754657111552 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.0199999809265137 theta: -1.82147078752 accumulated_s: 4.71755554676 } adc_trajectory_point { x: -125.551075619 y: 360.207305452 z: -31.3074306911 speed: 2.7277777195 acceleration_s: 0.599208098093 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.0299999713897705 theta: -1.82148683338 accumulated_s: 4.74483332396 } adc_trajectory_point { x: -125.557972773 y: 360.180711174 z: -31.3073444497 speed: 2.74444437027 acceleration_s: 0.527593004511 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.0399999618530273 theta: -1.82152201956 accumulated_s: 4.77227776766 } adc_trajectory_point { x: -125.564913014 y: 360.154044359 z: -31.3072374249 speed: 2.74444437027 acceleration_s: 0.527593004511 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.0499999523162842 theta: -1.82154290335 accumulated_s: 4.79972221136 } adc_trajectory_point { x: -125.571844636 y: 360.12733583 z: -31.3071987871 speed: 2.75555562973 acceleration_s: 0.551526740126 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.059999942779541 theta: -1.8215456165 accumulated_s: 4.82727776766 } adc_trajectory_point { x: -125.578797905 y: 360.100558146 z: -31.3072172794 speed: 2.75555562973 acceleration_s: 0.629940975765 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.0699999332427979 theta: -1.8215810715 accumulated_s: 4.85483332396 } adc_trajectory_point { x: -125.585730295 y: 360.073723491 z: -31.3071709732 speed: 2.76111102104 acceleration_s: 0.573687721139 curvature: -0.000918596439528 curvature_change_rate: 0.00138621854965 relative_time: 2.0800001621246338 theta: -1.82154201657 accumulated_s: 4.88244443417 } adc_trajectory_point { x: -125.592715537 y: 360.046865102 z: -31.3070287984 speed: 2.76111102104 acceleration_s: 0.397963546236 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.0900001525878906 theta: -1.8215838674 accumulated_s: 4.91005554438 } adc_trajectory_point { x: -125.592715537 y: 360.046865102 z: -31.3070287984 speed: 2.76944446564 acceleration_s: 0.397963546236 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.0900001525878906 theta: -1.8215838674 accumulated_s: 4.93774998904 } adc_trajectory_point { x: -125.606705452 y: 359.992944077 z: -31.3069257466 speed: 2.76944446564 acceleration_s: 0.605243806601 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.1100001335144043 theta: -1.82160243601 accumulated_s: 4.96544443369 } adc_trajectory_point { x: -125.613715656 y: 359.965900791 z: -31.3069158401 speed: 2.77777767181 acceleration_s: 0.587333040131 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.1200001239776611 theta: -1.82163078158 accumulated_s: 4.99322221041 } adc_trajectory_point { x: -125.620781546 y: 359.938791968 z: -31.3069237191 speed: 2.77777767181 acceleration_s: 0.727187893866 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.130000114440918 theta: -1.82167773656 accumulated_s: 5.02099998713 } adc_trajectory_point { x: -125.627850631 y: 359.911634144 z: -31.306826652 speed: 2.79166674614 acceleration_s: 0.549840667398 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.1400001049041748 theta: -1.82168810328 accumulated_s: 5.04891665459 } adc_trajectory_point { x: -125.634956433 y: 359.884418464 z: -31.3067896031 speed: 2.79166674614 acceleration_s: 0.549840667398 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.1500000953674316 theta: -1.82171289445 accumulated_s: 5.07683332205 } adc_trajectory_point { x: -125.642046141 y: 359.857149366 z: -31.3068400882 speed: 2.80555558205 acceleration_s: 0.542085416321 curvature: -0.000880321428239 curvature_change_rate: 0.00136425781524 relative_time: 2.1600000858306885 theta: -1.8216935938 accumulated_s: 5.10488887787 } adc_trajectory_point { x: -125.649150332 y: 359.829835747 z: -31.3069122797 speed: 2.80555558205 acceleration_s: 0.477439146887 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 2.1700000762939453 theta: -1.82170121117 accumulated_s: 5.13294443369 } adc_trajectory_point { x: -125.656310653 y: 359.802464583 z: -31.3069347879 speed: 2.81944441795 acceleration_s: 0.573332582413 curvature: -0.0008420464379 curvature_change_rate: 0.0013575366159 relative_time: 2.1800000667572021 theta: -1.82174094854 accumulated_s: 5.16113887787 } adc_trajectory_point { x: -125.6634802 y: 359.775052215 z: -31.306938665 speed: 2.81944441795 acceleration_s: 0.480953550981 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 2.190000057220459 theta: -1.82174518821 accumulated_s: 5.18933332205 } adc_trajectory_point { x: -125.6634802 y: 359.775052215 z: -31.306938665 speed: 2.82777786255 acceleration_s: 0.480953550981 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 2.190000057220459 theta: -1.82174518821 accumulated_s: 5.21761110068 } adc_trajectory_point { x: -125.677938723 y: 359.720041327 z: -31.3069625562 speed: 2.82777786255 acceleration_s: 0.601637167889 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 2.2100000381469727 theta: -1.82184178694 accumulated_s: 5.2458888793 } adc_trajectory_point { x: -125.685189377 y: 359.692458234 z: -31.306962071 speed: 2.83888888359 acceleration_s: 0.55047200077 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 2.2200000286102295 theta: -1.82188540617 accumulated_s: 5.27427776814 } adc_trajectory_point { x: -125.692474208 y: 359.664814508 z: -31.3069400685 speed: 2.83888888359 acceleration_s: 0.60241470639 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 2.2300000190734863 theta: -1.82190412116 accumulated_s: 5.30266665697 } adc_trajectory_point { x: -125.699781684 y: 359.637138023 z: -31.3068766557 speed: 2.8527777195 acceleration_s: 0.49892409539 curvature: -0.000803771467601 curvature_change_rate: 0.00134167376721 relative_time: 2.2400000095367432 theta: -1.82193041081 accumulated_s: 5.33119443417 } adc_trajectory_point { x: -125.699781684 y: 359.637138023 z: -31.3068766557 speed: 2.8527777195 acceleration_s: 0.49892409539 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.2400000095367432 theta: -1.82193041081 accumulated_s: 5.35972221136 } adc_trajectory_point { x: -125.714498953 y: 359.581639177 z: -31.3068493977 speed: 2.8666665554 acceleration_s: 0.529323722547 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.2599999904632568 theta: -1.82201650974 accumulated_s: 5.38838887692 } adc_trajectory_point { x: -125.721916183 y: 359.553844569 z: -31.3067936711 speed: 2.8666665554 acceleration_s: 0.424356121029 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.2699999809265137 theta: -1.82212695848 accumulated_s: 5.41705554247 } adc_trajectory_point { x: -125.729314593 y: 359.525979479 z: -31.3067365438 speed: 2.87777781487 acceleration_s: 0.517916540761 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.2799999713897705 theta: -1.82216632841 accumulated_s: 5.44583332062 } adc_trajectory_point { x: -125.736735465 y: 359.498089687 z: -31.3066623844 speed: 2.87777781487 acceleration_s: 0.393867359235 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.2899999618530273 theta: -1.82219917945 accumulated_s: 5.47461109877 } adc_trajectory_point { x: -125.744185916 y: 359.470141154 z: -31.3065668559 speed: 2.88611102104 acceleration_s: 0.393867359235 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.2999999523162842 theta: -1.82227869211 accumulated_s: 5.50347220898 } adc_trajectory_point { x: -125.751645886 y: 359.442144392 z: -31.3064575428 speed: 2.88611102104 acceleration_s: 0.498139004173 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.309999942779541 theta: -1.82232656535 accumulated_s: 5.53233331919 } adc_trajectory_point { x: -125.759104292 y: 359.414105887 z: -31.3063270031 speed: 2.89444446564 acceleration_s: 0.471227514218 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.3199999332427979 theta: -1.82237573828 accumulated_s: 5.56127776385 } adc_trajectory_point { x: -125.766606147 y: 359.386024285 z: -31.3062000703 speed: 2.89444446564 acceleration_s: 0.525454236397 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.3300001621246338 theta: -1.82246275229 accumulated_s: 5.5902222085 } adc_trajectory_point { x: -125.774096612 y: 359.357892469 z: -31.306101134 speed: 2.90555548668 acceleration_s: 0.477311863712 curvature: -0.00076549651643 curvature_change_rate: 0.00131730236598 relative_time: 2.3400001525878906 theta: -1.82250837147 accumulated_s: 5.61927776337 } adc_trajectory_point { x: -125.781569154 y: 359.329721161 z: -31.3060243241 speed: 2.90555548668 acceleration_s: 0.477311863712 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.3500001430511475 theta: -1.82254222458 accumulated_s: 5.64833331824 } adc_trajectory_point { x: -125.789073629 y: 359.301495396 z: -31.3059554296 speed: 2.91388893127 acceleration_s: 0.487612504816 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.3600001335144043 theta: -1.82258890477 accumulated_s: 5.67747220755 } adc_trajectory_point { x: -125.79657766 y: 359.273239694 z: -31.3059446588 speed: 2.91388893127 acceleration_s: 0.408425345148 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.3700001239776611 theta: -1.82264715603 accumulated_s: 5.70661109686 } adc_trajectory_point { x: -125.804100799 y: 359.244941955 z: -31.3059203699 speed: 2.92222213745 acceleration_s: 0.431552034778 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.380000114440918 theta: -1.82272320719 accumulated_s: 5.73583331824 } adc_trajectory_point { x: -125.811639623 y: 359.216596273 z: -31.3058855822 speed: 2.92222213745 acceleration_s: 0.414205557226 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.3900001049041748 theta: -1.82277593601 accumulated_s: 5.76505553961 } adc_trajectory_point { x: -125.811639623 y: 359.216596273 z: -31.3058855822 speed: 2.93055558205 acceleration_s: 0.414205557226 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.3900001049041748 theta: -1.82277593601 accumulated_s: 5.79436109543 } adc_trajectory_point { x: -125.826727703 y: 359.159788805 z: -31.3060976537 speed: 2.93055558205 acceleration_s: 0.41204758658 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.4100000858306885 theta: -1.82286203351 accumulated_s: 5.82366665125 } adc_trajectory_point { x: -125.834298586 y: 359.131348113 z: -31.3061702913 speed: 2.94166660309 acceleration_s: 0.29872526349 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.4200000762939453 theta: -1.82291701216 accumulated_s: 5.85308331728 } adc_trajectory_point { x: -125.841885547 y: 359.102839577 z: -31.3061969932 speed: 2.94166660309 acceleration_s: 0.444027572803 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.4300000667572021 theta: -1.82294408081 accumulated_s: 5.88249998331 } adc_trajectory_point { x: -125.849468747 y: 359.074320163 z: -31.3063632268 speed: 2.95000004768 acceleration_s: 0.30117113011 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.440000057220459 theta: -1.82294981809 accumulated_s: 5.91199998379 } adc_trajectory_point { x: -125.849468747 y: 359.074320163 z: -31.3063632268 speed: 2.95000004768 acceleration_s: 0.30117113011 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.440000057220459 theta: -1.82294981809 accumulated_s: 5.94149998427 } adc_trajectory_point { x: -125.86470335 y: 359.017140009 z: -31.3069306035 speed: 2.95833325386 acceleration_s: 0.367564584601 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.4600000381469727 theta: -1.82300808145 accumulated_s: 5.97108331681 } adc_trajectory_point { x: -125.872341557 y: 358.988489067 z: -31.307096309 speed: 2.95833325386 acceleration_s: 0.360293941012 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.4700000286102295 theta: -1.82302397094 accumulated_s: 6.00066664934 } adc_trajectory_point { x: -125.880037888 y: 358.959804402 z: -31.3073657053 speed: 2.96944451332 acceleration_s: 0.460884138127 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.4800000190734863 theta: -1.82306031579 accumulated_s: 6.03036109448 } adc_trajectory_point { x: -125.887745816 y: 358.931108792 z: -31.3077072827 speed: 2.96944451332 acceleration_s: 0.321661981102 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.4900000095367432 theta: -1.8230438854 accumulated_s: 6.06005553961 } adc_trajectory_point { x: -125.895517405 y: 358.902351345 z: -31.3080882411 speed: 2.98055553436 acceleration_s: 0.321661981102 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5 theta: -1.82307959727 accumulated_s: 6.08986109495 } adc_trajectory_point { x: -125.903316693 y: 358.873560525 z: -31.3085163888 speed: 2.98055553436 acceleration_s: 0.464730193548 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5099999904632568 theta: -1.82307001711 accumulated_s: 6.1196666503 } adc_trajectory_point { x: -125.911163585 y: 358.844739997 z: -31.3088300247 speed: 2.99444437027 acceleration_s: 0.383093978266 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5199999809265137 theta: -1.82308327876 accumulated_s: 6.149611094 } adc_trajectory_point { x: -125.919032533 y: 358.815868283 z: -31.3091887236 speed: 2.99444437027 acceleration_s: 0.491155818915 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5299999713897705 theta: -1.82308549865 accumulated_s: 6.1795555377 } adc_trajectory_point { x: -125.926896637 y: 358.786987422 z: -31.3095703563 speed: 3.0083334446 acceleration_s: 0.303688481265 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5399999618530273 theta: -1.82305372126 accumulated_s: 6.20963887215 } adc_trajectory_point { x: -125.934788487 y: 358.75803987 z: -31.309997268 speed: 3.0083334446 acceleration_s: 0.470811416377 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5499999523162842 theta: -1.82305385113 accumulated_s: 6.2397222066 } adc_trajectory_point { x: -125.942672155 y: 358.72905105 z: -31.3104813183 speed: 3.0083334446 acceleration_s: 0.496127967555 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.559999942779541 theta: -1.82307027028 accumulated_s: 6.26980554104 } adc_trajectory_point { x: -125.950557125 y: 358.70001789 z: -31.3108385755 speed: 3.0222222805 acceleration_s: 0.459179381124 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5699999332427979 theta: -1.82309299541 accumulated_s: 6.30002776385 } adc_trajectory_point { x: -125.958427402 y: 358.670924304 z: -31.3112333706 speed: 3.0222222805 acceleration_s: 0.459677400509 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5800001621246338 theta: -1.82311852637 accumulated_s: 6.33024998665 } adc_trajectory_point { x: -125.966273613 y: 358.641808143 z: -31.3115684483 speed: 3.03333330154 acceleration_s: 0.459677400509 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.5900001525878906 theta: -1.8231428439 accumulated_s: 6.36058331967 } adc_trajectory_point { x: -125.974084814 y: 358.612648583 z: -31.312040519 speed: 3.03333330154 acceleration_s: 0.319544190721 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.6000001430511475 theta: -1.82318429305 accumulated_s: 6.39091665268 } adc_trajectory_point { x: -125.981874503 y: 358.583403985 z: -31.3123099208 speed: 3.044444561 acceleration_s: 0.499313586165 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 2.6100001335144043 theta: -1.82320408035 accumulated_s: 6.42136109829 } adc_trajectory_point { x: -125.989619091 y: 358.554155402 z: -31.3126276666 speed: 3.04999995232 acceleration_s: 0.320399732615 curvature: -0.000803771467601 curvature_change_rate: -0.00125491645145 relative_time: 2.6200001239776611 theta: -1.82323937864 accumulated_s: 6.45186109782 } adc_trajectory_point { x: -125.997444216 y: 358.524857352 z: -31.3129913248 speed: 3.04999995232 acceleration_s: 0.469653036493 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.630000114440918 theta: -1.82335120105 accumulated_s: 6.48236109734 } adc_trajectory_point { x: -126.005200698 y: 358.495540045 z: -31.3134962507 speed: 3.05833339691 acceleration_s: 0.311313962184 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.6400001049041748 theta: -1.8233994009 accumulated_s: 6.51294443131 } adc_trajectory_point { x: -126.012948537 y: 358.466132741 z: -31.3138230573 speed: 3.05833339691 acceleration_s: 0.454018653915 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.6500000953674316 theta: -1.82343280294 accumulated_s: 6.54352776528 } adc_trajectory_point { x: -126.020727633 y: 358.436689224 z: -31.3139888011 speed: 3.06388878822 acceleration_s: 0.443531903069 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.6600000858306885 theta: -1.82345385402 accumulated_s: 6.5741666531600007 } adc_trajectory_point { x: -126.028530638 y: 358.407219537 z: -31.3142265771 speed: 3.06388878822 acceleration_s: 0.413639588279 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.6700000762939453 theta: -1.82349320987 accumulated_s: 6.6048055410399993 } adc_trajectory_point { x: -126.036354345 y: 358.37772713 z: -31.3146840679 speed: 3.06944441795 acceleration_s: 0.413639588279 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.6800000667572021 theta: -1.82359408573 accumulated_s: 6.6354999852199992 } adc_trajectory_point { x: -126.044157398 y: 358.348197709 z: -31.3150890348 speed: 3.06944441795 acceleration_s: 0.326254765876 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.690000057220459 theta: -1.82364311569 accumulated_s: 6.6661944294000008 } adc_trajectory_point { x: -126.044157398 y: 358.348197709 z: -31.3150890348 speed: 3.07500004768 acceleration_s: 0.326254765876 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.690000057220459 theta: -1.82364311569 accumulated_s: 6.69694442988 } adc_trajectory_point { x: -126.059855718 y: 358.288982885 z: -31.3155618459 speed: 3.07500004768 acceleration_s: 0.46523362929 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 2.7100000381469727 theta: -1.8237598578 accumulated_s: 6.7276944303500006 } adc_trajectory_point { x: -126.067677572 y: 358.259321449 z: -31.3159407303 speed: 3.08333325386 acceleration_s: 0.506723991784 curvature: -0.0008420464379 curvature_change_rate: -0.00124135042008 relative_time: 2.7200000286102295 theta: -1.82377316375 accumulated_s: 6.7585277628899991 } adc_trajectory_point { x: -126.075541854 y: 358.229580921 z: -31.3163395924 speed: 3.08333325386 acceleration_s: 0.563808783768 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 2.7300000190734863 theta: -1.82382011107 accumulated_s: 6.7893610954299994 } adc_trajectory_point { x: -126.083392099 y: 358.199824766 z: -31.316745366 speed: 3.09166669846 acceleration_s: 0.425152358643 curvature: -0.000880321428239 curvature_change_rate: -0.00123800506561 relative_time: 2.7400000095367432 theta: -1.82384748254 accumulated_s: 6.82027776242 } adc_trajectory_point { x: -126.091296726 y: 358.169999322 z: -31.3170797275 speed: 3.09166669846 acceleration_s: 0.529039050034 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 2.75 theta: -1.82392769881 accumulated_s: 6.8511944294 } adc_trajectory_point { x: -126.091296726 y: 358.169999322 z: -31.3170797275 speed: 3.09722232819 acceleration_s: 0.529039050034 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 2.75 theta: -1.82392769881 accumulated_s: 6.8821666526800005 } adc_trajectory_point { x: -126.107108815 y: 358.110277742 z: -31.3177725319 speed: 3.09722232819 acceleration_s: 0.382627782371 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 2.7699999809265137 theta: -1.82402766554 accumulated_s: 6.91313887596 } adc_trajectory_point { x: -126.1150425 y: 358.080346963 z: -31.3182779802 speed: 3.10555553436 acceleration_s: 0.497540593076 curvature: -0.000918596439528 curvature_change_rate: -0.00123246906601 relative_time: 2.7799999713897705 theta: -1.82407606579 accumulated_s: 6.9441944313100006 } adc_trajectory_point { x: -126.122980671 y: 358.050388892 z: -31.3186851079 speed: 3.10555553436 acceleration_s: 0.374230324395 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.7899999618530273 theta: -1.8241204982 accumulated_s: 6.9752499866500006 } adc_trajectory_point { x: -126.130936993 y: 358.020345633 z: -31.3191264886 speed: 3.11388897896 acceleration_s: 0.580999622577 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.7999999523162842 theta: -1.82416021751 accumulated_s: 7.0063888764400009 } adc_trajectory_point { x: -126.138945684 y: 357.990276143 z: -31.3196149571 speed: 3.11388897896 acceleration_s: 0.571256202308 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.809999942779541 theta: -1.82425172481 accumulated_s: 7.0375277662299993 } adc_trajectory_point { x: -126.146892291 y: 357.960134232 z: -31.3200618271 speed: 3.125 acceleration_s: 0.520164619607 curvature: -0.000956871472678 curvature_change_rate: -0.0012248010608 relative_time: 2.8199999332427979 theta: -1.82425692775 accumulated_s: 7.0687777662299993 } adc_trajectory_point { x: -126.154869846 y: 357.929954192 z: -31.3205484115 speed: 3.125 acceleration_s: 0.501316150934 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.8300001621246338 theta: -1.8243241516 accumulated_s: 7.1000277662299993 } adc_trajectory_point { x: -126.162832424 y: 357.899732542 z: -31.3210640308 speed: 3.13611102104 acceleration_s: 0.383059567577 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.8400001525878906 theta: -1.82436401959 accumulated_s: 7.1313888764400009 } adc_trajectory_point { x: -126.170812033 y: 357.869454264 z: -31.321619818 speed: 3.13611102104 acceleration_s: 0.383059567577 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.8500001430511475 theta: -1.8244479462 accumulated_s: 7.1627499866500006 } adc_trajectory_point { x: -126.178766382 y: 357.839126963 z: -31.3222097838 speed: 3.1472222805 acceleration_s: 0.464772359593 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.8600001335144043 theta: -1.82447236367 accumulated_s: 7.1942222094599995 } adc_trajectory_point { x: -126.186743378 y: 357.808752627 z: -31.3226710502 speed: 3.1472222805 acceleration_s: 0.457433710587 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.8700001239776611 theta: -1.82454997751 accumulated_s: 7.2256944322599992 } adc_trajectory_point { x: -126.194704008 y: 357.778319877 z: -31.3232655963 speed: 3.15555548668 acceleration_s: 0.522979453222 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.880000114440918 theta: -1.82459108363 accumulated_s: 7.2572499871300007 } adc_trajectory_point { x: -126.202693428 y: 357.747852806 z: -31.3239080766 speed: 3.15555548668 acceleration_s: 0.455380615626 curvature: -0.000956871472678 curvature_change_rate: 0 relative_time: 2.8900001049041748 theta: -1.82464949137 accumulated_s: 7.2888055419899995 } adc_trajectory_point { x: -126.210694911 y: 357.717305728 z: -31.3244874831 speed: 3.16388893127 acceleration_s: 0.455380615626 curvature: -0.000918596439528 curvature_change_rate: 0.00120974642225 relative_time: 2.9000000953674316 theta: -1.82470858106 accumulated_s: 7.3204444313099994 } adc_trajectory_point { x: -126.218712949 y: 357.686723792 z: -31.3250816101 speed: 3.16388893127 acceleration_s: 0.503037514005 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.9100000858306885 theta: -1.82474317059 accumulated_s: 7.35208332062 } adc_trajectory_point { x: -126.226761876 y: 357.656090805 z: -31.3256956702 speed: 3.17777776718 acceleration_s: 0.534048393007 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.9200000762939453 theta: -1.82479909581 accumulated_s: 7.38386109829 } adc_trajectory_point { x: -126.234841061 y: 357.625433481 z: -31.3264127029 speed: 3.17777776718 acceleration_s: 0.509043883341 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.9300000667572021 theta: -1.82488274067 accumulated_s: 7.4156388759599992 } adc_trajectory_point { x: -126.242926637 y: 357.594723481 z: -31.3271339554 speed: 3.19166660309 acceleration_s: 0.453107629423 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.940000057220459 theta: -1.82492478946 accumulated_s: 7.4475555419900008 } adc_trajectory_point { x: -126.242926637 y: 357.594723481 z: -31.3271339554 speed: 3.19166660309 acceleration_s: 0.453107629423 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.940000057220459 theta: -1.82492478946 accumulated_s: 7.47947220803 } adc_trajectory_point { x: -126.259181833 y: 357.533099366 z: -31.328906294 speed: 3.19722223282 acceleration_s: 0.614675811852 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.9600000381469727 theta: -1.82505297325 accumulated_s: 7.51144443035 } adc_trajectory_point { x: -126.267313914 y: 357.502148787 z: -31.3298393926 speed: 3.19722223282 acceleration_s: 0.796355408066 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.9700000286102295 theta: -1.8251012432 accumulated_s: 7.5434166526799995 } adc_trajectory_point { x: -126.275508208 y: 357.471180796 z: -31.3308216175 speed: 3.205555439 acceleration_s: 0.629462267384 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.9800000190734863 theta: -1.82522005594 accumulated_s: 7.57547220707 } adc_trajectory_point { x: -126.283680829 y: 357.440122586 z: -31.3317320691 speed: 3.205555439 acceleration_s: 0.621641273573 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 2.9900000095367432 theta: -1.82528217867 accumulated_s: 7.60752776146 } adc_trajectory_point { x: -126.291893912 y: 357.4090488 z: -31.3326069424 speed: 3.21388888359 acceleration_s: 0.621641273573 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3 theta: -1.82537641226 accumulated_s: 7.6396666503000006 } adc_trajectory_point { x: -126.300109163 y: 357.377939678 z: -31.3334607286 speed: 3.21388888359 acceleration_s: 0.352646051338 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3.0099999904632568 theta: -1.82543024597 accumulated_s: 7.67180553913 } adc_trajectory_point { x: -126.308303954 y: 357.346792906 z: -31.3343978049 speed: 3.2277777195 acceleration_s: 0.362813741162 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3.0199999809265137 theta: -1.82544284689 accumulated_s: 7.7040833163299993 } adc_trajectory_point { x: -126.316550762 y: 357.315653427 z: -31.335456715 speed: 3.2277777195 acceleration_s: 0.232629772995 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3.0299999713897705 theta: -1.82552119025 accumulated_s: 7.7363610935199993 } adc_trajectory_point { x: -126.324832741 y: 357.284433166 z: -31.3363997387 speed: 3.2277777195 acceleration_s: 0.232629772995 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3.0399999618530273 theta: -1.82564221475 accumulated_s: 7.76863887072 } adc_trajectory_point { x: -126.333088492 y: 357.253151252 z: -31.337216489 speed: 3.23888897896 acceleration_s: 0.546959754019 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3.0499999523162842 theta: -1.82569642273 accumulated_s: 7.8010277605099994 } adc_trajectory_point { x: -126.341357353 y: 357.221766901 z: -31.3379224408 speed: 3.25 acceleration_s: 0.763328602658 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3.059999942779541 theta: -1.82571571216 accumulated_s: 7.83352776051 } adc_trajectory_point { x: -126.349677904 y: 357.190412597 z: -31.3388488209 speed: 3.25 acceleration_s: 0.492292654727 curvature: -0.000918596439528 curvature_change_rate: 0 relative_time: 3.0699999332427979 theta: -1.82583419304 accumulated_s: 7.8660277605100006 } adc_trajectory_point { x: -126.357958179 y: 357.158974798 z: -31.3395972587 speed: 3.26111102104 acceleration_s: 0.464564854836 curvature: -0.000880321428239 curvature_change_rate: 0.00117368010601 relative_time: 3.0800001621246338 theta: -1.8258701716 accumulated_s: 7.8986388707199993 } adc_trajectory_point { x: -126.36625774 y: 357.127544982 z: -31.3403570335 speed: 3.26111102104 acceleration_s: 0.296031596052 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 3.0900001525878906 theta: -1.82594556362 accumulated_s: 7.93124998093 } adc_trajectory_point { x: -126.36625774 y: 357.127544982 z: -31.3403570335 speed: 3.26944446564 acceleration_s: 0.296031596052 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 3.0900001525878906 theta: -1.82594556362 accumulated_s: 7.96394442559 } adc_trajectory_point { x: -126.382883895 y: 357.064596002 z: -31.3415422123 speed: 3.26944446564 acceleration_s: 0.290829079588 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 3.1100001335144043 theta: -1.82601293343 accumulated_s: 7.99663887024 } adc_trajectory_point { x: -126.391256508 y: 357.033119968 z: -31.3421462085 speed: 3.27777767181 acceleration_s: 0.128096931288 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 3.1200001239776611 theta: -1.8261001025 accumulated_s: 8.02941664696 } adc_trajectory_point { x: -126.39960812 y: 357.001552905 z: -31.3426318364 speed: 3.27777767181 acceleration_s: 0.4808557379 curvature: -0.000880321428239 curvature_change_rate: 0 relative_time: 3.130000114440918 theta: -1.82611571164 accumulated_s: 8.06219442368 } adc_trajectory_point { x: -126.407998766 y: 356.970002409 z: -31.3430617405 speed: 3.28888893127 acceleration_s: 0.286767132188 curvature: -0.0008420464379 curvature_change_rate: 0.00116376658314 relative_time: 3.1400001049041748 theta: -1.82614509679 accumulated_s: 8.09508331299 } adc_trajectory_point { x: -126.416460821 y: 356.938375203 z: -31.3433212331 speed: 3.28888893127 acceleration_s: 0.286767132188 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.1500000953674316 theta: -1.82619763602 accumulated_s: 8.1279722023 } adc_trajectory_point { x: -126.424894005 y: 356.906737938 z: -31.3437340027 speed: 3.29999995232 acceleration_s: 0.428438433349 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.1600000858306885 theta: -1.8261957026 accumulated_s: 8.16097220183 } adc_trajectory_point { x: -126.433370464 y: 356.875058806 z: -31.3439121805 speed: 3.29999995232 acceleration_s: 0.36476578847 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.1700000762939453 theta: -1.82619254194 accumulated_s: 8.19397220135 } adc_trajectory_point { x: -126.441893076 y: 356.843338796 z: -31.3441874972 speed: 3.30833339691 acceleration_s: 0.5167637741 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.1800000667572021 theta: -1.82622539305 accumulated_s: 8.22705553532 } adc_trajectory_point { x: -126.450440938 y: 356.811614783 z: -31.3443374243 speed: 3.30833339691 acceleration_s: 0.301862609745 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.190000057220459 theta: -1.82626537346 accumulated_s: 8.26013886929 } adc_trajectory_point { x: -126.450440938 y: 356.811614783 z: -31.3443374243 speed: 3.31666660309 acceleration_s: 0.301862609745 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.190000057220459 theta: -1.82626537346 accumulated_s: 8.29330553532 } adc_trajectory_point { x: -126.467585246 y: 356.748054621 z: -31.3445607657 speed: 3.31666660309 acceleration_s: 0.239822784622 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2100000381469727 theta: -1.82633228994 accumulated_s: 8.32647220135 } adc_trajectory_point { x: -126.476163793 y: 356.716236298 z: -31.3445254369 speed: 3.32500004768 acceleration_s: 0.267242042689 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2200000286102295 theta: -1.82634928064 accumulated_s: 8.35972220183 } adc_trajectory_point { x: -126.484763992 y: 356.684400349 z: -31.3445740202 speed: 3.32500004768 acceleration_s: 0.245883502081 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2300000190734863 theta: -1.82638943777 accumulated_s: 8.3929722023 } adc_trajectory_point { x: -126.493362471 y: 356.652523506 z: -31.3444986399 speed: 3.330555439 acceleration_s: 0.341762154716 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2400000095367432 theta: -1.82641776818 accumulated_s: 8.42627775669 } adc_trajectory_point { x: -126.501961865 y: 356.620630121 z: -31.3444468398 speed: 3.330555439 acceleration_s: 0.341762154716 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.25 theta: -1.82646394466 accumulated_s: 8.45958331108 } adc_trajectory_point { x: -126.510528434 y: 356.588665449 z: -31.3442180054 speed: 3.33611106873 acceleration_s: 0.371268099975 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2599999904632568 theta: -1.82645211648 accumulated_s: 8.49294442177 } adc_trajectory_point { x: -126.519111453 y: 356.556708783 z: -31.3442060826 speed: 3.33611106873 acceleration_s: 0.332246549914 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2699999809265137 theta: -1.82648901874 accumulated_s: 8.52630553246 } adc_trajectory_point { x: -126.52768735 y: 356.524684258 z: -31.3439824898 speed: 3.33888888359 acceleration_s: 0.386355482026 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2799999713897705 theta: -1.82653384011 accumulated_s: 8.55969442134 } adc_trajectory_point { x: -126.53627215 y: 356.492655285 z: -31.3438073667 speed: 3.33888888359 acceleration_s: 0.319144863026 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2899999618530273 theta: -1.82661869089 accumulated_s: 8.59308331014 } adc_trajectory_point { x: -126.544859835 y: 356.460560798 z: -31.3433333337 speed: 3.34444451332 acceleration_s: 0.319144863026 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.2999999523162842 theta: -1.82668673606 accumulated_s: 8.62652775524 } adc_trajectory_point { x: -126.55341621 y: 356.428520827 z: -31.3430436049 speed: 3.34444451332 acceleration_s: 0.0399907940701 curvature: -0.0008420464379 curvature_change_rate: 0 relative_time: 3.309999942779541 theta: -1.82672008051 accumulated_s: 8.65997220044 } adc_trajectory_point { x: -126.562034607 y: 356.396460461 z: -31.3427345473 speed: 3.34722232819 acceleration_s: 0.0891820167262 curvature: -0.000803771467601 curvature_change_rate: 0.00114348455366 relative_time: 3.3199999332427979 theta: -1.82678882025 accumulated_s: 8.69344442364 } adc_trajectory_point { x: -126.570648927 y: 356.364378675 z: -31.3422306031 speed: 3.34722232819 acceleration_s: 0.121640972454 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 3.3300001621246338 theta: -1.8268125683 accumulated_s: 8.72691664694 } adc_trajectory_point { x: -126.579282816 y: 356.332271847 z: -31.3416289231 speed: 3.3527777195 acceleration_s: 0.180193809259 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 3.3400001525878906 theta: -1.82681842755 accumulated_s: 8.76044442414 } adc_trajectory_point { x: -126.587904617 y: 356.300163992 z: -31.3409582535 speed: 3.3527777195 acceleration_s: 0.105942443261 curvature: -0.000803771467601 curvature_change_rate: 0 relative_time: 3.3500001430511475 theta: -1.82683405334 accumulated_s: 8.79397220134 } adc_trajectory_point { x: -126.596606582 y: 356.268053779 z: -31.3404062809 speed: 3.36111116409 acceleration_s: 0.105942443261 curvature: -0.00076549651643 curvature_change_rate: 0.00113875885986 relative_time: 3.3600001335144043 theta: -1.82687475275 accumulated_s: 8.82758331304 } adc_trajectory_point { x: -126.605334888 y: 356.23593129 z: -31.339665141 speed: 3.36111116409 acceleration_s: 0.174192509194 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 3.3700001239776611 theta: -1.8269203204 accumulated_s: 8.86119442464 } adc_trajectory_point { x: -126.614117099 y: 356.203813035 z: -31.3390399422 speed: 3.36944437027 acceleration_s: 0.175419474684 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 3.380000114440918 theta: -1.82693997226 accumulated_s: 8.89488886834 } adc_trajectory_point { x: -126.622915637 y: 356.171656799 z: -31.3382517239 speed: 3.36944437027 acceleration_s: 0.255379637482 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 3.3900001049041748 theta: -1.82698160888 accumulated_s: 8.92858331204 } adc_trajectory_point { x: -126.622915637 y: 356.171656799 z: -31.3382517239 speed: 3.37222218513 acceleration_s: 0.255379637482 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 3.3900001049041748 theta: -1.82698160888 accumulated_s: 8.96230553384 } adc_trajectory_point { x: -126.640551366 y: 356.10725683 z: -31.3369481983 speed: 3.37222218513 acceleration_s: 0.416432213131 curvature: -0.00076549651643 curvature_change_rate: 0 relative_time: 3.4100000858306885 theta: -1.82701748655 accumulated_s: 8.99602775574 } adc_trajectory_point { x: -126.649407871 y: 356.075053046 z: -31.3362821704 speed: 3.37222218513 acceleration_s: 0.18251066419 curvature: -0.000727221583477 curvature_change_rate: 0.00113500626151 relative_time: 3.4200000762939453 theta: -1.82707758232 accumulated_s: 9.02974997764 } adc_trajectory_point { x: -126.658247953 y: 356.042762856 z: -31.33576738 speed: 3.37222218513 acceleration_s: 0.365772374337 curvature: -0.000727221583477 curvature_change_rate: 0 relative_time: 3.4300000667572021 theta: -1.82712424605 accumulated_s: 9.06347219944 } adc_trajectory_point { x: -126.667064499 y: 356.010471259 z: -31.3352754069 speed: 3.37777781487 acceleration_s: 0.231852483685 curvature: -0.00068894666783 curvature_change_rate: 0.00113313893763 relative_time: 3.440000057220459 theta: -1.8271772763 accumulated_s: 9.09724997764 } adc_trajectory_point { x: -126.667064499 y: 356.010471259 z: -31.3352754069 speed: 3.37777781487 acceleration_s: 0.231852483685 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.440000057220459 theta: -1.8271772763 accumulated_s: 9.13102775574 } adc_trajectory_point { x: -126.684674625 y: 355.945731248 z: -31.3343479773 speed: 3.3833334446 acceleration_s: 0.351494436829 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.4600000381469727 theta: -1.82731511949 accumulated_s: 9.16486109014 } adc_trajectory_point { x: -126.693424055 y: 355.913307342 z: -31.3340699114 speed: 3.3833334446 acceleration_s: 0.289788923925 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.4700000286102295 theta: -1.82734949638 accumulated_s: 9.19869442464 } adc_trajectory_point { x: -126.702200971 y: 355.88083369 z: -31.3338288246 speed: 3.38888883591 acceleration_s: 0.398475929312 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.4800000190734863 theta: -1.82744159828 accumulated_s: 9.23258331304 } adc_trajectory_point { x: -126.710930873 y: 355.84831332 z: -31.3336686827 speed: 3.38888883591 acceleration_s: 0.348416867207 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.4900000095367432 theta: -1.82750114409 accumulated_s: 9.26647220134 } adc_trajectory_point { x: -126.719671587 y: 355.815735623 z: -31.3335086247 speed: 3.3972222805 acceleration_s: 0.348416867207 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5 theta: -1.82756009136 accumulated_s: 9.30044442414 } adc_trajectory_point { x: -126.728400714 y: 355.783148232 z: -31.3335562842 speed: 3.3972222805 acceleration_s: 0.366865734413 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5099999904632568 theta: -1.82763237866 accumulated_s: 9.33441664694 } adc_trajectory_point { x: -126.737119489 y: 355.750478834 z: -31.3335927948 speed: 3.40000009537 acceleration_s: 0.398196786697 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5199999809265137 theta: -1.8276711613 accumulated_s: 9.36841664794 } adc_trajectory_point { x: -126.745890392 y: 355.717802627 z: -31.3338405546 speed: 3.40000009537 acceleration_s: 0.407056699459 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5299999713897705 theta: -1.82776593486 accumulated_s: 9.40241664884 } adc_trajectory_point { x: -126.754648152 y: 355.685051341 z: -31.3340082122 speed: 3.40833330154 acceleration_s: 0.462455457942 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5399999618530273 theta: -1.8278023492 accumulated_s: 9.43649998184 } adc_trajectory_point { x: -126.763448495 y: 355.652292972 z: -31.3342609107 speed: 3.40833330154 acceleration_s: 0.381562232842 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5499999523162842 theta: -1.82787046192 accumulated_s: 9.47058331494 } adc_trajectory_point { x: -126.772282738 y: 355.619491568 z: -31.3345955834 speed: 3.41666674614 acceleration_s: 0.410086796217 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.559999942779541 theta: -1.82795142686 accumulated_s: 9.50474998234 } adc_trajectory_point { x: -126.781133488 y: 355.586678912 z: -31.3350851275 speed: 3.41666674614 acceleration_s: 0.35893928034 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5699999332427979 theta: -1.8280057622 accumulated_s: 9.53891664984 } adc_trajectory_point { x: -126.790019684 y: 355.553830693 z: -31.335596595 speed: 3.42222213745 acceleration_s: 0.331296594619 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5800001621246338 theta: -1.82807393538 accumulated_s: 9.57313887124 } adc_trajectory_point { x: -126.798896547 y: 355.520951207 z: -31.3360372046 speed: 3.42222213745 acceleration_s: 0.276233157637 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.5900001525878906 theta: -1.82808393272 accumulated_s: 9.60736109254 } adc_trajectory_point { x: -126.807794633 y: 355.48805057 z: -31.3366070502 speed: 3.43055558205 acceleration_s: 0.276233157637 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6000001430511475 theta: -1.82810108706 accumulated_s: 9.64166664844 } adc_trajectory_point { x: -126.816726871 y: 355.45512329 z: -31.3371098014 speed: 3.43055558205 acceleration_s: 0.32429213174 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6100001335144043 theta: -1.82814618418 accumulated_s: 9.67597220424 } adc_trajectory_point { x: -126.825647108 y: 355.422181404 z: -31.3377116378 speed: 3.43611121178 acceleration_s: 0.218353440849 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6200001239776611 theta: -1.82816388197 accumulated_s: 9.71033331634 } adc_trajectory_point { x: -126.834592031 y: 355.389185418 z: -31.3381782286 speed: 3.43611121178 acceleration_s: 0.378146566685 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.630000114440918 theta: -1.82820396907 accumulated_s: 9.74469442844 } adc_trajectory_point { x: -126.843524209 y: 355.356204879 z: -31.3388533639 speed: 3.44166660309 acceleration_s: 0.155025798903 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6400001049041748 theta: -1.82822069599 accumulated_s: 9.77911109444 } adc_trajectory_point { x: -126.843524209 y: 355.356204879 z: -31.3388533639 speed: 3.44166660309 acceleration_s: 0.155025798903 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6400001049041748 theta: -1.82822069599 accumulated_s: 9.81352776054 } adc_trajectory_point { x: -126.843524209 y: 355.356204879 z: -31.3388533639 speed: 3.45000004768 acceleration_s: 0.155025798903 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6400001049041748 theta: -1.82822069599 accumulated_s: 9.84802776094 } adc_trajectory_point { x: -126.870397211 y: 355.257037275 z: -31.3403574452 speed: 3.45000004768 acceleration_s: 0.254390886898 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6700000762939453 theta: -1.82831717659 accumulated_s: 9.88252776144 } adc_trajectory_point { x: -126.879311763 y: 355.22398288 z: -31.340970126 speed: 3.455555439 acceleration_s: 0.0126645717709 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.6800000667572021 theta: -1.82833517327 accumulated_s: 9.91708331584 } adc_trajectory_point { x: -126.888256094 y: 355.190846419 z: -31.3412571475 speed: 3.455555439 acceleration_s: 0.24582949855 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.690000057220459 theta: -1.8283773573 accumulated_s: 9.95163887024 } adc_trajectory_point { x: -126.888256094 y: 355.190846419 z: -31.3412571475 speed: 3.46111106873 acceleration_s: 0.24582949855 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.690000057220459 theta: -1.8283773573 accumulated_s: 9.98624998094 } adc_trajectory_point { x: -126.906090232 y: 355.124632865 z: -31.3422407927 speed: 3.46111106873 acceleration_s: 0.156962958221 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7100000381469727 theta: -1.82848761211 accumulated_s: 10.02086109164 } adc_trajectory_point { x: -126.914983567 y: 355.091498265 z: -31.3426592052 speed: 3.46666669846 acceleration_s: 0.156962958221 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7200000286102295 theta: -1.82849070383 accumulated_s: 10.05552775864 } adc_trajectory_point { x: -126.923887147 y: 355.058330606 z: -31.3429553006 speed: 3.46666669846 acceleration_s: 0.169272815993 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7300000190734863 theta: -1.82852467193 accumulated_s: 10.09019442554 } adc_trajectory_point { x: -126.932845484 y: 355.025188265 z: -31.3433769848 speed: 3.47222232819 acceleration_s: 0.128742064854 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7400000095367432 theta: -1.82861436689 accumulated_s: 10.12491664884 } adc_trajectory_point { x: -126.94178364 y: 354.992004229 z: -31.3436619332 speed: 3.47222232819 acceleration_s: 0.128742064854 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.75 theta: -1.82867596843 accumulated_s: 10.15963887214 } adc_trajectory_point { x: -126.950761742 y: 354.958826794 z: -31.3439055979 speed: 3.4777777195 acceleration_s: 0.135960393918 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7599999904632568 theta: -1.8287491962 accumulated_s: 10.19441664934 } adc_trajectory_point { x: -126.959732795 y: 354.925645279 z: -31.3440575274 speed: 3.4777777195 acceleration_s: 0.0921660935908 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7699999809265137 theta: -1.82878160535 accumulated_s: 10.22919442654 } adc_trajectory_point { x: -126.968845043 y: 354.892225725 z: -31.3443499766 speed: 3.4777777195 acceleration_s: 0.104852912322 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7799999713897705 theta: -1.82886115252 accumulated_s: 10.26397220374 } adc_trajectory_point { x: -126.977920106 y: 354.858845057 z: -31.3445986081 speed: 3.48611116409 acceleration_s: 0.0743572609513 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7899999618530273 theta: -1.82888331647 accumulated_s: 10.29883331534 } adc_trajectory_point { x: -126.987026937 y: 354.825460923 z: -31.3446845347 speed: 3.48611116409 acceleration_s: 0.0743572609513 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.7999999523162842 theta: -1.82893094731 accumulated_s: 10.33369442704 } adc_trajectory_point { x: -126.996118589 y: 354.792068672 z: -31.344827082 speed: 3.48888897896 acceleration_s: 0.070383169644 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.809999942779541 theta: -1.82893262628 accumulated_s: 10.36858331684 } adc_trajectory_point { x: -127.005245278 y: 354.7586637 z: -31.3449398251 speed: 3.48888897896 acceleration_s: 0.119709390437 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.8199999332427979 theta: -1.82897739732 accumulated_s: 10.40347220664 } adc_trajectory_point { x: -127.014377668 y: 354.72526672 z: -31.3451361712 speed: 3.49444437027 acceleration_s: 0.0751073695378 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.8300001621246338 theta: -1.82904601912 accumulated_s: 10.43841665034 } adc_trajectory_point { x: -127.023511394 y: 354.691835324 z: -31.3451459203 speed: 3.49444437027 acceleration_s: 0.140743091578 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.8400001525878906 theta: -1.82911105592 accumulated_s: 10.47336109404 } adc_trajectory_point { x: -127.032643564 y: 354.65840443 z: -31.3451923309 speed: 3.49722218513 acceleration_s: 0.129740223018 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.8500001430511475 theta: -1.82915697214 accumulated_s: 10.50833331584 } adc_trajectory_point { x: -127.041741357 y: 354.624959016 z: -31.345202636 speed: 3.49722218513 acceleration_s: 0.0698403466267 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.8600001335144043 theta: -1.82918546224 accumulated_s: 10.54330553774 } adc_trajectory_point { x: -127.050838768 y: 354.591507994 z: -31.3452956183 speed: 3.49722218513 acceleration_s: 0.102952163422 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.8700001239776611 theta: -1.8292184562 accumulated_s: 10.57827775954 } adc_trajectory_point { x: -127.059920682 y: 354.558039646 z: -31.3453835277 speed: 3.49722218513 acceleration_s: 0.125030207742 curvature: -0.00068894666783 curvature_change_rate: 0 relative_time: 3.880000114440918 theta: -1.82930011786 accumulated_s: 10.61324998144 } adc_trajectory_point { x: -127.069007327 y: 354.524558985 z: -31.3454027781 speed: 3.49722218513 acceleration_s: 0.100108782099 curvature: -0.000650671714967 curvature_change_rate: 0.00109443869554 relative_time: 3.8900001049041748 theta: -1.82935923457 accumulated_s: 10.64822220324 } adc_trajectory_point { x: -127.069007327 y: 354.524558985 z: -31.3454027781 speed: 3.49722218513 acceleration_s: 0.100108782099 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.8900001049041748 theta: -1.82935923457 accumulated_s: 10.68319442514 } adc_trajectory_point { x: -127.087131159 y: 354.457564805 z: -31.3453779882 speed: 3.49722218513 acceleration_s: 0.136465245228 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.9100000858306885 theta: -1.82945501367 accumulated_s: 10.71816664694 } adc_trajectory_point { x: -127.09618456 y: 354.424078302 z: -31.3453200571 speed: 3.49722218513 acceleration_s: -0.0660130467235 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.9200000762939453 theta: -1.82948641199 accumulated_s: 10.75313886884 } adc_trajectory_point { x: -127.105212885 y: 354.390589505 z: -31.3452071091 speed: 3.49722218513 acceleration_s: -0.0249797199174 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.9300000667572021 theta: -1.82951068129 accumulated_s: 10.78811109064 } adc_trajectory_point { x: -127.114306368 y: 354.357115855 z: -31.3451743815 speed: 3.49722218513 acceleration_s: -0.048503940321 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.940000057220459 theta: -1.82959902092 accumulated_s: 10.82308331254 } adc_trajectory_point { x: -127.114306368 y: 354.357115855 z: -31.3451743815 speed: 3.5 acceleration_s: -0.048503940321 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.940000057220459 theta: -1.82959902092 accumulated_s: 10.85808331254 } adc_trajectory_point { x: -127.132468752 y: 354.29014 z: -31.3449956318 speed: 3.5 acceleration_s: 0.00437034875301 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.9600000381469727 theta: -1.82967998586 accumulated_s: 10.89308331254 } adc_trajectory_point { x: -127.141546712 y: 354.256640033 z: -31.3447698774 speed: 3.5 acceleration_s: 0.0539961257544 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.9700000286102295 theta: -1.82967703275 accumulated_s: 10.92808331254 } adc_trajectory_point { x: -127.150674473 y: 354.223174755 z: -31.3446746515 speed: 3.5 acceleration_s: 0.0166207486735 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.9800000190734863 theta: -1.82973850988 accumulated_s: 10.96308331254 } adc_trajectory_point { x: -127.159820198 y: 354.189687125 z: -31.3445321759 speed: 3.50277781487 acceleration_s: 0.0610884625379 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 3.9900000095367432 theta: -1.82976633702 accumulated_s: 10.99811109064 } adc_trajectory_point { x: -127.168969071 y: 354.156205111 z: -31.3444438847 speed: 3.50277781487 acceleration_s: 0.0610884625379 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4 theta: -1.82977832509 accumulated_s: 11.03313886884 } adc_trajectory_point { x: -127.178129942 y: 354.122715923 z: -31.3441801267 speed: 3.50555562973 acceleration_s: 0.0171917654006 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0099999904632568 theta: -1.82979912619 accumulated_s: 11.06819442514 } adc_trajectory_point { x: -127.1872916 y: 354.08924327 z: -31.3440388041 speed: 3.50555562973 acceleration_s: -0.0246935139104 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0199999809265137 theta: -1.82983598313 accumulated_s: 11.10324998144 } adc_trajectory_point { x: -127.196444175 y: 354.055745947 z: -31.343894613 speed: 3.50555562973 acceleration_s: 0.029217316152 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0299999713897705 theta: -1.82984557377 accumulated_s: 11.13830553774 } adc_trajectory_point { x: -127.205629271 y: 354.022270959 z: -31.3438157281 speed: 3.50555562973 acceleration_s: 0.0632390704121 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0399999618530273 theta: -1.82992024271 accumulated_s: 11.17336109404 } adc_trajectory_point { x: -127.214820714 y: 353.988772922 z: -31.343679429 speed: 3.5083334446 acceleration_s: 0.0632390704121 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0499999523162842 theta: -1.82999209665 accumulated_s: 11.20844442844 } adc_trajectory_point { x: -127.223934396 y: 353.955248469 z: -31.3435372906 speed: 3.5083334446 acceleration_s: 0.080489073689 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.059999942779541 theta: -1.82998936836 accumulated_s: 11.24352776294 } adc_trajectory_point { x: -127.233079158 y: 353.921744536 z: -31.3434529463 speed: 3.51111102104 acceleration_s: -0.0491628331971 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0699999332427979 theta: -1.83003833333 accumulated_s: 11.27863887314 } adc_trajectory_point { x: -127.242215302 y: 353.888209575 z: -31.3433400812 speed: 3.51111102104 acceleration_s: 0.125815518791 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0800001621246338 theta: -1.83008827199 accumulated_s: 11.31374998334 } adc_trajectory_point { x: -127.25133237 y: 353.854701581 z: -31.343334713 speed: 3.51111102104 acceleration_s: -0.0753108616618 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0900001525878906 theta: -1.83012063751 accumulated_s: 11.34886109354 } adc_trajectory_point { x: -127.25133237 y: 353.854701581 z: -31.343334713 speed: 3.51111102104 acceleration_s: -0.0753108616618 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.0900001525878906 theta: -1.83012063751 accumulated_s: 11.38397220374 } adc_trajectory_point { x: -127.260465701 y: 353.821174366 z: -31.3431319427 speed: 3.51111102104 acceleration_s: 0.0284058578204 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.1000001430511475 theta: -1.83018895846 accumulated_s: 11.41908331394 } adc_trajectory_point { x: -127.278645517 y: 353.75417139 z: -31.3427735092 speed: 3.5083334446 acceleration_s: -0.143244759665 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.1200001239776611 theta: -1.83033064983 accumulated_s: 11.45416664844 } adc_trajectory_point { x: -127.287726602 y: 353.720680013 z: -31.3427321464 speed: 3.5083334446 acceleration_s: 0.0137720136515 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.130000114440918 theta: -1.83032837069 accumulated_s: 11.48924998284 } adc_trajectory_point { x: -127.296827498 y: 353.687184372 z: -31.342702006 speed: 3.51111102104 acceleration_s: -0.0666400244512 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.1400001049041748 theta: -1.83040303824 accumulated_s: 11.52436109304 } adc_trajectory_point { x: -127.305958054 y: 353.653664985 z: -31.3424840998 speed: 3.51111102104 acceleration_s: 0.154026797915 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.1500000953674316 theta: -1.83048015605 accumulated_s: 11.55947220324 } adc_trajectory_point { x: -127.315100194 y: 353.620166606 z: -31.34229057 speed: 3.51388883591 acceleration_s: -0.0498033602618 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.1600000858306885 theta: -1.83052274121 accumulated_s: 11.59461109164 } adc_trajectory_point { x: -127.324251173 y: 353.586648334 z: -31.3422872778 speed: 3.51388883591 acceleration_s: 0.162973212394 curvature: -0.000650671714967 curvature_change_rate: 0 relative_time: 4.1700000762939453 theta: -1.83056090677 accumulated_s: 11.62974997994 } adc_trajectory_point { x: -127.333418671 y: 353.553179486 z: -31.3423312837 speed: 3.51111102104 acceleration_s: -0.141101185711 curvature: -0.000612396831201 curvature_change_rate: 0.001090107477 relative_time: 4.1800000667572021 theta: -1.83058190642 accumulated_s: 11.66486109014 } adc_trajectory_point { x: -127.342681013 y: 353.519700849 z: -31.3420709325 speed: 3.51111102104 acceleration_s: -0.0517334296119 curvature: -0.000612396831201 curvature_change_rate: 0 relative_time: 4.190000057220459 theta: -1.83064560254 accumulated_s: 11.69997220044 } adc_trajectory_point { x: -127.342681013 y: 353.519700849 z: -31.3420709325 speed: 3.5083334446 acceleration_s: -0.0517334296119 curvature: -0.000612396831201 curvature_change_rate: 0 relative_time: 4.190000057220459 theta: -1.83064560254 accumulated_s: 11.73505553484 } adc_trajectory_point { x: -127.36116599 y: 353.452817985 z: -31.3417495564 speed: 3.5083334446 acceleration_s: -0.0942125079577 curvature: -0.000612396831201 curvature_change_rate: 0 relative_time: 4.2100000381469727 theta: -1.83073502772 accumulated_s: 11.77013886924 } adc_trajectory_point { x: -127.37042041 y: 353.419382693 z: -31.3417761633 speed: 3.50555562973 acceleration_s: -0.0336458274378 curvature: -0.000574121962009 curvature_change_rate: 0.00109183459727 relative_time: 4.2200000286102295 theta: -1.83074813734 accumulated_s: 11.80519442554 } adc_trajectory_point { x: -127.379685011 y: 353.385927859 z: -31.341597436 speed: 3.50555562973 acceleration_s: 0.0668762718841 curvature: -0.000574121962009 curvature_change_rate: 0 relative_time: 4.2300000190734863 theta: -1.8307699959 accumulated_s: 11.84024998184 } adc_trajectory_point { x: -127.38893948 y: 353.352510714 z: -31.3415910527 speed: 3.50555562973 acceleration_s: -0.0624050681945 curvature: -0.00053584710648 curvature_change_rate: 0.00109183420752 relative_time: 4.2400000095367432 theta: -1.83080014569 accumulated_s: 11.87530553814 } adc_trajectory_point { x: -127.38893948 y: 353.352510714 z: -31.3415910527 speed: 3.50555562973 acceleration_s: -0.0624050681945 curvature: -0.00053584710648 curvature_change_rate: 0 relative_time: 4.2400000095367432 theta: -1.83080014569 accumulated_s: 11.91036109444 } adc_trajectory_point { x: -127.407486713 y: 353.285614588 z: -31.3412877694 speed: 3.50555562973 acceleration_s: -0.0603550657043 curvature: -0.00053584710648 curvature_change_rate: 0 relative_time: 4.2599999904632568 theta: -1.83091574367 accumulated_s: 11.94541665074 } adc_trajectory_point { x: -127.41675961 y: 353.252149643 z: -31.3411435066 speed: 3.50277781487 acceleration_s: 0.0943058075574 curvature: -0.00053584710648 curvature_change_rate: 0 relative_time: 4.2699999809265137 theta: -1.83096402222 accumulated_s: 11.98044442894 } adc_trajectory_point { x: -127.425972495 y: 353.218729213 z: -31.3410838377 speed: 3.50277781487 acceleration_s: -0.140005243068 curvature: -0.00053584710648 curvature_change_rate: 0 relative_time: 4.2799999713897705 theta: -1.83097341345 accumulated_s: 12.01547220704 } adc_trajectory_point { x: -127.435203826 y: 353.185267974 z: -31.3408259097 speed: 3.50277781487 acceleration_s: -0.0260910511436 curvature: -0.000459297432768 curvature_change_rate: 0.00218539906777 relative_time: 4.2899999618530273 theta: -1.8310217043 accumulated_s: 12.05049998524 } adc_trajectory_point { x: -127.444435751 y: 353.151844245 z: -31.3408429427 speed: 3.50277781487 acceleration_s: -0.0616759587855 curvature: -0.000459297432768 curvature_change_rate: 0 relative_time: 4.2999999523162842 theta: -1.83107682585 accumulated_s: 12.08552776334 } adc_trajectory_point { x: -127.45365022 y: 353.118401612 z: -31.3407579828 speed: 3.5 acceleration_s: -0.0203062887987 curvature: -0.000382747802778 curvature_change_rate: 0.00218713228543 relative_time: 4.309999942779541 theta: -1.83113331783 accumulated_s: 12.12052776334 } adc_trajectory_point { x: -127.462881144 y: 353.084978017 z: -31.3406273052 speed: 3.5 acceleration_s: -0.0723565693088 curvature: -0.000382747802778 curvature_change_rate: 0 relative_time: 4.3199999332427979 theta: -1.83119552366 accumulated_s: 12.15552776334 } adc_trajectory_point { x: -127.462881144 y: 353.084978017 z: -31.3406273052 speed: 3.50277781487 acceleration_s: -0.0723565693088 curvature: -0.000267923397025 curvature_change_rate: 0.0032780956093 relative_time: 4.3199999332427979 theta: -1.83119552366 accumulated_s: 12.19055554154 } adc_trajectory_point { x: -127.481292053 y: 353.018133317 z: -31.3403774407 speed: 3.50277781487 acceleration_s: -0.128554803024 curvature: -0.000267923397025 curvature_change_rate: 0 relative_time: 4.3400001525878906 theta: -1.83126742553 accumulated_s: 12.22558331964 } adc_trajectory_point { x: -127.490530961 y: 352.984730905 z: -31.3403131105 speed: 3.5 acceleration_s: -0.128554803024 curvature: -0.00022964861801 curvature_change_rate: 0.00109356511473 relative_time: 4.3500001430511475 theta: -1.83133791977 accumulated_s: 12.26058331964 } adc_trajectory_point { x: -127.499761733 y: 352.951312686 z: -31.3401267733 speed: 3.5 acceleration_s: 0.00202995199734 curvature: -0.00022964861801 curvature_change_rate: 0 relative_time: 4.3600001335144043 theta: -1.83139367929 accumulated_s: 12.29558331964 } adc_trajectory_point { x: -127.509002213 y: 352.917914714 z: -31.340024651 speed: 3.5 acceleration_s: -0.0230681211466 curvature: -0.000153099062061 curvature_change_rate: 0.00218713016998 relative_time: 4.3700001239776611 theta: -1.83144360265 accumulated_s: 12.33058331964 } adc_trajectory_point { x: -127.518221677 y: 352.884498307 z: -31.339929861 speed: 3.5 acceleration_s: 0.064519298669 curvature: -0.000153099062061 curvature_change_rate: 0 relative_time: 4.380000114440918 theta: -1.83148658053 accumulated_s: 12.36558331964 } adc_trajectory_point { x: -127.527448428 y: 352.851115155 z: -31.3398054801 speed: 3.50277781487 acceleration_s: -0.103607147081 curvature: -7.65495273868e-05 curvature_change_rate: 0.0021853950984 relative_time: 4.3900001049041748 theta: -1.83153713873 accumulated_s: 12.40061109784 } adc_trajectory_point { x: -127.527448428 y: 352.851115155 z: -31.3398054801 speed: 3.50277781487 acceleration_s: -0.103607147081 curvature: -7.65495273868e-05 curvature_change_rate: 0 relative_time: 4.3900001049041748 theta: -1.83153713873 accumulated_s: 12.43563887594 } adc_trajectory_point { x: -127.545900064 y: 352.784346422 z: -31.33951113 speed: 3.50277781487 acceleration_s: -0.0562023025099 curvature: 0 curvature_change_rate: 0.00218539489036 relative_time: 4.4100000858306885 theta: -1.83166178602 accumulated_s: 12.47066665414 } adc_trajectory_point { x: -127.555063447 y: 352.750948452 z: -31.3394007226 speed: 3.50277781487 acceleration_s: -0.0452948144891 curvature: 0 curvature_change_rate: 0 relative_time: 4.4200000762939453 theta: -1.83164595044 accumulated_s: 12.50569443224 } adc_trajectory_point { x: -127.564226747 y: 352.717566443 z: -31.339252756 speed: 3.50277781487 acceleration_s: -0.10394213781 curvature: 3.8274763238e-05 curvature_change_rate: 0.00109269743218 relative_time: 4.4300000667572021 theta: -1.83168737663 accumulated_s: 12.54072221044 } adc_trajectory_point { x: -127.573422248 y: 352.684193594 z: -31.339159444 speed: 3.50277781487 acceleration_s: -0.0592971113935 curvature: 3.8274763238e-05 curvature_change_rate: 0 relative_time: 4.440000057220459 theta: -1.83173225633 accumulated_s: 12.57574998854 } adc_trajectory_point { x: -127.573422248 y: 352.684193594 z: -31.339159444 speed: 3.50555562973 acceleration_s: -0.0592971113935 curvature: 0.000114824296708 curvature_change_rate: 0.00218366334914 relative_time: 4.440000057220459 theta: -1.83173225633 accumulated_s: 12.61080554484 } adc_trajectory_point { x: -127.591775516 y: 352.617499289 z: -31.3388572838 speed: 3.50555562973 acceleration_s: -0.10332422624 curvature: 0.000114824296708 curvature_change_rate: 0 relative_time: 4.4600000381469727 theta: -1.8317986102 accumulated_s: 12.64586110114 } adc_trajectory_point { x: -127.600959198 y: 352.58413393 z: -31.3385668267 speed: 3.50277781487 acceleration_s: 0.036427094581 curvature: 0.000114824296708 curvature_change_rate: 0 relative_time: 4.4700000286102295 theta: -1.83184783483 accumulated_s: 12.68088887934 } adc_trajectory_point { x: -127.610081204 y: 352.550819193 z: -31.338401326 speed: 3.50277781487 acceleration_s: -0.220284014485 curvature: 0.000114824296708 curvature_change_rate: 0 relative_time: 4.4800000190734863 theta: -1.83184542029 accumulated_s: 12.71591665744 } adc_trajectory_point { x: -127.619241505 y: 352.517469776 z: -31.3382468 speed: 3.5 acceleration_s: 0.0616668466865 curvature: 0.000153099062061 curvature_change_rate: 0.00109356472436 relative_time: 4.4900000095367432 theta: -1.83188878236 accumulated_s: 12.75091665744 } adc_trajectory_point { x: -127.619241505 y: 352.517469776 z: -31.3382468 speed: 3.5 acceleration_s: 0.0616668466865 curvature: 0.000153099062061 curvature_change_rate: 0 relative_time: 4.4900000095367432 theta: -1.83188878236 accumulated_s: 12.78591665744 } adc_trajectory_point { x: -127.637512671 y: 352.450853478 z: -31.3376777451 speed: 3.49722218513 acceleration_s: -0.105173996676 curvature: 0.00022964861801 curvature_change_rate: 0.00218886738951 relative_time: 4.5099999904632568 theta: -1.83190611893 accumulated_s: 12.82088887934 } adc_trajectory_point { x: -127.646605363 y: 352.417550727 z: -31.3374220422 speed: 3.49722218513 acceleration_s: -0.138525113976 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 4.5199999809265137 theta: -1.83194340833 accumulated_s: 12.85586110114 } adc_trajectory_point { x: -127.655725274 y: 352.384269714 z: -31.3373159245 speed: 3.49722218513 acceleration_s: -0.0892186163574 curvature: 0.000267923397025 curvature_change_rate: 0.00109443372452 relative_time: 4.5299999713897705 theta: -1.83198817165 accumulated_s: 12.89083332304 } adc_trajectory_point { x: -127.664766556 y: 352.35097541 z: -31.3371274434 speed: 3.49722218513 acceleration_s: -0.110796774377 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 4.5399999618530273 theta: -1.83197210021 accumulated_s: 12.92580554484 } adc_trajectory_point { x: -127.673871586 y: 352.317713472 z: -31.3367670989 speed: 3.49444437027 acceleration_s: -0.110796774377 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 4.5499999523162842 theta: -1.83203277637 accumulated_s: 12.96074998854 } adc_trajectory_point { x: -127.682924838 y: 352.284454014 z: -31.3363768291 speed: 3.49444437027 acceleration_s: -0.164934767576 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 4.559999942779541 theta: -1.83203575236 accumulated_s: 12.99569443224 } adc_trajectory_point { x: -127.69197512 y: 352.251221667 z: -31.3362560766 speed: 3.49444437027 acceleration_s: -0.168375974979 curvature: 0.000344473001902 curvature_change_rate: 0.0021906087711 relative_time: 4.5699999332427979 theta: -1.83206012701 accumulated_s: 13.03063887594 } adc_trajectory_point { x: -127.701075862 y: 352.217973001 z: -31.3358970415 speed: 3.49444437027 acceleration_s: 0.00372759671715 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 4.5800001621246338 theta: -1.83212536817 accumulated_s: 13.06558331964 } adc_trajectory_point { x: -127.701075862 y: 352.217973001 z: -31.3358970415 speed: 3.49444437027 acceleration_s: 0.00372759671715 curvature: 0.000382747802778 curvature_change_rate: 0.00109530434086 relative_time: 4.5800001621246338 theta: -1.83212536817 accumulated_s: 13.10052776334 } adc_trajectory_point { x: -127.719167513 y: 352.151519105 z: -31.3352947813 speed: 3.49444437027 acceleration_s: -0.0288038778254 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 4.6000001430511475 theta: -1.83212690918 accumulated_s: 13.13547220704 } adc_trajectory_point { x: -127.728217748 y: 352.118314562 z: -31.3352246499 speed: 3.49444437027 acceleration_s: -0.11820502083 curvature: 0.000459297432768 curvature_change_rate: 0.00219060948978 relative_time: 4.6100001335144043 theta: -1.83216226657 accumulated_s: 13.17041665074 } adc_trajectory_point { x: -127.737284009 y: 352.085089415 z: -31.3348650029 speed: 3.49444437027 acceleration_s: -0.0531890101833 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 4.6200001239776611 theta: -1.83218983511 accumulated_s: 13.20536109444 } adc_trajectory_point { x: -127.746316119 y: 352.051884421 z: -31.3347293595 speed: 3.49444437027 acceleration_s: -0.0470023655957 curvature: 0.00053584710648 curvature_change_rate: 0.00219061074096 relative_time: 4.630000114440918 theta: -1.83219678742 accumulated_s: 13.24030553814 } adc_trajectory_point { x: -127.755379258 y: 352.018669332 z: -31.3345220741 speed: 3.49444437027 acceleration_s: -0.00745154333254 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 4.6400001049041748 theta: -1.83221628957 accumulated_s: 13.27524998184 } adc_trajectory_point { x: -127.764413044 y: 351.985459773 z: -31.3343663076 speed: 3.49444437027 acceleration_s: -0.0239191625422 curvature: 0.000574121962009 curvature_change_rate: 0.00109530590484 relative_time: 4.6500000953674316 theta: -1.83220767276 accumulated_s: 13.31019442554 } adc_trajectory_point { x: -127.773489504 y: 351.95224056 z: -31.3341953186 speed: 3.49444437027 acceleration_s: -0.00434879322893 curvature: 0.000574121962009 curvature_change_rate: 0 relative_time: 4.6600000858306885 theta: -1.83224257355 accumulated_s: 13.34513886924 } adc_trajectory_point { x: -127.782530946 y: 351.919025975 z: -31.3340980159 speed: 3.49722218513 acceleration_s: 0.0305157160983 curvature: 0.000612396831201 curvature_change_rate: 0.00109443630304 relative_time: 4.6700000762939453 theta: -1.8322637484 accumulated_s: 13.38011109114 } adc_trajectory_point { x: -127.791579028 y: 351.885819526 z: -31.3340129573 speed: 3.49722218513 acceleration_s: -0.0801850819625 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.6800000667572021 theta: -1.8322688425 accumulated_s: 13.41508331304 } adc_trajectory_point { x: -127.800627977 y: 351.852610815 z: -31.3338932684 speed: 3.49722218513 acceleration_s: -0.0318863733843 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.690000057220459 theta: -1.83229720076 accumulated_s: 13.45005553484 } adc_trajectory_point { x: -127.800627977 y: 351.852610815 z: -31.3338932684 speed: 3.49722218513 acceleration_s: -0.0318863733843 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.690000057220459 theta: -1.83229720076 accumulated_s: 13.48502775674 } adc_trajectory_point { x: -127.818702223 y: 351.786185824 z: -31.3336895285 speed: 3.49722218513 acceleration_s: 0.0986010473449 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.7100000381469727 theta: -1.83228232381 accumulated_s: 13.51999997854 } adc_trajectory_point { x: -127.827759872 y: 351.752971154 z: -31.3336588815 speed: 3.49722218513 acceleration_s: 0.0382934250362 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.7200000286102295 theta: -1.83229801983 accumulated_s: 13.55497220044 } adc_trajectory_point { x: -127.836847606 y: 351.719759317 z: -31.3336090865 speed: 3.49444437027 acceleration_s: 0.081440974817 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.7300000190734863 theta: -1.83234181352 accumulated_s: 13.58991664414 } adc_trajectory_point { x: -127.845952569 y: 351.686565803 z: -31.333643714 speed: 3.49444437027 acceleration_s: 0.0209780932665 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.7400000095367432 theta: -1.83239281915 accumulated_s: 13.62486108784 } adc_trajectory_point { x: -127.855011926 y: 351.653337572 z: -31.3334456477 speed: 3.4916665554 acceleration_s: 0.0209780932665 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.75 theta: -1.83232234836 accumulated_s: 13.65977775334 } adc_trajectory_point { x: -127.864136526 y: 351.620136288 z: -31.3333633449 speed: 3.4916665554 acceleration_s: 0.0100937873768 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.7599999904632568 theta: -1.83233665346 accumulated_s: 13.69469441894 } adc_trajectory_point { x: -127.873235968 y: 351.586976341 z: -31.3333423594 speed: 3.4916665554 acceleration_s: 0.0576327186021 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.7699999809265137 theta: -1.83235880506 accumulated_s: 13.72961108444 } adc_trajectory_point { x: -127.882284648 y: 351.553899762 z: -31.3333647577 speed: 3.4916665554 acceleration_s: 0.021545202312 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 4.7799999713897705 theta: -1.83235729889 accumulated_s: 13.76452775004 } adc_trajectory_point { x: -127.891345597 y: 351.520796852 z: -31.3332146611 speed: 3.4916665554 acceleration_s: 0.0539346592736 curvature: 0.000574121962009 curvature_change_rate: -0.00109617767289 relative_time: 4.7899999618530273 theta: -1.83232611012 accumulated_s: 13.79944441554 } adc_trajectory_point { x: -127.900472174 y: 351.487701684 z: -31.3330173064 speed: 3.4916665554 acceleration_s: 0.10874125944 curvature: 0.000574121962009 curvature_change_rate: 0 relative_time: 4.7999999523162842 theta: -1.83232937515 accumulated_s: 13.83436108114 } adc_trajectory_point { x: -127.909547697 y: 351.454601005 z: -31.3329471787 speed: 3.48888897896 acceleration_s: 0.0580133361244 curvature: 0.00053584710648 curvature_change_rate: -0.00109704997091 relative_time: 4.809999942779541 theta: -1.83227496228 accumulated_s: 13.86924997094 } adc_trajectory_point { x: -127.918651362 y: 351.421491066 z: -31.3328811266 speed: 3.48888897896 acceleration_s: 0.126041599598 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 4.8199999332427979 theta: -1.83228128078 accumulated_s: 13.90413886074 } adc_trajectory_point { x: -127.927735111 y: 351.3883593 z: -31.3327781893 speed: 3.48888897896 acceleration_s: 0.103582712995 curvature: 0.000497572263703 curvature_change_rate: -0.0010970496054 relative_time: 4.8300001621246338 theta: -1.83225309008 accumulated_s: 13.93902775054 } adc_trajectory_point { x: -127.936852555 y: 351.355237961 z: -31.3326249309 speed: 3.48888897896 acceleration_s: 0.0987043389986 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 4.8400001525878906 theta: -1.83225678098 accumulated_s: 13.97391664024 } adc_trajectory_point { x: -127.945946783 y: 351.322088963 z: -31.3325914145 speed: 3.4916665554 acceleration_s: 0.125243887153 curvature: 0.000459297432768 curvature_change_rate: -0.00109617657723 relative_time: 4.8500001430511475 theta: -1.83225725673 accumulated_s: 14.00883330584 } adc_trajectory_point { x: -127.955074316 y: 351.288940788 z: -31.3324934971 speed: 3.4916665554 acceleration_s: 0.121261153979 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 4.8600001335144043 theta: -1.83230175825 accumulated_s: 14.04374997144 } adc_trajectory_point { x: -127.964154214 y: 351.255774262 z: -31.3324116757 speed: 3.4916665554 acceleration_s: 0.0387133948109 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 4.8700001239776611 theta: -1.83227376243 accumulated_s: 14.07866663694 } adc_trajectory_point { x: -127.973293048 y: 351.222600333 z: -31.3323044209 speed: 3.4916665554 acceleration_s: 0.128501307565 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 4.880000114440918 theta: -1.83231098077 accumulated_s: 14.11358330254 } adc_trajectory_point { x: -127.982415681 y: 351.189416085 z: -31.332248074 speed: 3.48888897896 acceleration_s: 0.130341510986 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 4.8900001049041748 theta: -1.83234969531 accumulated_s: 14.14847219234 } adc_trajectory_point { x: -127.982415681 y: 351.189416085 z: -31.332248074 speed: 3.48888897896 acceleration_s: 0.130341510986 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 4.8900001049041748 theta: -1.83234969531 accumulated_s: 14.18336108204 } adc_trajectory_point { x: -128.000654248 y: 351.122957373 z: -31.3320949441 speed: 3.4916665554 acceleration_s: 0.2155785191 curvature: 0.000421022612763 curvature_change_rate: -0.00109617626418 relative_time: 4.9100000858306885 theta: -1.83237155489 accumulated_s: 14.21827774764 } adc_trajectory_point { x: -128.009766732 y: 351.089731207 z: -31.3320094375 speed: 3.4916665554 acceleration_s: 0.100030454833 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.9200000762939453 theta: -1.83240200657 accumulated_s: 14.25319441314 } adc_trajectory_point { x: -128.018885109 y: 351.056451235 z: -31.3319301745 speed: 3.49444437027 acceleration_s: 0.143884005672 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.9300000667572021 theta: -1.83243906988 accumulated_s: 14.28813885694 } adc_trajectory_point { x: -128.028005427 y: 351.023190788 z: -31.3318837518 speed: 3.49444437027 acceleration_s: 0.0935759258599 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.940000057220459 theta: -1.8324763839 accumulated_s: 14.32308330064 } adc_trajectory_point { x: -128.028005427 y: 351.023190788 z: -31.3318837518 speed: 3.49722218513 acceleration_s: 0.0935759258599 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.940000057220459 theta: -1.8324763839 accumulated_s: 14.35805552244 } adc_trajectory_point { x: -128.046248474 y: 350.956570532 z: -31.3317727968 speed: 3.49722218513 acceleration_s: 0.267789469281 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.9600000381469727 theta: -1.83252221827 accumulated_s: 14.39302774434 } adc_trajectory_point { x: -128.0553701 y: 350.923208525 z: -31.3316713916 speed: 3.5 acceleration_s: 0.300834012677 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.9700000286102295 theta: -1.83251562589 accumulated_s: 14.42802774434 } adc_trajectory_point { x: -128.064498592 y: 350.889851981 z: -31.3316573771 speed: 3.5 acceleration_s: 0.300834012677 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.9800000190734863 theta: -1.83254537574 accumulated_s: 14.46302774434 } adc_trajectory_point { x: -128.073636577 y: 350.856438601 z: -31.3316250695 speed: 3.50277781487 acceleration_s: 0.314520331335 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 4.9900000095367432 theta: -1.8325462399 accumulated_s: 14.49805552244 } adc_trajectory_point { x: -128.082787373 y: 350.823041185 z: -31.3316455074 speed: 3.50277781487 acceleration_s: 0.191534841341 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5 theta: -1.83257440941 accumulated_s: 14.53308330064 } adc_trajectory_point { x: -128.091951244 y: 350.789584174 z: -31.3315293901 speed: 3.5083334446 acceleration_s: 0.278952635039 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0099999904632568 theta: -1.8325975532 accumulated_s: 14.56816663504 } adc_trajectory_point { x: -128.101075177 y: 350.756130082 z: -31.3315945743 speed: 3.5083334446 acceleration_s: 0.191646118787 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0199999809265137 theta: -1.83257251866 accumulated_s: 14.60324996944 } adc_trajectory_point { x: -128.110279538 y: 350.722644539 z: -31.3315375568 speed: 3.51388883591 acceleration_s: 0.24373886012 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0299999713897705 theta: -1.8326153807 accumulated_s: 14.638388857839999 } adc_trajectory_point { x: -128.119464702 y: 350.689158674 z: -31.3316792473 speed: 3.51388883591 acceleration_s: 0.24373886012 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0399999618530273 theta: -1.83261570322 accumulated_s: 14.673527746240001 } adc_trajectory_point { x: -128.128655979 y: 350.655615012 z: -31.3316125404 speed: 3.51944446564 acceleration_s: 0.282552998313 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0499999523162842 theta: -1.83260241097 accumulated_s: 14.70872219084 } adc_trajectory_point { x: -128.137851861 y: 350.622082697 z: -31.3317606011 speed: 3.51944446564 acceleration_s: 0.197898992004 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.059999942779541 theta: -1.83258402011 accumulated_s: 14.74391663554 } adc_trajectory_point { x: -128.147065919 y: 350.588508171 z: -31.3316363096 speed: 3.5222222805 acceleration_s: 0.272153550929 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0699999332427979 theta: -1.83255494728 accumulated_s: 14.779138858340001 } adc_trajectory_point { x: -128.156294813 y: 350.554938211 z: -31.3317528339 speed: 3.5222222805 acceleration_s: 0.110982785082 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0800001621246338 theta: -1.83258109914 accumulated_s: 14.81436108114 } adc_trajectory_point { x: -128.165535716 y: 350.521308584 z: -31.331666356 speed: 3.52500009537 acceleration_s: 0.297725012227 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.0900001525878906 theta: -1.83256878867 accumulated_s: 14.84961108204 } adc_trajectory_point { x: -128.174725033 y: 350.487702558 z: -31.3318907274 speed: 3.52500009537 acceleration_s: 0.297725012227 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1000001430511475 theta: -1.8325495662 accumulated_s: 14.88486108304 } adc_trajectory_point { x: -128.183981673 y: 350.454038662 z: -31.3317321083 speed: 3.52777767181 acceleration_s: 0.252304635167 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1100001335144043 theta: -1.83253365994 accumulated_s: 14.92013885974 } adc_trajectory_point { x: -128.193227797 y: 350.420404838 z: -31.3318322925 speed: 3.52777767181 acceleration_s: 0.0967302183985 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1200001239776611 theta: -1.83252496302 accumulated_s: 14.955416636439999 } adc_trajectory_point { x: -128.202487239 y: 350.386699526 z: -31.3316989904 speed: 3.53333330154 acceleration_s: 0.277927346566 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.130000114440918 theta: -1.83248562268 accumulated_s: 14.99074996944 } adc_trajectory_point { x: -128.211753702 y: 350.35303416 z: -31.3317653527 speed: 3.53333330154 acceleration_s: 0.0591837094689 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1400001049041748 theta: -1.8324770861 accumulated_s: 15.026083302539998 } adc_trajectory_point { x: -128.221040402 y: 350.319296927 z: -31.3315984681 speed: 3.53888893127 acceleration_s: 0.0591837094689 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1500000953674316 theta: -1.83244599081 accumulated_s: 15.06147219184 } adc_trajectory_point { x: -128.230326119 y: 350.285590336 z: -31.3316497104 speed: 3.53888893127 acceleration_s: 0.116584209373 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1600000858306885 theta: -1.83244779888 accumulated_s: 15.096861081139998 } adc_trajectory_point { x: -128.239626669 y: 350.251828692 z: -31.3315357789 speed: 3.544444561 acceleration_s: 0.278030473616 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1700000762939453 theta: -1.83241519981 accumulated_s: 15.132305526740002 } adc_trajectory_point { x: -128.248921672 y: 350.218048481 z: -31.3314207131 speed: 3.544444561 acceleration_s: 0.251109438944 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.1800000667572021 theta: -1.83239257782 accumulated_s: 15.167749972340001 } adc_trajectory_point { x: -128.258228341 y: 350.184290043 z: -31.3312912183 speed: 3.55277776718 acceleration_s: 0.0693685625957 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.190000057220459 theta: -1.83240719298 accumulated_s: 15.203277750040002 } adc_trajectory_point { x: -128.258228341 y: 350.184290043 z: -31.3312912183 speed: 3.55277776718 acceleration_s: 0.0693685625957 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.190000057220459 theta: -1.83240719298 accumulated_s: 15.23880552764 } adc_trajectory_point { x: -128.276844285 y: 350.116681007 z: -31.3311293265 speed: 3.55833339691 acceleration_s: 0.171843816258 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2100000381469727 theta: -1.83241144526 accumulated_s: 15.274388861639999 } adc_trajectory_point { x: -128.286184325 y: 350.082838437 z: -31.3308680477 speed: 3.55833339691 acceleration_s: 0.252683910327 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2200000286102295 theta: -1.83242163866 accumulated_s: 15.30997219564 } adc_trajectory_point { x: -128.295507588 y: 350.048981868 z: -31.3308513397 speed: 3.56388878822 acceleration_s: 0.226768789061 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2300000190734863 theta: -1.83243355955 accumulated_s: 15.34561108354 } adc_trajectory_point { x: -128.304856069 y: 350.01507061 z: -31.3306626277 speed: 3.56388878822 acceleration_s: 0.358421376831 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2400000095367432 theta: -1.83246714706 accumulated_s: 15.381249971439999 } adc_trajectory_point { x: -128.314177374 y: 349.981168523 z: -31.3305751467 speed: 3.56666660309 acceleration_s: 0.130028481229 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.25 theta: -1.83248746453 accumulated_s: 15.41691663744 } adc_trajectory_point { x: -128.323523061 y: 349.947221703 z: -31.3304684926 speed: 3.56666660309 acceleration_s: 0.270673775212 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2599999904632568 theta: -1.83250387909 accumulated_s: 15.45258330344 } adc_trajectory_point { x: -128.332869921 y: 349.913273211 z: -31.3304520212 speed: 3.57222223282 acceleration_s: 0.223202365437 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2699999809265137 theta: -1.83253571663 accumulated_s: 15.48830552574 } adc_trajectory_point { x: -128.342196025 y: 349.879284826 z: -31.3302414361 speed: 3.57222223282 acceleration_s: 0.203264498641 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2799999713897705 theta: -1.83251360385 accumulated_s: 15.52402774814 } adc_trajectory_point { x: -128.35158589 y: 349.845269713 z: -31.3300502952 speed: 3.57777786255 acceleration_s: 0.290100372709 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2899999618530273 theta: -1.83255322038 accumulated_s: 15.55980552674 } adc_trajectory_point { x: -128.36088326 y: 349.811245014 z: -31.3299333937 speed: 3.57777786255 acceleration_s: 0.290100372709 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.2999999523162842 theta: -1.83250645039 accumulated_s: 15.59558330534 } adc_trajectory_point { x: -128.370264566 y: 349.777203763 z: -31.3298768196 speed: 3.57777786255 acceleration_s: 0.270945996076 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.309999942779541 theta: -1.83260130435 accumulated_s: 15.63136108394 } adc_trajectory_point { x: -128.379618839 y: 349.743159154 z: -31.3297989694 speed: 3.57777786255 acceleration_s: 0.135216470502 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3199999332427979 theta: -1.83264110082 accumulated_s: 15.667138862640002 } adc_trajectory_point { x: -128.38898418 y: 349.709078116 z: -31.3294439595 speed: 3.58333325386 acceleration_s: 0.158682610034 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3300001621246338 theta: -1.83265476587 accumulated_s: 15.70297219514 } adc_trajectory_point { x: -128.398356682 y: 349.674983551 z: -31.3292951919 speed: 3.58333325386 acceleration_s: 0.247491454149 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3400001525878906 theta: -1.83267354789 accumulated_s: 15.73880552764 } adc_trajectory_point { x: -128.407741547 y: 349.64085883 z: -31.3290389087 speed: 3.58888888359 acceleration_s: 0.257360962182 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3500001430511475 theta: -1.83269688785 accumulated_s: 15.774694416540001 } adc_trajectory_point { x: -128.417126691 y: 349.606716634 z: -31.3288660683 speed: 3.58888888359 acceleration_s: 0.252492361769 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3600001335144043 theta: -1.83273828427 accumulated_s: 15.81058330534 } adc_trajectory_point { x: -128.426512813 y: 349.572536216 z: -31.328538863 speed: 3.59166669846 acceleration_s: 0.270461365569 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3700001239776611 theta: -1.83272536053 accumulated_s: 15.846499972339998 } adc_trajectory_point { x: -128.435929135 y: 349.538388079 z: -31.3283021813 speed: 3.59166669846 acceleration_s: 0.0745257854394 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.380000114440918 theta: -1.83276970424 accumulated_s: 15.88241663934 } adc_trajectory_point { x: -128.445327148 y: 349.504209446 z: -31.3279309906 speed: 3.59166669846 acceleration_s: 0.14209022716 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3900001049041748 theta: -1.83277794851 accumulated_s: 15.91833330634 } adc_trajectory_point { x: -128.445327148 y: 349.504209446 z: -31.3279309906 speed: 3.59166669846 acceleration_s: 0.14209022716 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.3900001049041748 theta: -1.83277794851 accumulated_s: 15.954249973340001 } adc_trajectory_point { x: -128.464161002 y: 349.435832216 z: -31.3273048056 speed: 3.59166669846 acceleration_s: 0.182318692509 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.4100000858306885 theta: -1.83284020618 accumulated_s: 15.990166640239998 } adc_trajectory_point { x: -128.473580038 y: 349.401608023 z: -31.3269274253 speed: 3.59166669846 acceleration_s: 0.186614034787 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.4200000762939453 theta: -1.83285290131 accumulated_s: 16.02608330724 } adc_trajectory_point { x: -128.483028135 y: 349.367368334 z: -31.3265979541 speed: 3.59166669846 acceleration_s: 0.256491736264 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.4300000667572021 theta: -1.83288330014 accumulated_s: 16.06199997424 } adc_trajectory_point { x: -128.492464849 y: 349.33311293 z: -31.3262703242 speed: 3.59166669846 acceleration_s: 0.193695838626 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.440000057220459 theta: -1.8328975954 accumulated_s: 16.09791664124 } adc_trajectory_point { x: -128.492464849 y: 349.33311293 z: -31.3262703242 speed: 3.59444451332 acceleration_s: 0.193695838626 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.440000057220459 theta: -1.8328975954 accumulated_s: 16.13386108634 } adc_trajectory_point { x: -128.50190389 y: 349.298837083 z: -31.3259477625 speed: 3.59444451332 acceleration_s: 0.155372344536 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.4500000476837158 theta: -1.832898318 accumulated_s: 16.16980553154 } adc_trajectory_point { x: -128.520810944 y: 349.230235123 z: -31.3252398837 speed: 3.59444451332 acceleration_s: 0.112043222129 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.4700000286102295 theta: -1.83294695796 accumulated_s: 16.20574997664 } adc_trajectory_point { x: -128.530256259 y: 349.195893834 z: -31.3248800915 speed: 3.59444451332 acceleration_s: 0.222878830587 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.4800000190734863 theta: -1.83292248995 accumulated_s: 16.24169442174 } adc_trajectory_point { x: -128.539725901 y: 349.161573111 z: -31.3246459132 speed: 3.59722232819 acceleration_s: 0.120873011999 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.4900000095367432 theta: -1.83298261698 accumulated_s: 16.27766664504 } adc_trajectory_point { x: -128.549184134 y: 349.12720088 z: -31.3242900204 speed: 3.59722232819 acceleration_s: 0.120873011999 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.5 theta: -1.83300233614 accumulated_s: 16.31363886834 } adc_trajectory_point { x: -128.558619875 y: 349.092842303 z: -31.3240769766 speed: 3.59999990463 acceleration_s: 0.0899515923125 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.5099999904632568 theta: -1.83300530132 accumulated_s: 16.34963886734 } adc_trajectory_point { x: -128.568065056 y: 349.05845142 z: -31.3237765981 speed: 3.59999990463 acceleration_s: 0.133486449623 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 5.5199999809265137 theta: -1.83300882946 accumulated_s: 16.38563886644 } adc_trajectory_point { x: -128.57752828 y: 349.024049204 z: -31.3234935207 speed: 3.60555553436 acceleration_s: 0.133486449623 curvature: 0.000382747802778 curvature_change_rate: -0.00106155097655 relative_time: 5.5299999713897705 theta: -1.83304047453 accumulated_s: 16.42169442174 } adc_trajectory_point { x: -128.586962949 y: 348.989640534 z: -31.3232645057 speed: 3.60555553436 acceleration_s: 0.161516872723 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 5.5399999618530273 theta: -1.8330598369 accumulated_s: 16.45774997714 } adc_trajectory_point { x: -128.586962949 y: 348.989640534 z: -31.3232645057 speed: 3.60833334923 acceleration_s: 0.161516872723 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 5.5399999618530273 theta: -1.8330598369 accumulated_s: 16.49383331064 } adc_trajectory_point { x: -128.60579751 y: 348.920744031 z: -31.3229042711 speed: 3.60833334923 acceleration_s: 0.0788558856532 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 5.559999942779541 theta: -1.83306868542 accumulated_s: 16.52991664414 } adc_trajectory_point { x: -128.615225254 y: 348.886270789 z: -31.322625909 speed: 3.61111116409 acceleration_s: 0.140590028968 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 5.5699999332427979 theta: -1.83309581878 accumulated_s: 16.56602775574 } adc_trajectory_point { x: -128.624648865 y: 348.851799461 z: -31.3225083668 speed: 3.61111116409 acceleration_s: 0.108884639798 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 5.5800001621246338 theta: -1.83316790317 accumulated_s: 16.60213886734 } adc_trajectory_point { x: -128.63400663 y: 348.817254923 z: -31.3223352255 speed: 3.61388897896 acceleration_s: 0.267570724127 curvature: 0.000344473001902 curvature_change_rate: -0.00105910284182 relative_time: 5.5900001525878906 theta: -1.833142604 accumulated_s: 16.63827775714 } adc_trajectory_point { x: -128.643438154 y: 348.782758455 z: -31.3224043744 speed: 3.61388897896 acceleration_s: 0.267570724127 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 5.6000001430511475 theta: -1.83321108238 accumulated_s: 16.67441664694 } adc_trajectory_point { x: -128.652846624 y: 348.748181911 z: -31.3223548932 speed: 3.61944437027 acceleration_s: 0.244506235761 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 5.6100001335144043 theta: -1.83324851316 accumulated_s: 16.71061109064 } adc_trajectory_point { x: -128.662263863 y: 348.713605837 z: -31.3224831503 speed: 3.61944437027 acceleration_s: 0.268928460073 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 5.6200001239776611 theta: -1.83326296881 accumulated_s: 16.74680553434 } adc_trajectory_point { x: -128.671698662 y: 348.679020583 z: -31.3223722065 speed: 3.62222218513 acceleration_s: 0.0920260062903 curvature: 0.000306198182417 curvature_change_rate: -0.0010566668064 relative_time: 5.630000114440918 theta: -1.83326929087 accumulated_s: 16.78302775624 } adc_trajectory_point { x: -128.681123508 y: 348.64439284 z: -31.3223687503 speed: 3.62222218513 acceleration_s: 0.181258060653 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.6400001049041748 theta: -1.83324653406 accumulated_s: 16.81924997804 } adc_trajectory_point { x: -128.690588488 y: 348.609798131 z: -31.3223931799 speed: 3.625 acceleration_s: 0.0756049361894 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.6500000953674316 theta: -1.83326931385 accumulated_s: 16.85549997804 } adc_trajectory_point { x: -128.700010708 y: 348.575180874 z: -31.3224781249 speed: 3.625 acceleration_s: 0.0695705007903 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.6600000858306885 theta: -1.83324714793 accumulated_s: 16.89174997804 } adc_trajectory_point { x: -128.709466647 y: 348.540562228 z: -31.322558241 speed: 3.62777781487 acceleration_s: 0.12094733008 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.6700000762939453 theta: -1.83324677267 accumulated_s: 16.92802775624 } adc_trajectory_point { x: -128.718943556 y: 348.50592714 z: -31.3225481119 speed: 3.62777781487 acceleration_s: 0.0852303491131 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.6800000667572021 theta: -1.83327378221 accumulated_s: 16.96430553434 } adc_trajectory_point { x: -128.728403355 y: 348.471275138 z: -31.3226837125 speed: 3.6333334446 acceleration_s: 0.174760376493 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.690000057220459 theta: -1.83325703247 accumulated_s: 17.00063886884 } adc_trajectory_point { x: -128.728403355 y: 348.471275138 z: -31.3226837125 speed: 3.6333334446 acceleration_s: 0.174760376493 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.690000057220459 theta: -1.83325703247 accumulated_s: 17.03697220324 } adc_trajectory_point { x: -128.747422586 y: 348.40193836 z: -31.3225899553 speed: 3.63611102104 acceleration_s: 0.152009968214 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7100000381469727 theta: -1.83330329738 accumulated_s: 17.07333331344 } adc_trajectory_point { x: -128.756907795 y: 348.367262238 z: -31.3225059584 speed: 3.63611102104 acceleration_s: 0.064294085383 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7200000286102295 theta: -1.83330186521 accumulated_s: 17.10969442364 } adc_trajectory_point { x: -128.766423463 y: 348.332610435 z: -31.3225499941 speed: 3.63888883591 acceleration_s: -0.00213218683621 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7300000190734863 theta: -1.83335389482 accumulated_s: 17.14608331204 } adc_trajectory_point { x: -128.775925212 y: 348.297941251 z: -31.3223879905 speed: 3.63888883591 acceleration_s: -0.0206811253025 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7400000095367432 theta: -1.83337620271 accumulated_s: 17.18247220044 } adc_trajectory_point { x: -128.775925212 y: 348.297941251 z: -31.3223879905 speed: 3.64444446564 acceleration_s: -0.0206811253025 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7400000095367432 theta: -1.83337620271 accumulated_s: 17.21891664504 } adc_trajectory_point { x: -128.794884444 y: 348.228594425 z: -31.3221440855 speed: 3.64444446564 acceleration_s: 0.0664189717464 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7599999904632568 theta: -1.83340947483 accumulated_s: 17.25536108974 } adc_trajectory_point { x: -128.80435476 y: 348.193421867 z: -31.3222793574 speed: 3.6472222805 acceleration_s: -0.010451624836 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7699999809265137 theta: -1.8333847907 accumulated_s: 17.29183331254 } adc_trajectory_point { x: -128.813877908 y: 348.158109563 z: -31.3220262099 speed: 3.6472222805 acceleration_s: 0.116941144297 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7799999713897705 theta: -1.83340538993 accumulated_s: 17.32830553534 } adc_trajectory_point { x: -128.823362703 y: 348.122826438 z: -31.3219631752 speed: 3.65000009537 acceleration_s: -0.0559222445909 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7899999618530273 theta: -1.83342351629 accumulated_s: 17.36480553624 } adc_trajectory_point { x: -128.832914021 y: 348.087507412 z: -31.3216921715 speed: 3.65000009537 acceleration_s: -0.0559222445909 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.7999999523162842 theta: -1.83350584857 accumulated_s: 17.40130553724 } adc_trajectory_point { x: -128.842405713 y: 348.052218361 z: -31.3216255363 speed: 3.65555548668 acceleration_s: -0.0521618486926 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.809999942779541 theta: -1.83355365372 accumulated_s: 17.43786109214 } adc_trajectory_point { x: -128.851915135 y: 348.016897349 z: -31.3213174194 speed: 3.65555548668 acceleration_s: 0.0526837508852 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8199999332427979 theta: -1.83360922393 accumulated_s: 17.47441664694 } adc_trajectory_point { x: -128.861414637 y: 347.981596382 z: -31.3211349919 speed: 3.65833330154 acceleration_s: -0.0406594875565 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8300001621246338 theta: -1.8336526204 accumulated_s: 17.51099997994 } adc_trajectory_point { x: -128.870914301 y: 347.946283142 z: -31.320840802 speed: 3.65833330154 acceleration_s: 0.0116797323649 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8400001525878906 theta: -1.83369876334 accumulated_s: 17.54758331304 } adc_trajectory_point { x: -128.880418295 y: 347.910989636 z: -31.3206666745 speed: 3.65833330154 acceleration_s: -0.0861593151846 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8500001430511475 theta: -1.83373288708 accumulated_s: 17.58416664604 } adc_trajectory_point { x: -128.889907116 y: 347.875693631 z: -31.3203567239 speed: 3.65833330154 acceleration_s: -0.00489268748598 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8600001335144043 theta: -1.83375240354 accumulated_s: 17.62074997904 } adc_trajectory_point { x: -128.899410634 y: 347.840401963 z: -31.320089044 speed: 3.66111111641 acceleration_s: -0.0935783389757 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8700001239776611 theta: -1.83378538875 accumulated_s: 17.65736109014 } adc_trajectory_point { x: -128.908926725 y: 347.805111515 z: -31.3197257882 speed: 3.66111111641 acceleration_s: -0.00380495882305 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.880000114440918 theta: -1.8338147345 accumulated_s: 17.69397220134 } adc_trajectory_point { x: -128.918434719 y: 347.769833174 z: -31.3194898563 speed: 3.65833330154 acceleration_s: -0.024698227929 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8900001049041748 theta: -1.83381612764 accumulated_s: 17.73055553434 } adc_trajectory_point { x: -128.918434719 y: 347.769833174 z: -31.3194898563 speed: 3.65833330154 acceleration_s: -0.024698227929 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.8900001049041748 theta: -1.83381612764 accumulated_s: 17.76713886734 } adc_trajectory_point { x: -128.937535935 y: 347.699291058 z: -31.3188980063 speed: 3.65555548668 acceleration_s: 0.0180014027825 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.9100000858306885 theta: -1.83388981528 accumulated_s: 17.80369442224 } adc_trajectory_point { x: -128.947072595 y: 347.664025092 z: -31.3186933706 speed: 3.65555548668 acceleration_s: -0.03026701293 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.9200000762939453 theta: -1.83388177205 accumulated_s: 17.84024997714 } adc_trajectory_point { x: -128.956668694 y: 347.628740485 z: -31.3183895247 speed: 3.65555548668 acceleration_s: 0.10998179492 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.9300000667572021 theta: -1.83392784622 accumulated_s: 17.87680553194 } adc_trajectory_point { x: -128.966223331 y: 347.593491841 z: -31.3182755476 speed: 3.65555548668 acceleration_s: -0.0843506970322 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.940000057220459 theta: -1.83391813803 accumulated_s: 17.91336108684 } adc_trajectory_point { x: -128.966223331 y: 347.593491841 z: -31.3182755476 speed: 3.65555548668 acceleration_s: -0.0843506970322 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.940000057220459 theta: -1.83391813803 accumulated_s: 17.94991664174 } adc_trajectory_point { x: -128.985374137 y: 347.522983376 z: -31.3178532086 speed: 3.65555548668 acceleration_s: -0.166950694257 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.9600000381469727 theta: -1.83398346852 accumulated_s: 17.98647219654 } adc_trajectory_point { x: -128.994965177 y: 347.487720583 z: -31.3176200092 speed: 3.65555548668 acceleration_s: -0.0204511831544 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.9700000286102295 theta: -1.83403976228 accumulated_s: 18.02302775144 } adc_trajectory_point { x: -129.004474712 y: 347.452464119 z: -31.3176097563 speed: 3.65555548668 acceleration_s: -0.0320633572315 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.9800000190734863 theta: -1.83403677768 accumulated_s: 18.05958330634 } adc_trajectory_point { x: -129.013974239 y: 347.41719439 z: -31.3173825247 speed: 3.65555548668 acceleration_s: -0.0599299942827 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 5.9900000095367432 theta: -1.83402678259 accumulated_s: 18.09613886114 } adc_trajectory_point { x: -129.023503848 y: 347.381925744 z: -31.3173442446 speed: 3.65555548668 acceleration_s: 0.046905108494 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6 theta: -1.83408365707 accumulated_s: 18.13269441604 } adc_trajectory_point { x: -129.032967857 y: 347.346680499 z: -31.3172769025 speed: 3.65277767181 acceleration_s: -0.0940034228063 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0099999904632568 theta: -1.83411593178 accumulated_s: 18.16922219274 } adc_trajectory_point { x: -129.042459873 y: 347.311387587 z: -31.3172792448 speed: 3.65277767181 acceleration_s: -0.00645543837631 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0199999809265137 theta: -1.83414534893 accumulated_s: 18.20574996944 } adc_trajectory_point { x: -129.051890313 y: 347.276123018 z: -31.3172597084 speed: 3.65277767181 acceleration_s: -0.116689519955 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0299999713897705 theta: -1.83415775234 accumulated_s: 18.24227774624 } adc_trajectory_point { x: -129.061341013 y: 347.240850585 z: -31.317135131 speed: 3.65277767181 acceleration_s: -0.0758492513875 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0399999618530273 theta: -1.83417909744 accumulated_s: 18.27880552294 } adc_trajectory_point { x: -129.070799785 y: 347.20560676 z: -31.3171576904 speed: 3.65277767181 acceleration_s: -0.0758492513875 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0499999523162842 theta: -1.83422177769 accumulated_s: 18.31533329964 } adc_trajectory_point { x: -129.080239181 y: 347.170351132 z: -31.3171366313 speed: 3.65277767181 acceleration_s: -0.0493748088374 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.059999942779541 theta: -1.83423459994 accumulated_s: 18.35186107634 } adc_trajectory_point { x: -129.089707704 y: 347.135114686 z: -31.3172168136 speed: 3.65277767181 acceleration_s: -0.0393327362459 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0699999332427979 theta: -1.83426627105 accumulated_s: 18.38838885304 } adc_trajectory_point { x: -129.099169334 y: 347.099885947 z: -31.3171445988 speed: 3.65277767181 acceleration_s: -0.111501511766 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0800001621246338 theta: -1.83428312571 accumulated_s: 18.42491662984 } adc_trajectory_point { x: -129.099169334 y: 347.099885947 z: -31.3171445988 speed: 3.65555548668 acceleration_s: -0.111501511766 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.0800001621246338 theta: -1.83428312571 accumulated_s: 18.46147218464 } adc_trajectory_point { x: -129.118160491 y: 347.029486236 z: -31.3170640124 speed: 3.65555548668 acceleration_s: -0.121724568634 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1000001430511475 theta: -1.83429098538 accumulated_s: 18.49802773954 } adc_trajectory_point { x: -129.127653655 y: 346.994317179 z: -31.3171625827 speed: 3.65555548668 acceleration_s: -0.0777160575482 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1100001335144043 theta: -1.8342636569 accumulated_s: 18.53458329444 } adc_trajectory_point { x: -129.137223893 y: 346.959146591 z: -31.3170938743 speed: 3.65555548668 acceleration_s: -0.0415945226229 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1200001239776611 theta: -1.83429679067 accumulated_s: 18.57113884924 } adc_trajectory_point { x: -129.146768627 y: 346.923996494 z: -31.3171985019 speed: 3.65833330154 acceleration_s: -0.067983565307 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.130000114440918 theta: -1.83428711919 accumulated_s: 18.60772218224 } adc_trajectory_point { x: -129.15633304 y: 346.888835191 z: -31.3170995079 speed: 3.65833330154 acceleration_s: -0.0289771275254 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1400001049041748 theta: -1.83425172795 accumulated_s: 18.64430551534 } adc_trajectory_point { x: -129.165939199 y: 346.853721589 z: -31.317190879 speed: 3.65833330154 acceleration_s: -0.154710205289 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1500000953674316 theta: -1.83428649298 accumulated_s: 18.68088884834 } adc_trajectory_point { x: -129.175521357 y: 346.818567896 z: -31.317110558 speed: 3.65833330154 acceleration_s: 0.0080517503164 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1600000858306885 theta: -1.83426406695 accumulated_s: 18.71747218134 } adc_trajectory_point { x: -129.185120789 y: 346.783470788 z: -31.3172390172 speed: 3.65555548668 acceleration_s: -0.173907420916 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1700000762939453 theta: -1.83427122892 accumulated_s: 18.75402773614 } adc_trajectory_point { x: -129.194717279 y: 346.748338709 z: -31.3171520624 speed: 3.65555548668 acceleration_s: -0.0136844627285 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.1800000667572021 theta: -1.83425937592 accumulated_s: 18.79058329104 } adc_trajectory_point { x: -129.204289177 y: 346.713234305 z: -31.3172889994 speed: 3.65555548668 acceleration_s: -0.0766979134373 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.190000057220459 theta: -1.8342377925 accumulated_s: 18.82713884594 } adc_trajectory_point { x: -129.204289177 y: 346.713234305 z: -31.3172889994 speed: 3.65555548668 acceleration_s: -0.0766979134373 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.190000057220459 theta: -1.8342377925 accumulated_s: 18.86369440084 } adc_trajectory_point { x: -129.22347362 y: 346.643051338 z: -31.3173899129 speed: 3.65555548668 acceleration_s: -0.0928290252008 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2100000381469727 theta: -1.83427336071 accumulated_s: 18.90024995564 } adc_trajectory_point { x: -129.233027734 y: 346.607958597 z: -31.3174155634 speed: 3.65555548668 acceleration_s: -0.0608976298893 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2200000286102295 theta: -1.83427157498 accumulated_s: 18.93680551054 } adc_trajectory_point { x: -129.24257554 y: 346.572877518 z: -31.3175391993 speed: 3.65555548668 acceleration_s: -0.0807961446278 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2300000190734863 theta: -1.83426821445 accumulated_s: 18.97336106544 } adc_trajectory_point { x: -129.24257554 y: 346.572877518 z: -31.3175391993 speed: 3.65277767181 acceleration_s: -0.0807961446278 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2300000190734863 theta: -1.83426821445 accumulated_s: 19.00988884214 } adc_trajectory_point { x: -129.261661659 y: 346.502707847 z: -31.3178131804 speed: 3.65000009537 acceleration_s: 0.0277393465352 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.25 theta: -1.83432744281 accumulated_s: 19.04638884304 } adc_trajectory_point { x: -129.27116566 y: 346.467611702 z: -31.3180493098 speed: 3.65000009537 acceleration_s: 0.0201547352708 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2599999904632568 theta: -1.83433005243 accumulated_s: 19.08288884404 } adc_trajectory_point { x: -129.28069172 y: 346.432518376 z: -31.3181998422 speed: 3.6472222805 acceleration_s: -3.78345936202e-05 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2699999809265137 theta: -1.83436799068 accumulated_s: 19.11936106684 } adc_trajectory_point { x: -129.290214216 y: 346.397426349 z: -31.3184478153 speed: 3.6472222805 acceleration_s: 0.0270069061289 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2799999713897705 theta: -1.83440787542 accumulated_s: 19.15583328964 } adc_trajectory_point { x: -129.299697771 y: 346.36232914 z: -31.3187334156 speed: 3.6472222805 acceleration_s: -0.0223318928808 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2899999618530273 theta: -1.83441522696 accumulated_s: 19.19230551244 } adc_trajectory_point { x: -129.30921575 y: 346.327241022 z: -31.3190805996 speed: 3.6472222805 acceleration_s: -0.0223318928808 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.2999999523162842 theta: -1.83447799964 accumulated_s: 19.22877773524 } adc_trajectory_point { x: -129.31870989 y: 346.292146098 z: -31.3193545844 speed: 3.6472222805 acceleration_s: -0.0226427361261 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.309999942779541 theta: -1.83451173078 accumulated_s: 19.26524995804 } adc_trajectory_point { x: -129.328200009 y: 346.257048146 z: -31.319717533 speed: 3.6472222805 acceleration_s: 0.0168420478447 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3199999332427979 theta: -1.83454723527 accumulated_s: 19.30172218084 } adc_trajectory_point { x: -129.337699279 y: 346.221964525 z: -31.3200687738 speed: 3.6472222805 acceleration_s: 0.0134572723884 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3300001621246338 theta: -1.83459977678 accumulated_s: 19.33819440364 } adc_trajectory_point { x: -129.347183501 y: 346.186866407 z: -31.3205622882 speed: 3.6472222805 acceleration_s: -0.0429886752916 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3400001525878906 theta: -1.83462852659 accumulated_s: 19.37466662644 } adc_trajectory_point { x: -129.356636595 y: 346.151760793 z: -31.3209341029 speed: 3.65000009537 acceleration_s: -0.0429886752916 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3500001430511475 theta: -1.83464524903 accumulated_s: 19.41116662744 } adc_trajectory_point { x: -129.366116578 y: 346.116670792 z: -31.3213783717 speed: 3.65000009537 acceleration_s: -0.0344350005933 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3600001335144043 theta: -1.8346970933 accumulated_s: 19.44766662834 } adc_trajectory_point { x: -129.375580078 y: 346.081570938 z: -31.3217631578 speed: 3.65277767181 acceleration_s: -0.0155522188036 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3700001239776611 theta: -1.83473265181 accumulated_s: 19.48419440504 } adc_trajectory_point { x: -129.385038758 y: 346.046469238 z: -31.3222754272 speed: 3.65277767181 acceleration_s: 0.00546380045835 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.380000114440918 theta: -1.83476715968 accumulated_s: 19.52072218184 } adc_trajectory_point { x: -129.394471084 y: 346.011374456 z: -31.3226575432 speed: 3.65277767181 acceleration_s: -0.0777018669801 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3900001049041748 theta: -1.83479002852 accumulated_s: 19.55724995854 } adc_trajectory_point { x: -129.394471084 y: 346.011374456 z: -31.3226575432 speed: 3.65277767181 acceleration_s: -0.0777018669801 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.3900001049041748 theta: -1.83479002852 accumulated_s: 19.59377773524 } adc_trajectory_point { x: -129.413317017 y: 345.941201373 z: -31.323369341 speed: 3.65277767181 acceleration_s: -0.0862688680924 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.4100000858306885 theta: -1.83485060831 accumulated_s: 19.63030551194 } adc_trajectory_point { x: -129.422707584 y: 345.906143231 z: -31.3237910457 speed: 3.65277767181 acceleration_s: -0.180415417519 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.4200000762939453 theta: -1.83485909853 accumulated_s: 19.66683328864 } adc_trajectory_point { x: -129.432143564 y: 345.871078195 z: -31.3240548242 speed: 3.65277767181 acceleration_s: 0.0094313715807 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.4300000667572021 theta: -1.8348882783 accumulated_s: 19.70336106544 } adc_trajectory_point { x: -129.441548011 y: 345.836032091 z: -31.3244027384 speed: 3.65277767181 acceleration_s: -0.121457069227 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.440000057220459 theta: -1.8349131293 accumulated_s: 19.73988884214 } adc_trajectory_point { x: -129.441548011 y: 345.836032091 z: -31.3244027384 speed: 3.6472222805 acceleration_s: -0.121457069227 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.440000057220459 theta: -1.8349131293 accumulated_s: 19.77636106494 } adc_trajectory_point { x: -129.460422038 y: 345.765960823 z: -31.3248903314 speed: 3.6472222805 acceleration_s: -0.0917973651491 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.4600000381469727 theta: -1.83494818864 accumulated_s: 19.81283328774 } adc_trajectory_point { x: -129.469852748 y: 345.730945114 z: -31.3251484316 speed: 3.65277767181 acceleration_s: -0.0846483845587 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.4700000286102295 theta: -1.83495723802 accumulated_s: 19.84936106444 } adc_trajectory_point { x: -129.479317847 y: 345.69594344 z: -31.3253113199 speed: 3.65277767181 acceleration_s: -0.0746387294766 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.4800000190734863 theta: -1.83496375991 accumulated_s: 19.88588884114 } adc_trajectory_point { x: -129.488778186 y: 345.660933118 z: -31.3255431205 speed: 3.65277767181 acceleration_s: -0.0300390884564 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.4900000095367432 theta: -1.8349934192 accumulated_s: 19.92241661784 } adc_trajectory_point { x: -129.498214949 y: 345.625922892 z: -31.3257153593 speed: 3.65277767181 acceleration_s: -0.0185303335792 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.5 theta: -1.83494739731 accumulated_s: 19.95894439464 } adc_trajectory_point { x: -129.507687542 y: 345.590936906 z: -31.3258919828 speed: 3.6472222805 acceleration_s: -0.0500041541476 curvature: 0.000344473001902 curvature_change_rate: 0.00104942382287 relative_time: 6.5099999904632568 theta: -1.83497135339 accumulated_s: 19.99541661744 } adc_trajectory_point { x: -129.517164619 y: 345.555963603 z: -31.3259384055 speed: 3.6472222805 acceleration_s: -0.100189193698 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 6.5199999809265137 theta: -1.83498922676 accumulated_s: 20.03188884024 } adc_trajectory_point { x: -129.526626922 y: 345.52100996 z: -31.3260490689 speed: 3.64444446564 acceleration_s: -0.124155160463 curvature: 0.000306198182417 curvature_change_rate: -0.00105022369926 relative_time: 6.5299999713897705 theta: -1.83499340889 accumulated_s: 20.06833328484 } adc_trajectory_point { x: -129.536081936 y: 345.486043899 z: -31.3260735376 speed: 3.64444446564 acceleration_s: -0.0670091040972 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.5399999618530273 theta: -1.83499570125 accumulated_s: 20.10477772954 } adc_trajectory_point { x: -129.545535788 y: 345.451094071 z: -31.3261832111 speed: 3.64166665077 acceleration_s: -0.0408489272938 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.5499999523162842 theta: -1.83501733108 accumulated_s: 20.14119439604 } adc_trajectory_point { x: -129.554993532 y: 345.41615812 z: -31.3260969017 speed: 3.64166665077 acceleration_s: -0.132184730869 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.559999942779541 theta: -1.83503692337 accumulated_s: 20.17761106254 } adc_trajectory_point { x: -129.564437439 y: 345.381213626 z: -31.3260549838 speed: 3.63888883591 acceleration_s: -0.0357402259984 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.5699999332427979 theta: -1.83502961453 accumulated_s: 20.21399995084 } adc_trajectory_point { x: -129.573875596 y: 345.346308868 z: -31.3259546869 speed: 3.63888883591 acceleration_s: -0.179218478733 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.5800001621246338 theta: -1.83505595463 accumulated_s: 20.25038883924 } adc_trajectory_point { x: -129.583295079 y: 345.311400863 z: -31.3258660883 speed: 3.63611102104 acceleration_s: -0.14104756078 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.5900001525878906 theta: -1.83504353384 accumulated_s: 20.28674994944 } adc_trajectory_point { x: -129.592745155 y: 345.276516173 z: -31.3256460568 speed: 3.63611102104 acceleration_s: -0.14104756078 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 6.6000001430511475 theta: -1.83510684167 accumulated_s: 20.32311105964 } adc_trajectory_point { x: -129.602163877 y: 345.241656153 z: -31.3255364103 speed: 3.63055562973 acceleration_s: -0.202637106058 curvature: 0.000344473001902 curvature_change_rate: 0.00105424137207 relative_time: 6.6100001335144043 theta: -1.8351174499 accumulated_s: 20.35941661594 } adc_trajectory_point { x: -129.611589604 y: 345.206780468 z: -31.325259841 speed: 3.63055562973 acceleration_s: -0.0529375409386 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 6.6200001239776611 theta: -1.83514459552 accumulated_s: 20.39572217224 } adc_trajectory_point { x: -129.621012792 y: 345.171960242 z: -31.3250496518 speed: 3.62777781487 acceleration_s: -0.228524209812 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 6.630000114440918 theta: -1.83520069842 accumulated_s: 20.43199995044 } adc_trajectory_point { x: -129.630431507 y: 345.137122284 z: -31.3246317841 speed: 3.62777781487 acceleration_s: -0.147046015386 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 6.6400001049041748 theta: -1.83521659013 accumulated_s: 20.46827772854 } adc_trajectory_point { x: -129.639826233 y: 345.102335135 z: -31.3244052771 speed: 3.625 acceleration_s: -0.272404638527 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 6.6500000953674316 theta: -1.83523313511 accumulated_s: 20.50452772854 } adc_trajectory_point { x: -129.649232566 y: 345.067548398 z: -31.3239967572 speed: 3.625 acceleration_s: -0.192874921616 curvature: 0.000344473001902 curvature_change_rate: 0 relative_time: 6.6600000858306885 theta: -1.83524611124 accumulated_s: 20.54077772854 } adc_trajectory_point { x: -129.658667824 y: 345.032790706 z: -31.3236352932 speed: 3.62222218513 acceleration_s: -0.15964150738 curvature: 0.000382747802778 curvature_change_rate: 0.00105666629269 relative_time: 6.6700000762939453 theta: -1.83528687864 accumulated_s: 20.57699995044 } adc_trajectory_point { x: -129.668077114 y: 344.998025352 z: -31.3231557216 speed: 3.62222218513 acceleration_s: -0.0776846328398 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 6.6800000667572021 theta: -1.83531775266 accumulated_s: 20.61322217224 } adc_trajectory_point { x: -129.677514907 y: 344.963309309 z: -31.3228179542 speed: 3.6166665554 acceleration_s: -0.19631417218 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 6.690000057220459 theta: -1.8353728734 accumulated_s: 20.64938883784 } adc_trajectory_point { x: -129.677514907 y: 344.963309309 z: -31.3228179542 speed: 3.6166665554 acceleration_s: -0.19631417218 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 6.690000057220459 theta: -1.8353728734 accumulated_s: 20.68555550334 } adc_trajectory_point { x: -129.696340921 y: 344.893907899 z: -31.3219241276 speed: 3.6166665554 acceleration_s: -0.319462048242 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 6.7100000381469727 theta: -1.83542870108 accumulated_s: 20.72172216894 } adc_trajectory_point { x: -129.705768851 y: 344.859209441 z: -31.3214228358 speed: 3.6166665554 acceleration_s: -0.0709556862685 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 6.7200000286102295 theta: -1.83546825617 accumulated_s: 20.75788883444 } adc_trajectory_point { x: -129.715139657 y: 344.824542555 z: -31.3210016955 speed: 3.61111116409 acceleration_s: -0.184650990123 curvature: 0.000459297432768 curvature_change_rate: 0.00211983587631 relative_time: 6.7300000190734863 theta: -1.83547192106 accumulated_s: 20.79399994614 } adc_trajectory_point { x: -129.72453811 y: 344.789848345 z: -31.3205012884 speed: 3.61111116409 acceleration_s: 0.0243190105165 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 6.7400000095367432 theta: -1.83547946165 accumulated_s: 20.83011105774 } adc_trajectory_point { x: -129.733909052 y: 344.755222142 z: -31.3200632455 speed: 3.60833334923 acceleration_s: 0.0243190105165 curvature: 0.00053584710648 curvature_change_rate: 0.00212146900808 relative_time: 6.75 theta: -1.8355071408 accumulated_s: 20.86619439124 } adc_trajectory_point { x: -129.74329153 y: 344.720570456 z: -31.3195253564 speed: 3.60833334923 acceleration_s: -0.0802392055238 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 6.7599999904632568 theta: -1.8355370792 accumulated_s: 20.90227772474 } adc_trajectory_point { x: -129.752339561 y: 344.685411672 z: -31.3193645151 speed: 3.60555553436 acceleration_s: -0.217940655795 curvature: 0.000612396831201 curvature_change_rate: 0.00212310485836 relative_time: 6.7699999809265137 theta: -1.83540903156 accumulated_s: 20.93833328004 } adc_trajectory_point { x: -129.761412977 y: 344.650285541 z: -31.3188640121 speed: 3.60555553436 acceleration_s: -0.0888897122952 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 6.7799999713897705 theta: -1.83538202008 accumulated_s: 20.97438883544 } adc_trajectory_point { x: -129.770502409 y: 344.615185695 z: -31.318396044 speed: 3.60555553436 acceleration_s: -0.0970255434221 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 6.7899999618530273 theta: -1.83541351809 accumulated_s: 21.01044439074 } adc_trajectory_point { x: -129.779559999 y: 344.580118708 z: -31.3179246383 speed: 3.6027777195 acceleration_s: -0.160513943904 curvature: 0.000727221583477 curvature_change_rate: 0.00318711730825 relative_time: 6.7999999523162842 theta: -1.83541022882 accumulated_s: 21.04647216794 } adc_trajectory_point { x: -129.788646354 y: 344.545016546 z: -31.3174221944 speed: 3.59999990463 acceleration_s: -0.0569414320492 curvature: 0.000803771467601 curvature_change_rate: 0.00212638572645 relative_time: 6.809999942779541 theta: -1.83545382293 accumulated_s: 21.08247216704 } adc_trajectory_point { x: -129.797684374 y: 344.509954644 z: -31.3169609178 speed: 3.59999990463 acceleration_s: -0.143530273352 curvature: 0.000803771467601 curvature_change_rate: 0 relative_time: 6.8199999332427979 theta: -1.83542725496 accumulated_s: 21.11847216604 } adc_trajectory_point { x: -129.797684374 y: 344.509954644 z: -31.3169609178 speed: 3.59722232819 acceleration_s: -0.143530273352 curvature: 0.000918596439528 curvature_change_rate: 0.00319204545761 relative_time: 6.8199999332427979 theta: -1.83542725496 accumulated_s: 21.15444438934 } adc_trajectory_point { x: -129.815815005 y: 344.439830258 z: -31.316028866 speed: 3.59722232819 acceleration_s: -0.0390725718343 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 6.8400001525878906 theta: -1.83543533505 accumulated_s: 21.19041661264 } adc_trajectory_point { x: -129.824892932 y: 344.404782171 z: -31.3154866332 speed: 3.59722232819 acceleration_s: -0.0654790775035 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 6.8500001430511475 theta: -1.8354392835 accumulated_s: 21.22638883594 } adc_trajectory_point { x: -129.833961849 y: 344.369744159 z: -31.3150062934 speed: 3.59444451332 acceleration_s: -0.0690526666074 curvature: 0.0009951465286 curvature_change_rate: 0.00212967786228 relative_time: 6.8600001335144043 theta: -1.83541983186 accumulated_s: 21.26233328104 } adc_trajectory_point { x: -129.843021746 y: 344.334719988 z: -31.3145211916 speed: 3.59444451332 acceleration_s: -0.111774696834 curvature: 0.00103342160821 curvature_change_rate: 0.00106483990678 relative_time: 6.8700001239776611 theta: -1.83538209833 accumulated_s: 21.29827772614 } adc_trajectory_point { x: -129.852095711 y: 344.29971938 z: -31.3142224336 speed: 3.59444451332 acceleration_s: -0.126812446225 curvature: 0.00103342160821 curvature_change_rate: 0 relative_time: 6.880000114440918 theta: -1.83537984096 accumulated_s: 21.33422217134 } adc_trajectory_point { x: -129.861179176 y: 344.264700586 z: -31.3137229746 speed: 3.59444451332 acceleration_s: -0.0626922022706 curvature: 0.0010716967124 curvature_change_rate: 0.001064840591 relative_time: 6.8900001049041748 theta: -1.83536571138 accumulated_s: 21.37016661644 } adc_trajectory_point { x: -129.861179176 y: 344.264700586 z: -31.3137229746 speed: 3.59444451332 acceleration_s: -0.0626922022706 curvature: 0.0010716967124 curvature_change_rate: 0 relative_time: 6.8900001049041748 theta: -1.83536571138 accumulated_s: 21.40611106154 } adc_trajectory_point { x: -129.879302997 y: 344.194676693 z: -31.3128991006 speed: 3.59444451332 acceleration_s: -0.025684391572 curvature: 0.0010716967124 curvature_change_rate: 0 relative_time: 6.9100000858306885 theta: -1.8352783275 accumulated_s: 21.44205550674 } adc_trajectory_point { x: -129.888383387 y: 344.159682172 z: -31.3126146821 speed: 3.59444451332 acceleration_s: -0.0452099946246 curvature: 0.0010716967124 curvature_change_rate: 0 relative_time: 6.9200000762939453 theta: -1.83526642554 accumulated_s: 21.47799995184 } adc_trajectory_point { x: -129.897496563 y: 344.124683135 z: -31.3121939292 speed: 3.59444451332 acceleration_s: -0.031027712531 curvature: 0.0010716967124 curvature_change_rate: 0 relative_time: 6.9300000667572021 theta: -1.83528810088 accumulated_s: 21.51394439694 } adc_trajectory_point { x: -129.906549714 y: 344.089696197 z: -31.3119860403 speed: 3.59444451332 acceleration_s: -0.0649721158024 curvature: 0.00110997184211 curvature_change_rate: 0.00106484130056 relative_time: 6.940000057220459 theta: -1.83520864764 accumulated_s: 21.54988884214 } adc_trajectory_point { x: -129.906549714 y: 344.089696197 z: -31.3119860403 speed: 3.59444451332 acceleration_s: -0.0649721158024 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 6.940000057220459 theta: -1.83520864764 accumulated_s: 21.58583328724 } adc_trajectory_point { x: -129.924740807 y: 344.019718613 z: -31.3114557359 speed: 3.59444451332 acceleration_s: 0.0431314506628 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 6.9600000381469727 theta: -1.83516088741 accumulated_s: 21.62177773234 } adc_trajectory_point { x: -129.933843995 y: 343.984702242 z: -31.3110922594 speed: 3.59444451332 acceleration_s: 0.0855120684387 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 6.9700000286102295 theta: -1.83512542731 accumulated_s: 21.65772217754 } adc_trajectory_point { x: -129.942928386 y: 343.949727349 z: -31.3110211371 speed: 3.59444451332 acceleration_s: -0.042027988716 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 6.9800000190734863 theta: -1.83509154293 accumulated_s: 21.69366662264 } adc_trajectory_point { x: -129.952030428 y: 343.914740892 z: -31.3107325239 speed: 3.59444451332 acceleration_s: -0.0416544132959 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 6.9900000095367432 theta: -1.83507448019 accumulated_s: 21.72961106774 } adc_trajectory_point { x: -129.961116486 y: 343.879776377 z: -31.3106255215 speed: 3.59444451332 acceleration_s: -0.114881221466 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7 theta: -1.83506696304 accumulated_s: 21.76555551294 } adc_trajectory_point { x: -129.970203904 y: 343.844785056 z: -31.3104857299 speed: 3.59166669846 acceleration_s: 0.0376978566876 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.0099999904632568 theta: -1.83506482561 accumulated_s: 21.80147217994 } adc_trajectory_point { x: -129.979276763 y: 343.809816167 z: -31.3103791531 speed: 3.59166669846 acceleration_s: -0.0933464761497 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.0199999809265137 theta: -1.83504723227 accumulated_s: 21.83738884684 } adc_trajectory_point { x: -129.988342726 y: 343.774794385 z: -31.3102112133 speed: 3.59166669846 acceleration_s: 0.171267740385 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.0299999713897705 theta: -1.83501777495 accumulated_s: 21.87330551384 } adc_trajectory_point { x: -129.997406406 y: 343.739822131 z: -31.3101650523 speed: 3.59166669846 acceleration_s: -0.0723029859095 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.0399999618530273 theta: -1.83502498708 accumulated_s: 21.90922218084 } adc_trajectory_point { x: -130.006485448 y: 343.704824133 z: -31.3100451212 speed: 3.59444451332 acceleration_s: 0.077219262431 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.0499999523162842 theta: -1.83504337574 accumulated_s: 21.94516662594 } adc_trajectory_point { x: -130.015525149 y: 343.669845799 z: -31.3099869089 speed: 3.59444451332 acceleration_s: -0.105361000335 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.059999942779541 theta: -1.83503234343 accumulated_s: 21.98111107114 } adc_trajectory_point { x: -130.024576615 y: 343.634843107 z: -31.3099394264 speed: 3.59444451332 acceleration_s: 0.0627868831247 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.0699999332427979 theta: -1.83504259135 accumulated_s: 22.01705551624 } adc_trajectory_point { x: -130.033620644 y: 343.599838135 z: -31.3100141492 speed: 3.59444451332 acceleration_s: 0.0676183245505 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.0800001621246338 theta: -1.83506089019 accumulated_s: 22.05299996134 } adc_trajectory_point { x: -130.04261413 y: 343.564807122 z: -31.3100484544 speed: 3.59166669846 acceleration_s: 0.0676183245505 curvature: 0.00114824699823 curvature_change_rate: 0.00106566559017 relative_time: 7.0900001525878906 theta: -1.83501748989 accumulated_s: 22.08891662834 } adc_trajectory_point { x: -130.04261413 y: 343.564807122 z: -31.3100484544 speed: 3.59166669846 acceleration_s: 0.0708798665679 curvature: 0.00114824699823 curvature_change_rate: 0 relative_time: 7.0900001525878906 theta: -1.83501748989 accumulated_s: 22.12483329534 } adc_trajectory_point { x: -130.060656062 y: 343.49477692 z: -31.3101350283 speed: 3.58888888359 acceleration_s: -0.0694072513285 curvature: 0.00118652218167 curvature_change_rate: 0.00106649118118 relative_time: 7.1100001335144043 theta: -1.83505413531 accumulated_s: 22.16072218414 } adc_trajectory_point { x: -130.069641818 y: 343.459738761 z: -31.3101684554 speed: 3.58888888359 acceleration_s: 0.00296150947042 curvature: 0.00118652218167 curvature_change_rate: 0 relative_time: 7.1200001239776611 theta: -1.835051506 accumulated_s: 22.19661107304 } adc_trajectory_point { x: -130.078660473 y: 343.424728646 z: -31.3103492931 speed: 3.58611106873 acceleration_s: 0.0119313787973 curvature: 0.00118652218167 curvature_change_rate: 0 relative_time: 7.130000114440918 theta: -1.83508404737 accumulated_s: 22.23247218374 } adc_trajectory_point { x: -130.087640918 y: 343.389669334 z: -31.3102647075 speed: 3.58611106873 acceleration_s: 0.117254694412 curvature: 0.00118652218167 curvature_change_rate: 0 relative_time: 7.1400001049041748 theta: -1.83506994516 accumulated_s: 22.26833329444 } adc_trajectory_point { x: -130.09662663 y: 343.354619657 z: -31.3104229178 speed: 3.58333325386 acceleration_s: 0.117254694412 curvature: 0.00122479739336 curvature_change_rate: 0.00106814546601 relative_time: 7.1500000953674316 theta: -1.83508270945 accumulated_s: 22.30416662694 } adc_trajectory_point { x: -130.1056281 y: 343.319552452 z: -31.3104638765 speed: 3.58333325386 acceleration_s: 0.145958530996 curvature: 0.00122479739336 curvature_change_rate: 0 relative_time: 7.1600000858306885 theta: -1.83510833489 accumulated_s: 22.33999995944 } adc_trajectory_point { x: -130.114593512 y: 343.284493758 z: -31.3106325427 speed: 3.58611106873 acceleration_s: -0.0127297350305 curvature: 0.00122479739336 curvature_change_rate: 0 relative_time: 7.1700000762939453 theta: -1.83510208823 accumulated_s: 22.37586107014 } adc_trajectory_point { x: -130.123569535 y: 343.249412562 z: -31.3105624365 speed: 3.58611106873 acceleration_s: 0.0569202468214 curvature: 0.00122479739336 curvature_change_rate: 0 relative_time: 7.1800000667572021 theta: -1.83508994072 accumulated_s: 22.41172218084 } adc_trajectory_point { x: -130.132568337 y: 343.214381013 z: -31.3106503142 speed: 3.58611106873 acceleration_s: -0.157643290914 curvature: 0.00126307263419 curvature_change_rate: 0.0010673188894 relative_time: 7.190000057220459 theta: -1.83511761728 accumulated_s: 22.44758329154 } adc_trajectory_point { x: -130.132568337 y: 343.214381013 z: -31.3106503142 speed: 3.58611106873 acceleration_s: -0.157643290914 curvature: 0.00126307263419 curvature_change_rate: 0 relative_time: 7.190000057220459 theta: -1.83511761728 accumulated_s: 22.48344440224 } adc_trajectory_point { x: -130.150532675 y: 343.144269241 z: -31.3106434494 speed: 3.58611106873 acceleration_s: -0.106311056129 curvature: 0.00130134790508 curvature_change_rate: 0.00106731972762 relative_time: 7.2100000381469727 theta: -1.83509027941 accumulated_s: 22.51930551294 } adc_trajectory_point { x: -130.159529213 y: 343.109191237 z: -31.3105427884 speed: 3.58611106873 acceleration_s: 0.115221359315 curvature: 0.00130134790508 curvature_change_rate: 0 relative_time: 7.2200000286102295 theta: -1.83506526736 accumulated_s: 22.55516662364 } adc_trajectory_point { x: -130.168508102 y: 343.074132603 z: -31.310538793 speed: 3.58888888359 acceleration_s: 0.029643046692 curvature: 0.00130134790508 curvature_change_rate: 0 relative_time: 7.2300000190734863 theta: -1.83505024767 accumulated_s: 22.59105551244 } adc_trajectory_point { x: -130.177510972 y: 343.039079463 z: -31.3103737189 speed: 3.58888888359 acceleration_s: -0.0147885952996 curvature: 0.00130134790508 curvature_change_rate: 0 relative_time: 7.2400000095367432 theta: -1.83501533914 accumulated_s: 22.62694440124 } adc_trajectory_point { x: -130.186526955 y: 343.004019301 z: -31.3102239668 speed: 3.59166669846 acceleration_s: -0.0147885952996 curvature: 0.00137789864791 curvature_change_rate: 0.00213134316893 relative_time: 7.25 theta: -1.83499212781 accumulated_s: 22.66286106824 } adc_trajectory_point { x: -130.19552167 y: 342.968970379 z: -31.3100768542 speed: 3.59166669846 acceleration_s: -0.0313511319185 curvature: 0.00137789864791 curvature_change_rate: 0 relative_time: 7.2599999904632568 theta: -1.83495186355 accumulated_s: 22.69877773524 } adc_trajectory_point { x: -130.204546417 y: 342.933922036 z: -31.3098619198 speed: 3.59166669846 acceleration_s: 0.0902367437011 curvature: 0.00149272484953 curvature_change_rate: 0.00319701718626 relative_time: 7.2699999809265137 theta: -1.83491460216 accumulated_s: 22.73469440224 } adc_trajectory_point { x: -130.21358433 y: 342.898865206 z: -31.3097897591 speed: 3.59166669846 acceleration_s: 0.028531882737 curvature: 0.00149272484953 curvature_change_rate: 0 relative_time: 7.2799999713897705 theta: -1.83491524834 accumulated_s: 22.77061106924 } adc_trajectory_point { x: -130.222597136 y: 342.863785475 z: -31.3095163265 speed: 3.59166669846 acceleration_s: 0.0753780355319 curvature: 0.00164582695329 curvature_change_rate: 0.00426270354731 relative_time: 7.2899999618530273 theta: -1.83485357612 accumulated_s: 22.80652773614 } adc_trajectory_point { x: -130.231628495 y: 342.828727264 z: -31.309449302 speed: 3.59166669846 acceleration_s: 0.0376395358123 curvature: 0.00164582695329 curvature_change_rate: 0 relative_time: 7.2999999523162842 theta: -1.83482219205 accumulated_s: 22.84244440314 } adc_trajectory_point { x: -130.240663187 y: 342.793636264 z: -31.3091299264 speed: 3.59444451332 acceleration_s: 0.0696315812177 curvature: 0.00179892968375 curvature_change_rate: 0.00425942673182 relative_time: 7.309999942779541 theta: -1.83478084755 accumulated_s: 22.87838884834 } adc_trajectory_point { x: -130.249708453 y: 342.758569037 z: -31.3090284392 speed: 3.59444451332 acceleration_s: 0.0344800958841 curvature: 0.00179892968375 curvature_change_rate: 0 relative_time: 7.3199999332427979 theta: -1.83474836288 accumulated_s: 22.91433329344 } adc_trajectory_point { x: -130.258778295 y: 342.723481383 z: -31.3088150099 speed: 3.59166669846 acceleration_s: 0.0944292546466 curvature: 0.00210513725798 curvature_change_rate: 0.00852550083098 relative_time: 7.3300001621246338 theta: -1.83471420889 accumulated_s: 22.95024996044 } adc_trajectory_point { x: -130.267817376 y: 342.68839044 z: -31.3087048139 speed: 3.59166669846 acceleration_s: 0.0480979808867 curvature: 0.00210513725798 curvature_change_rate: 0 relative_time: 7.3400001525878906 theta: -1.83464913536 accumulated_s: 22.98616662744 } adc_trajectory_point { x: -130.276886507 y: 342.653292831 z: -31.3084988119 speed: 3.59166669846 acceleration_s: 0.0993478851233 curvature: 0.00229651859052 curvature_change_rate: 0.00532848252946 relative_time: 7.3500001430511475 theta: -1.83461414728 accumulated_s: 23.02208329444 } adc_trajectory_point { x: -130.285928296 y: 342.618174026 z: -31.3084008833 speed: 3.59166669846 acceleration_s: 0.1004974117 curvature: 0.00229651859052 curvature_change_rate: 0 relative_time: 7.3600001335144043 theta: -1.83453535113 accumulated_s: 23.05799996134 } adc_trajectory_point { x: -130.294970121 y: 342.583056148 z: -31.3082660045 speed: 3.59166669846 acceleration_s: 0.0633690466968 curvature: 0.00244962463489 curvature_change_rate: 0.00426281326249 relative_time: 7.3700001239776611 theta: -1.83448217622 accumulated_s: 23.09391662834 } adc_trajectory_point { x: -130.304013811 y: 342.5479244 z: -31.3081754399 speed: 3.59166669846 acceleration_s: 0.0765517437431 curvature: 0.00244962463489 curvature_change_rate: 0 relative_time: 7.380000114440918 theta: -1.83441362412 accumulated_s: 23.12983329534 } adc_trajectory_point { x: -130.313059421 y: 342.512776467 z: -31.3081546687 speed: 3.59166669846 acceleration_s: 0.16486283758 curvature: 0.00256445477712 curvature_change_rate: 0.00319712690159 relative_time: 7.3900001049041748 theta: -1.83434890854 accumulated_s: 23.16574996234 } adc_trajectory_point { x: -130.322121672 y: 342.477620614 z: -31.3080039769 speed: 3.59166669846 acceleration_s: 0.16486283758 curvature: 0.00256445477712 curvature_change_rate: 0 relative_time: 7.4000000953674316 theta: -1.83429750296 accumulated_s: 23.20166662934 } adc_trajectory_point { x: -130.331166428 y: 342.442466323 z: -31.3079969566 speed: 3.59166669846 acceleration_s: 0.0820721228419 curvature: 0.00267928546864 curvature_change_rate: 0.00319714219518 relative_time: 7.4100000858306885 theta: -1.83420113683 accumulated_s: 23.23758329634 } adc_trajectory_point { x: -130.34020588 y: 342.407298586 z: -31.3079012437 speed: 3.59166669846 acceleration_s: 0.0814759711025 curvature: 0.00267928546864 curvature_change_rate: 0 relative_time: 7.4200000762939453 theta: -1.8341303526 accumulated_s: 23.27349996324 } adc_trajectory_point { x: -130.349274754 y: 342.372133407 z: -31.3079076596 speed: 3.59166669846 acceleration_s: 0.0196518608533 curvature: 0.00275583979477 curvature_change_rate: 0.00213144293583 relative_time: 7.4300000667572021 theta: -1.83405418753 accumulated_s: 23.30941663024 } adc_trajectory_point { x: -130.358377993 y: 342.336947744 z: -31.3077859282 speed: 3.59166669846 acceleration_s: 0.129350664373 curvature: 0.00275583979477 curvature_change_rate: 0 relative_time: 7.440000057220459 theta: -1.83399703206 accumulated_s: 23.34533329724 } adc_trajectory_point { x: -130.358377993 y: 342.336947744 z: -31.3077859282 speed: 3.59444451332 acceleration_s: 0.129350664373 curvature: 0.00275583979477 curvature_change_rate: 0 relative_time: 7.440000057220459 theta: -1.83399703206 accumulated_s: 23.38127774234 } adc_trajectory_point { x: -130.376616435 y: 342.266592228 z: -31.3076887252 speed: 3.59444451332 acceleration_s: 0.146340192669 curvature: 0.00275583979477 curvature_change_rate: 0 relative_time: 7.4600000381469727 theta: -1.8338779961 accumulated_s: 23.41722218754 } adc_trajectory_point { x: -130.376616435 y: 342.266592228 z: -31.3076887252 speed: 3.59444451332 acceleration_s: 0.146340192669 curvature: 0.00275583979477 curvature_change_rate: 0 relative_time: 7.4600000381469727 theta: -1.8338779961 accumulated_s: 23.45316663264 } adc_trajectory_point { x: -130.394901045 y: 342.196204353 z: -31.3076158371 speed: 3.59722232819 acceleration_s: 0.117064397227 curvature: 0.00275583979477 curvature_change_rate: 0 relative_time: 7.4800000190734863 theta: -1.83373853351 accumulated_s: 23.48913885594 } adc_trajectory_point { x: -130.404053375 y: 342.161012492 z: -31.3075456787 speed: 3.59999990463 acceleration_s: 0.0284211737936 curvature: 0.0027175627066 curvature_change_rate: -0.00106325247733 relative_time: 7.4900000095367432 theta: -1.8336616883 accumulated_s: 23.52513885494 } adc_trajectory_point { x: -130.413197227 y: 342.125807433 z: -31.3074800158 speed: 3.59999990463 acceleration_s: 0.0284211737936 curvature: 0.0027175627066 curvature_change_rate: 0 relative_time: 7.5 theta: -1.83357778194 accumulated_s: 23.56113885404 } adc_trajectory_point { x: -130.422384725 y: 342.090611337 z: -31.3074125173 speed: 3.6027777195 acceleration_s: 0.0633574613684 curvature: 0.00264100850892 curvature_change_rate: -0.00212486596842 relative_time: 7.5099999904632568 theta: -1.83353886354 accumulated_s: 23.59716663124 } adc_trajectory_point { x: -130.431553773 y: 342.055391385 z: -31.3074186957 speed: 3.6027777195 acceleration_s: 0.121753161698 curvature: 0.00264100850892 curvature_change_rate: 0 relative_time: 7.5199999809265137 theta: -1.83348873593 accumulated_s: 23.63319440844 } adc_trajectory_point { x: -130.440697187 y: 342.020139134 z: -31.3072792934 speed: 3.60555553436 acceleration_s: 0.149883871992 curvature: 0.00256445477712 curvature_change_rate: -0.0021232159946 relative_time: 7.5299999713897705 theta: -1.83340978088 accumulated_s: 23.66924996374 } adc_trajectory_point { x: -130.449842853 y: 341.984902127 z: -31.3073009551 speed: 3.60555553436 acceleration_s: 0.0972756561058 curvature: 0.00256445477712 curvature_change_rate: 0 relative_time: 7.5399999618530273 theta: -1.83334414549 accumulated_s: 23.70530551914 } adc_trajectory_point { x: -130.458988646 y: 341.949633606 z: -31.3071024986 speed: 3.60833334923 acceleration_s: 0.0972756561058 curvature: 0.00244962463489 curvature_change_rate: -0.00318235958594 relative_time: 7.5499999523162842 theta: -1.83330046649 accumulated_s: 23.74138885264 } adc_trajectory_point { x: -130.46811181 y: 341.914366125 z: -31.3071321752 speed: 3.60833334923 acceleration_s: 0.0974151609056 curvature: 0.00244962463489 curvature_change_rate: 0 relative_time: 7.559999942779541 theta: -1.83326266322 accumulated_s: 23.77747218614 } adc_trajectory_point { x: -130.477227617 y: 341.879063801 z: -31.3068647711 speed: 3.61111116409 acceleration_s: 0.109978512877 curvature: 0.00237307149975 curvature_change_rate: -0.00211993294195 relative_time: 7.5699999332427979 theta: -1.83321713076 accumulated_s: 23.81358329774 } adc_trajectory_point { x: -130.486315045 y: 341.84378041 z: -31.3068743879 speed: 3.61111116409 acceleration_s: 0.00567902186277 curvature: 0.00237307149975 curvature_change_rate: 0 relative_time: 7.5800001621246338 theta: -1.83319815852 accumulated_s: 23.84969440934 } adc_trajectory_point { x: -130.495376099 y: 341.808448496 z: -31.3067256249 speed: 3.6166665554 acceleration_s: 0.152469261191 curvature: 0.00225824221834 curvature_change_rate: -0.00317500327013 relative_time: 7.5900001525878906 theta: -1.83315549593 accumulated_s: 23.88586107494 } adc_trajectory_point { x: -130.504386577 y: 341.773133968 z: -31.3067099955 speed: 3.6166665554 acceleration_s: 0.152469261191 curvature: 0.00225824221834 curvature_change_rate: 0 relative_time: 7.6000001430511475 theta: -1.83309316732 accumulated_s: 23.92202774044 } adc_trajectory_point { x: -130.513453083 y: 341.737777539 z: -31.3065015916 speed: 3.61111116409 acceleration_s: 0.179880549344 curvature: 0.00214341342064 curvature_change_rate: -0.0031798743513 relative_time: 7.6100001335144043 theta: -1.83312058844 accumulated_s: 23.95813885214 } adc_trajectory_point { x: -130.522445901 y: 341.702419138 z: -31.306389872 speed: 3.61111116409 acceleration_s: 0.106177237866 curvature: 0.00214341342064 curvature_change_rate: 0 relative_time: 7.6200001239776611 theta: -1.83309768605 accumulated_s: 23.99424996374 } adc_trajectory_point { x: -130.531461869 y: 341.667048605 z: -31.3062682543 speed: 3.61111116409 acceleration_s: 0.127126930021 curvature: 0.00202858508204 curvature_change_rate: -0.00317986163771 relative_time: 7.630000114440918 theta: -1.83310159988 accumulated_s: 24.03036107544 } adc_trajectory_point { x: -130.540412175 y: 341.631632082 z: -31.3060056586 speed: 3.61111116409 acceleration_s: 0.165897218174 curvature: 0.00202858508204 curvature_change_rate: 0 relative_time: 7.6400001049041748 theta: -1.83303996439 accumulated_s: 24.06647218704 } adc_trajectory_point { x: -130.549373796 y: 341.59624719 z: -31.3059436176 speed: 3.61388897896 acceleration_s: 0.0274753954421 curvature: 0.00195203309921 curvature_change_rate: -0.00211827157033 relative_time: 7.6500000953674316 theta: -1.83305600875 accumulated_s: 24.10261107684 } adc_trajectory_point { x: -130.558305939 y: 341.560791409 z: -31.3057266828 speed: 3.61388897896 acceleration_s: 0.219597653305 curvature: 0.00195203309921 curvature_change_rate: 0 relative_time: 7.6600000858306885 theta: -1.8330286297 accumulated_s: 24.13874996664 } adc_trajectory_point { x: -130.567250945 y: 341.525391517 z: -31.3056051079 speed: 3.61388897896 acceleration_s: -0.04968520856 curvature: 0.00191375717794 curvature_change_rate: -0.00105913384432 relative_time: 7.6700000762939453 theta: -1.83306049982 accumulated_s: 24.17488885644 } adc_trajectory_point { x: -130.576155849 y: 341.489935814 z: -31.305308939 speed: 3.61388897896 acceleration_s: 0.0754218193221 curvature: 0.00191375717794 curvature_change_rate: 0 relative_time: 7.6800000667572021 theta: -1.83303113849 accumulated_s: 24.21102774624 } adc_trajectory_point { x: -130.585087762 y: 341.454496958 z: -31.3051161263 speed: 3.61388897896 acceleration_s: 0.0459569842948 curvature: 0.00183720547112 curvature_change_rate: -0.00211826393298 relative_time: 7.690000057220459 theta: -1.83303396846 accumulated_s: 24.24716663604 } adc_trajectory_point { x: -130.585087762 y: 341.454496958 z: -31.3051161263 speed: 3.61388897896 acceleration_s: 0.0459569842948 curvature: 0.00183720547112 curvature_change_rate: 0 relative_time: 7.690000057220459 theta: -1.83303396846 accumulated_s: 24.28330552574 } adc_trajectory_point { x: -130.602911121 y: 341.383562012 z: -31.3047279408 speed: 3.61111116409 acceleration_s: 0.144849583266 curvature: 0.00183720547112 curvature_change_rate: 0 relative_time: 7.7100000381469727 theta: -1.83293445716 accumulated_s: 24.31941663744 } adc_trajectory_point { x: -130.611852783 y: 341.348106938 z: -31.3045846215 speed: 3.61111116409 acceleration_s: 0.0448845221166 curvature: 0.00183720547112 curvature_change_rate: 0 relative_time: 7.7200000286102295 theta: -1.83294424528 accumulated_s: 24.35552774904 } adc_trajectory_point { x: -130.620780796 y: 341.312606475 z: -31.3042427422 speed: 3.61111116409 acceleration_s: 0.160385700989 curvature: 0.00179892968375 curvature_change_rate: -0.00105994486544 relative_time: 7.7300000190734863 theta: -1.83289843935 accumulated_s: 24.39163886074 } adc_trajectory_point { x: -130.629714032 y: 341.277145663 z: -31.3041904727 speed: 3.61111116409 acceleration_s: 0.0446487559159 curvature: 0.00179892968375 curvature_change_rate: 0 relative_time: 7.7400000095367432 theta: -1.83288996666 accumulated_s: 24.42774997234 } adc_trajectory_point { x: -130.638674159 y: 341.24160425 z: -31.3038888006 speed: 3.61388897896 acceleration_s: 0.2240524262 curvature: 0.00179892968375 curvature_change_rate: 0 relative_time: 7.75 theta: -1.83288226161 accumulated_s: 24.46388886214 } adc_trajectory_point { x: -130.647626384 y: 341.206107513 z: -31.3037703065 speed: 3.61388897896 acceleration_s: 0.0394091362678 curvature: 0.00179892968375 curvature_change_rate: 0 relative_time: 7.7599999904632568 theta: -1.83285930312 accumulated_s: 24.50002775194 } adc_trajectory_point { x: -130.647626384 y: 341.206107513 z: -31.3037703065 speed: 3.6166665554 acceleration_s: 0.0394091362678 curvature: 0.0017606539392 curvature_change_rate: -0.00105831555025 relative_time: 7.7599999904632568 theta: -1.83285930312 accumulated_s: 24.53619441744 } adc_trajectory_point { x: -130.666043407 y: 341.135419188 z: -31.3035298269 speed: 3.6166665554 acceleration_s: 0.0398697614652 curvature: 0.0017606539392 curvature_change_rate: 0 relative_time: 7.7799999713897705 theta: -1.83282695049 accumulated_s: 24.57236108304 } adc_trajectory_point { x: -130.666043407 y: 341.135419188 z: -31.3035298269 speed: 3.61944437027 acceleration_s: 0.0398697614652 curvature: 0.00168410257488 curvature_change_rate: -0.00211500320182 relative_time: 7.7799999713897705 theta: -1.83282695049 accumulated_s: 24.60855552674 } adc_trajectory_point { x: -130.675528532 y: 341.099629458 z: -31.3032928389 speed: 3.61944437027 acceleration_s: 0.1292120301 curvature: 0.00168410257488 curvature_change_rate: 0 relative_time: 7.7899999618530273 theta: -1.83279553698 accumulated_s: 24.64474997044 } adc_trajectory_point { x: -130.69440843 y: 341.028045342 z: -31.3030609163 speed: 3.625 acceleration_s: 0.0501726322437 curvature: 0.00156927582672 curvature_change_rate: -0.00316763443199 relative_time: 7.809999942779541 theta: -1.83274545472 accumulated_s: 24.68099997044 } adc_trajectory_point { x: -130.703852373 y: 340.992214082 z: -31.3028028309 speed: 3.625 acceleration_s: 0.124113583731 curvature: 0.00156927582672 curvature_change_rate: 0 relative_time: 7.8199999332427979 theta: -1.83272471706 accumulated_s: 24.71724997044 } adc_trajectory_point { x: -130.713271736 y: 340.956389943 z: -31.3027244527 speed: 3.625 acceleration_s: 0.0844670987936 curvature: 0.00149272484953 curvature_change_rate: -0.00211175109484 relative_time: 7.8300001621246338 theta: -1.83270542199 accumulated_s: 24.75349997044 } adc_trajectory_point { x: -130.722703543 y: 340.920539753 z: -31.3024780815 speed: 3.625 acceleration_s: 0.148104053322 curvature: 0.00149272484953 curvature_change_rate: 0 relative_time: 7.8400001525878906 theta: -1.83271988044 accumulated_s: 24.78974997044 } adc_trajectory_point { x: -130.732108872 y: 340.884678737 z: -31.3023909777 speed: 3.63055562973 acceleration_s: 0.148104053322 curvature: 0.00137789864791 curvature_change_rate: -0.00316277213004 relative_time: 7.8500001430511475 theta: -1.83270299502 accumulated_s: 24.82605552674 } adc_trajectory_point { x: -130.741504345 y: 340.848781349 z: -31.3021927224 speed: 3.63055562973 acceleration_s: 0.179385781992 curvature: 0.00137789864791 curvature_change_rate: 0 relative_time: 7.8600001335144043 theta: -1.83268369838 accumulated_s: 24.86236108304 } adc_trajectory_point { x: -130.750903537 y: 340.812895603 z: -31.3020933596 speed: 3.63611102104 acceleration_s: 0.0930404922489 curvature: 0.00130134790508 curvature_change_rate: -0.00210529168074 relative_time: 7.8700001239776611 theta: -1.83265571511 accumulated_s: 24.89872219324 } adc_trajectory_point { x: -130.760292861 y: 340.776977129 z: -31.3019938609 speed: 3.63611102104 acceleration_s: 0.152979877708 curvature: 0.00130134790508 curvature_change_rate: 0 relative_time: 7.880000114440918 theta: -1.83263881198 accumulated_s: 24.93508330344 } adc_trajectory_point { x: -130.76967928 y: 340.741082499 z: -31.301855946 speed: 3.64166665077 acceleration_s: 0.0231350709845 curvature: 0.00118652218167 curvature_change_rate: -0.00315310912329 relative_time: 7.8900001049041748 theta: -1.8326313572 accumulated_s: 24.97149996994 } adc_trajectory_point { x: -130.779138295 y: 340.705167118 z: -31.3017047923 speed: 3.64166665077 acceleration_s: 0.0231350709845 curvature: 0.00118652218167 curvature_change_rate: 0 relative_time: 7.9000000953674316 theta: -1.83266872915 accumulated_s: 25.00791663644 } adc_trajectory_point { x: -130.788551733 y: 340.669244905 z: -31.3015434276 speed: 3.64166665077 acceleration_s: 0.0728129344467 curvature: 0.00110997184211 curvature_change_rate: -0.00210206883018 relative_time: 7.9100000858306885 theta: -1.83261671623 accumulated_s: 25.04433330294 } adc_trajectory_point { x: -130.798021393 y: 340.633331995 z: -31.301507744 speed: 3.64166665077 acceleration_s: 0.0896483382723 curvature: 0.00110997184211 curvature_change_rate: 0 relative_time: 7.9200000762939453 theta: -1.83263678319 accumulated_s: 25.08074996944 } adc_trajectory_point { x: -130.807484599 y: 340.597393821 z: -31.3013093742 speed: 3.64166665077 acceleration_s: 0.135289308023 curvature: 0.00103342160821 curvature_change_rate: -0.00210206592869 relative_time: 7.9300000667572021 theta: -1.83258672514 accumulated_s: 25.11716663604 } adc_trajectory_point { x: -130.816937774 y: 340.561463679 z: -31.3011940848 speed: 3.64166665077 acceleration_s: 0.0628889723761 curvature: 0.00103342160821 curvature_change_rate: 0 relative_time: 7.940000057220459 theta: -1.83255082443 accumulated_s: 25.15358330254 } adc_trajectory_point { x: -130.816937774 y: 340.561463679 z: -31.3011940848 speed: 3.64444446564 acceleration_s: 0.0628889723761 curvature: 0.000918596439528 curvature_change_rate: -0.00315069058562 relative_time: 7.940000057220459 theta: -1.83255082443 accumulated_s: 25.19002774714 } adc_trajectory_point { x: -130.83593004 y: 340.489596202 z: -31.3008860145 speed: 3.64444446564 acceleration_s: -0.0163727158504 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 7.9600000381469727 theta: -1.83255423802 accumulated_s: 25.22647219184 } adc_trajectory_point { x: -130.845418368 y: 340.45365412 z: -31.3007718567 speed: 3.6472222805 acceleration_s: 0.0501716132282 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 7.9700000286102295 theta: -1.83253588269 accumulated_s: 25.26294441464 } adc_trajectory_point { x: -130.854934592 y: 340.417716539 z: -31.3005748028 speed: 3.6472222805 acceleration_s: 0.0350966479665 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 7.9800000190734863 theta: -1.83251789237 accumulated_s: 25.29941663744 } adc_trajectory_point { x: -130.864450823 y: 340.381778494 z: -31.3004705673 speed: 3.6472222805 acceleration_s: 0.0538111666898 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 7.9900000095367432 theta: -1.83250343616 accumulated_s: 25.33588886024 } adc_trajectory_point { x: -130.873993682 y: 340.345841256 z: -31.3002635697 speed: 3.6472222805 acceleration_s: 0.0231137538721 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8 theta: -1.83250007398 accumulated_s: 25.37236108304 } adc_trajectory_point { x: -130.883525638 y: 340.309894166 z: -31.3001907943 speed: 3.6472222805 acceleration_s: 0.0817352685085 curvature: 0.000880321428239 curvature_change_rate: -0.00104942908179 relative_time: 8.0099999904632568 theta: -1.83245126535 accumulated_s: 25.408833305839998 } adc_trajectory_point { x: -130.893060411 y: 340.273944983 z: -31.3000618229 speed: 3.6472222805 acceleration_s: 0.0817352685085 curvature: 0.000880321428239 curvature_change_rate: 0 relative_time: 8.0199999809265137 theta: -1.83241241184 accumulated_s: 25.44530552864 } adc_trajectory_point { x: -130.902637598 y: 340.238000204 z: -31.2999389796 speed: 3.6472222805 acceleration_s: 0.048851556906 curvature: 0.000880321428239 curvature_change_rate: 0 relative_time: 8.02999997138977 theta: -1.83240779429 accumulated_s: 25.48177775144 } adc_trajectory_point { x: -130.912176404 y: 340.20202961 z: -31.2998038605 speed: 3.65000009537 acceleration_s: 0.0897047452737 curvature: 0.000880321428239 curvature_change_rate: 0 relative_time: 8.0399999618530273 theta: -1.83235125691 accumulated_s: 25.51827775244 } adc_trajectory_point { x: -130.921783432 y: 340.166072734 z: -31.2996864039 speed: 3.65277767181 acceleration_s: 0.0897047452737 curvature: 0.000918596439528 curvature_change_rate: 0.00104783303907 relative_time: 8.0499999523162842 theta: -1.83233337587 accumulated_s: 25.55480552914 } adc_trajectory_point { x: -130.9313818 y: 340.130114091 z: -31.299647077 speed: 3.65277767181 acceleration_s: 0.0624346032785 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.059999942779541 theta: -1.8323109334 accumulated_s: 25.59133330584 } adc_trajectory_point { x: -130.941007048 y: 340.09412651 z: -31.2994796736 speed: 3.65277767181 acceleration_s: 0.142720077487 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.0699999332427979 theta: -1.83228829884 accumulated_s: 25.62786108254 } adc_trajectory_point { x: -130.950640579 y: 340.058177255 z: -31.2994999234 speed: 3.65555548668 acceleration_s: 0.000615801137302 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.0800001621246338 theta: -1.83228444302 accumulated_s: 25.66441663744 } adc_trajectory_point { x: -130.960315636 y: 340.022180065 z: -31.2993414029 speed: 3.65555548668 acceleration_s: 0.15280930018 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.09000015258789 theta: -1.83226636784 accumulated_s: 25.70097219234 } adc_trajectory_point { x: -130.969995453 y: 339.986192931 z: -31.299452601 speed: 3.65833330154 acceleration_s: 0.15280930018 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1000001430511475 theta: -1.83225447424 accumulated_s: 25.73755552534 } adc_trajectory_point { x: -130.979682334 y: 339.950163942 z: -31.2993475264 speed: 3.66111111641 acceleration_s: 0.198806584695 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1100001335144043 theta: -1.83222854493 accumulated_s: 25.77416663644 } adc_trajectory_point { x: -130.989392073 y: 339.91415531 z: -31.2994117336 speed: 3.66111111641 acceleration_s: 0.134532857608 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1200001239776611 theta: -1.83223108593 accumulated_s: 25.81077774764 } adc_trajectory_point { x: -130.999126681 y: 339.878125284 z: -31.2993557891 speed: 3.66666674614 acceleration_s: 0.112522315953 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.130000114440918 theta: -1.83221197181 accumulated_s: 25.84744441514 } adc_trajectory_point { x: -131.008844928 y: 339.842102638 z: -31.2993960408 speed: 3.66666674614 acceleration_s: 0.0224882151414 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1400001049041748 theta: -1.83216295343 accumulated_s: 25.88411108254 } adc_trajectory_point { x: -131.018578714 y: 339.806075759 z: -31.2995150331 speed: 3.669444561 acceleration_s: 0.0572459340474 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1500000953674316 theta: -1.83212542772 accumulated_s: 25.92080552814 } adc_trajectory_point { x: -131.028347707 y: 339.770029 z: -31.2995252535 speed: 3.669444561 acceleration_s: 0.153243487934 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1600000858306885 theta: -1.8321122234 accumulated_s: 25.95749997374 } adc_trajectory_point { x: -131.038073745 y: 339.73398671 z: -31.2996486742 speed: 3.669444561 acceleration_s: 0.00412568286448 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1700000762939453 theta: -1.83206449221 accumulated_s: 25.99419441934 } adc_trajectory_point { x: -131.047846748 y: 339.697903145 z: -31.2996453242 speed: 3.66388893127 acceleration_s: 0.213592708517 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.1800000667572021 theta: -1.8320369349 accumulated_s: 26.03083330874 } adc_trajectory_point { x: -131.057601704 y: 339.661848463 z: -31.2998498427 speed: 3.66388893127 acceleration_s: 0.0729537930512 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.190000057220459 theta: -1.8320153096 accumulated_s: 26.06747219804 } adc_trajectory_point { x: -131.057601704 y: 339.661848463 z: -31.2998498427 speed: 3.66666674614 acceleration_s: 0.0729537930512 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.190000057220459 theta: -1.8320153096 accumulated_s: 26.10413886544 } adc_trajectory_point { x: -131.077140665 y: 339.589661023 z: -31.3000360513 speed: 3.66666674614 acceleration_s: 0.0613900097566 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.2100000381469727 theta: -1.83190855949 accumulated_s: 26.14080553294 } adc_trajectory_point { x: -131.08696897 y: 339.55356477 z: -31.3001523307 speed: 3.66666674614 acceleration_s: 0.0456917770021 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.22000002861023 theta: -1.83192682468 accumulated_s: 26.17747220044 } adc_trajectory_point { x: -131.096779297 y: 339.517449887 z: -31.3002983937 speed: 3.669444561 acceleration_s: 0.157094234461 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.2300000190734863 theta: -1.83187575872 accumulated_s: 26.21416664604 } adc_trajectory_point { x: -131.106589695 y: 339.481355823 z: -31.3004826577 speed: 3.669444561 acceleration_s: 0.0138360880559 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.2400000095367432 theta: -1.83183937453 accumulated_s: 26.25086109164 } adc_trajectory_point { x: -131.116441605 y: 339.445233672 z: -31.3005322805 speed: 3.669444561 acceleration_s: 0.110514537161 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.25 theta: -1.83180888744 accumulated_s: 26.28755553724 } adc_trajectory_point { x: -131.126272548 y: 339.409125322 z: -31.3005999485 speed: 3.669444561 acceleration_s: 0.0216516731092 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.2599999904632568 theta: -1.83175332343 accumulated_s: 26.32424998284 } adc_trajectory_point { x: -131.136115777 y: 339.373016152 z: -31.3006376708 speed: 3.669444561 acceleration_s: 0.0208072840911 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.2699999809265137 theta: -1.83167516464 accumulated_s: 26.36094442844 } adc_trajectory_point { x: -131.145988643 y: 339.33690518 z: -31.3007889176 speed: 3.669444561 acceleration_s: 0.0778664068072 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.27999997138977 theta: -1.83166581714 accumulated_s: 26.39763887404 } adc_trajectory_point { x: -131.155856212 y: 339.300765569 z: -31.3008449012 speed: 3.669444561 acceleration_s: 0.149877177892 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.2899999618530273 theta: -1.83163130848 accumulated_s: 26.43433331964 } adc_trajectory_point { x: -131.165734938 y: 339.264620127 z: -31.3008489804 speed: 3.67222213745 acceleration_s: 0.16331538138 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.2999999523162842 theta: -1.831635156 accumulated_s: 26.47105554104 } adc_trajectory_point { x: -131.175566316 y: 339.228455267 z: -31.3009608481 speed: 3.67222213745 acceleration_s: 0.135593390645 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.309999942779541 theta: -1.83159067492 accumulated_s: 26.50777776244 } adc_trajectory_point { x: -131.185440819 y: 339.192279291 z: -31.3009583792 speed: 3.67222213745 acceleration_s: 0.151254464873 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.3199999332427979 theta: -1.83159968181 accumulated_s: 26.54449998384 } adc_trajectory_point { x: -131.195248563 y: 339.156106709 z: -31.3010963807 speed: 3.67222213745 acceleration_s: 0.0250942985311 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.3300001621246338 theta: -1.83156516734 accumulated_s: 26.58122220514 } adc_trajectory_point { x: -131.205084922 y: 339.119887824 z: -31.3011043938 speed: 3.67499995232 acceleration_s: 0.167788912539 curvature: 0.000918596439528 curvature_change_rate: 0 relative_time: 8.34000015258789 theta: -1.83157327091 accumulated_s: 26.61797220464 } adc_trajectory_point { x: -131.214858687 y: 339.083669224 z: -31.3012608467 speed: 3.67499995232 acceleration_s: 0.167788912539 curvature: 0.000880321428239 curvature_change_rate: -0.00104149691933 relative_time: 8.3500001430511475 theta: -1.83155865376 accumulated_s: 26.65472220424 } adc_trajectory_point { x: -131.224615283 y: 339.04742901 z: -31.3012495674 speed: 3.67499995232 acceleration_s: 0.0822227314289 curvature: 0.000880321428239 curvature_change_rate: 0 relative_time: 8.3600001335144043 theta: -1.83153343829 accumulated_s: 26.69147220374 } adc_trajectory_point { x: -131.234406776 y: 339.011172706 z: -31.3013456613 speed: 3.67777776718 acceleration_s: 0.113819625336 curvature: 0.000803771467601 curvature_change_rate: -0.00208141887531 relative_time: 8.3700001239776611 theta: -1.8315918382 accumulated_s: 26.72824998144 } adc_trajectory_point { x: -131.244131202 y: 338.974905711 z: -31.301438354 speed: 3.67777776718 acceleration_s: 0.0554700617746 curvature: 0.000803771467601 curvature_change_rate: 0 relative_time: 8.380000114440918 theta: -1.83162134349 accumulated_s: 26.76502775904 } adc_trajectory_point { x: -131.25384955 y: 338.938616238 z: -31.3015423361 speed: 3.68055558205 acceleration_s: 0.152532449879 curvature: 0.00076549651643 curvature_change_rate: -0.00103992319414 relative_time: 8.3900001049041748 theta: -1.83165084373 accumulated_s: 26.80183331494 } adc_trajectory_point { x: -131.25384955 y: 338.938616238 z: -31.3015423361 speed: 3.68055558205 acceleration_s: 0.152532449879 curvature: 0.00076549651643 curvature_change_rate: 0 relative_time: 8.3900001049041748 theta: -1.83165084373 accumulated_s: 26.83863887074 } adc_trajectory_point { x: -131.273254626 y: 338.86600178 z: -31.301791084 speed: 3.68055558205 acceleration_s: 0.154423085802 curvature: 0.00076549651643 curvature_change_rate: 0 relative_time: 8.4100000858306885 theta: -1.83177836445 accumulated_s: 26.87544442654 } adc_trajectory_point { x: -131.282905752 y: 338.829664789 z: -31.3019227739 speed: 3.68333339691 acceleration_s: 0.10791718453 curvature: 0.000727221583477 curvature_change_rate: -0.00103913843329 relative_time: 8.4200000762939453 theta: -1.83179098684 accumulated_s: 26.91227776054 } adc_trajectory_point { x: -131.292559769 y: 338.793302242 z: -31.3020108668 speed: 3.68333339691 acceleration_s: 0.180575814529 curvature: 0.000727221583477 curvature_change_rate: 0 relative_time: 8.4300000667572021 theta: -1.83185252348 accumulated_s: 26.94911109444 } adc_trajectory_point { x: -131.302179486 y: 338.756936416 z: -31.302163193 speed: 3.68611121178 acceleration_s: 0.105572172671 curvature: 0.000650671714967 curvature_change_rate: -0.00207671076947 relative_time: 8.440000057220459 theta: -1.83189221851 accumulated_s: 26.98597220664 } adc_trajectory_point { x: -131.302179486 y: 338.756936416 z: -31.302163193 speed: 3.68888878822 acceleration_s: 0.105572172671 curvature: 0.000612396831201 curvature_change_rate: -0.0010375721786 relative_time: 8.440000057220459 theta: -1.83189221851 accumulated_s: 27.02286109444 } adc_trajectory_point { x: -131.321386084 y: 338.684148733 z: -31.3023956306 speed: 3.68888878822 acceleration_s: 0.0708134451255 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 8.4600000381469727 theta: -1.83197773929 accumulated_s: 27.05974998234 } adc_trajectory_point { x: -131.330996058 y: 338.647753089 z: -31.3024842339 speed: 3.68888878822 acceleration_s: 0.0391873945295 curvature: 0.000612396831201 curvature_change_rate: 0 relative_time: 8.47000002861023 theta: -1.83205288131 accumulated_s: 27.09663887024 } adc_trajectory_point { x: -131.340587888 y: 338.611329648 z: -31.3024761761 speed: 3.69166660309 acceleration_s: 0.107011650936 curvature: 0.000574121962009 curvature_change_rate: -0.00103679105692 relative_time: 8.4800000190734863 theta: -1.83209904554 accumulated_s: 27.13355553624 } adc_trajectory_point { x: -131.350157567 y: 338.574925673 z: -31.3025584891 speed: 3.69166660309 acceleration_s: -0.034284269404 curvature: 0.000574121962009 curvature_change_rate: 0 relative_time: 8.4900000095367432 theta: -1.83216386153 accumulated_s: 27.17047220234 } adc_trajectory_point { x: -131.359719855 y: 338.538482962 z: -31.3025128227 speed: 3.69444441795 acceleration_s: 0.118293462844 curvature: 0.000574121962009 curvature_change_rate: 0 relative_time: 8.5 theta: -1.83218950412 accumulated_s: 27.20741664644 } adc_trajectory_point { x: -131.369269317 y: 338.502063949 z: -31.3025091486 speed: 3.69444441795 acceleration_s: 0.0124151792347 curvature: 0.000574121962009 curvature_change_rate: 0 relative_time: 8.5099999904632568 theta: -1.83223507413 accumulated_s: 27.24436109064 } adc_trajectory_point { x: -131.378789178 y: 338.465620489 z: -31.302387909 speed: 3.69722223282 acceleration_s: 0.029718293086 curvature: 0.00053584710648 curvature_change_rate: -0.00103523275364 relative_time: 8.5199999809265137 theta: -1.83225507449 accumulated_s: 27.28133331304 } adc_trajectory_point { x: -131.388316753 y: 338.429162972 z: -31.3022825252 speed: 3.69722223282 acceleration_s: 0.12692532821 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.52999997138977 theta: -1.8322771072 accumulated_s: 27.31830553534 } adc_trajectory_point { x: -131.397823933 y: 338.392724876 z: -31.3021739516 speed: 3.69722223282 acceleration_s: -0.00662109430063 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.5399999618530273 theta: -1.832332708 accumulated_s: 27.35527775764 } adc_trajectory_point { x: -131.407388895 y: 338.356264182 z: -31.3019151967 speed: 3.69722223282 acceleration_s: -0.00662109430063 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.5499999523162842 theta: -1.83237843888 accumulated_s: 27.39224997994 } adc_trajectory_point { x: -131.416904285 y: 338.31981783 z: -31.3017598446 speed: 3.69722223282 acceleration_s: -0.00236487887047 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.559999942779541 theta: -1.83241540315 accumulated_s: 27.42922220234 } adc_trajectory_point { x: -131.426426575 y: 338.283351957 z: -31.3013430377 speed: 3.70000004768 acceleration_s: 0.028371706438 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.5699999332427979 theta: -1.83241878261 accumulated_s: 27.46622220274 } adc_trajectory_point { x: -131.43595991 y: 338.246907871 z: -31.3009619135 speed: 3.70000004768 acceleration_s: -0.0127730491426 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.5800001621246338 theta: -1.83243947028 accumulated_s: 27.50322220324 } adc_trajectory_point { x: -131.445479111 y: 338.210474133 z: -31.3006140888 speed: 3.70000004768 acceleration_s: -0.070433993924 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.59000015258789 theta: -1.8324544003 accumulated_s: 27.54022220374 } adc_trajectory_point { x: -131.45503387 y: 338.17403338 z: -31.3001018483 speed: 3.70000004768 acceleration_s: -0.070433993924 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.6000001430511475 theta: -1.83249050491 accumulated_s: 27.57722220424 } adc_trajectory_point { x: -131.464535186 y: 338.137613357 z: -31.2997517921 speed: 3.70000004768 acceleration_s: -0.0880824898025 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.6100001335144043 theta: -1.8324624664 accumulated_s: 27.61422220464 } adc_trajectory_point { x: -131.474127088 y: 338.101154263 z: -31.2990875654 speed: 3.70000004768 acceleration_s: 0.149555047142 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.6200001239776611 theta: -1.83250666476 accumulated_s: 27.65122220514 } adc_trajectory_point { x: -131.483683473 y: 338.064741751 z: -31.2987857442 speed: 3.70000004768 acceleration_s: 0.011688433096 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.630000114440918 theta: -1.83251654948 accumulated_s: 27.68822220564 } adc_trajectory_point { x: -131.493265877 y: 338.028255166 z: -31.2981409179 speed: 3.70000004768 acceleration_s: 0.239190739268 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.6400001049041748 theta: -1.83249716564 accumulated_s: 27.72522220614 } adc_trajectory_point { x: -131.502857738 y: 337.991810233 z: -31.2977487864 speed: 3.70000004768 acceleration_s: 0.0734298613112 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.6500000953674316 theta: -1.83251383764 accumulated_s: 27.76222220664 } adc_trajectory_point { x: -131.512487687 y: 337.955330837 z: -31.2971710358 speed: 3.70277786255 acceleration_s: 0.140154603522 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.6600000858306885 theta: -1.8325214378 accumulated_s: 27.79924998524 } adc_trajectory_point { x: -131.522087455 y: 337.918846195 z: -31.2967666406 speed: 3.70277786255 acceleration_s: 0.127838432431 curvature: 0.000574121962009 curvature_change_rate: 0.0010336794955 relative_time: 8.6700000762939453 theta: -1.83249570734 accumulated_s: 27.83627776384 } adc_trajectory_point { x: -131.531708209 y: 337.882377424 z: -31.2963586831 speed: 3.70277786255 acceleration_s: 0.0684593042975 curvature: 0.000574121962009 curvature_change_rate: 0 relative_time: 8.6800000667572021 theta: -1.83247814077 accumulated_s: 27.87330554244 } adc_trajectory_point { x: -131.541360228 y: 337.845861763 z: -31.2958159689 speed: 3.70277786255 acceleration_s: 0.156014190983 curvature: 0.00053584710648 curvature_change_rate: -0.0010336794955 relative_time: 8.690000057220459 theta: -1.8324976108 accumulated_s: 27.91033332114 } adc_trajectory_point { x: -131.541360228 y: 337.845861763 z: -31.2958159689 speed: 3.70277786255 acceleration_s: 0.156014190983 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.690000057220459 theta: -1.8324976108 accumulated_s: 27.94736109974 } adc_trajectory_point { x: -131.560649886 y: 337.772871413 z: -31.2949329298 speed: 3.70277786255 acceleration_s: 0.109487997078 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.7100000381469727 theta: -1.83254384308 accumulated_s: 27.98438887834 } adc_trajectory_point { x: -131.57027568 y: 337.736368343 z: -31.294543298 speed: 3.70277786255 acceleration_s: 0.000564899935024 curvature: 0.000574121962009 curvature_change_rate: 0.0010336794955 relative_time: 8.72000002861023 theta: -1.83256203208 accumulated_s: 28.02141665694 } adc_trajectory_point { x: -131.579923332 y: 337.699868223 z: -31.2941764966 speed: 3.70277786255 acceleration_s: -0.0411097084191 curvature: 0.000574121962009 curvature_change_rate: 0 relative_time: 8.7300000190734863 theta: -1.83255273706 accumulated_s: 28.05844443564 } adc_trajectory_point { x: -131.589561521 y: 337.663334655 z: -31.2937997337 speed: 3.70277786255 acceleration_s: 0.123581769938 curvature: 0.00053584710648 curvature_change_rate: -0.0010336794955 relative_time: 8.7400000095367432 theta: -1.83257555353 accumulated_s: 28.09547221424 } adc_trajectory_point { x: -131.599202071 y: 337.626824712 z: -31.2934148507 speed: 3.70277786255 acceleration_s: -0.0121917363633 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.75 theta: -1.83259350435 accumulated_s: 28.13249999284 } adc_trajectory_point { x: -131.599202071 y: 337.626824712 z: -31.2934148507 speed: 3.70833325386 acceleration_s: -0.0121917363633 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.75 theta: -1.83259350435 accumulated_s: 28.16958332534 } adc_trajectory_point { x: -131.618780157 y: 337.553650134 z: -31.2927733092 speed: 3.70833325386 acceleration_s: -0.0725997921008 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.7699999809265137 theta: -1.83274640646 accumulated_s: 28.20666665794 } adc_trajectory_point { x: -131.628765907 y: 337.517272111 z: -31.2922379617 speed: 3.705555439 acceleration_s: 0.075737330826 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.77999997138977 theta: -1.83272447243 accumulated_s: 28.24372221234 } adc_trajectory_point { x: -131.638740986 y: 337.480956091 z: -31.2919738125 speed: 3.705555439 acceleration_s: -0.0937081855589 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.7899999618530273 theta: -1.83276958518 accumulated_s: 28.28077776674 } adc_trajectory_point { x: -131.648704064 y: 337.444586733 z: -31.2914515454 speed: 3.70277786255 acceleration_s: -0.0937081855589 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.7999999523162842 theta: -1.83275636361 accumulated_s: 28.31780554534 } adc_trajectory_point { x: -131.658705585 y: 337.408247923 z: -31.2911516726 speed: 3.70277786255 acceleration_s: 0.0681437019346 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.809999942779541 theta: -1.83281612598 accumulated_s: 28.35483332394 } adc_trajectory_point { x: -131.668661222 y: 337.371907279 z: -31.2907408178 speed: 3.70277786255 acceleration_s: -0.099527039029 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.8199999332427979 theta: -1.83281894125 accumulated_s: 28.39186110254 } adc_trajectory_point { x: -131.678659342 y: 337.335557915 z: -31.2902631406 speed: 3.70277786255 acceleration_s: 0.0890027687472 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.8300001621246338 theta: -1.83288298567 accumulated_s: 28.42888888124 } adc_trajectory_point { x: -131.688624377 y: 337.299222625 z: -31.2899421751 speed: 3.70000004768 acceleration_s: -0.137580611445 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.84000015258789 theta: -1.83291704751 accumulated_s: 28.46588888164 } adc_trajectory_point { x: -131.688624377 y: 337.299222625 z: -31.2899421751 speed: 3.70000004768 acceleration_s: -0.137580611445 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.84000015258789 theta: -1.83291704751 accumulated_s: 28.50288888214 } adc_trajectory_point { x: -131.708531599 y: 337.226494257 z: -31.2892645588 speed: 3.70000004768 acceleration_s: 0.0396054650685 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.8600001335144043 theta: -1.83296999317 accumulated_s: 28.53988888264 } adc_trajectory_point { x: -131.718479872 y: 337.190087374 z: -31.2888366133 speed: 3.70000004768 acceleration_s: 0.180401379397 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.8700001239776611 theta: -1.83298946318 accumulated_s: 28.57688888314 } adc_trajectory_point { x: -131.72839872 y: 337.153695671 z: -31.2885086285 speed: 3.70000004768 acceleration_s: 0.0836099026704 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.880000114440918 theta: -1.8330274929 accumulated_s: 28.61388888364 } adc_trajectory_point { x: -131.738315366 y: 337.117265071 z: -31.2881116476 speed: 3.70000004768 acceleration_s: 0.135979254009 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.8900001049041748 theta: -1.83304124774 accumulated_s: 28.65088888404 } adc_trajectory_point { x: -131.748245639 y: 337.080881606 z: -31.2878572233 speed: 3.70277786255 acceleration_s: 0.135979254009 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9000000953674316 theta: -1.83309087791 accumulated_s: 28.68791666274 } adc_trajectory_point { x: -131.758150354 y: 337.044486814 z: -31.2875475967 speed: 3.70277786255 acceleration_s: -0.0505321742459 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9100000858306885 theta: -1.83310802566 accumulated_s: 28.72494444134 } adc_trajectory_point { x: -131.768059188 y: 337.008108499 z: -31.2871869998 speed: 3.70277786255 acceleration_s: -0.131845749929 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9200000762939453 theta: -1.833123165 accumulated_s: 28.76197221994 } adc_trajectory_point { x: -131.777970007 y: 336.971717349 z: -31.286901297 speed: 3.70277786255 acceleration_s: -0.0451045930258 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9300000667572021 theta: -1.83313277831 accumulated_s: 28.79899999854 } adc_trajectory_point { x: -131.787917428 y: 336.935312594 z: -31.2865524534 speed: 3.70000004768 acceleration_s: 0.127624506135 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.940000057220459 theta: -1.83316101704 accumulated_s: 28.83599999904 } adc_trajectory_point { x: -131.787917428 y: 336.935312594 z: -31.2865524534 speed: 3.70000004768 acceleration_s: 0.127624506135 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.940000057220459 theta: -1.83316101704 accumulated_s: 28.87299999954 } adc_trajectory_point { x: -131.807778545 y: 336.862541381 z: -31.2859327458 speed: 3.70277786255 acceleration_s: 0.0238426907985 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9600000381469727 theta: -1.83316117339 accumulated_s: 28.91002777814 } adc_trajectory_point { x: -131.81775047 y: 336.826192022 z: -31.285672551 speed: 3.70277786255 acceleration_s: -0.0975240029295 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.97000002861023 theta: -1.83319875823 accumulated_s: 28.94705555674 } adc_trajectory_point { x: -131.827726885 y: 336.789829578 z: -31.2853520252 speed: 3.70277786255 acceleration_s: -0.0257528220648 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9800000190734863 theta: -1.83318785812 accumulated_s: 28.98408333544 } adc_trajectory_point { x: -131.837727948 y: 336.753476516 z: -31.2850953396 speed: 3.70277786255 acceleration_s: -0.0293263028318 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9900000095367432 theta: -1.83316666831 accumulated_s: 29.02111111404 } adc_trajectory_point { x: -131.837727948 y: 336.753476516 z: -31.2850953396 speed: 3.70277786255 acceleration_s: -0.0293263028318 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 8.9900000095367432 theta: -1.83316666831 accumulated_s: 29.05813889264 } adc_trajectory_point { x: -131.857789913 y: 336.680795797 z: -31.2844986888 speed: 3.70277786255 acceleration_s: -0.0859159215394 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.0099999904632568 theta: -1.8331442283 accumulated_s: 29.09516667124 } adc_trajectory_point { x: -131.867858279 y: 336.644447226 z: -31.2842541337 speed: 3.70000004768 acceleration_s: 0.0688763261144 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.0199999809265137 theta: -1.83314503834 accumulated_s: 29.13216667174 } adc_trajectory_point { x: -131.877926522 y: 336.608126829 z: -31.2838689461 speed: 3.70000004768 acceleration_s: -0.0674539453227 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.02999997138977 theta: -1.83312264266 accumulated_s: 29.16916667224 } adc_trajectory_point { x: -131.888045007 y: 336.571811491 z: -31.2836882854 speed: 3.70000004768 acceleration_s: 0.0021468945572 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.0399999618530273 theta: -1.83312505396 accumulated_s: 29.20616667274 } adc_trajectory_point { x: -131.898139316 y: 336.53546611 z: -31.2834078707 speed: 3.70000004768 acceleration_s: 0.0893199435897 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.0499999523162842 theta: -1.83311317301 accumulated_s: 29.24316667314 } adc_trajectory_point { x: -131.908238826 y: 336.499157166 z: -31.2832412831 speed: 3.70277786255 acceleration_s: -0.0335673719355 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.059999942779541 theta: -1.83313955653 accumulated_s: 29.28019445184 } adc_trajectory_point { x: -131.918309583 y: 336.462810372 z: -31.282883063 speed: 3.70277786255 acceleration_s: -0.0254764834384 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.0699999332427979 theta: -1.83309929172 accumulated_s: 29.31722223044 } adc_trajectory_point { x: -131.928360849 y: 336.426486092 z: -31.2826836845 speed: 3.70277786255 acceleration_s: -0.0254764834384 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.0800001621246338 theta: -1.83311098593 accumulated_s: 29.35425000904 } adc_trajectory_point { x: -131.938423434 y: 336.390161578 z: -31.2824502764 speed: 3.70277786255 acceleration_s: -0.0668495592853 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.09000015258789 theta: -1.83314376077 accumulated_s: 29.39127778764 } adc_trajectory_point { x: -131.938423434 y: 336.390161578 z: -31.2824502764 speed: 3.70000004768 acceleration_s: -0.0668495592853 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.09000015258789 theta: -1.83314376077 accumulated_s: 29.42827778814 } adc_trajectory_point { x: -131.958419922 y: 336.317464015 z: -31.2820673492 speed: 3.70000004768 acceleration_s: 0.0778040294489 curvature: 0.00053584710648 curvature_change_rate: 0 relative_time: 9.1100001335144043 theta: -1.83315452385 accumulated_s: 29.46527778864 } adc_trajectory_point { x: -131.968373492 y: 336.28110898 z: -31.2818031767 speed: 3.69722223282 acceleration_s: 0.00340458911614 curvature: 0.000497572263703 curvature_change_rate: -0.00103523240872 relative_time: 9.1200001239776611 theta: -1.83314264465 accumulated_s: 29.50225001094 } adc_trajectory_point { x: -131.978316981 y: 336.244732181 z: -31.2816065559 speed: 3.69722223282 acceleration_s: 0.0857427683471 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.130000114440918 theta: -1.83313270365 accumulated_s: 29.53922223334 } adc_trajectory_point { x: -131.988291681 y: 336.208387714 z: -31.2813490098 speed: 3.69722223282 acceleration_s: -0.0700423239248 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.1400001049041748 theta: -1.83319844934 accumulated_s: 29.57619445564 } adc_trajectory_point { x: -131.998212134 y: 336.17206633 z: -31.2812162284 speed: 3.69722223282 acceleration_s: -0.0700423239248 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.1500000953674316 theta: -1.83323643575 accumulated_s: 29.61316667794 } adc_trajectory_point { x: -132.008181273 y: 336.135707756 z: -31.2809310397 speed: 3.70000004768 acceleration_s: -0.0460476408749 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.1600000858306885 theta: -1.83327856135 accumulated_s: 29.65016667844 } adc_trajectory_point { x: -132.018130384 y: 336.099390106 z: -31.2807655167 speed: 3.70000004768 acceleration_s: -0.115812291568 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.1700000762939453 theta: -1.83331377557 accumulated_s: 29.68716667894 } adc_trajectory_point { x: -132.028097214 y: 336.063064907 z: -31.2804642152 speed: 3.70000004768 acceleration_s: -0.0634537214815 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.1800000667572021 theta: -1.83333034688 accumulated_s: 29.72416667934 } adc_trajectory_point { x: -132.038067381 y: 336.026769643 z: -31.2803229606 speed: 3.70000004768 acceleration_s: -0.118376814908 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.190000057220459 theta: -1.83337965058 accumulated_s: 29.76116667984 } adc_trajectory_point { x: -132.038067381 y: 336.026769643 z: -31.2803229606 speed: 3.70000004768 acceleration_s: -0.118376814908 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.190000057220459 theta: -1.83337965058 accumulated_s: 29.79816668034 } adc_trajectory_point { x: -132.057996965 y: 335.954147235 z: -31.2798358034 speed: 3.70000004768 acceleration_s: -0.0808539505321 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.2100000381469727 theta: -1.83335918303 accumulated_s: 29.83516668084 } adc_trajectory_point { x: -132.068021459 y: 335.917832418 z: -31.2795281885 speed: 3.70277786255 acceleration_s: 0.112236915771 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.22000002861023 theta: -1.83338053939 accumulated_s: 29.87219445944 } adc_trajectory_point { x: -132.077989439 y: 335.881557276 z: -31.2793505248 speed: 3.70277786255 acceleration_s: -0.133367470484 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.2300000190734863 theta: -1.83338886045 accumulated_s: 29.90922223804 } adc_trajectory_point { x: -132.077989439 y: 335.881557276 z: -31.2793505248 speed: 3.705555439 acceleration_s: -0.133367470484 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.2300000190734863 theta: -1.83338886045 accumulated_s: 29.94627779244 } adc_trajectory_point { x: -132.097946774 y: 335.808984003 z: -31.2788987225 speed: 3.705555439 acceleration_s: -0.0128794777785 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.25 theta: -1.83344914213 accumulated_s: 29.98333334684 } adc_trajectory_point { x: -132.107904573 y: 335.772678861 z: -31.2787367748 speed: 3.70833325386 acceleration_s: 0.0281507078451 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.2599999904632568 theta: -1.83344925793 accumulated_s: 30.02041667934 } adc_trajectory_point { x: -132.117859476 y: 335.736392537 z: -31.2785454029 speed: 3.70833325386 acceleration_s: -0.0324692451399 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.2699999809265137 theta: -1.83346644884 accumulated_s: 30.05750001194 } adc_trajectory_point { x: -132.127804151 y: 335.700106117 z: -31.2784009278 speed: 3.705555439 acceleration_s: -0.0499122077425 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.27999997138977 theta: -1.83347854463 accumulated_s: 30.09455556634 } adc_trajectory_point { x: -132.13774501 y: 335.663806691 z: -31.2781876344 speed: 3.705555439 acceleration_s: -0.0204625835762 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.2899999618530273 theta: -1.83349770563 accumulated_s: 30.13161112074 } adc_trajectory_point { x: -132.147647431 y: 335.627528584 z: -31.2781113992 speed: 3.70277786255 acceleration_s: -0.0204625835762 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.2999999523162842 theta: -1.83347794346 accumulated_s: 30.16863889934 } adc_trajectory_point { x: -132.157598613 y: 335.591221714 z: -31.2779482659 speed: 3.70277786255 acceleration_s: 0.0148677812372 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.309999942779541 theta: -1.83353368127 accumulated_s: 30.20566667794 } adc_trajectory_point { x: -132.167486542 y: 335.554938476 z: -31.2779333852 speed: 3.70833325386 acceleration_s: -0.0861770774704 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.3199999332427979 theta: -1.83352248502 accumulated_s: 30.24275001054 } adc_trajectory_point { x: -132.177389065 y: 335.518639297 z: -31.2777470071 speed: 3.70833325386 acceleration_s: -0.0108284926706 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.3300001621246338 theta: -1.83352944732 accumulated_s: 30.27983334304 } adc_trajectory_point { x: -132.187282044 y: 335.482382948 z: -31.277702542 speed: 3.705555439 acceleration_s: -0.170504335112 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.34000015258789 theta: -1.8335351443 accumulated_s: 30.31688889744 } adc_trajectory_point { x: -132.197146705 y: 335.446071787 z: -31.2775664376 speed: 3.705555439 acceleration_s: 0.064874406577 curvature: 0.000497572263703 curvature_change_rate: 0 relative_time: 9.3500001430511475 theta: -1.83348356256 accumulated_s: 30.35394445184 } adc_trajectory_point { x: -132.2070435 y: 335.409805434 z: -31.2775769858 speed: 3.70277786255 acceleration_s: 0.064874406577 curvature: 0.000459297432768 curvature_change_rate: -0.0010336788313 relative_time: 9.3600001335144043 theta: -1.8335215536 accumulated_s: 30.39097223044 } adc_trajectory_point { x: -132.216949518 y: 335.373541721 z: -31.2774795797 speed: 3.70277786255 acceleration_s: -0.0377638359669 curvature: 0.000459297432768 curvature_change_rate: 0 relative_time: 9.3700001239776611 theta: -1.83352852181 accumulated_s: 30.42800000904 } adc_trajectory_point { x: -132.226823516 y: 335.337259561 z: -31.2774208793 speed: 3.70000004768 acceleration_s: -0.019376836181 curvature: 0.000421022612763 curvature_change_rate: -0.00103445458139 relative_time: 9.380000114440918 theta: -1.83350958508 accumulated_s: 30.46500000954 } adc_trajectory_point { x: -132.236712689 y: 335.301008906 z: -31.2773537524 speed: 3.70000004768 acceleration_s: -0.0714875758623 curvature: 0.000421022612763 curvature_change_rate: 0 relative_time: 9.3900001049041748 theta: -1.83349703975 accumulated_s: 30.50200001004 } adc_trajectory_point { x: -132.236712689 y: 335.301008906 z: -31.2773537524 speed: 3.69722223282 acceleration_s: -0.0714875758623 curvature: 0.000382747802778 curvature_change_rate: -0.0010352315218 relative_time: 9.3900001049041748 theta: -1.83349703975 accumulated_s: 30.53897223234 } adc_trajectory_point { x: -132.256508384 y: 335.228520503 z: -31.2773318859 speed: 3.69722223282 acceleration_s: -0.0320372389986 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 9.4100000858306885 theta: -1.83347645423 accumulated_s: 30.575944454640002 } adc_trajectory_point { x: -132.266447045 y: 335.19228644 z: -31.2772535691 speed: 3.69166660309 acceleration_s: -0.0277083486613 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 9.4200000762939453 theta: -1.83349382294 accumulated_s: 30.61286112074 } adc_trajectory_point { x: -132.276349856 y: 335.156047197 z: -31.2773276428 speed: 3.69166660309 acceleration_s: 0.0097882489765 curvature: 0.000382747802778 curvature_change_rate: 0 relative_time: 9.4300000667572021 theta: -1.83346983411 accumulated_s: 30.649777786740003 } adc_trajectory_point { x: -132.28627245 y: 335.119809234 z: -31.2772213072 speed: 3.69166660309 acceleration_s: -0.0203050805543 curvature: 0.000306198182417 curvature_change_rate: -0.00207357891682 relative_time: 9.440000057220459 theta: -1.83346225214 accumulated_s: 30.68669445274 } adc_trajectory_point { x: -132.28627245 y: 335.119809234 z: -31.2772213072 speed: 3.69166660309 acceleration_s: -0.0203050805543 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 9.440000057220459 theta: -1.83346225214 accumulated_s: 30.723611118839997 } adc_trajectory_point { x: -132.306121853 y: 335.04740141 z: -31.2771796137 speed: 3.68888878822 acceleration_s: -0.113497308062 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 9.4600000381469727 theta: -1.83348980646 accumulated_s: 30.76050000664 } adc_trajectory_point { x: -132.316022213 y: 335.011197764 z: -31.2771620173 speed: 3.68888878822 acceleration_s: -0.10800009485 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 9.47000002861023 theta: -1.83346983723 accumulated_s: 30.79738889454 } adc_trajectory_point { x: -132.325942061 y: 334.974998993 z: -31.2771311263 speed: 3.68611121178 acceleration_s: -0.10800009485 curvature: 0.000267923397025 curvature_change_rate: -0.00103835134625 relative_time: 9.4800000190734863 theta: -1.83348745956 accumulated_s: 30.834250006639998 } adc_trajectory_point { x: -132.335866566 y: 334.938789824 z: -31.2771076933 speed: 3.68611121178 acceleration_s: 0.00340698607689 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.4900000095367432 theta: -1.83351794815 accumulated_s: 30.87111111884 } adc_trajectory_point { x: -132.34579007 y: 334.902605896 z: -31.2770189103 speed: 3.68611121178 acceleration_s: 0.00340698607689 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.5 theta: -1.83356104399 accumulated_s: 30.907972230939997 } adc_trajectory_point { x: -132.34579007 y: 334.902605896 z: -31.2770189103 speed: 3.68611121178 acceleration_s: -0.0598562763837 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.5 theta: -1.83356104399 accumulated_s: 30.944833343040003 } adc_trajectory_point { x: -132.365628196 y: 334.830263087 z: -31.2768508997 speed: 3.68611121178 acceleration_s: -0.0852656314668 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.5199999809265137 theta: -1.83361914369 accumulated_s: 30.98169445514 } adc_trajectory_point { x: -132.375541309 y: 334.794117251 z: -31.2767734025 speed: 3.68611121178 acceleration_s: -0.119545102887 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.52999997138977 theta: -1.83362740513 accumulated_s: 31.01855556724 } adc_trajectory_point { x: -132.385502938 y: 334.757982983 z: -31.2767456351 speed: 3.68611121178 acceleration_s: -0.0521183684964 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.5399999618530273 theta: -1.83369129463 accumulated_s: 31.05541667934 } adc_trajectory_point { x: -132.395440882 y: 334.721841131 z: -31.2765656896 speed: 3.68611121178 acceleration_s: -0.0521183684964 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.5499999523162842 theta: -1.8337147282 accumulated_s: 31.09227779154 } adc_trajectory_point { x: -132.405356414 y: 334.685726786 z: -31.2765603065 speed: 3.68611121178 acceleration_s: -0.10309123563 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.559999942779541 theta: -1.83373368173 accumulated_s: 31.129138903639998 } adc_trajectory_point { x: -132.415285953 y: 334.649572979 z: -31.27638816 speed: 3.68611121178 acceleration_s: 0.0632254496802 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.5699999332427979 theta: -1.83377606174 accumulated_s: 31.166000015740003 } adc_trajectory_point { x: -132.425176129 y: 334.613471669 z: -31.276399726 speed: 3.68611121178 acceleration_s: -0.16557725373 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.5800001621246338 theta: -1.83382686471 accumulated_s: 31.202861127840002 } adc_trajectory_point { x: -132.435087263 y: 334.577329929 z: -31.2761858553 speed: 3.68611121178 acceleration_s: 0.0030236410683 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.59000015258789 theta: -1.83388921224 accumulated_s: 31.23972223994 } adc_trajectory_point { x: -132.444935072 y: 334.541233548 z: -31.2762448108 speed: 3.68611121178 acceleration_s: 0.0030236410683 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.6000001430511475 theta: -1.83393036295 accumulated_s: 31.27658335214 } adc_trajectory_point { x: -132.454787152 y: 334.505092022 z: -31.2761642355 speed: 3.68611121178 acceleration_s: -0.194202137923 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.6100001335144043 theta: -1.83397956297 accumulated_s: 31.31344446424 } adc_trajectory_point { x: -132.464602605 y: 334.468987353 z: -31.2762580309 speed: 3.68333339691 acceleration_s: -0.0921553495998 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.6200001239776611 theta: -1.83400638466 accumulated_s: 31.35027779814 } adc_trajectory_point { x: -132.474450074 y: 334.432839964 z: -31.2761457358 speed: 3.68333339691 acceleration_s: -0.0189713502264 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.630000114440918 theta: -1.8340811556 accumulated_s: 31.38711113214 } adc_trajectory_point { x: -132.484249792 y: 334.396733716 z: -31.2762143593 speed: 3.68055558205 acceleration_s: -0.113972390304 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.6400001049041748 theta: -1.83411691341 accumulated_s: 31.42391668794 } adc_trajectory_point { x: -132.484249792 y: 334.396733716 z: -31.2762143593 speed: 3.68055558205 acceleration_s: -0.113972390304 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.6400001049041748 theta: -1.83411691341 accumulated_s: 31.46072224374 } adc_trajectory_point { x: -132.503793178 y: 334.324478932 z: -31.2763494886 speed: 3.67777776718 acceleration_s: -0.00754373244004 curvature: 0.00022964861801 curvature_change_rate: -0.00104070396415 relative_time: 9.6600000858306885 theta: -1.83414336428 accumulated_s: 31.497500021439997 } adc_trajectory_point { x: -132.513547372 y: 334.288355637 z: -31.2764242683 speed: 3.67777776718 acceleration_s: -0.0429540512884 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.6700000762939453 theta: -1.8341249813 accumulated_s: 31.53427779914 } adc_trajectory_point { x: -132.523340475 y: 334.25224665 z: -31.2765155546 speed: 3.67499995232 acceleration_s: -0.0641137927879 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.6800000667572021 theta: -1.83413665565 accumulated_s: 31.571027798640003 } adc_trajectory_point { x: -132.533120517 y: 334.216149147 z: -31.2766190059 speed: 3.67499995232 acceleration_s: -0.0601449302991 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.690000057220459 theta: -1.83412861727 accumulated_s: 31.60777779814 } adc_trajectory_point { x: -132.533120517 y: 334.216149147 z: -31.2766190059 speed: 3.67777776718 acceleration_s: -0.0601449302991 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.690000057220459 theta: -1.83412861727 accumulated_s: 31.644555575840002 } adc_trajectory_point { x: -132.55274699 y: 334.143993175 z: -31.2769757332 speed: 3.67777776718 acceleration_s: -0.0473853953028 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.7100000381469727 theta: -1.83411576045 accumulated_s: 31.681333353539998 } adc_trajectory_point { x: -132.562626884 y: 334.107918546 z: -31.2770130374 speed: 3.67777776718 acceleration_s: 0.00380957724767 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.72000002861023 theta: -1.83410191979 accumulated_s: 31.71811113124 } adc_trajectory_point { x: -132.572521441 y: 334.071895683 z: -31.2772678779 speed: 3.67777776718 acceleration_s: -0.148643972092 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.7300000190734863 theta: -1.83408614397 accumulated_s: 31.75488890884 } adc_trajectory_point { x: -132.582445074 y: 334.035855242 z: -31.2773258034 speed: 3.67777776718 acceleration_s: -0.0647918424753 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.7400000095367432 theta: -1.83404132243 accumulated_s: 31.791666686539997 } adc_trajectory_point { x: -132.592399241 y: 333.999878115 z: -31.2775527621 speed: 3.67777776718 acceleration_s: -0.0647918424753 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.75 theta: -1.83403700259 accumulated_s: 31.82844446424 } adc_trajectory_point { x: -132.602362924 y: 333.963870573 z: -31.277556641 speed: 3.68055558205 acceleration_s: -0.0280492656679 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.7599999904632568 theta: -1.83400798623 accumulated_s: 31.86525002004 } adc_trajectory_point { x: -132.612571826 y: 333.927896006 z: -31.2778558498 speed: 3.68055558205 acceleration_s: -0.248044298396 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.7699999809265137 theta: -1.8340272878 accumulated_s: 31.902055575840002 } adc_trajectory_point { x: -132.622765624 y: 333.892007101 z: -31.2777975388 speed: 3.68055558205 acceleration_s: -0.0666630968565 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.77999997138977 theta: -1.83403050578 accumulated_s: 31.938861131640003 } adc_trajectory_point { x: -132.632923405 y: 333.856177461 z: -31.2781809671 speed: 3.68055558205 acceleration_s: -0.142098543328 curvature: 0.00022964861801 curvature_change_rate: 0 relative_time: 9.7899999618530273 theta: -1.83401242033 accumulated_s: 31.97566668754 } adc_trajectory_point { x: -132.643105006 y: 333.820311515 z: -31.2781149456 speed: 3.68055558205 acceleration_s: -0.142098543328 curvature: 0.000267923397025 curvature_change_rate: 0.00103991851671 relative_time: 9.7999999523162842 theta: -1.83404376709 accumulated_s: 32.01247224334 } adc_trajectory_point { x: -132.653242664 y: 333.784452432 z: -31.2782685002 speed: 3.68055558205 acceleration_s: -0.00840818446238 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.809999942779541 theta: -1.83400732259 accumulated_s: 32.04927779914 } adc_trajectory_point { x: -132.66338165 y: 333.748605675 z: -31.2782534566 speed: 3.67777776718 acceleration_s: -0.0634310379344 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.8199999332427979 theta: -1.83405144873 accumulated_s: 32.08605557684 } adc_trajectory_point { x: -132.67344709 y: 333.712761016 z: -31.2785384571 speed: 3.67777776718 acceleration_s: -0.112519250137 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.8300001621246338 theta: -1.83405031778 accumulated_s: 32.12283335444 } adc_trajectory_point { x: -132.683508975 y: 333.676922344 z: -31.2785902759 speed: 3.67777776718 acceleration_s: -0.110672510261 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.84000015258789 theta: -1.83408744353 accumulated_s: 32.15961113214 } adc_trajectory_point { x: -132.683508975 y: 333.676922344 z: -31.2785902759 speed: 3.67777776718 acceleration_s: -0.110672510261 curvature: 0.000267923397025 curvature_change_rate: 0 relative_time: 9.84000015258789 theta: -1.83408744353 accumulated_s: 32.19638890984 } adc_trajectory_point { x: -132.70359128 y: 333.605290692 z: -31.2786425408 speed: 3.67777776718 acceleration_s: -0.0845600592295 curvature: 0.000306198182417 curvature_change_rate: 0.00104070413751 relative_time: 9.8600001335144043 theta: -1.83417351223 accumulated_s: 32.23316668754 } adc_trajectory_point { x: -132.713602221 y: 333.569474338 z: -31.2788601648 speed: 3.67777776718 acceleration_s: -0.0420496219288 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 9.8700001239776611 theta: -1.83421945913 accumulated_s: 32.26994446514 } adc_trajectory_point { x: -132.723598214 y: 333.533659103 z: -31.2789625516 speed: 3.669444561 acceleration_s: -0.0282229879329 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 9.880000114440918 theta: -1.83426703222 accumulated_s: 32.30663891074 } adc_trajectory_point { x: -132.733623096 y: 333.497845819 z: -31.2790034963 speed: 3.669444561 acceleration_s: -0.0417450219111 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 9.8900001049041748 theta: -1.83432680577 accumulated_s: 32.34333335634 } adc_trajectory_point { x: -132.733623096 y: 333.497845819 z: -31.2790034963 speed: 3.669444561 acceleration_s: -0.0417450219111 curvature: 0.000306198182417 curvature_change_rate: 0 relative_time: 9.8900001049041748 theta: -1.83432680577 accumulated_s: 32.38002780204 } estop { is_estop: false } gear: GEAR_DRIVE
0
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory/example_data/BUILD
package(default_visibility = ["//visibility:public"]) filegroup( name = "example_data", srcs = glob(["*.txt"]), )
0
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory
apollo_public_repos/apollo/modules/tools/planning/plot_trajectory/example_data/1_localization.pb.txt
header { timestamp_sec: 1178408221.7 module_name: "localization" sequence_num: 717699 } pose { position { x: -123.13666043742973 y: 364.35546687249285 z: -31.420322706922889 } orientation { qx: 0.0055477773475503213 qy: -0.0038590037118573272 qz: -0.990379842317655 qw: -0.13821034037911459 } heading: -1.732 linear_velocity { x: 0.00087471447426956314 y: -0.0012088329450176513 z: -0.0012369063243036489 } linear_acceleration { x: -0.016531577551598127 y: -0.018844718168206657 z: -0.046939246111843365 } angular_velocity { x: 0.001327747667490114 y: -1.6716219241558373e-05 z: 0.0004012993134012201 } }
0
apollo_public_repos/apollo/modules/tools/planning/data_pipelines
apollo_public_repos/apollo/modules/tools/planning/data_pipelines/scripts/evaluate_trajectory.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2020 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 TARGET_DIR=$2 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash sudo mkdir -p ${TARGET_DIR} /apollo/bazel-bin/modules/planning/pipeline/evaluate_trajectory \ --flagfile=/apollo/modules/planning/conf/planning.conf \ --planning_offline_learning=true \ --planning_source_dirs=${SRC_DIR} \ --planning_data_dir=${TARGET_DIR} \
0
apollo_public_repos/apollo/modules/tools/planning/data_pipelines
apollo_public_repos/apollo/modules/tools/planning/data_pipelines/scripts/record_to_learning_data.sh
#!/usr/bin/env bash ############################################################################### # Copyright 2020 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### SRC_DIR=$1 TARGET_DIR=$2 set -e source /apollo/scripts/apollo_base.sh source /apollo/cyber/setup.bash sudo mkdir -p ${TARGET_DIR} if [ -z "$3" ]; then MAP_DIR="sunnyvale_with_two_offices" else MAP_DIR=$3 fi /apollo/bazel-bin/modules/planning/pipeline/record_to_learning_data \ --flagfile=/apollo/modules/planning/conf/planning.conf \ --map_dir=/apollo/modules/map/data/${MAP_DIR} \ --planning_offline_learning=true \ --planning_offline_bags=${SRC_DIR} \ --planning_data_dir=${TARGET_DIR}
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/navigation/BUILD
load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) filegroup( name = "runtime_files", srcs = [ "navigation_server_key", ], ) install( name = "install", deps = [ "//modules/tools/navigation/config:install", "//modules/tools/navigation/driving_behavior:install" ] )
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/config/default.ini
[PerceptionConf] # three perception solutions: MOBILEYE, CAMERA, and VELODYNE64 perception = CAMERA [LocalizationConf] utm_zone = 10 [PlanningConf] # three planners are available: EM, LATTICE, NAVI planner_type = EM # highest speed for planning algorithms, unit is meter per second speed_limit = 5
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/config/navi_config.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ config navigation mode """ import sys import configparser from modules.dreamview.proto import hmi_config_pb2 from modules.common_msgs.planning_msgs import planning_config_pb2 from modules.tools.common import proto_utils DEFAULT_NAVI_CONFIG_FILE = "/apollo/modules/tools/navigation/config/default.ini" HMI_CONF_FILE = "/apollo/modules/dreamview/conf/hmi.conf" PLANNING_CONF_FILE = "/apollo/modules/planning/conf/planning_config_navi.pb.txt" GLOBAL_FLAG_FILE = "/apollo/modules/common/data/global_flagfile.txt" LOCALIZATION_FLAG_FILE = "/apollo/modules/localization/conf/localization.conf" PLANNING_FLAG_FILE1 = "/apollo/modules/planning/conf/planning.conf" PLANNING_FLAG_FILE2 = "/apollo/modules/planning/conf/planning_navi.conf" def set_hmi_conf(config): """change hmi conf file based on navi config file""" hmi_conf = hmi_config_pb2.HMIConfig() proto_utils.get_pb_from_file(HMI_CONF_FILE, hmi_conf) perception = config.get('PerceptionConf', 'perception') navi_mode = hmi_conf.modes["Navigation"] if 'navigation_camera' in navi_mode.live_modules: navi_mode.live_modules.remove('navigation_camera') if 'navigation_perception' in navi_mode.live_modules: navi_mode.live_modules.remove('navigation_perception') if 'mobileye' in navi_mode.live_modules: navi_mode.live_modules.remove('mobileye') if 'third_party_perception' in navi_mode.live_modules: navi_mode.live_modules.remove('third_party_perception') if 'velodyne' in navi_mode.live_modules: navi_mode.live_modules.remove('velodyne') if 'perception' in navi_mode.live_modules: navi_mode.live_modules.remove('perception') if perception == "CAMERA": if 'navigation_camera' not in navi_mode.live_modules: navi_mode.live_modules.insert(0, 'navigation_camera') if 'navigation_perception' not in navi_mode.live_modules: navi_mode.live_modules.insert(0, 'navigation_perception') if perception == "MOBILEYE": if 'mobileye' not in navi_mode.live_modules: navi_mode.live_modules.insert(0, 'mobileye') if 'third_party_perception' not in navi_mode.live_modules: navi_mode.live_modules.insert(0, 'third_party_perception') if perception == "VELODYNE64": if 'velodyne' not in navi_mode.live_modules: navi_mode.live_modules.insert(0, 'velodyne') if 'perception' not in navi_mode.live_modules: navi_mode.live_modules.insert(0, 'perception') hmi_conf.modes["Navigation"].CopyFrom(navi_mode) proto_utils.write_pb_to_text_file(hmi_conf, HMI_CONF_FILE) def set_planning_conf(config): """change planning config based on navi config""" planning_conf = planning_config_pb2.PlanningConfig() proto_utils.get_pb_from_file(PLANNING_CONF_FILE, planning_conf) planner_type = config.get('PlanningConf', 'planner_type') if planner_type == "EM": planning_conf.planner_type = planning_config_pb2.PlanningConfig.EM if planner_type == "LATTICE": planning_conf.planner_type = planning_config_pb2.PlanningConfig.LATTICE if planner_type == "NAVI": planning_conf.planner_type = planning_config_pb2.PlanningConfig.NAVI proto_utils.write_pb_to_text_file(planning_conf, PLANNING_CONF_FILE) def set_global_flag(config): """update global flag file""" utm_zone = config.get('LocalizationConf', 'utm_zone') with open(GLOBAL_FLAG_FILE, 'a') as f: f.write('\n') f.write('--use_navigation_mode=true\n\n') f.write('--local_utm_zone_id=' + utm_zone + '\n\n') def set_localization_flag(config): """update localization flag file""" utm_zone = config.get('LocalizationConf', 'utm_zone') with open(LOCALIZATION_FLAG_FILE, 'a') as f: f.write('\n') f.write('--local_utm_zone_id=' + utm_zone + '\n\n') def set_planning_flag(config): """update planning flag files""" speed_limit = config.get('PlanningConf', 'speed_limit') with open(PLANNING_FLAG_FILE1, 'a') as f: f.write('\n') f.write('--planning_upper_speed_limit=' + speed_limit + '\n\n') with open(PLANNING_FLAG_FILE2, 'a') as f: f.write('\n') f.write('--planning_upper_speed_limit=' + speed_limit + '\n\n') if __name__ == "__main__": if len(sys.argv) < 2: print("\nusage: python navi_config.py config.ini\n\n") sys.exit(0) config_file = sys.argv[1] config = configparser.ConfigParser() config.read(config_file) set_hmi_conf(config) set_planning_conf(config) set_global_flag(config) set_localization_flag(config) set_planning_flag(config)
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/config/README.md
# Navi Config Navi Config is a tool to set parameters and flags in various modules for navigation mode. ### usage ``` python navi_config.py default.ini ``` *default.ini* file is the default navigation mode configuration, with following content: ``` [PerceptionConf] # three perception solutions: MOBILEYE, CAMERA, and VELODYNE64 perception = CAMERA [LocalizationConf] utm_zone = 10 [PlanningConf] # three planners are available: EM, LATTICE, NAVI planner_type = EM # highest speed for planning algorithms, unit is meter per second speed_limit = 5 ``` In **PerceptionConf** section, the *perception* parameter is to specify the perception solution. Currently there are three supported in Apollo Navigation Mode: mobileye based, camera based and lidar based. In the **LocalizationConf** section, utm_zone need to be specified based on location of the road test. In the **PlanningConf** section, three planner are supported: EM, Lattice, and Navi. Select one for the planner_type parameter. speed_limt, which is the planner upper speed limit, is also configurable in this seciton, which unit is meter per second. Developers could create differet ini files for different test scenarios/purposes or modified the default.ini based on needs.
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/config/BUILD
load("@rules_python//python:defs.bzl", "py_binary") load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) filegroup( name = "readme", srcs = [ "README.md", "default.ini", ], ) py_binary( name = "navi_config", srcs = ["navi_config.py"], data = ["default.ini"], deps = [ "//modules/dreamview/proto:hmi_config_py_pb2", "//modules/planning/proto:planning_config_py_pb2", "//modules/tools/common:proto_utils", ], ) install( name = "install", data = [":readme"], data_dest = "tools/navigation/config", py_dest = "tools/navigation/config", targets = [ "navi_config", ] )
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/provider_chassis.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### class ChassisProvider: def __init__(self): self.chassis_pb = None def update(self, chassis_pb): self.chassis_pb = chassis_pb def get_speed_mps(self): if self.chassis_pb is None: return None return self.chassis_pb.speed_mps
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/lanemarker_corrector.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math class LaneMarkerCorrector: def __init__(self, left_marker, right_marker): self.left_marker = left_marker self.right_marker = right_marker def correct(self, position, heading, routing_segment): return self.left_marker, self.right_marker
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/speed_decider.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### class SpeedDecider: def __init__(self, max_cruise_speed, enable_follow): self.CRUISE_SPEED = max_cruise_speed # m/s self.enable_follow = enable_follow def get_target_speed_and_path_length(self, mobileye_provider, chassis_provider, path_length): obstacle_closest_lon = 999 obstacle_speed = None obstacles = mobileye_provider.obstacles for obs in obstacles: if obs.lane == 1: if (obs.x - obs.length / 2.0) < obstacle_closest_lon: obstacle_closest_lon = obs.x - obs.length / 2.0 obstacle_speed = obs.rel_speed + \ chassis_provider.get_speed_mps() new_path_length = path_length if obstacle_closest_lon < new_path_length: new_path_length = obstacle_closest_lon if obstacle_speed is None or obstacle_speed > self.CRUISE_SPEED: return self.CRUISE_SPEED, new_path_length else: return obstacle_speed, new_path_length def get(self, mobileye_provider, chassis_provider, path_length): if self.enable_follow: return self.get_target_speed_and_path_length(mobileye_provider, chassis_provider, path_length) else: return self.CRUISE_SPEED, path_length
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/ad_vehicle.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### class ADVehicle: def __init__(self): self._chassis_pb = None self._localization_pb = None self.front_edge_to_center = 3.89 self.back_edge_to_center = 1.043 self.left_edge_to_center = 1.055 self.right_edge_to_center = 1.055 self.speed_mps = None self.x = None self.y = None self.heading = None def update_chassis(self, chassis_pb): self._chassis_pb = chassis_pb self.speed_mps = self._chassis_pb.speed_mps def update_localization(self, localization_pb): self._localization_pb = localization_pb self.x = self._localization_pb.pose.position.x self.y = self._localization_pb.pose.position.y self.heading = self._localization_pb.pose.heading def is_ready(self): if self._chassis_pb is None or self._localization_pb is None: return False return True
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/provider_localization.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### class LocalizationProvider: def __init__(self): self.localization_pb = None self.x = 0 self.y = 0 self.heading = 0 def update(self, localization_pb): self.localization_pb = localization_pb self.x = self.localization_pb.pose.position.x self.y = self.localization_pb.pose.position.y self.heading = self.localization_pb.pose.heading
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/local_path.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### class LocalPath: def __init__(self, points): self.points = points def init_y(self): if len(self.points) > 0: return self.points[0][1] return None def get_xy(self): x = [] y = [] for p in self.points: x.append(p[0]) y.append(p[1]) return x, y def range(self): return len(self.points) - 1 def shift(self, dist): for i in range(len(self.points)): self.points[i][1] += dist def cut(self, dist): pass def resample(self): pass def merge(self, local_path, weight): for i in range(len(self.points)): y = self.points[i][1] if i < len(local_path.points): y2 = local_path.points[i][1] * weight self.points[i][1] = (y + y2) / (1 + weight)
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/heading_decider.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math import numpy.polynomial.polynomial as poly class HeadingDecider: def __init__(self): self.mobileye_pb = None def get_path(self, x, y, path_length): ind = int(math.floor((abs(x[0]) * 100.0) / 1) + 1) newx = [0] newy = [0] w = [1000] if len(y) - ind > 0: for i in range(len(y) - ind): newx.append(x[i + ind]) newy.append(y[i + ind]) w.append(w[-1] - 10) else: newx.append(x[-1]) newy.append(y[-1]) w.append(w[-1] - 10) coefs = poly.polyfit(newy, newx, 4, w=w) # x = f(y) nx = poly.polyval(y, coefs) return nx, y
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/BUILD
load("@rules_python//python:defs.bzl", "py_library") package(default_visibility = ["//visibility:public"]) py_library( name = "ad_vehicle", srcs = ["ad_vehicle.py"], ) py_library( name = "heading_decider", srcs = ["heading_decider.py"], ) py_library( name = "lanemarker_corrector", srcs = ["lanemarker_corrector.py"], ) py_library( name = "local_path", srcs = ["local_path.py"], ) py_library( name = "provider_chassis", srcs = ["provider_chassis.py"], ) py_library( name = "provider_localization", srcs = ["provider_localization.py"], ) py_library( name = "reference_path", srcs = ["reference_path.py"], ) py_library( name = "speed_decider", srcs = ["speed_decider.py"], ) py_library( name = "trajectory_generator", srcs = ["trajectory_generator.py"], deps = [ "//cyber/python/cyber_py3:cyber_time", "//modules/common_msgs/chassis_msgs:chassis_py_pb2", "//modules/common_msgs/basic_msgs:drive_state_py_pb2", "//modules/common_msgs/planning_msgs:planning_py_pb2", ], )
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/reference_path.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from numpy.polynomial.polynomial import polyval class ReferencePath: def __init__(self): self.MINIMUM_PATH_LENGTH = 5 self.MAX_LAT_CHANGE = 0.1 self.init_y_last = None def get_path_length(self, speed_mps): path_length = self.MINIMUM_PATH_LENGTH current_speed = speed_mps if current_speed is not None: if path_length < current_speed * 2: path_length = math.ceil(current_speed * 2) return path_length def get_ref_path_init_y(self, init_y_perception): if self.init_y_last is None: return 0 if abs(init_y_perception - self.init_y_last) < self.MAX_LAT_CHANGE: return init_y_perception else: if init_y_perception > self.init_y_last: return self.init_y_last + self.MAX_LAT_CHANGE else: return self.init_y_last - self.MAX_LAT_CHANGE def get_ref_path_by_lm(self, perception, chassis): path_length = self.get_path_length(chassis.get_speed_mps()) init_y_perception = (perception.right_lm_coef[0] + perception.left_lm_coef[0]) / -2.0 init_y = self.get_ref_path_init_y(init_y_perception) self.init_y_last = init_y path_x, path_y = self._get_perception_ref_path( perception, path_length, init_y) return path_x, path_y, path_length def _get_perception_ref_path(self, perception, path_length, init_y): path_coef = [0, 0, 0, 0] path_coef[0] = -1 * init_y quality = perception.right_lm_quality + perception.left_lm_quality if quality > 0: for i in range(1, 4): path_coef[i] = (perception.right_lm_coef[i] * perception.right_lm_quality + perception.left_lm_coef[i] * perception.left_lm_quality) / quality path_x = [] path_y = [] for x in range(int(path_length)): y = -1 * polyval(x, path_coef) path_x.append(x) path_y.append(y) return path_x, path_y def get_ref_path_by_lmr(self, perception, routing, adv): path_length = self.get_path_length(adv.speed_mps) rpath_x, rpath_y = routing.get_local_segment_spline(adv.x, adv.y, adv.heading) init_y_perception = (perception.right_lm_coef[0] + perception.left_lm_coef[0]) / -2.0 quality = perception.right_lm_quality + perception.left_lm_quality quality = quality / 2.0 if len(rpath_x) >= path_length and routing.human and rpath_y[0] <= 3: init_y_routing = rpath_y[0] init_y = self.get_ref_path_init_y(init_y_routing) if quality > 0.1: quality = 0.1 self.init_y_last = init_y else: init_y = self.get_ref_path_init_y(init_y_perception) self.init_y_last = init_y lmpath_x, lmpath_y = self._get_perception_ref_path( perception, path_length, init_y) if len(rpath_x) < path_length: return lmpath_x, lmpath_y, path_length routing_shift = rpath_y[0] - init_y path_x = [] path_y = [] for i in range(int(path_length)): # TODO(yifei): more accurate shift is needed. y = (lmpath_y[i] * quality + rpath_y[i] - routing_shift) / ( 1 + quality) path_x.append(i) path_y.append(y) return path_x, path_y, path_length def shift_point(self, p, p2, distance): delta_y = p2.y - p.y delta_x = p2.x - p.x angle = 0 if distance >= 0: angle = math.atan2(delta_y, delta_x) + math.pi / 2.0 else: angle = math.atan2(delta_y, delta_x) - math.pi / 2.0 p1n = [] p1n.append(p.x + (math.cos(angle) * distance)) p1n.append(p.y + (math.sin(angle) * distance)) p2n = [] p2n.append(p2.x + (math.cos(angle) * distance)) p2n.append(p2.y + (math.sin(angle) * distance)) return p1n, p2n
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/planning/trajectory_generator.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from numpy.polynomial.polynomial import polyval from modules.common_msgs.planning_msgs import planning_pb2 from modules.common_msgs.chassis_msgs import chassis_pb2 from modules.common_msgs.basic_msgs import drive_state_pb2 from cyber.python.cyber_py3 import cyber_time def euclidean_distance(point1, point2): sum = (point1[0] - point2[0]) * (point1[0] - point2[0]) sum += (point1[1] - point2[1]) * (point1[1] - point2[1]) return math.sqrt(sum) def get_theta(point, point_base): # print point return math.atan2(1, 0) - math.atan2(point[0] - point_base[0], point[1] - point_base[1]) class TrajectoryGenerator: def __init__(self): self.mobileye_pb = None def generate(self, path, final_path_length, speed, start_timestamp): path_x, path_y = path.get_xy() adc_trajectory = planning_pb2.ADCTrajectory() adc_trajectory.header.timestamp_sec = cyber_time.Time.now().to_sec() adc_trajectory.header.module_name = "planning" adc_trajectory.gear = chassis_pb2.Chassis.GEAR_DRIVE adc_trajectory.latency_stats.total_time_ms = \ (cyber_time.Time.now().to_sec() - start_timestamp) * 1000 s = 0 relative_time = 0 adc_trajectory.engage_advice.advice \ = drive_state_pb2.EngageAdvice.READY_TO_ENGAGE for x in range(int(final_path_length - 1)): y = path_y[x] traj_point = adc_trajectory.trajectory_point.add() traj_point.path_point.x = x traj_point.path_point.y = y if x > 0: dist = euclidean_distance((x, y), (x - 1, path_y[x - 1])) s += dist relative_time += dist / speed traj_point.path_point.theta = get_theta( (x + 1, path_y[x + 1]), (0, path_y[0])) traj_point.path_point.s = s traj_point.v = speed traj_point.relative_time = relative_time return adc_trajectory
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/driving_behavior/path_plot.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys import matplotlib.pyplot as plt fig = plt.figure() ax = plt.subplot2grid((1, 1), (0, 0)) styles = ["b-", "r-", "y-"] i = 0 for fn in sys.argv[1:]: f = open(fn, 'r') xs = [] ys = [] for line in f: line = line.replace("\n", '') data = line.split(',') x = float(data[0]) y = float(data[1]) xs.append(x) ys.append(y) f.close() si = i % len(styles) ax.plot(xs, ys, styles[si], lw=3, alpha=0.8) i += 1 ax.axis('equal') plt.show()
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/driving_behavior/plot_gps_path.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys import pyproj import matplotlib.pyplot as plt projector = pyproj.Proj(proj='utm', zone=10, ellps='WGS84') fig = plt.figure() ax = plt.subplot2grid((1, 1), (0, 0)) styles = ['r-', 'b-'] i = 0 for fn in sys.argv[1:]: X = [] Y = [] f = open(fn, 'r') for line in f: line = line.replace('\n', '') vals = line.split(",") if len(vals) < 3: continue print(float(vals[-2]), float(vals[-1])) x, y = projector(float(vals[-1]), float(vals[-2])) print(x, y) X.append(x) Y.append(y) f.close() ax.plot(X, Y, styles[i % len(styles)], lw=3, alpha=0.8) i += 1 ax.axis('equal') plt.show()
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/driving_behavior/path_extract.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ extract localization message from bag files Usage: python path_extract.py file1 file2 ... """ import sys import datetime from cyber.python.cyber_py3.record import RecordReader from modules.common_msgs.localization_msgs import localization_pb2 kLocalizationTopic = '/apollo/localization/pose' if __name__ == '__main__': bag_files = sys.argv[1:] bag_file = bag_files[0] now = datetime.datetime.now().strftime("%Y-%m-%d_%H.%M.%S") f = open("path_" + bag_file.split('/')[-1] + ".txt", 'w') for bag_file in bag_files: print("begin to extract path from file :", bag_file) reader = RecordReader(bag_file) localization = localization_pb2.LocalizationEstimate() for msg in reader.read_messages(): if msg.topic == kLocalizationTopic: localization.ParseFromString(msg.message) x = localization.pose.position.x y = localization.pose.position.y f.write(str(x) + "," + str(y) + "\n") print("Finished extracting path from file :", bag_file) f.close()
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/driving_behavior/BUILD
load("@rules_python//python:defs.bzl", "py_binary") load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) py_binary( name = "path_extract", srcs = ["path_extract.py"], deps = [ "//cyber/python/cyber_py3:record", "//modules/common_msgs/localization_msgs:localization_py_pb2", ], ) py_binary( name = "path_plot", srcs = ["path_plot.py"], ) py_binary( name = "path_process", srcs = ["path_process.py"], ) py_binary( name = "plot_gps_path", srcs = ["plot_gps_path.py"], ) install( name = "install", data_dest = "tools/navigation/driving_behavior", py_dest = "tools/navigation/driving_behavior", targets = [ "path_plot", "path_process", "plot_gps_path", "path_extract", ] )
0
apollo_public_repos/apollo/modules/tools/navigation
apollo_public_repos/apollo/modules/tools/navigation/driving_behavior/path_process.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import sys from shapely.geometry import LineString, Point import matplotlib.pyplot as plt if __name__ == "__main__": fpath = sys.argv[1] f = open(fpath, 'r') points_x = [] points_y = [] points = [] for line in f: line = line.replace("\n", '') if len(line.strip()) == 0: continue data = line.split(',') x = float(data[0]) y = float(data[1]) points_x.append(x) points_y.append(y) points.append((x, y)) f.close() line_string = LineString(points) new_px = [] new_py = [] f = open("processed_" + fpath.split("/")[-1], 'w') for i in range(int(line_string.length)): p = line_string.interpolate(i) new_px.append(p.x) new_py.append(p.y) f.write(str(p.x) + "," + str(p.y) + "\n") f.close() print(len(points_x)) print(len(new_px)) plt.figure() plt.plot(points_x, points_y, '-r', lw=1, label='raw') plt.plot(new_px, new_py, '-g', label='processed') plt.legend(loc='best') plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/open_space_roi_visualizer.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### # @file to run it, change the modules/common/configs/config_gflags.cc to use sunnyvale_with_two_offices from open_space_roi_interface import * import matplotlib.pyplot as plt # initialize object open_space_roi = open_space_roi() lane_id = "11564dup1_1_-1" parking_id = "11543" num_output_buffer = 50 unrotated_roi_boundary_x = (c_double * num_output_buffer)() roi_boundary_x = (c_double * num_output_buffer)() parking_spot_x = (c_double * num_output_buffer)() unrotated_roi_boundary_y = (c_double * num_output_buffer)() roi_boundary_y = (c_double * num_output_buffer)() parking_spot_y = (c_double * num_output_buffer)() end_pose = (c_double * num_output_buffer)() xy_boundary = (c_double * num_output_buffer)() origin_pose = (c_double * num_output_buffer)() if not open_space_roi.ROITest(lane_id, parking_id, unrotated_roi_boundary_x, unrotated_roi_boundary_y, roi_boundary_x, roi_boundary_y, parking_spot_x, parking_spot_y, end_pose, xy_boundary, origin_pose): print("open_space_roi fail") result_unrotated_roi_boundary_x = [] result_unrotated_roi_boundary_y = [] result_roi_boundary_x = [] result_roi_boundary_y = [] result_parking_spot_x = [] result_parking_spot_y = [] result_end_pose = [] result_xy_boundary = [] result_origin_pose = [] print("vertices of obstacles") for i in range(0, 10): result_unrotated_roi_boundary_x.append(float(unrotated_roi_boundary_x[i])) result_unrotated_roi_boundary_y.append(float(unrotated_roi_boundary_y[i])) result_roi_boundary_x.append(float(roi_boundary_x[i])) result_roi_boundary_y.append(float(roi_boundary_y[i])) print(str(float(roi_boundary_x[i]))) print(str(float(roi_boundary_y[i]))) print("parking spot") for i in range(0, 4): result_parking_spot_x.append(float(parking_spot_x[i])) result_parking_spot_y.append(float(parking_spot_y[i])) print("end_pose in x,y,phi,v") for i in range(0, 4): print(str(float(end_pose[i]))) print("xy_boundary in xmin xmax ymin ymax") for i in range(0, 4): print(str(float(xy_boundary[i]))) print("origin_pose") for i in range(0, 2): print(str(float(origin_pose[i]))) fig = plt.figure() ax1 = fig.add_subplot(211) ax1.scatter(result_unrotated_roi_boundary_x, result_unrotated_roi_boundary_y) ax1.scatter(result_parking_spot_x, result_parking_spot_y) ax2 = fig.add_subplot(212) ax2.scatter(result_roi_boundary_x, result_roi_boundary_y) plt.gca().set_aspect('equal', adjustable='box') plt.show()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/auto_param_tuning.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import argparse import random from google.protobuf.internal import decoder from google.protobuf.internal import encoder from modules.common_msgs.planning_msgs import planner_open_space_config_pb2 import modules.tools.common.proto_utils as proto_utils import distance_approach_visualizer import hybrid_a_star_visualizer random.seed(99999) rand_num = 1000 original_file_path = "/apollo/modules/planning/conf/planner_open_space_config.pb.txt" optimal_file_path = "/apollo/modules/planning/conf/optimal_planner_open_space_config_-8_4.pb.txt" # tunning_object = "coarse_trajectory" tunning_object = "smooth_trajectory" def load_open_space_protobuf(filename): open_space_params = planner_open_space_config_pb2.PlannerOpenSpaceConfig() proto_utils.get_pb_from_text_file(filename, open_space_params) return open_space_params def GetParamsForTunning(tunning_object): param_names_and_range = [] if tunning_object == "coarse_trajectory": param_names_and_range.append( ("warm_start_config.traj_forward_penalty", 2.0)) param_names_and_range.append( ("warm_start_config.traj_back_penalty", 2.0)) param_names_and_range.append( ("warm_start_config.traj_gear_switch_penalty", 2.0)) param_names_and_range.append( ("warm_start_config.traj_steer_penalty", 3.0)) param_names_and_range.append( ("warm_start_config.traj_steer_change_penalty", 2.0)) elif tunning_object == "smooth_trajectory": param_names_and_range.append( ("distance_approach_config.weight_steer", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_a", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_steer_rate", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_a_rate", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_x", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_y", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_phi", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_v", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_steer_stitching", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_a_stitching", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_first_order_time", 2.0)) param_names_and_range.append( ("distance_approach_config.weight_second_order_time", 2.0)) return param_names_and_range def RandSampling(param_names_and_range, origin_open_space_params): params_lists = [] for iter in range(0, rand_num): rand_params = planner_open_space_config_pb2.PlannerOpenSpaceConfig() rand_params.CopyFrom(origin_open_space_params) for param in param_names_and_range: exec("rand_params." + str(param[0]) + "=random.uniform(max(rand_params." + str(param[0]) + " - " + str(param[1]) + ",0.0)" + " ,rand_params." + str(param[0]) + " + " + str(param[1]) + ")") params_lists.append(rand_params) return params_lists def TestingParams(params_lists, tunning_object): key_to_evaluations = {} for iter in range(0, len(params_lists)): evaluation = ParamEvaluation(params_lists[iter], tunning_object) key_to_evaluations[iter] = evaluation return key_to_evaluations def ParamEvaluation(params, tunning_object): proto_utils.write_pb_to_text_file(params, original_file_path) if tunning_object == "coarse_trajectory": visualize_flag = False success, x_out, y_out, phi_out, v_out, a_out, steer_out, planning_time = hybrid_a_star_visualizer.HybridAStarPlan( visualize_flag) if not success: return float('inf') else: return planning_time elif tunning_object == "smooth_trajectory": visualize_flag = False success, opt_x_out, opt_y_out, opt_phi_out, opt_v_out, opt_a_out, opt_steer_out, opt_time_out, planning_time = distance_approach_visualizer.SmoothTrajectory( visualize_flag) if not success: return float('inf') else: return planning_time def GetOptimalParams(params_lists, key_to_evaluations): tmp = [] for key, value in key_to_evaluations.items(): tmptuple = (value, key) tmp.append(tmptuple) tmp = sorted(tmp) optimal_params = params_lists[tmp[0][1]] optimal_evaluation = tmp[0][0] return optimal_params, optimal_evaluation if __name__ == '__main__': parser = argparse.ArgumentParser() parser.add_argument( "--InputConfig", help="original conf address to be tuned", type=str, default=original_file_path) parser.add_argument("--OutputConfig", help="tuned conf address", type=str, default=optimal_file_path) parser.add_argument("--TunningObject", help="algorithm to be tuned", type=str, default=tunning_object) args = parser.parse_args() original_file_path = args.InputConfig optimal_file_path = args.OutputConfig tunning_object = args.TunningObject param_names_and_range = GetParamsForTunning(tunning_object) origin_open_space_params = load_open_space_protobuf(original_file_path) params_lists = RandSampling( param_names_and_range, origin_open_space_params) key_to_evaluations = TestingParams(params_lists, tunning_object) optimal_params, optimal_evaluation = GetOptimalParams( params_lists, key_to_evaluations) origin_evaluation = ParamEvaluation( origin_open_space_params, tunning_object) print("optimal_evaluation is " + str(optimal_evaluation)) print("origin_evaluation is " + str(origin_evaluation)) improvement_percentage = ( origin_evaluation - optimal_evaluation) / origin_evaluation print("improvement_percentage is " + str(improvement_percentage)) proto_utils.write_pb_to_text_file(optimal_params, optimal_file_path) proto_utils.write_pb_to_text_file( origin_open_space_params, original_file_path)
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/distance_approach_visualizer.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math import time from matplotlib import animation import matplotlib.patches as patches import matplotlib.pyplot as plt import numpy as np from distance_approach_python_interface import * result_file = "/tmp/open_space_osqp_ipopt.csv" # def SmoothTrajectory(visualize_flag): def SmoothTrajectory(visualize_flag, sx, sy): # initialze object OpenSpacePlanner = DistancePlanner() # parameter(except max, min and car size is defined in proto) num_output_buffer = 10000 # sx = -8 # sy = 1.5 # sphi = 0.5 sphi = 0.0 scenario = "backward" # scenario = "parallel" if scenario == "backward": # obstacles for distance approach(vertices coords in clock wise order) ROI_distance_approach_parking_boundary = ( c_double * 20)(*[-13.6407054776, 0.0140634663703, 0.0, 0.0, 0.0515703622475, -5.15258191624, 0.0515703622475, -5.15258191624, 2.8237895441, -5.15306980547, 2.8237895441, -5.15306980547, 2.7184833539, -0.0398078878812, 16.3592013995, -0.011889513383, 16.3591910364, 5.60414234644, -13.6406951857, 5.61797800844, ]) OpenSpacePlanner.AddObstacle( ROI_distance_approach_parking_boundary) # parking lot position ex = 1.359 ey = -3.86443643718 ephi = 1.581 XYbounds = [-13.6406951857, 16.3591910364, -5.15258191624, 5.61797800844] x = (c_double * num_output_buffer)() y = (c_double * num_output_buffer)() phi = (c_double * num_output_buffer)() v = (c_double * num_output_buffer)() a = (c_double * num_output_buffer)() steer = (c_double * num_output_buffer)() opt_x = (c_double * num_output_buffer)() opt_y = (c_double * num_output_buffer)() opt_phi = (c_double * num_output_buffer)() opt_v = (c_double * num_output_buffer)() opt_a = (c_double * num_output_buffer)() opt_steer = (c_double * num_output_buffer)() opt_time = (c_double * num_output_buffer)() opt_dual_l = (c_double * num_output_buffer)() opt_dual_n = (c_double * num_output_buffer)() size = (c_ushort * 1)() XYbounds_ctype = (c_double * 4)(*XYbounds) hybrid_time = (c_double * 1)(0.0) dual_time = (c_double * 1)(0.0) ipopt_time = (c_double * 1)(0.0) success = True start = time.time() print("planning start") if not OpenSpacePlanner.DistancePlan(sx, sy, sphi, ex, ey, ephi, XYbounds_ctype): print("planning fail") success = False # exit() planning_time = time.time() - start print("planning time is " + str(planning_time)) x_out = [] y_out = [] phi_out = [] v_out = [] a_out = [] steer_out = [] opt_x_out = [] opt_y_out = [] opt_phi_out = [] opt_v_out = [] opt_a_out = [] opt_steer_out = [] opt_time_out = [] opt_dual_l_out = [] opt_dual_n_out = [] if visualize_flag and success: # load result OpenSpacePlanner.DistanceGetResult(x, y, phi, v, a, steer, opt_x, opt_y, opt_phi, opt_v, opt_a, opt_steer, opt_time, opt_dual_l, opt_dual_n, size, hybrid_time, dual_time, ipopt_time) for i in range(0, size[0]): x_out.append(float(x[i])) y_out.append(float(y[i])) phi_out.append(float(phi[i])) v_out.append(float(v[i])) a_out.append(float(a[i])) steer_out.append(float(steer[i])) opt_x_out.append(float(opt_x[i])) opt_y_out.append(float(opt_y[i])) opt_phi_out.append(float(opt_phi[i])) opt_v_out.append(float(opt_v[i])) opt_a_out.append(float(opt_a[i])) opt_steer_out.append(float(opt_steer[i])) opt_time_out.append(float(opt_time[i])) for i in range(0, size[0] * 6): opt_dual_l_out.append(float(opt_dual_l[i])) for i in range(0, size[0] * 16): opt_dual_n_out.append(float(opt_dual_n[i])) # trajectories plot fig1 = plt.figure(1) ax = fig1.add_subplot(111) for i in range(0, size[0]): # warm start downx = 1.055 * math.cos(phi_out[i] - math.pi / 2) downy = 1.055 * math.sin(phi_out[i] - math.pi / 2) leftx = 1.043 * math.cos(phi_out[i] - math.pi) lefty = 1.043 * math.sin(phi_out[i] - math.pi) x_shift_leftbottom = x_out[i] + downx + leftx y_shift_leftbottom = y_out[i] + downy + lefty warm_start_car = patches.Rectangle((x_shift_leftbottom, y_shift_leftbottom), 3.89 + 1.043, 1.055 * 2, angle=phi_out[i] * 180 / math.pi, linewidth=1, edgecolor='r', facecolor='none') warm_start_arrow = patches.Arrow( x_out[i], y_out[i], 0.25 * math.cos(phi_out[i]), 0.25 * math.sin(phi_out[i]), 0.2, edgecolor='r',) # ax.add_patch(warm_start_car) ax.add_patch(warm_start_arrow) # distance approach downx = 1.055 * math.cos(opt_phi_out[i] - math.pi / 2) downy = 1.055 * math.sin(opt_phi_out[i] - math.pi / 2) leftx = 1.043 * math.cos(opt_phi_out[i] - math.pi) lefty = 1.043 * math.sin(opt_phi_out[i] - math.pi) x_shift_leftbottom = opt_x_out[i] + downx + leftx y_shift_leftbottom = opt_y_out[i] + downy + lefty smoothing_car = patches.Rectangle((x_shift_leftbottom, y_shift_leftbottom), 3.89 + 1.043, 1.055 * 2, angle=opt_phi_out[i] * 180 / math.pi, linewidth=1, edgecolor='y', facecolor='none') smoothing_arrow = patches.Arrow( opt_x_out[i], opt_y_out[i], 0.25 * math.cos(opt_phi_out[i]), 0.25 * math.sin(opt_phi_out[i]), 0.2, edgecolor='y',) ax.add_patch(smoothing_car) ax.add_patch(smoothing_arrow) ax.plot(sx, sy, "s") ax.plot(ex, ey, "s") if scenario == "backward": left_boundary_x = [-13.6407054776, 0.0, 0.0515703622475] left_boundary_y = [0.0140634663703, 0.0, -5.15258191624] down_boundary_x = [0.0515703622475, 2.8237895441] down_boundary_y = [-5.15258191624, -5.15306980547] right_boundary_x = [2.8237895441, 2.7184833539, 16.3592013995] right_boundary_y = [-5.15306980547, -0.0398078878812, -0.011889513383] up_boundary_x = [16.3591910364, -13.6406951857] up_boundary_y = [5.60414234644, 5.61797800844] ax.plot(left_boundary_x, left_boundary_y, "k") ax.plot(down_boundary_x, down_boundary_y, "k") ax.plot(right_boundary_x, right_boundary_y, "k") ax.plot(up_boundary_x, up_boundary_y, "k") plt.axis('equal') # input plot fig2 = plt.figure(2) v_graph = fig2.add_subplot(411) v_graph.title.set_text('v') v_graph.plot(np.linspace(0, size[0], size[0]), v_out) v_graph.plot(np.linspace(0, size[0], size[0]), opt_v_out) a_graph = fig2.add_subplot(412) a_graph.title.set_text('a') a_graph.plot(np.linspace(0, size[0], size[0]), a_out) a_graph.plot(np.linspace(0, size[0], size[0]), opt_a_out) steer_graph = fig2.add_subplot(413) steer_graph.title.set_text('steering') steer_graph.plot(np.linspace(0, size[0], size[0]), steer_out) steer_graph.plot(np.linspace(0, size[0], size[0]), opt_steer_out) steer_graph = fig2.add_subplot(414) steer_graph.title.set_text('t') steer_graph.plot(np.linspace(0, size[0], size[0]), opt_time_out) # dual variables fig3 = plt.figure(3) dual_l_graph = fig3.add_subplot(211) dual_l_graph.title.set_text('dual_l') dual_l_graph.plot(np.linspace(0, size[0] * 6, size[0] * 6), opt_dual_l_out) dual_n_graph = fig3.add_subplot(212) dual_n_graph.title.set_text('dual_n') dual_n_graph.plot(np.linspace(0, size[0] * 16, size[0] * 16), opt_dual_n_out) plt.show() return True if not visualize_flag: if success: # load result OpenSpacePlanner.DistanceGetResult(x, y, phi, v, a, steer, opt_x, opt_y, opt_phi, opt_v, opt_a, opt_steer, opt_time, opt_dual_l, opt_dual_n, size, hybrid_time, dual_time, ipopt_time) for i in range(0, size[0]): x_out.append(float(x[i])) y_out.append(float(y[i])) phi_out.append(float(phi[i])) v_out.append(float(v[i])) a_out.append(float(a[i])) steer_out.append(float(steer[i])) opt_x_out.append(float(opt_x[i])) opt_y_out.append(float(opt_y[i])) opt_phi_out.append(float(opt_phi[i])) opt_v_out.append(float(opt_v[i])) opt_a_out.append(float(opt_a[i])) opt_steer_out.append(float(opt_steer[i])) opt_time_out.append(float(opt_time[i])) # check end_pose distacne end_pose_dist = math.sqrt((opt_x_out[-1] - ex)**2 + (opt_y_out[-1] - ey)**2) end_pose_heading = abs(opt_phi_out[-1] - ephi) reach_end_pose = (end_pose_dist <= 0.1 and end_pose_heading <= 0.17) else: end_pose_dist = 100.0 end_pose_heading = 100.0 reach_end_pose = 0 return [success, end_pose_dist, end_pose_heading, reach_end_pose, opt_x_out, opt_y_out, opt_phi_out, opt_v_out, opt_a_out, opt_steer_out, opt_time_out, hybrid_time, dual_time, ipopt_time, planning_time] return False if __name__ == '__main__': # visualize_flag = True # SmoothTrajectory(visualize_flag) visualize_flag = False planning_time_stats = [] hybrid_time_stats = [] dual_time_stats = [] ipopt_time_stats = [] end_pose_dist_stats = [] end_pose_heading_stats = [] test_count = 0 success_count = 0 for sx in np.arange(-10, 10, 1.0): for sy in np.arange(2, 4, 0.5): print("sx is " + str(sx) + " and sy is " + str(sy)) test_count += 1 result = SmoothTrajectory(visualize_flag, sx, sy) # if result[0] and result[3]: # success cases only if result[0]: success_count += 1 planning_time_stats.append(result[-1]) ipopt_time_stats.append(result[-2][0]) dual_time_stats.append(result[-3][0]) hybrid_time_stats.append(result[-4][0]) end_pose_dist_stats.append(result[1]) end_pose_heading_stats.append(result[2]) print("success rate is " + str(float(success_count) / float(test_count))) print("min is " + str(min(planning_time_stats))) print("max is " + str(max(planning_time_stats))) print("average is " + str(sum(planning_time_stats) / len(planning_time_stats))) print("max end_pose_dist difference is: " + str(max(end_pose_dist_stats))) print("min end_pose_dist difference is: " + str(min(end_pose_dist_stats))) print("average end_pose_dist difference is: " + str(sum(end_pose_dist_stats) / len(end_pose_dist_stats))) print("max end_pose_heading difference is: " + str(max(end_pose_heading_stats))) print("min end_pose_heading difference is: " + str(min(end_pose_heading_stats))) print("average end_pose_heading difference is: " + str(sum(end_pose_heading_stats) / len(end_pose_heading_stats))) module_timing = np.asarray([hybrid_time_stats, dual_time_stats, ipopt_time_stats]) np.savetxt(result_file, module_timing, delimiter=",") print("average hybrid time(s): %4.4f, with max: %4.4f, min: %4.4f" % ( sum(hybrid_time_stats) / len(hybrid_time_stats) / 1000.0, max(hybrid_time_stats) / 1000.0, min(hybrid_time_stats) / 1000.0)) print("average dual time(s): %4.4f, with max: %4.4f, min: %4.4f" % ( sum(dual_time_stats) / len(dual_time_stats) / 1000.0, max(dual_time_stats) / 1000.0, min(dual_time_stats) / 1000.0)) print("average ipopt time(s): %4.4f, with max: %4.4f, min: %4.4f" % ( sum(ipopt_time_stats) / len(ipopt_time_stats) / 1000.0, max(ipopt_time_stats) / 1000.0, min(ipopt_time_stats) / 1000.0))
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/open_space_roi_interface.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import ctypes import math from ctypes import cdll, c_ushort, c_int, c_char_p, c_double, POINTER lib = cdll.LoadLibrary( '/apollo/bazel-bin/modules/planning/open_space/tools/open_space_roi_wrapper_lib.so') class open_space_roi(object): def __init__(self): self.open_space_roi_test = lib.CreateROITestPtr() def ROITest(self, lane_id, parking_id, unrotated_roi_boundary_x, unrotated_roi_boundary_y, roi_boundary_x, roi_boundary_y, parking_spot_x, parking_spot_y, end_pose, xy_boundary, origin_pose): return lib.ROITest(self.open_space_roi_test, (c_char_p)(lane_id), (c_char_p)(parking_id), POINTER(c_double)(unrotated_roi_boundary_x), POINTER( c_double)(unrotated_roi_boundary_y), POINTER(c_double)(roi_boundary_x), POINTER( c_double)(roi_boundary_y), POINTER(c_double)( parking_spot_x), POINTER(c_double)( parking_spot_y), POINTER(c_double)(end_pose), POINTER(c_double)(xy_boundary), POINTER(c_double)(origin_pose))
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/hybrid_a_star_python_interface.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from ctypes import c_bool from ctypes import c_double from ctypes import c_int from ctypes import c_ushort from ctypes import c_void_p lib = cdll.LoadLibrary( '/apollo/bazel-bin/modules/planning/open_space/tools/hybrid_a_star_wrapper_lib.so') lib.CreatePlannerPtr.argtypes = [] lib.CreatePlannerPtr.restype = c_void_p lib.CreateResultPtr.argtypes = [] lib.CreateResultPtr.restype = c_void_p lib.CreateObstaclesPtr.argtypes = [] lib.CreateObstaclesPtr.restype = c_void_p lib.AddVirtualObstacle.argtypes = [c_void_p, POINTER(c_double), POINTER(c_double), c_int] lib.Plan.restype = c_bool lib.Plan.argtypes = [c_void_p, c_void_p, c_void_p, c_double, c_double, c_double, c_double, c_double, c_double, POINTER(c_double)] lib.GetResult.argtypes = [c_void_p, POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER(c_ushort)] class HybridAStarPlanner(object): def __init__(self): self.planner = lib.CreatePlannerPtr() self.obstacles = lib.CreateObstaclesPtr() self.result = lib.CreateResultPtr() def AddVirtualObstacle(self, obstacle_x, obstacle_y, vertice_num): lib.AddVirtualObstacle(self.obstacles, POINTER(c_double)(obstacle_x), POINTER(c_double)(obstacle_y), (c_int)(vertice_num)) def Plan(self, sx, sy, sphi, ex, ey, ephi, XYbounds): return lib.Plan(self.planner, self.obstacles, self.result, c_double(sx), c_double(sy), c_double(sphi), c_double(ex), c_double(ey), c_double(ephi), POINTER(c_double)(XYbounds)) def GetResult(self, x, y, phi, v, a, steer, output_size): lib.GetResult(self.result, POINTER(c_double)(x), POINTER(c_double)(y), POINTER(c_double)(phi), POINTER(c_double)(v), POINTER(c_double)(a), POINTER(c_double)(steer), POINTER(c_ushort)(output_size))
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/distance_approach_python_interface.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math from ctypes import c_bool from ctypes import c_double from ctypes import c_ushort from ctypes import c_void_p from ctypes import cdll, POINTER lib = cdll.LoadLibrary( '/apollo/bazel-bin/modules/planning/open_space/tools/distance_approach_problem_wrapper_lib.so') lib.CreateHybridAPtr.argtypes = [] lib.CreateHybridAPtr.restype = c_void_p lib.DistanceCreateResultPtr.argtypes = [] lib.DistanceCreateResultPtr.restype = c_void_p lib.DistanceCreateObstaclesPtr.argtypes = [] lib.DistanceCreateObstaclesPtr.restype = c_void_p lib.AddObstacle.argtypes = [c_void_p, POINTER(c_double)] lib.DistancePlan.restype = c_bool lib.DistancePlan.argtypes = [c_void_p, c_void_p, c_void_p, c_double, c_double, c_double, c_double, c_double, c_double, POINTER(c_double)] lib.DistanceGetResult.argtypes = [c_void_p, c_void_p, POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER( c_double), POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER( c_double), POINTER(c_double), POINTER(c_double), POINTER(c_double), POINTER( c_double), POINTER(c_double), POINTER(c_ushort), POINTER(c_double), POINTER(c_double), POINTER(c_double)] class DistancePlanner(object): def __init__(self): self.warm_start_planner = lib.CreateHybridAPtr() self.obstacles = lib.DistanceCreateObstaclesPtr() self.result = lib.DistanceCreateResultPtr() def AddObstacle(self, ROI_distance_approach_parking_boundary): lib.AddObstacle(self.obstacles, POINTER( c_double)(ROI_distance_approach_parking_boundary)) def DistancePlan(self, sx, sy, sphi, ex, ey, ephi, XYbounds): return lib.DistancePlan(self.warm_start_planner, self.obstacles, self.result, c_double(sx), c_double(sy), c_double(sphi), c_double(ex), c_double(ey), c_double(ephi), POINTER(c_double)(XYbounds)) def DistanceGetResult(self, x, y, phi, v, a, steer, opt_x, opt_y, opt_phi, opt_v, opt_a, opt_steer, opt_time, opt_dual_l, opt_dual_n, output_size, hybrid_time, dual_time, ipopt_time): lib.DistanceGetResult(self.result, self.obstacles, POINTER(c_double)(x), POINTER(c_double)(y), POINTER(c_double)(phi), POINTER(c_double)(v), POINTER(c_double)(a), POINTER( c_double)(steer), POINTER(c_double)(opt_x), POINTER(c_double)(opt_y), POINTER(c_double)(opt_phi), POINTER(c_double)(opt_v), POINTER(c_double)(opt_a), POINTER(c_double)(opt_steer), POINTER(c_double)( opt_time), POINTER(c_double)(opt_dual_l), POINTER(c_double)(opt_dual_n), POINTER(c_ushort)(output_size), POINTER(c_double)(hybrid_time), POINTER(c_double)(dual_time), POINTER(c_double)(ipopt_time))
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/hybrid_a_star_visualizer.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### import math import time from matplotlib import animation import matplotlib.patches as patches import matplotlib.pyplot as plt import numpy as np from hybrid_a_star_python_interface import * def HybridAStarPlan(visualize_flag): # initialze object HybridAStar = HybridAStarPlanner() # parameter(except max, min and car size is defined in proto) num_output_buffer = 100000 sx = -8 sy = 4 sphi = 0.0 scenario = "backward" # scenario = "parallel" if scenario == "backward": # for parking space 11543 in sunnyvale_with_two_offices left_boundary_x = ( c_double * 3)(*[-13.6407054776, 0.0, 0.0515703622475]) left_boundary_y = ( c_double * 3)(*[0.0140634663703, 0.0, -5.15258191624]) down_boundary_x = (c_double * 2)(*[0.0515703622475, 2.8237895441]) down_boundary_y = (c_double * 2)(*[-5.15258191624, -5.15306980547]) right_boundary_x = ( c_double * 3)(*[2.8237895441, 2.7184833539, 16.3592013995]) right_boundary_y = ( c_double * 3)(*[-5.15306980547, -0.0398078878812, -0.011889513383]) up_boundary_x = (c_double * 2)(*[16.3591910364, -13.6406951857]) up_boundary_y = (c_double * 2)(*[5.60414234644, 5.61797800844]) # obstacles(x, y, size) HybridAStar.AddVirtualObstacle(left_boundary_x, left_boundary_y, 3) HybridAStar.AddVirtualObstacle( down_boundary_x, down_boundary_y, 2) HybridAStar.AddVirtualObstacle( right_boundary_x, right_boundary_y, 3) HybridAStar.AddVirtualObstacle( up_boundary_x, up_boundary_y, 2) ex = 1.359 ey = -3.86443643718 ephi = 1.581 XYbounds = [-13.6406951857, 16.3591910364, - 5.15258191624, 5.61797800844] x = (c_double * num_output_buffer)() y = (c_double * num_output_buffer)() phi = (c_double * num_output_buffer)() v = (c_double * num_output_buffer)() a = (c_double * num_output_buffer)() steer = (c_double * num_output_buffer)() size = (c_ushort * 1)() XYbounds_ctype = (c_double * 4)(*XYbounds) start = time.time() print("planning start") success = True if not HybridAStar.Plan(sx, sy, sphi, ex, ey, ephi, XYbounds_ctype): print("planning fail") success = False end = time.time() planning_time = end - start print("planning time is " + str(planning_time)) # load result x_out = [] y_out = [] phi_out = [] v_out = [] a_out = [] steer_out = [] if visualize_flag and success: HybridAStar.GetResult(x, y, phi, v, a, steer, size) for i in range(0, size[0]): x_out.append(float(x[i])) y_out.append(float(y[i])) phi_out.append(float(phi[i])) v_out.append(float(v[i])) a_out.append(float(a[i])) steer_out.append(float(steer[i])) # plot fig1 = plt.figure(1) ax = fig1.add_subplot(111) for i in range(0, size[0]): downx = 1.055 * math.cos(phi_out[i] - math.pi / 2) downy = 1.055 * math.sin(phi_out[i] - math.pi / 2) leftx = 1.043 * math.cos(phi_out[i] - math.pi) lefty = 1.043 * math.sin(phi_out[i] - math.pi) x_shift_leftbottom = x_out[i] + downx + leftx y_shift_leftbottom = y_out[i] + downy + lefty car = patches.Rectangle((x_shift_leftbottom, y_shift_leftbottom), 3.89 + 1.043, 1.055*2, angle=phi_out[i] * 180 / math.pi, linewidth=1, edgecolor='r', facecolor='none') arrow = patches.Arrow( x_out[i], y_out[i], 0.25*math.cos(phi_out[i]), 0.25*math.sin(phi_out[i]), 0.2) ax.add_patch(car) ax.add_patch(arrow) ax.plot(sx, sy, "s") ax.plot(ex, ey, "s") if scenario == "backward": left_boundary_x = [-13.6407054776, 0.0, 0.0515703622475] left_boundary_y = [0.0140634663703, 0.0, -5.15258191624] down_boundary_x = [0.0515703622475, 2.8237895441] down_boundary_y = [-5.15258191624, -5.15306980547] right_boundary_x = [2.8237895441, 2.7184833539, 16.3592013995] right_boundary_y = [-5.15306980547, -0.0398078878812, -0.011889513383] up_boundary_x = [16.3591910364, -13.6406951857] up_boundary_y = [5.60414234644, 5.61797800844] ax.plot(left_boundary_x, left_boundary_y, "k") ax.plot(down_boundary_x, down_boundary_y, "k") ax.plot(right_boundary_x, right_boundary_y, "k") ax.plot(up_boundary_x, up_boundary_y, "k") plt.axis('equal') fig2 = plt.figure(2) v_graph = fig2.add_subplot(311) v_graph.title.set_text('v') v_graph.plot(np.linspace(0, size[0], size[0]), v_out) a_graph = fig2.add_subplot(312) a_graph.title.set_text('a') a_graph.plot(np.linspace(0, size[0], size[0]), a_out) steer_graph = fig2.add_subplot(313) steer_graph.title.set_text('steering') steer_graph.plot(np.linspace(0, size[0], size[0]), steer_out) plt.show() if not visualize_flag: if success: HybridAStar.GetResult(x, y, phi, v, a, steer, size) for i in range(0, size[0]): x_out.append(float(x[i])) y_out.append(float(y[i])) phi_out.append(float(phi[i])) v_out.append(float(v[i])) a_out.append(float(a[i])) steer_out.append(float(steer[i])) return success, x_out, y_out, phi_out, v_out, a_out, steer_out, planning_time if __name__ == '__main__': visualize_flag = True HybridAStarPlan(visualize_flag)
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/open_space_visualization/BUILD
load("@rules_python//python:defs.bzl", "py_binary", "py_library") load("//tools/install:install.bzl", "install") package(default_visibility = ["//visibility:public"]) py_library( name = "distance_approach_python_interface", srcs = ["distance_approach_python_interface.py"], data = [ "//modules/planning/open_space/tools:distance_approach_problem_wrapper_lib.so", ], ) py_binary( name = "distance_approach_visualizer", srcs = ["distance_approach_visualizer.py"], deps = [ ":distance_approach_python_interface", ], ) py_library( name = "hybrid_a_star_python_interface", srcs = ["hybrid_a_star_python_interface.py"], data = [ "//modules/planning/open_space/tools:hybrid_a_star_wrapper_lib.so", ], ) py_binary( name = "hybrid_a_star_visualizer", srcs = ["hybrid_a_star_visualizer.py"], deps = [ ":hybrid_a_star_python_interface", ], ) py_library( name = "open_space_roi_interface", srcs = ["open_space_roi_interface.py"], data = [ "//modules/planning/open_space/tools:open_space_roi_wrapper_lib.so", ], ) py_binary( name = "open_space_roi_visualizer", srcs = ["open_space_roi_visualizer.py"], deps = [ ":open_space_roi_interface", ], ) install( name = "install", py_dest = "tools/open_space_visualization", targets = [ ":open_space_roi_interface", ":hybrid_a_star_python_interface", ":distance_approach_python_interface", ":distance_approach_visualizer", ] )
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/channel_size_stats.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2019 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ Collect some channel average size info. Usage: ./channel_size_stats.py <record_path> <record_path> Support * and ?. Example: ./channel_size_stats.py a.record """ import argparse import glob import os import sys import glog from cyber.python.cyber_py3 import cyber from cyber.python.cyber_py3.record import RecordReader from cyber.python.cyber_py3.record import RecordWriter from modules.common_msgs.planning_msgs import planning_pb2 class ChannelSizeStats(object): """Sample bags to contain PNC related topics only.""" TOPICS = [ '/apollo/canbus/chassis', '/apollo/control', '/apollo/perception/obstacles', '/apollo/perception/traffic_light', # '/apollo/planning', '/apollo/prediction', '/apollo/routing_request', '/apollo/routing_response', '/apollo/localization/pose', '/apollo/sensor/camera/front_6mm/image/compressed', '/apollo/sensor/lidar128/compensator/PointCloud2' ] @classmethod def process_record(cls, input_record): channel_size_stats = {} freader = RecordReader(input_record) print('----- Begin to process record -----') for channelname, msg, datatype, timestamp in freader.read_messages(): if channelname in ChannelSizeStats.TOPICS: if channelname in channel_size_stats: channel_size_stats[channelname]['total'] += len(msg) channel_size_stats[channelname]['num'] += 1 else: channel_size_stats[channelname] = {} channel_size_stats[channelname]['total'] = len(msg) channel_size_stats[channelname]['num'] = 1.0 elif channelname == "/apollo/planning": adc_trajectory = planning_pb2.ADCTrajectory() adc_trajectory.ParseFromString(msg) name = "planning_no_debug" adc_trajectory.ClearField("debug") planning_str = adc_trajectory.SerializeToString() if name in channel_size_stats: channel_size_stats[name]['total'] += len(planning_str) channel_size_stats[name]['num'] += 1 else: channel_size_stats[name] = {} channel_size_stats[name]['total'] = len(planning_str) channel_size_stats[name]['num'] = 1.0 for channelname in channel_size_stats.keys(): print(channelname, " num:", channel_size_stats[channelname]['num'], " avg size:", channel_size_stats[channelname]['total'] / channel_size_stats[channelname]['num']) print('----- Finish processing record -----') if __name__ == '__main__': cyber.init() parser = argparse.ArgumentParser( description="Calculate channel average size. \ Usage: 'python channel_size_stats.py input_record '") parser.add_argument('input', type=str, help="the input record") args = parser.parse_args() ChannelSizeStats.process_record(args.input) cyber.shutdown()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/dump_planning.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ This program can dump a rosbag into separate text files that contains the pb messages """ import argparse from datetime import datetime import os import shutil from cyber.python.cyber_py3.record import RecordReader g_args = None g_delta_t = 0.5 # 1 second approximate time match region. def write_to_file(file_path, topic_pb): """ write pb message to file """ with open(file_path, 'w') as fp: fp.write(str(topic_pb)) def dump_bag(in_bag, out_dir): """ out_bag = in_bag + routing_bag """ reader = RecordReader(in_bag) seq = 0 global g_args topic_name_map = { "/apollo/localization/pose": ["localization", None], "/apollo/canbus/chassis": ["chassis", None], "/apollo/routing_response": ["routing", None], "/apollo/routing_resquest": ["routing_request", None], "/apollo/perception/obstacles": ["perception", None], "/apollo/prediction": ["prediction", None], "/apollo/planning": ["planning", None], "/apollo/control": ["control", None] } first_time = None record_num = 0 for channel, message, _type, _timestamp in reader.read_messages(): t = _timestamp msg = message record_num += 1 if record_num % 1000 == 0: print('Processing record_num: %d' % record_num) if first_time is None: first_time = t if channel not in topic_name_map: continue dt1 = datetime.utcfromtimestamp(t/1000000000) dt2 = datetime.utcfromtimestamp(first_time/1000000000) relative_time = (dt1 - dt2).seconds - g_args.start_time print ("relative_time", relative_time) if ((g_args.time_duration > 0) and (relative_time < 0 or relative_time > g_args.time_duration)): continue if channel == '/apollo/planning': seq += 1 topic_name_map[channel][1] = msg print('Generating seq: %d' % seq) for t, name_pb in topic_name_map.items(): if name_pb[1] is None: continue file_path = os.path.join(out_dir, str(seq) + "_" + name_pb[0] + ".pb.txt") write_to_file(file_path, name_pb[1]) topic_name_map[channel][1] = msg if __name__ == '__main__': parser = argparse.ArgumentParser( description="A tool to dump the protobuf messages according to the planning message" "Usage: python dump_planning.py bag_file save_directory") parser.add_argument( "in_rosbag", action="store", type=str, help="the input ros bag") parser.add_argument( "out_dir", action="store", help="the output directory for the dumped file") parser.add_argument( "--start_time", type=float, action="store", default=0.0, help="""The time range to extract in second""") parser.add_argument( "--time_duration", type=float, action="store", default=-1, help="""time duration to extract in second, negative to extract all""") g_args = parser.parse_args() if os.path.exists(g_args.out_dir): shutil.rmtree(g_args.out_dir) os.makedirs(g_args.out_dir) dump_bag(g_args.in_rosbag, g_args.out_dir)
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/dump_record.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ This program can dump a cyber record into separate text files that contains the pb messages """ import argparse import os import shutil import sys import time from cyber.python.cyber_py3 import cyber from cyber.python.cyber_py3 import record from modules.tools.common.message_manager import PbMessageManager g_message_manager = PbMessageManager() def write_to_file(file_path, topic_pb): """ Write pb message to file """ with open(file_path, 'w') as fp: fp.write(str(topic_pb)) def dump_record(in_record, out_dir, start_time, duration, filter_topic): freader = record.RecordReader() if not freader.open(in_record): print('Failed to open: %s' % in_record) return time.sleep(1) seq = 0 while not freader.endoffile(): read_msg_succ = freader.read_message() if not read_msg_succ: print('Read failed') return t_sec = freader.currentmessage_time() if start_time and t_sec < start_time: print('Not yet reached the start time') continue if start_time and t_sec >= start_time + duration: print('Done') break topic = freader.currentmessage_channelname() msg_type = freader.get_messagetype(topic) if topic == '/apollo/sensor/mobileye': continue if not filter_topic or topic == filter_topic: message_file = topic.replace("/", "_") file_path = os.path.join(out_dir, str(seq) + message_file + ".pb.txt") meta_msg = g_message_manager.get_msg_meta_by_topic(topic) if meta_msg is None: print('Unknown topic: %s' % topic) continue msg = meta_msg.msg_type() msg.ParseFromString(freader.current_rawmessage()) write_to_file(file_path, msg) seq += 1 freader.close() if __name__ == '__main__': parser = argparse.ArgumentParser( description="A tool to dump the protobuf messages in a cyber record into text files" ) parser.add_argument( "in_record", action="store", type=str, help="the input cyber record") parser.add_argument( "--start_time", action="store", type=float, help="the input cyber record") parser.add_argument( "--duration", action="store", type=float, default=1.0, help="the input cyber record") parser.add_argument( "out_dir", action="store", help="the output directory for the dumped file") parser.add_argument( "--topic", action="store", help="""the topic that you want to dump. If this option is not provided, the tool will dump all the messages regardless of the message topic.""" ) args = parser.parse_args() if not os.path.exists(args.out_dir): print('%s does not exist' % args.out_dir) sys.exit(1) dump_record(args.in_record, args.out_dir, args.start_time, args.duration, args.topic)
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/drive_event.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ This program can publish drive event message """ from cyber.python.cyber_py3 import cyber from cyber.python.cyber_py3 import cyber_time import argparse import datetime import shutil import time import os import sys from modules.tools.common.message_manager import PbMessageManager from modules.tools.common import proto_utils g_message_manager = PbMessageManager() g_args = None g_localization = None def OnReceiveLocalization(localization_msg): global g_localization g_localization = localization_msg def main(args): drive_event_meta_msg = g_message_manager.get_msg_meta_by_topic( args.drive_event_topic) if not drive_event_meta_msg: print('Unknown drive_event topic name: %s' % args.drive_event_topic) sys.exit(1) localization_meta_msg = g_message_manager.get_msg_meta_by_topic( args.localization_topic) if not localization_meta_msg: print('Unknown localization topic name: %s' % args.localization_topic) sys.exit(1) cyber.init() node = cyber.Node("derive_event_node") node.create_reader(localization_meta_msg.topic, localization_meta_msg.msg_type, OnReceiveLocalization) writer = node.create_writer(drive_event_meta_msg.topic, drive_event_meta_msg.msg_type) seq_num = 0 while not cyber.is_shutdown(): event_type = input( "Type in Event Type('d') and press Enter (current time: " + str(datetime.datetime.now()) + ")\n>") event_type = event_type.strip() if len(event_type) != 1 or event_type[0].lower() != 'd': continue current_time = cyber_time.Time.now().to_sec() event_str = None while not event_str: event_str = input("Type Event:>") event_str = event_str.strip() event_msg = drive_event_meta_msg.msg_type() event_msg.header.timestamp_sec = current_time event_msg.header.module_name = 'drive_event' seq_num += 1 event_msg.header.sequence_num = seq_num event_msg.header.version = 1 event_msg.event = event_str if g_localization: event_msg.location.CopyFrom(g_localization.pose) writer.write(event_msg) time_str = datetime.datetime.fromtimestamp(current_time).strftime( "%Y%m%d%H%M%S") filename = os.path.join(args.dir, "%s_drive_event.pb.txt" % time_str) proto_utils.write_pb_to_text_file(event_msg, filename) print('Logged to rosbag and written to file %s' % filename) time.sleep(0.1) if __name__ == '__main__': parser = argparse.ArgumentParser( description="A tool to write events when recording rosbag") parser.add_argument( "--drive_event_topic", action="store", default="/apollo/drive_event", help="""the drive event topic""") parser.add_argument( "--localization_topic", action="store", default="/apollo/localization/pose", help="""the drive event topic""") parser.add_argument( "--dir", action="store", default="data/bag", help="""The log export directory.""") g_args = parser.parse_args() main(g_args)
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/sample_pnc_topics.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ Sample PNC topics. For each /path/to/a.record, will generate /path/to/pnc_sample/a.record. Usage: ./sample_pnc_topics.py <record_path> <record_path> Support * and ?. Example: ./sample_pnc_topics.py '/mnt/nfs/public_test/2018-04-??/*/mkz8/*/*.record' """ import argparse import glob import os import sys import glog from cyber.python.cyber_py3 import cyber from cyber.python.cyber_py3.record import RecordReader from cyber.python.cyber_py3.record import RecordWriter class SamplePNC(object): """Sample bags to contain PNC related topics only.""" TOPICS = [ '/apollo/sensor/conti_radar', '/apollo/sensor/delphi_esr', '/apollo/sensor/gnss/best_pose', '/apollo/sensor/gnss/corrected_imu', '/apollo/sensor/gnss/gnss_status', '/apollo/sensor/gnss/imu', '/apollo/sensor/gnss/ins_stat', '/apollo/sensor/gnss/odometry', '/apollo/sensor/gnss/rtk_eph', '/apollo/sensor/gnss/rtk_obs', '/apollo/sensor/mobileye', '/apollo/canbus/chassis', '/apollo/canbus/chassis_detail', '/apollo/control', '/apollo/control/pad', '/apollo/navigation', '/apollo/perception/obstacles', '/apollo/perception/traffic_light', '/apollo/planning', '/apollo/prediction', '/apollo/routing_request', '/apollo/routing_response', '/apollo/localization/pose', '/apollo/drive_event', '/tf', '/tf_static', '/apollo/monitor', '/apollo/monitor/system_status', '/apollo/monitor/static_info', ] @classmethod def process_record(cls, input_record, output_record): print("filtering: {} -> {}".format(input_record, output_record)) output_dir = os.path.dirname(output_record) if output_dir != "" and not os.path.exists(output_dir): os.makedirs(output_dir) freader = RecordReader(input_record) fwriter = RecordWriter() if not fwriter.open(output_record): print('writer open failed!') return print('----- Begin to process record -----') for channelname, msg, datatype, timestamp in freader.read_messages(): if channelname in SamplePNC.TOPICS: desc = freader.get_protodesc(channelname) fwriter.write_channel(channelname, datatype, desc) fwriter.write_message(channelname, msg, timestamp) print('----- Finish processing record -----') if __name__ == '__main__': cyber.init() parser = argparse.ArgumentParser( description="Filter pnc record. \ Usage: 'python sample_pnc_topic.py input_record output_record'") parser.add_argument('input', type=str, help="the input record") parser.add_argument('output', type=str, help="the output record") args = parser.parse_args() SamplePNC.process_record(args.input, args.output) cyber.shutdown()
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/transcribe.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2017 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ This program can transcribe a protobuf message to file """ import argparse import shutil import os import sys import time from cyber.python.cyber_py3 import cyber from modules.tools.common.message_manager import PbMessageManager import modules.tools.common.proto_utils as proto_utils g_message_manager = PbMessageManager() g_args = None def transcribe(proto_msg): header = proto_msg.header seq = "%05d" % header.sequence_num name = header.module_name file_path = os.path.join(g_args.out_dir, seq + "_" + name + ".pb.txt") print('Write proto buffer message to file: %s' % file_path) proto_utils.write_pb_to_text_file(proto_msg, file_path) def main(args): if not os.path.exists(args.out_dir): os.makedirs(args.out_dir) meta_msg = g_message_manager.get_msg_meta_by_topic(args.topic) if not meta_msg: print('Unknown topic name: %s' % args.topic) sys.exit(1) cyber.init() node = cyber.Node("transcribe_node") node.create_reader(args.topic, meta_msg.msg_type, transcribe) while not cyber.is_shutdown(): time.sleep(0.005) if __name__ == '__main__': parser = argparse.ArgumentParser( description="A tool to transcribe received protobuf messages into text files") parser.add_argument( "topic", action="store", help="the topic that you want to transcribe.") parser.add_argument( "--out_dir", action="store", default='.', help="the output directory for the dumped file, the default value is current directory" ) g_args = parser.parse_args() main(g_args)
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/audio_event_record.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2020 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ This program can publish audio event message """ from cyber.python.cyber_py3 import cyber from cyber.python.cyber_py3 import cyber_time import argparse import datetime import shutil import time import os import sys from modules.tools.common.message_manager import PbMessageManager from modules.tools.common import proto_utils g_message_manager = PbMessageManager() g_args = None g_localization = None def OnReceiveLocalization(localization_msg): global g_localization g_localization = localization_msg def main(args): audio_event_meta_msg = g_message_manager.get_msg_meta_by_topic( args.audio_event_topic) if not audio_event_meta_msg: print('Unknown audio_event topic name: %s' % args.audio_event_topic) sys.exit(1) localization_meta_msg = g_message_manager.get_msg_meta_by_topic( args.localization_topic) if not localization_meta_msg: print('Unknown localization topic name: %s' % args.localization_topic) sys.exit(1) cyber.init() node = cyber.Node("audio_event_node") node.create_reader(localization_meta_msg.topic, localization_meta_msg.msg_type, OnReceiveLocalization) writer = node.create_writer(audio_event_meta_msg.topic, audio_event_meta_msg.msg_type) seq_num = 0 while not cyber.is_shutdown(): obstacle_id = input( "Type in obstacle ID and press Enter (current time: " + str(datetime.datetime.now()) + ")\n>") obstacle_id = obstacle_id.strip() # TODO(QiL) add obstacle id sanity check. current_time = cyber_time.Time.now().to_sec() moving_result = None audio_type = None siren_is_on = None audio_direction = None while not moving_result: moving_result = input("Type MovingResult:>") moving_result = moving_result.strip() while not audio_type: audio_type = input("Type AudioType:>") audio_type = audio_type.strip() while not siren_is_on: siren_is_on = input("Type SirenOnOffStatus:>") siren_is_on = siren_is_on.strip() while not audio_direction: audio_direction = input("Type AudioDirection:>") audio_direction = audio_direction.strip() event_msg = audio_event_meta_msg.msg_type() event_msg.header.timestamp_sec = current_time event_msg.header.module_name = 'audio_event' seq_num += 1 event_msg.header.sequence_num = seq_num event_msg.header.version = 1 event_msg.id = obstacle_id event_msg.moving_result = moving_result event_msg.audio_type = audio_type event_msg.siren_is_on = siren_is_on event_msg.audio_direction = audio_direction if g_localization: event_msg.location.CopyFrom(g_localization.pose) writer.write(event_msg) time_str = datetime.datetime.fromtimestamp(current_time).strftime( "%Y%m%d%H%M%S") filename = os.path.join(args.dir, "%s_audio_event.pb.txt" % time_str) proto_utils.write_pb_to_text_file(event_msg, filename) print('Logged to rosbag and written to file %s' % filename) time.sleep(0.1) if __name__ == '__main__': parser = argparse.ArgumentParser( description="A tool to write audio events when recording rosbag") parser.add_argument( "--audio_event_topic", action="store", default="/apollo/audio_event", help="""the audio event topic""") parser.add_argument( "--localization_topic", action="store", default="/apollo/localization/pose", help="""the drive event topic""") parser.add_argument( "--dir", action="store", default="data/bag", help="""The log export directory.""") g_args = parser.parse_args() main(g_args)
0
apollo_public_repos/apollo/modules/tools
apollo_public_repos/apollo/modules/tools/rosbag/dump_road_test_log.py
#!/usr/bin/env python3 ############################################################################### # Copyright 2018 The Apollo Authors. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. ############################################################################### """ dump road test log. Usage: ./dump_road_test_log.py bag1 bag2 ... """ import sys import time from cyber.python.cyber_py3 import cyber from cyber.python.cyber_py3.record import RecordReader from modules.common_msgs.basic_msgs import drive_event_pb2 kEventTopic = '/apollo/drive_event' class EventDumper(object): """ Dump event """ def __init__(self): """ Init """ def calculate(self, bag_file): """ Calculate mileage """ try: drive_event = drive_event_pb2.DriveEvent() reader = RecordReader(bag_file) except Exception: print('Cannot open bag file %s' % bag_file) else: with open('/apollo/test.txt', 'a') as fp: for msg in reader.read_messages(): if msg.topic == kEventTopic: drive_event.ParseFromString(msg.message) msg_time = time.localtime(drive_event.header.timestamp_sec) fp.write(time.strftime("%Y-%m-%d %H:%M:%S", msg_time)) fp.write(str(drive_event.type) + ':') fp.write(drive_event.event.encode('utf-8') + '\n') def main(): if len(sys.argv) < 2: print('Usage: %s <bag_file1> <bag_file2> ...' % sys.argv[0]) sys.exit(0) ed = EventDumper() for bag_file in sys.argv[1:]: ed.calculate(bag_file) if __name__ == '__main__': main()
0