
org.opentcs.virtualvehicle.LoopbackCommunicationAdapter Maven / Gradle / Ivy
// SPDX-FileCopyrightText: The openTCS Authors
// SPDX-License-Identifier: MIT
package org.opentcs.virtualvehicle;
import static java.util.Objects.requireNonNull;
import com.google.inject.assistedinject.Assisted;
import jakarta.inject.Inject;
import java.beans.PropertyChangeEvent;
import java.util.Arrays;
import java.util.Iterator;
import java.util.List;
import java.util.Objects;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.ScheduledExecutorService;
import java.util.concurrent.TimeUnit;
import java.util.stream.Collectors;
import org.opentcs.common.LoopbackAdapterConstants;
import org.opentcs.customizations.kernel.KernelExecutor;
import org.opentcs.data.model.Vehicle;
import org.opentcs.data.order.Route.Step;
import org.opentcs.data.order.TransportOrder;
import org.opentcs.drivers.vehicle.BasicVehicleCommAdapter;
import org.opentcs.drivers.vehicle.LoadHandlingDevice;
import org.opentcs.drivers.vehicle.MovementCommand;
import org.opentcs.drivers.vehicle.SimVehicleCommAdapter;
import org.opentcs.drivers.vehicle.VehicleCommAdapter;
import org.opentcs.drivers.vehicle.VehicleProcessModel;
import org.opentcs.drivers.vehicle.management.VehicleProcessModelTO;
import org.opentcs.util.ExplainedBoolean;
import org.opentcs.virtualvehicle.VelocityController.WayEntry;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* A {@link VehicleCommAdapter} that does not really communicate with a physical vehicle but roughly
* simulates one.
*/
public class LoopbackCommunicationAdapter
extends
BasicVehicleCommAdapter
implements
SimVehicleCommAdapter {
/**
* The name of the load handling device set by this adapter.
*/
public static final String LHD_NAME = "default";
/**
* This class's Logger.
*/
private static final Logger LOG = LoggerFactory.getLogger(LoopbackCommunicationAdapter.class);
/**
* An error code indicating that there's a conflict between a load operation and the vehicle's
* current load state.
*/
private static final String LOAD_OPERATION_CONFLICT = "cannotLoadWhenLoaded";
/**
* An error code indicating that there's a conflict between an unload operation and the vehicle's
* current load state.
*/
private static final String UNLOAD_OPERATION_CONFLICT = "cannotUnloadWhenNotLoaded";
/**
* The time (in ms) of a single simulation step.
*/
private static final int SIMULATION_PERIOD = 100;
/**
* This instance's configuration.
*/
private final VirtualVehicleConfiguration configuration;
/**
* Indicates whether the vehicle simulation is running or not.
*/
private volatile boolean isSimulationRunning;
/**
* The vehicle to this comm adapter instance.
*/
private final Vehicle vehicle;
/**
* The vehicle's load state.
*/
private LoadState loadState = LoadState.EMPTY;
/**
* Whether the loopback adapter is initialized or not.
*/
private boolean initialized;
/**
* Creates a new instance.
*
* @param configuration This class's configuration.
* @param vehicle The vehicle this adapter is associated with.
* @param kernelExecutor The kernel's executor.
*/
@Inject
public LoopbackCommunicationAdapter(
VirtualVehicleConfiguration configuration,
@Assisted
Vehicle vehicle,
@KernelExecutor
ScheduledExecutorService kernelExecutor
) {
super(
new LoopbackVehicleModel(vehicle),
configuration.commandQueueCapacity(),
configuration.rechargeOperation(),
kernelExecutor
);
this.vehicle = requireNonNull(vehicle, "vehicle");
this.configuration = requireNonNull(configuration, "configuration");
}
@Override
public void initialize() {
if (isInitialized()) {
return;
}
super.initialize();
String initialPos
= vehicle.getProperties().get(LoopbackAdapterConstants.PROPKEY_INITIAL_POSITION);
if (initialPos != null) {
initVehiclePosition(initialPos);
}
getProcessModel().setState(Vehicle.State.IDLE);
getProcessModel().setLoadHandlingDevices(
Arrays.asList(new LoadHandlingDevice(LHD_NAME, false))
);
initialized = true;
}
@Override
public boolean isInitialized() {
return initialized;
}
@Override
public void terminate() {
if (!isInitialized()) {
return;
}
super.terminate();
initialized = false;
}
@Override
public void propertyChange(PropertyChangeEvent evt) {
super.propertyChange(evt);
if (!((evt.getSource()) instanceof LoopbackVehicleModel)) {
return;
}
if (Objects.equals(
evt.getPropertyName(),
VehicleProcessModel.Attribute.LOAD_HANDLING_DEVICES.name()
)) {
if (!getProcessModel().getLoadHandlingDevices().isEmpty()
&& getProcessModel().getLoadHandlingDevices().get(0).isFull()) {
loadState = LoadState.FULL;
getProcessModel().setBoundingBox(
getProcessModel().getBoundingBox().withLength(configuration.vehicleLengthLoaded())
);
}
else {
loadState = LoadState.EMPTY;
getProcessModel().setBoundingBox(
getProcessModel().getBoundingBox().withLength(configuration.vehicleLengthUnloaded())
);
}
}
if (Objects.equals(
evt.getPropertyName(),
LoopbackVehicleModel.Attribute.SINGLE_STEP_MODE.name()
)) {
// When switching from single step mode to automatic mode and there are commands to be
// processed, ensure that we start/continue processing them.
if (!getProcessModel().isSingleStepModeEnabled()
&& !getSentCommands().isEmpty()
&& !isSimulationRunning) {
isSimulationRunning = true;
((ExecutorService) getExecutor()).submit(
() -> startVehicleSimulation(getSentCommands().peek())
);
}
}
}
@Override
public synchronized void enable() {
if (isEnabled()) {
return;
}
super.enable();
}
@Override
public synchronized void disable() {
if (!isEnabled()) {
return;
}
super.disable();
}
@Override
public LoopbackVehicleModel getProcessModel() {
return (LoopbackVehicleModel) super.getProcessModel();
}
@Override
public synchronized void sendCommand(MovementCommand cmd) {
requireNonNull(cmd, "cmd");
// Start the simulation task if we're not in single step mode and not simulating already.
if (!getProcessModel().isSingleStepModeEnabled()
&& !isSimulationRunning) {
isSimulationRunning = true;
// The command is added to the sent queue after this method returns. Therefore
// we have to explicitly start the simulation like this.
if (getSentCommands().isEmpty()) {
((ExecutorService) getExecutor()).submit(() -> startVehicleSimulation(cmd));
}
else {
((ExecutorService) getExecutor()).submit(
() -> startVehicleSimulation(getSentCommands().peek())
);
}
}
}
@Override
public void onVehiclePaused(boolean paused) {
getProcessModel().setVehiclePaused(paused);
}
@Override
public void processMessage(Object message) {
}
@Override
public synchronized void initVehiclePosition(String newPos) {
((ExecutorService) getExecutor()).submit(() -> getProcessModel().setPosition(newPos));
}
@Override
public synchronized ExplainedBoolean canProcess(TransportOrder order) {
requireNonNull(order, "order");
return canProcess(
order.getFutureDriveOrders().stream()
.map(driveOrder -> driveOrder.getDestination().getOperation())
.collect(Collectors.toList())
);
}
private ExplainedBoolean canProcess(List operations) {
requireNonNull(operations, "operations");
LOG.debug("{}: Checking processability of {}...", getName(), operations);
boolean canProcess = true;
String reason = "";
// Do NOT require the vehicle to be IDLE or CHARGING here!
// That would mean a vehicle moving to a parking position or recharging location would always
// have to finish that order first, which would render a transport order's dispensable flag
// useless.
boolean loaded = loadState == LoadState.FULL;
Iterator opIter = operations.iterator();
while (canProcess && opIter.hasNext()) {
final String nextOp = opIter.next();
// If we're loaded, we cannot load another piece, but could unload.
if (loaded) {
if (nextOp.startsWith(getProcessModel().getLoadOperation())) {
canProcess = false;
reason = LOAD_OPERATION_CONFLICT;
}
else if (nextOp.startsWith(getProcessModel().getUnloadOperation())) {
loaded = false;
}
} // If we're not loaded, we could load, but not unload.
else if (nextOp.startsWith(getProcessModel().getLoadOperation())) {
loaded = true;
}
else if (nextOp.startsWith(getProcessModel().getUnloadOperation())) {
canProcess = false;
reason = UNLOAD_OPERATION_CONFLICT;
}
}
if (!canProcess) {
LOG.debug("{}: Cannot process {}, reason: '{}'", getName(), operations, reason);
}
return new ExplainedBoolean(canProcess, reason);
}
@Override
protected synchronized void connectVehicle() {
}
@Override
protected synchronized void disconnectVehicle() {
}
@Override
protected synchronized boolean isVehicleConnected() {
return true;
}
@Override
protected VehicleProcessModelTO createCustomTransferableProcessModel() {
return new LoopbackVehicleModelTO()
.setLoadOperation(getProcessModel().getLoadOperation())
.setMaxAcceleration(getProcessModel().getMaxAcceleration())
.setMaxDeceleration(getProcessModel().getMaxDecceleration())
.setMaxFwdVelocity(getProcessModel().getMaxFwdVelocity())
.setMaxRevVelocity(getProcessModel().getMaxRevVelocity())
.setOperatingTime(getProcessModel().getOperatingTime())
.setSingleStepModeEnabled(getProcessModel().isSingleStepModeEnabled())
.setUnloadOperation(getProcessModel().getUnloadOperation())
.setVehiclePaused(getProcessModel().isVehiclePaused());
}
/**
* Triggers a step in single step mode.
*/
public synchronized void trigger() {
if (getProcessModel().isSingleStepModeEnabled()
&& !getSentCommands().isEmpty()
&& !isSimulationRunning) {
isSimulationRunning = true;
((ExecutorService) getExecutor()).submit(
() -> startVehicleSimulation(getSentCommands().peek())
);
}
}
private void startVehicleSimulation(MovementCommand command) {
LOG.debug("Starting vehicle simulation for command: {}", command);
Step step = command.getStep();
getProcessModel().setState(Vehicle.State.EXECUTING);
if (step.getPath() == null) {
LOG.debug("Starting operation simulation...");
getExecutor().schedule(
() -> operationSimulation(command, 0),
SIMULATION_PERIOD,
TimeUnit.MILLISECONDS
);
}
else {
getProcessModel().getVelocityController().addWayEntry(
new WayEntry(
step.getPath().getLength(),
maxVelocity(step),
step.getDestinationPoint().getName(),
step.getVehicleOrientation()
)
);
LOG.debug("Starting movement simulation...");
getExecutor().schedule(
() -> movementSimulation(command),
SIMULATION_PERIOD,
TimeUnit.MILLISECONDS
);
}
}
private int maxVelocity(Step step) {
return (step.getVehicleOrientation() == Vehicle.Orientation.BACKWARD)
? step.getPath().getMaxReverseVelocity()
: step.getPath().getMaxVelocity();
}
/**
* Simulate the movement part of a MovementCommand.
*
* @param command The command to simulate.
*/
private void movementSimulation(MovementCommand command) {
if (!getProcessModel().getVelocityController().hasWayEntries()) {
return;
}
WayEntry prevWayEntry = getProcessModel().getVelocityController().getCurrentWayEntry();
getProcessModel().getVelocityController().advanceTime(getSimulationTimeStep());
WayEntry currentWayEntry = getProcessModel().getVelocityController().getCurrentWayEntry();
//if we are still on the same way entry then reschedule to do it again
if (prevWayEntry == currentWayEntry) {
getExecutor().schedule(
() -> movementSimulation(command),
SIMULATION_PERIOD,
TimeUnit.MILLISECONDS
);
}
else {
//if the way enties are different then we have finished this step
//and we can move on.
getProcessModel().setPosition(prevWayEntry.getDestPointName());
LOG.debug("Movement simulation finished.");
if (!command.hasEmptyOperation()) {
LOG.debug("Starting operation simulation...");
getExecutor().schedule(
() -> operationSimulation(command, 0),
SIMULATION_PERIOD,
TimeUnit.MILLISECONDS
);
}
else {
finishMovementCommand(command);
simulateNextCommand();
}
}
}
/**
* Simulate the operation part of a movement command.
*
* @param command The command to simulate.
* @param timePassed The amount of time passed since starting the simulation.
*/
private void operationSimulation(
MovementCommand command,
int timePassed
) {
if (timePassed < getProcessModel().getOperatingTime()) {
getProcessModel().getVelocityController().advanceTime(getSimulationTimeStep());
getExecutor().schedule(
() -> operationSimulation(command, timePassed + getSimulationTimeStep()),
SIMULATION_PERIOD,
TimeUnit.MILLISECONDS
);
}
else {
LOG.debug("Operation simulation finished.");
finishMovementCommand(command);
String operation = command.getOperation();
if (operation.equals(getProcessModel().getLoadOperation())) {
// Update load handling devices as defined by this operation
getProcessModel().setLoadHandlingDevices(
Arrays.asList(new LoadHandlingDevice(LHD_NAME, true))
);
simulateNextCommand();
}
else if (operation.equals(getProcessModel().getUnloadOperation())) {
getProcessModel().setLoadHandlingDevices(
Arrays.asList(new LoadHandlingDevice(LHD_NAME, false))
);
simulateNextCommand();
}
else if (operation.equals(this.getRechargeOperation())) {
LOG.debug("Starting recharge simulation...");
finishMovementCommand(command);
getProcessModel().setState(Vehicle.State.CHARGING);
getExecutor().schedule(
() -> chargingSimulation(
getProcessModel().getPosition(),
getProcessModel().getEnergyLevel()
),
SIMULATION_PERIOD,
TimeUnit.MILLISECONDS
);
}
else {
simulateNextCommand();
}
}
}
/**
* Simulate recharging the vehicle.
*
* @param rechargePosition The vehicle position where the recharge simulation was started.
* @param rechargePercentage The recharge percentage of the vehicle while it is charging.
*/
private void chargingSimulation(
String rechargePosition,
float rechargePercentage
) {
if (!getSentCommands().isEmpty()) {
LOG.debug("Aborting recharge operation, vehicle has an order...");
simulateNextCommand();
return;
}
if (getProcessModel().getState() != Vehicle.State.CHARGING) {
LOG.debug("Aborting recharge operation, vehicle no longer charging state...");
simulateNextCommand();
return;
}
if (!Objects.equals(getProcessModel().getPosition(), rechargePosition)) {
LOG.debug("Aborting recharge operation, vehicle position changed...");
simulateNextCommand();
return;
}
if (nextChargePercentage(rechargePercentage) < 100.0) {
getProcessModel().setEnergyLevel((int) rechargePercentage);
getExecutor().schedule(
() -> chargingSimulation(rechargePosition, nextChargePercentage(rechargePercentage)),
SIMULATION_PERIOD,
TimeUnit.MILLISECONDS
);
}
else {
LOG.debug("Finishing recharge operation, vehicle at 100%...");
getProcessModel().setEnergyLevel(100);
simulateNextCommand();
}
}
private float nextChargePercentage(float basePercentage) {
return basePercentage
+ (float) (configuration.rechargePercentagePerSecond() / 1000.0) * SIMULATION_PERIOD;
}
private void finishMovementCommand(MovementCommand command) {
//Set the vehicle state to idle
if (getSentCommands().size() <= 1 && getUnsentCommands().isEmpty()) {
getProcessModel().setState(Vehicle.State.IDLE);
}
if (Objects.equals(getSentCommands().peek(), command)) {
// Let the comm adapter know we have finished this command.
getProcessModel().commandExecuted(getSentCommands().poll());
}
else {
LOG.warn(
"{}: Simulated command not oldest in sent queue: {} != {}",
getName(),
command,
getSentCommands().peek()
);
}
}
void simulateNextCommand() {
if (getSentCommands().isEmpty() || getProcessModel().isSingleStepModeEnabled()) {
LOG.debug("Vehicle simulation is done.");
getProcessModel().setState(Vehicle.State.IDLE);
isSimulationRunning = false;
}
else {
LOG.debug("Triggering simulation for next command: {}", getSentCommands().peek());
((ExecutorService) getExecutor()).submit(
() -> startVehicleSimulation(getSentCommands().peek())
);
}
}
private int getSimulationTimeStep() {
return (int) (SIMULATION_PERIOD * configuration.simulationTimeFactor());
}
/**
* The vehicle's possible load states.
*/
private enum LoadState {
EMPTY,
FULL;
}
}
© 2015 - 2025 Weber Informatics LLC | Privacy Policy