Eclipse SUMO - Simulation of Urban MObility
Loading...
Searching...
No Matches
MSNet.cpp
Go to the documentation of this file.
1/****************************************************************************/
2// Eclipse SUMO, Simulation of Urban MObility; see https://eclipse.dev/sumo
3// Copyright (C) 2001-2026 German Aerospace Center (DLR) and others.
4// This program and the accompanying materials are made available under the
5// terms of the Eclipse Public License 2.0 which is available at
6// https://www.eclipse.org/legal/epl-2.0/
7// This Source Code may also be made available under the following Secondary
8// Licenses when the conditions for such availability set forth in the Eclipse
9// Public License 2.0 are satisfied: GNU General Public License, version 2
10// or later which is available at
11// https://www.gnu.org/licenses/old-licenses/gpl-2.0-standalone.html
12// SPDX-License-Identifier: EPL-2.0 OR GPL-2.0-or-later
13/****************************************************************************/
25// The simulated network and simulation performer
26/****************************************************************************/
27#include <config.h>
28
29#ifdef HAVE_VERSION_H
30#include <version.h>
31#endif
32
33#include <string>
34#include <iostream>
35#include <sstream>
36#include <typeinfo>
37#include <algorithm>
38#include <cassert>
39#include <vector>
40#include <ctime>
41
42#ifdef HAVE_FOX
44#endif
64#include <utils/xml/XMLSubSys.h>
66#include <libsumo/Helper.h>
67#include <libsumo/Simulation.h>
68#include <mesosim/MELoop.h>
69#include <mesosim/MESegment.h>
106#include <netload/NLBuilder.h>
107
108#include "MSEdgeControl.h"
109#include "MSJunctionControl.h"
110#include "MSInsertionControl.h"
112#include "MSEventControl.h"
113#include "MSEdge.h"
114#include "MSJunction.h"
115#include "MSJunctionLogic.h"
116#include "MSLane.h"
117#include "MSVehicleControl.h"
118#include "MSVehicleTransfer.h"
119#include "MSRoute.h"
120#include "MSGlobals.h"
121#include "MSEdgeWeightsStorage.h"
122#include "MSStateHandler.h"
123#include "MSFrame.h"
124#include "MSParkingArea.h"
125#include "MSStoppingPlace.h"
126#include "MSNet.h"
127
128
129// ===========================================================================
130// debug constants
131// ===========================================================================
132//#define DEBUG_SIMSTEP
133
134
135// ===========================================================================
136// static member definitions
137// ===========================================================================
138MSNet* MSNet::myInstance = nullptr;
139
140const std::string MSNet::STAGE_EVENTS("events");
141const std::string MSNet::STAGE_MOVEMENTS("move");
142const std::string MSNet::STAGE_LANECHANGE("laneChange");
143const std::string MSNet::STAGE_INSERTIONS("insertion");
144const std::string MSNet::STAGE_REMOTECONTROL("remoteControl");
145
147const std::vector<MSStoppingPlace*> MSNet::myEmptyStoppingPlaceVector;
148
149// ===========================================================================
150// static member method definitions
151// ===========================================================================
152double
153MSNet::getEffort(const MSEdge* const e, const SUMOVehicle* const v, double t) {
154 double value;
155 const MSVehicle* const veh = dynamic_cast<const MSVehicle* const>(v);
156 if (veh != nullptr && veh->getWeightsStorage().retrieveExistingEffort(e, t, value)) {
157 return value;
158 }
160 return value;
161 }
162 return 0;
163}
164
165
166double
167MSNet::getTravelTime(const MSEdge* const e, const SUMOVehicle* const v, double t) {
168 double value;
169 const MSVehicle* const veh = dynamic_cast<const MSVehicle* const>(v);
170 if (veh != nullptr && veh->getWeightsStorage().retrieveExistingTravelTime(e, t, value)) {
171 return value;
172 }
174 return value;
175 }
176 if (veh != nullptr) {
178 return MSRoutingEngine::getEffortExtra(e, v, t);
179 } else if ((veh->getRoutingMode() & libsumo::ROUTING_MODE_AGGREGATED) != 0) {
181 return MSRoutingEngine::getEffortBike(e, v, t);
182 } else {
183 return MSRoutingEngine::getEffort(e, v, t);
184 }
185 } else if (MSRoutingEngine::haveExtras()) {
186 double tt = e->getMinimumTravelTime(v);
188 return tt;
189 }
190 }
191 return e->getMinimumTravelTime(v);
192}
193
194
195// ---------------------------------------------------------------------------
196// MSNet - methods
197// ---------------------------------------------------------------------------
198MSNet*
200 if (myInstance != nullptr) {
201 return myInstance;
202 }
203 throw ProcessError(TL("A network was not yet constructed."));
204}
205
206void
211
212void
218
219
220MSNet::MSNet(MSVehicleControl* vc, MSEventControl* beginOfTimestepEvents,
221 MSEventControl* endOfTimestepEvents,
222 MSEventControl* insertionEvents,
223 ShapeContainer* shapeCont):
224 myAmInterrupted(false),
225 myVehiclesMoved(0),
226 myPersonsMoved(0),
227 myHavePermissions(false),
228 myHasInternalLinks(false),
229 myJunctionHigherSpeeds(false),
230 myHasElevation(false),
231 myHasPedestrianNetwork(false),
232 myHasBidiEdges(false),
233 myEdgeDataEndTime(-1),
234 myDynamicShapeUpdater(nullptr) {
235 if (myInstance != nullptr) {
236 throw ProcessError(TL("A network was already constructed."));
237 }
239 myStep = string2time(oc.getString("begin"));
240 myMaxTeleports = oc.getInt("max-num-teleports");
241 myLogExecutionTime = !oc.getBool("no-duration-log");
242 myLogStepNumber = !oc.getBool("no-step-log");
243 myLogStepPeriod = oc.getInt("step-log.period");
244 myInserter = new MSInsertionControl(*vc, string2time(oc.getString("max-depart-delay")), oc.getBool("eager-insert"), oc.getInt("max-num-vehicles"),
245 string2time(oc.getString("random-depart-offset")));
246 myVehicleControl = vc;
248 myEdges = nullptr;
249 myJunctions = nullptr;
250 myRouteLoaders = nullptr;
251 myLogics = nullptr;
252 myPersonControl = nullptr;
253 myContainerControl = nullptr;
254 myEdgeWeights = nullptr;
255 myShapeContainer = shapeCont == nullptr ? new ShapeContainer() : shapeCont;
256
257 myBeginOfTimestepEvents = beginOfTimestepEvents;
258 myEndOfTimestepEvents = endOfTimestepEvents;
259 myInsertionEvents = insertionEvents;
260 myLanesRTree.first = false;
261
263 MSGlobals::gMesoNet = new MELoop(string2time(oc.getString("meso-recheck")));
264 }
265 myInstance = this;
266 initStatic();
267}
268
269
270void
272 SUMORouteLoaderControl* routeLoaders,
273 MSTLLogicControl* tlc,
274 std::vector<SUMOTime> stateDumpTimes,
275 std::vector<std::string> stateDumpFiles,
276 bool hasInternalLinks,
277 bool junctionHigherSpeeds,
278 const MMVersion& version) {
279 myEdges = edges;
280 myJunctions = junctions;
281 myRouteLoaders = routeLoaders;
282 myLogics = tlc;
283 // save the time the network state shall be saved at
284 myStateDumpTimes = stateDumpTimes;
285 myStateDumpFiles = stateDumpFiles;
286 myStateDumpPeriod = string2time(oc.getString("save-state.period"));
287 myStateDumpPrefix = oc.getString("save-state.prefix");
288 myStateDumpSuffix = oc.getString("save-state.suffix");
289
290 // initialise performance computation
292 myTraCIMillis = 0;
294 myJunctionHigherSpeeds = junctionHigherSpeeds;
298 myVersion = version;
301 throw ProcessError(TL("Option weights.separate-turns is only supported when simulating with internal lanes"));
302 }
303}
304
305
308 // delete controls
309 delete myJunctions;
310 delete myDetectorControl;
311 // delete mean data
312 delete myEdges;
313 delete myInserter;
314 myInserter = nullptr;
315 delete myLogics;
316 delete myRouteLoaders;
317 if (myPersonControl != nullptr) {
318 delete myPersonControl;
319 myPersonControl = nullptr; // just to have that clear for later cleanups
320 }
321 if (myContainerControl != nullptr) {
322 delete myContainerControl;
323 myContainerControl = nullptr; // just to have that clear for later cleanups
324 }
325 delete myVehicleControl; // must happen after deleting transportables
326 // delete events late so that vehicles can get rid of references first
328 myBeginOfTimestepEvents = nullptr;
330 myEndOfTimestepEvents = nullptr;
331 delete myInsertionEvents;
332 myInsertionEvents = nullptr;
333 delete myShapeContainer;
334 delete myEdgeWeights;
335 for (auto& router : myRouterTT) {
336 delete router.second;
337 }
338 myRouterTT.clear();
339 for (auto& router : myRouterEffort) {
340 delete router.second;
341 }
342 myRouterEffort.clear();
343 for (auto& router : myPedestrianRouter) {
344 delete router.second;
345 }
346 myPedestrianRouter.clear();
348 myLanesRTree.second.RemoveAll();
350 delete sub;
351 }
352 myTractionSubstations.clear();
353 clearAll();
355 delete MSGlobals::gMesoNet;
356 }
357 myInstance = nullptr;
358}
359
360
361void
362MSNet::addRestriction(const std::string& id, const SUMOVehicleClass svc, const double speed) {
363 myRestrictions[id][svc] = speed;
364}
365
366
367const std::map<SUMOVehicleClass, double>*
368MSNet::getRestrictions(const std::string& id) const {
369 std::map<std::string, std::map<SUMOVehicleClass, double> >::const_iterator i = myRestrictions.find(id);
370 if (i == myRestrictions.end()) {
371 return nullptr;
372 }
373 return &i->second;
374}
375
376
377double
378MSNet::getPreference(const std::string& routingType, const SUMOVTypeParameter& pars) const {
380 auto it = myVTypePreferences.find(pars.id);
381 if (it != myVTypePreferences.end()) {
382 auto it2 = it->second.find(routingType);
383 if (it2 != it->second.end()) {
384 return it2->second;
385 }
386 }
387 auto it3 = myVClassPreferences.find(pars.vehicleClass);
388 if (it3 != myVClassPreferences.end()) {
389 auto it4 = it3->second.find(routingType);
390 if (it4 != it3->second.end()) {
391 return it4->second;
392 }
393 }
394 // fallback to generel preferences
395 it = myVTypePreferences.find("");
396 if (it != myVTypePreferences.end()) {
397 auto it2 = it->second.find(routingType);
398 if (it2 != it->second.end()) {
399 return it2->second;
400 }
401 }
402 }
403 return 1;
404}
405
406
407void
408MSNet::addPreference(const std::string& routingType, SUMOVehicleClass svc, double prio) {
409 myVClassPreferences[svc][routingType] = prio;
410 gRoutingPreferences = true;
411}
412
413
414void
415MSNet::addPreference(const std::string& routingType, std::string vType, double prio) {
416 myVTypePreferences[vType][routingType] = prio;
417 gRoutingPreferences = true;
418}
419
420void
421MSNet::addMesoType(const std::string& typeID, const MESegment::MesoEdgeType& edgeType) {
422 myMesoEdgeTypes[typeID] = edgeType;
423}
424
426MSNet::getMesoType(const std::string& typeID) {
427 if (myMesoEdgeTypes.count(typeID) == 0) {
428 // init defaults
431 edgeType.tauff = string2time(oc.getString("meso-tauff"));
432 edgeType.taufj = string2time(oc.getString("meso-taufj"));
433 edgeType.taujf = string2time(oc.getString("meso-taujf"));
434 edgeType.taujj = string2time(oc.getString("meso-taujj"));
435 edgeType.jamThreshold = oc.getFloat("meso-jam-threshold");
436 edgeType.junctionControl = oc.getBool("meso-junction-control");
437 edgeType.tlsPenalty = oc.getFloat("meso-tls-penalty");
438 edgeType.tlsFlowPenalty = oc.getFloat("meso-tls-flow-penalty");
439 edgeType.minorPenalty = string2time(oc.getString("meso-minor-penalty"));
440 edgeType.overtaking = oc.getBool("meso-overtaking");
441 edgeType.edgeLength = oc.getFloat("meso-edgelength");
442 myMesoEdgeTypes[typeID] = edgeType;
443 }
444 return myMesoEdgeTypes[typeID];
445}
446
447
448bool
449MSNet::hasFlow(const std::string& id) const {
450 // inserter is deleted at the end of the simulation
451 return myInserter != nullptr && myInserter->hasFlow(id);
452}
453
454
457 // report the begin when wished
458 WRITE_MESSAGEF(TL("Simulation version % started with time: %."), VERSION_STRING, time2string(start));
459 // the simulation loop
461 // state loading may have changed the start time so we need to reinit it
462 myStep = start;
463 int numSteps = 0;
464 bool doStepLog = false;
465 while (state == SIMSTATE_RUNNING) {
466 doStepLog = myLogStepNumber && (numSteps % myLogStepPeriod == 0);
467 if (doStepLog) {
469 }
471 if (doStepLog) {
473 }
474 state = adaptToState(simulationState(stop));
475#ifdef DEBUG_SIMSTEP
476 std::cout << SIMTIME << " MSNet::simulate(" << start << ", " << stop << ")"
477 << "\n simulation state: " << getStateMessage(state)
478 << std::endl;
479#endif
480 numSteps++;
481 }
482 if (myLogStepNumber && !doStepLog) {
483 // ensure some output on the last step
486 }
487 // exit simulation loop
488 if (myLogStepNumber) {
489 // start new line for final verbose output
490 std::cout << "\n";
491 }
492 closeSimulation(start, getStateMessage(state));
493 return state;
494}
495
496
497void
501
502
503const std::string
504MSNet::generateStatistics(const SUMOTime start, const long now) {
505 std::ostringstream msg;
506 if (myLogExecutionTime) {
507 const long duration = now - mySimBeginMillis;
508 // print performance notice
509 msg << "Performance:\n" << " Duration: " << elapsedMs2string(duration) << "\n";
510 if (duration != 0) {
511 if (TraCIServer::getInstance() != nullptr) {
512 msg << " TraCI-Duration: " << elapsedMs2string(myTraCIMillis) << "\n";
513 }
514 msg << " Real time factor: " << (STEPS2TIME(myStep - start) * 1000. / (double)duration) << "\n";
515 msg.setf(std::ios::fixed, std::ios::floatfield); // use decimal format
516 msg.setf(std::ios::showpoint); // print decimal point
517 msg << " UPS: " << ((double)myVehiclesMoved / ((double)duration / 1000)) << "\n";
518 if (myPersonsMoved > 0) {
519 msg << " UPS-Persons: " << ((double)myPersonsMoved / ((double)duration / 1000)) << "\n";
520 }
521 }
522 // print vehicle statistics
523 const std::string vehDiscardNotice = ((myVehicleControl->getLoadedVehicleNo() != myVehicleControl->getDepartedVehicleNo()) ?
524 " (Loaded: " + toString(myVehicleControl->getLoadedVehicleNo()) + ")" : "");
525 msg << "Vehicles:\n"
526 << " Inserted: " << myVehicleControl->getDepartedVehicleNo() << vehDiscardNotice << "\n"
527 << " Running: " << myVehicleControl->getRunningVehicleNo() << "\n"
528 << " Waiting: " << myInserter->getWaitingVehicleNo() << "\n";
529
531 // print optional teleport statistics
532 std::vector<std::string> reasons;
534 reasons.push_back("Collisions: " + toString(myVehicleControl->getCollisionCount()));
535 }
537 reasons.push_back("Jam: " + toString(myVehicleControl->getTeleportsJam()));
538 }
540 reasons.push_back("Yield: " + toString(myVehicleControl->getTeleportsYield()));
541 }
543 reasons.push_back("Wrong Lane: " + toString(myVehicleControl->getTeleportsWrongLane()));
544 }
545 msg << " Teleports: " << myVehicleControl->getTeleportCount() << " (" << joinToString(reasons, ", ") << ")\n";
546 }
548 msg << " Emergency Stops: " << myVehicleControl->getEmergencyStops() << "\n";
549 }
551 msg << " Emergency Braking: " << myVehicleControl->getEmergencyBrakingCount() << "\n";
552 }
553 if (myPersonControl != nullptr && myPersonControl->getLoadedNumber() > 0) {
554 const std::string discardNotice = ((myPersonControl->getLoadedNumber() != myPersonControl->getDepartedNumber()) ?
555 " (Loaded: " + toString(myPersonControl->getLoadedNumber()) + ")" : "");
556 msg << "Persons:\n"
557 << " Inserted: " << myPersonControl->getDepartedNumber() << discardNotice << "\n"
558 << " Running: " << myPersonControl->getRunningNumber() << "\n";
559 if (myPersonControl->getJammedNumber() > 0) {
560 msg << " Jammed: " << myPersonControl->getJammedNumber() << "\n";
561 }
563 std::vector<std::string> reasons;
565 reasons.push_back("Abort Wait: " + toString(myPersonControl->getTeleportsAbortWait()));
566 }
568 reasons.push_back("Wrong Dest: " + toString(myPersonControl->getTeleportsWrongDest()));
569 }
570 msg << " Teleports: " << myPersonControl->getTeleportCount() << " (" << joinToString(reasons, ", ") << ")\n";
571 }
572 }
573 if (myContainerControl != nullptr && myContainerControl->getLoadedNumber() > 0) {
574 const std::string discardNotice = ((myContainerControl->getLoadedNumber() != myContainerControl->getDepartedNumber()) ?
575 " (Loaded: " + toString(myContainerControl->getLoadedNumber()) + ")" : "");
576 msg << "Containers:\n"
577 << " Inserted: " << myContainerControl->getDepartedNumber() << "\n"
578 << " Running: " << myContainerControl->getRunningNumber() << "\n";
580 msg << " Jammed: " << myContainerControl->getJammedNumber() << "\n";
581 }
583 std::vector<std::string> reasons;
585 reasons.push_back("Abort Wait: " + toString(myContainerControl->getTeleportsAbortWait()));
586 }
588 reasons.push_back("Wrong Dest: " + toString(myContainerControl->getTeleportsWrongDest()));
589 }
590 msg << " Teleports: " << myContainerControl->getTeleportCount() << " (" << joinToString(reasons, ", ") << ")\n";
591 }
592 }
593 }
594 if (OptionsCont::getOptions().getBool("duration-log.statistics")) {
596 }
597 std::string result = msg.str();
598 result.erase(result.end() - 1);
599 return result;
600}
601
602
603void
605 OutputDevice& od = OutputDevice::getDeviceByOption("collision-output");
606 for (const auto& item : myCollisions) {
607 for (const auto& c : item.second) {
608 if (c.time != SIMSTEP) {
609 continue;
610 }
611 od.openTag("collision");
613 od.writeAttr("type", c.type);
614 od.writeAttr("lane", c.lane->getID());
615 od.writeAttr("pos", c.pos);
616 od.writeAttr("collider", item.first);
617 od.writeAttr("victim", c.victim);
618 od.writeAttr("colliderType", c.colliderType);
619 od.writeAttr("victimType", c.victimType);
620 od.writeAttr("colliderSpeed", c.colliderSpeed);
621 od.writeAttr("victimSpeed", c.victimSpeed);
622 od.writeAttr("colliderFront", c.colliderFront);
623 od.writeAttr("colliderBack", c.colliderBack);
624 od.writeAttr("victimFront", c.victimFront);
625 od.writeAttr("victimBack", c.victimBack);
626 od.closeTag();
627 }
628 }
629}
630
631
632void
633MSNet::writeStatistics(const SUMOTime start, const long now) const {
634 const long duration = now - mySimBeginMillis;
635 OutputDevice& od = OutputDevice::getDeviceByOption("statistic-output");
636 od.openTag("performance");
637 od.writeAttr("clockBegin", time2string(mySimBeginMillis));
638 od.writeAttr("clockEnd", time2string(now));
639 od.writeAttr("clockDuration", time2string(duration));
640 od.writeAttr("traciDuration", time2string(myTraCIMillis));
641 od.writeAttr("realTimeFactor", duration != 0 ? (double)(myStep - start) / (double)duration : -1);
642 od.writeAttr("vehicleUpdatesPerSecond", duration != 0 ? (double)myVehiclesMoved / ((double)duration / 1000) : -1);
643 od.writeAttr("personUpdatesPerSecond", duration != 0 ? (double)myPersonsMoved / ((double)duration / 1000) : -1);
644 od.writeAttr("begin", time2string(start));
645 od.writeAttr("end", time2string(myStep));
646 od.writeAttr("duration", time2string(myStep - start));
647 od.closeTag();
648 od.openTag("vehicles");
652 od.writeAttr("waiting", myInserter->getWaitingVehicleNo());
653 od.closeTag();
654 od.openTag("teleports");
659 od.closeTag();
660 od.openTag("safety");
661 od.writeAttr("collisions", myVehicleControl->getCollisionCount());
662 od.writeAttr("emergencyStops", myVehicleControl->getEmergencyStops());
663 od.writeAttr("emergencyBraking", myVehicleControl->getEmergencyBrakingCount());
664 od.closeTag();
665 od.openTag("persons");
666 od.writeAttr("loaded", myPersonControl != nullptr ? myPersonControl->getLoadedNumber() : 0);
667 od.writeAttr("running", myPersonControl != nullptr ? myPersonControl->getRunningNumber() : 0);
668 od.writeAttr("jammed", myPersonControl != nullptr ? myPersonControl->getJammedNumber() : 0);
669 od.closeTag();
670 od.openTag("personTeleports");
671 od.writeAttr("total", myPersonControl != nullptr ? myPersonControl->getTeleportCount() : 0);
672 od.writeAttr("abortWait", myPersonControl != nullptr ? myPersonControl->getTeleportsAbortWait() : 0);
673 od.writeAttr("wrongDest", myPersonControl != nullptr ? myPersonControl->getTeleportsWrongDest() : 0);
674 od.closeTag();
675 if (OptionsCont::getOptions().isSet("tripinfo-output") || OptionsCont::getOptions().getBool("duration-log.statistics")) {
677 }
678}
679
680
681void
683 // summary output
685 const bool hasOutput = oc.isSet("summary-output");
686 const bool hasPersonOutput = oc.isSet("person-summary-output");
687 if (hasOutput || hasPersonOutput) {
688 const SUMOTime period = string2time(oc.getString("summary-output.period"));
689 const SUMOTime begin = string2time(oc.getString("begin"));
690 if ((period > 0 && (myStep - begin) % period != 0 && !finalStep)
691 // it's the final step but we already wrote output
692 || (finalStep && (period <= 0 || (myStep - begin) % period == 0))) {
693 return;
694 }
695 }
696 if (hasOutput) {
697 OutputDevice& od = OutputDevice::getDeviceByOption("summary-output");
698 int departedVehiclesNumber = myVehicleControl->getDepartedVehicleNo();
699 const double meanWaitingTime = departedVehiclesNumber != 0 ? myVehicleControl->getTotalDepartureDelay() / (double) departedVehiclesNumber : -1.;
700 int endedVehicleNumber = myVehicleControl->getEndedVehicleNo();
701 const double meanTravelTime = endedVehicleNumber != 0 ? myVehicleControl->getTotalTravelTime() / (double) endedVehicleNumber : -1.;
702 od.openTag("step");
703 od.writeAttr("time", time2string(myStep));
707 od.writeAttr("waiting", myInserter->getWaitingVehicleNo());
710 od.writeAttr("collisions", myVehicleControl->getCollisionCount());
711 od.writeAttr("teleports", myVehicleControl->getTeleportCount());
714 od.writeAttr("meanWaitingTime", meanWaitingTime);
715 od.writeAttr("meanTravelTime", meanTravelTime);
716 std::pair<double, double> meanSpeed = myVehicleControl->getVehicleMeanSpeeds();
717 od.writeAttr("meanSpeed", meanSpeed.first);
718 od.writeAttr("meanSpeedRelative", meanSpeed.second);
720 if (myLogExecutionTime) {
721 od.writeAttr("duration", mySimStepDuration);
722 }
723 od.closeTag();
724 }
725 if (hasPersonOutput) {
726 OutputDevice& od = OutputDevice::getDeviceByOption("person-summary-output");
728 od.openTag("step");
729 od.writeAttr("time", time2string(myStep));
730 od.writeAttr("loaded", pc.getLoadedNumber());
731 od.writeAttr("inserted", pc.getDepartedNumber());
732 od.writeAttr("walking", pc.getMovingNumber());
733 od.writeAttr("waitingForRide", pc.getWaitingForVehicleNumber());
734 od.writeAttr("riding", pc.getRidingNumber());
735 od.writeAttr("stopping", pc.getWaitingUntilNumber());
736 od.writeAttr("jammed", pc.getJammedNumber());
737 od.writeAttr("ended", pc.getEndedNumber());
738 od.writeAttr("arrived", pc.getArrivedNumber());
739 od.writeAttr("teleports", pc.getTeleportCount());
740 od.writeAttr("discarded", pc.getDiscardedNumber());
741 if (myLogExecutionTime) {
742 od.writeAttr("duration", mySimStepDuration);
743 }
744 od.closeTag();
745 }
746}
747
748
749void
750MSNet::closeSimulation(SUMOTime start, const std::string& reason) {
751 // report the end when wished
752 WRITE_MESSAGE(TLF("Simulation ended at time: %.", time2string(getCurrentTimeStep())));
753 if (reason != "") {
754 WRITE_MESSAGE(TL("Reason: ") + reason);
755 }
757 if (MSStopOut::active() && OptionsCont::getOptions().getBool("stop-output.write-unfinished")) {
759 }
760 MSDevice_Vehroutes::writePendingOutput(OptionsCont::getOptions().getBool("vehroute-output.write-unfinished"));
761 if (OptionsCont::getOptions().getBool("tripinfo-output.write-unfinished")) {
763 }
764 if (OptionsCont::getOptions().isSet("chargingstations-output")) {
765 if (!OptionsCont::getOptions().getBool("chargingstations-output.aggregated")) {
767 } else if (OptionsCont::getOptions().getBool("chargingstations-output.aggregated.write-unfinished")) {
768 MSChargingStationExport::write(OutputDevice::getDeviceByOption("chargingstations-output"), true);
769 }
770 }
771 if (OptionsCont::getOptions().isSet("overheadwiresegments-output")) {
773 }
774 if (OptionsCont::getOptions().isSet("substations-output")) {
776 }
778 const long now = SysUtils::getCurrentMillis();
779 if (myLogExecutionTime || OptionsCont::getOptions().getBool("duration-log.statistics")) {
781 }
782 if (OptionsCont::getOptions().isSet("statistic-output")) {
783 writeStatistics(start, now);
784 }
785 // maybe write a final line of output if reporting is periodic
786 writeSummaryOutput(true);
787}
788
789
790void
791MSNet::simulationStep(const bool onlyMove) {
793 postMoveStep();
795 return;
796 }
797#ifdef DEBUG_SIMSTEP
798 std::cout << SIMTIME << ": MSNet::simulationStep() called"
799 << ", myStep = " << myStep
800 << std::endl;
801#endif
803 int lastTraCICmd = 0;
804 if (t != nullptr) {
805 if (myLogExecutionTime) {
807 }
808 lastTraCICmd = t->processCommands(myStep);
809#ifdef DEBUG_SIMSTEP
810 bool loadRequested = !TraCI::getLoadArgs().empty();
811 assert(t->getTargetTime() >= myStep || loadRequested || TraCIServer::wasClosed());
812#endif
813 if (myLogExecutionTime) {
815 }
816 if (TraCIServer::wasClosed() || !t->getLoadArgs().empty()) {
817 return;
818 }
819 }
820#ifdef DEBUG_SIMSTEP
821 std::cout << SIMTIME << ": TraCI target time: " << t->getTargetTime() << std::endl;
822#endif
823 // execute beginOfTimestepEvents
824 if (myLogExecutionTime) {
826 }
827 // simulation state output
828 std::vector<SUMOTime>::iterator timeIt = std::find(myStateDumpTimes.begin(), myStateDumpTimes.end(), myStep);
829 if (timeIt != myStateDumpTimes.end()) {
830 const int dist = (int)distance(myStateDumpTimes.begin(), timeIt);
832 }
833 if (myStateDumpPeriod > 0 && myStep % myStateDumpPeriod == 0) {
834 std::string timeStamp = time2string(myStep);
835 std::replace(timeStamp.begin(), timeStamp.end(), ':', '-');
836 const std::string filename = myStateDumpPrefix + "_" + timeStamp + myStateDumpSuffix;
838 myPeriodicStateFiles.push_back(filename);
839 int keep = OptionsCont::getOptions().getInt("save-state.period.keep");
840 if (keep > 0 && (int)myPeriodicStateFiles.size() > keep) {
841 std::remove(myPeriodicStateFiles.front().c_str());
843 }
844 }
848 }
849#ifdef HAVE_FOX
850 MSRoutingEngine::waitForAll();
851#endif
854 }
855 // check whether the tls programs need to be switched
857
860 } else {
861 // assure all lanes with vehicles are 'active'
863
864 // compute safe velocities for all vehicles for the next few lanes
865 // also register ApproachingVehicleInformation for all links
867
868 // register junction approaches based on planned velocities as basis for right-of-way decision
870
871 // decide right-of-way and execute movements
875 }
876
877 // vehicles may change lanes
879
882 }
883 }
884 // flush arrived meso vehicles and micro vehicles that were removed due to collision
886 loadRoutes();
887
888 // persons
891 }
892 // containers
895 }
898 // preserve waitRelation from insertion for the next step
899 }
900 // insert vehicles
903#ifdef HAVE_FOX
904 MSRoutingEngine::waitForAll();
905#endif
908 //myEdges->patchActiveLanes(); // @note required to detect collisions on lanes that were empty before insertion. wasteful?
910 }
912
913 // execute endOfTimestepEvents
915
916 if (myLogExecutionTime) {
918 }
919 if (onlyMove) {
921 return;
922 }
923 if (t != nullptr && lastTraCICmd == libsumo::CMD_EXECUTEMOVE) {
924 t->processCommands(myStep, true);
925 }
926 postMoveStep();
927}
928
929
930void
932 const int numControlled = libsumo::Helper::postProcessRemoteControl();
933 if (numControlled > 0 && MSGlobals::gCheck4Accidents) {
935 }
936 if (myLogExecutionTime) {
939 }
941 // collisions from the previous step were kept to avoid duplicate
942 // warnings. we must remove them now to ensure correct output.
944 }
945 // update and write (if needed) detector values
947 writeOutput();
948
949 if (myLogExecutionTime) {
951 if (myPersonControl != nullptr) {
953 }
954 }
955 myStep += DELTA_T;
956}
957
958
963 }
964 if (TraCIServer::getInstance() != nullptr && !TraCIServer::getInstance()->getLoadArgs().empty()) {
965 return SIMSTATE_LOADING;
966 }
967 if ((stopTime < 0 || myStep > stopTime) && TraCIServer::getInstance() == nullptr && (stopTime > 0 || myStep > myEdgeDataEndTime)) {
970 && (myPersonControl == nullptr || !myPersonControl->hasNonWaiting())
974 }
975 }
976 if (stopTime >= 0 && myStep >= stopTime) {
978 }
981 }
982 if (myAmInterrupted) {
984 }
985 return SIMSTATE_RUNNING;
986}
987
988
990MSNet::adaptToState(MSNet::SimulationState state, const bool isLibsumo) const {
991 if (state == SIMSTATE_LOADING) {
994 } else if (state != SIMSTATE_RUNNING && ((TraCIServer::getInstance() != nullptr && !TraCIServer::wasClosed()) || isLibsumo)) {
995 // overrides SIMSTATE_END_STEP_REACHED, e.g. (TraCI / Libsumo ignore SUMO's --end option)
996 return SIMSTATE_RUNNING;
997 } else if (state == SIMSTATE_NO_FURTHER_VEHICLES) {
998 if (myPersonControl != nullptr) {
1000 }
1001 if (myContainerControl != nullptr) {
1003 }
1005 }
1006 return state;
1007}
1008
1009
1010std::string
1012 switch (state) {
1014 return "";
1016 return TL("The final simulation step has been reached.");
1018 return TL("All vehicles have left the simulation.");
1020 return TL("TraCI requested termination.");
1022 return TL("An error occurred (see log).");
1024 return TL("Interrupted.");
1026 return TL("Too many teleports.");
1028 return TL("TraCI issued load command.");
1029 default:
1030 return TL("Unknown reason.");
1031 }
1032}
1033
1034
1035void
1037 // clear container
1038 MSEdge::clear();
1039 MSLane::clear();
1044 while (!MSLaneSpeedTrigger::getInstances().empty()) {
1045 delete MSLaneSpeedTrigger::getInstances().begin()->second;
1046 }
1047 while (!MSTriggeredRerouter::getInstances().empty()) {
1048 delete MSTriggeredRerouter::getInstances().begin()->second;
1049 }
1058 if (t != nullptr) {
1059 t->cleanup();
1060 }
1063}
1064
1065
1066void
1067MSNet::clearState(const SUMOTime step, bool quickReload) {
1071 for (MSEdge* const edge : MSEdge::getAllEdges()) {
1072 for (MESegment* s = MSGlobals::gMesoNet->getSegmentForEdge(*edge); s != nullptr; s = s->getNextSegment()) {
1073 s->clearState();
1074 }
1075 }
1076 } else {
1077 for (MSEdge* const edge : MSEdge::getAllEdges()) {
1078 for (MSLane* const lane : edge->getLanes()) {
1079 lane->getVehiclesSecure();
1080 lane->clearState();
1081 lane->releaseVehicles();
1082 }
1083 edge->clearState();
1084 }
1085 }
1087 // detectors may still reference persons/vehicles
1091
1092 if (myPersonControl != nullptr) {
1094 }
1095 if (myContainerControl != nullptr) {
1097 }
1098 // delete vtypes after transportables have removed their types
1102 // delete all routes after vehicles and detector output is done
1104 for (auto& item : myStoppingPlaces) {
1105 for (auto& item2 : item.second) {
1106 item2.second->clearState();
1107 }
1108 }
1115 myStep = step;
1116 MSGlobals::gClearState = false;
1117}
1118
1119
1120void
1122 // update detector values
1125
1126 // check state dumps
1127 if (oc.isSet("netstate-dump")) {
1129 oc.getInt("netstate-dump.precision"));
1130 }
1131
1132 // check fcd dumps
1133 if (OptionsCont::getOptions().isSet("fcd-output")) {
1134 if (OptionsCont::getOptions().isSet("person-fcd-output")) {
1137 } else {
1139 }
1140 }
1141
1142 // check emission dumps
1143 if (OptionsCont::getOptions().isSet("emission-output")) {
1145 }
1146
1147 // battery dumps
1148 if (OptionsCont::getOptions().isSet("battery-output")) {
1150 oc.getInt("battery-output.precision"));
1151 }
1152
1153 // charging station aggregated dumps
1154 if (OptionsCont::getOptions().isSet("chargingstations-output") && OptionsCont::getOptions().getBool("chargingstations-output.aggregated")) {
1156 }
1157
1158 // elecHybrid dumps
1159 if (OptionsCont::getOptions().isSet("elechybrid-output")) {
1160 std::string output = OptionsCont::getOptions().getString("elechybrid-output");
1161
1162 if (oc.getBool("elechybrid-output.aggregated")) {
1163 // build a xml file with aggregated device.elechybrid output
1165 oc.getInt("elechybrid-output.precision"));
1166 } else {
1167 // build a separate xml file for each vehicle equipped with device.elechybrid
1168 // RICE_TODO: Does this have to be placed here in MSNet.cpp ?
1170 for (MSVehicleControl::constVehIt it = vc.loadedVehBegin(); it != vc.loadedVehEnd(); ++it) {
1171 const SUMOVehicle* veh = it->second;
1172 if (!veh->isOnRoad()) {
1173 continue;
1174 }
1175 if (static_cast<MSDevice_ElecHybrid*>(veh->getDevice(typeid(MSDevice_ElecHybrid))) != nullptr) {
1176 std::string vehID = veh->getID();
1177 std::string filename2 = output + "_" + vehID + ".xml";
1178 OutputDevice& dev = OutputDevice::getDevice(filename2);
1179 std::map<SumoXMLAttr, std::string> attrs;
1180 attrs[SUMO_ATTR_VEHICLE] = vehID;
1183 dev.writeXMLHeader("elecHybrid-export", "", attrs);
1184 MSElecHybridExport::write(OutputDevice::getDevice(filename2), veh, myStep, oc.getInt("elechybrid-output.precision"));
1185 }
1186 }
1187 }
1188 }
1189
1190
1191 // check full dumps
1192 if (OptionsCont::getOptions().isSet("full-output")) {
1195 }
1196
1197 // check queue dumps
1198 if (OptionsCont::getOptions().isSet("queue-output")) {
1200 }
1201
1202 // check amitran dumps
1203 if (OptionsCont::getOptions().isSet("amitran-output")) {
1205 }
1206
1207 // check vtk dumps
1208 if (OptionsCont::getOptions().isSet("vtk-output")) {
1209
1210 if (MSNet::getInstance()->getVehicleControl().getRunningVehicleNo() > 0) {
1211 std::string timestep = time2string(myStep);
1212 if (TS >= 1.0) {
1213 timestep = timestep.substr(0, timestep.length() - 3);
1214 } else if (DELTA_T % 100 == 0) {
1215 timestep = timestep.substr(0, timestep.length() - 1);
1216 }
1217 std::string output = OptionsCont::getOptions().getString("vtk-output");
1218 std::string filename = output + "_" + timestep + ".vtp";
1219
1220 OutputDevice_File dev(filename);
1221
1222 //build a huge mass of xml files
1224
1225 }
1226
1227 }
1228
1230
1231 // write detector values
1233
1234 // write link states
1235 if (OptionsCont::getOptions().isSet("link-output")) {
1236 OutputDevice& od = OutputDevice::getDeviceByOption("link-output");
1237 od.openTag("timestep");
1239 for (const MSEdge* const edge : myEdges->getEdges()) {
1240 for (const MSLane* const lane : edge->getLanes()) {
1241 for (const MSLink* const link : lane->getLinkCont()) {
1242 link->writeApproaching(od, lane->getID());
1243 }
1244 }
1245 }
1246 od.closeTag();
1247 }
1248
1249 // write SSM output
1251 dev->updateAndWriteOutput();
1252 }
1253
1254 // write ToC output
1256 if (dev->generatesOutput()) {
1257 dev->writeOutput();
1258 }
1259 }
1260
1261 if (OptionsCont::getOptions().isSet("collision-output")) {
1263 }
1264}
1265
1266
1267bool
1271
1272
1275 if (myPersonControl == nullptr) {
1277 }
1278 return *myPersonControl;
1279}
1280
1281
1284 if (myContainerControl == nullptr) {
1286 }
1287 return *myContainerControl;
1288}
1289
1292 myDynamicShapeUpdater = std::unique_ptr<MSDynamicShapeUpdater> (new MSDynamicShapeUpdater(*myShapeContainer));
1293 return myDynamicShapeUpdater.get();
1294}
1295
1298 if (myEdgeWeights == nullptr) {
1300 }
1301 return *myEdgeWeights;
1302}
1303
1304
1305void
1307 std::cout << "Step #" << time2string(myStep);
1308}
1309
1310
1311void
1313 if (myLogExecutionTime) {
1314 std::ostringstream oss;
1315 oss.setf(std::ios::fixed, std::ios::floatfield); // use decimal format
1316 oss.setf(std::ios::showpoint); // print decimal point
1317 oss << std::setprecision(gPrecision);
1318 if (mySimStepDuration != 0) {
1319 const double durationSec = (double)mySimStepDuration / 1000.;
1320 oss << " (" << mySimStepDuration << "ms ~= "
1321 << (TS / durationSec) << "*RT, ~"
1322 << ((double) myVehicleControl->getRunningVehicleNo() / durationSec);
1323 } else {
1324 oss << " (0ms ?*RT. ?";
1325 }
1326 oss << "UPS, ";
1327 if (TraCIServer::getInstance() != nullptr) {
1328 oss << "TraCI: " << myTraCIStepDuration << "ms, ";
1329 }
1330 oss << "vehicles TOT " << myVehicleControl->getDepartedVehicleNo()
1331 << " ACT " << myVehicleControl->getRunningVehicleNo()
1332 << " BUF " << myInserter->getWaitingVehicleNo()
1333 << ") ";
1334 std::string prev = "Step #" + time2string(myStep - DELTA_T);
1335 std::cout << oss.str().substr(0, 90 - prev.length());
1336 }
1337 std::cout << '\r';
1338}
1339
1340
1341void
1343 if (find(myVehicleStateListeners.begin(), myVehicleStateListeners.end(), listener) == myVehicleStateListeners.end()) {
1344 myVehicleStateListeners.push_back(listener);
1345 }
1346}
1347
1348
1349void
1351 std::vector<VehicleStateListener*>::iterator i = std::find(myVehicleStateListeners.begin(), myVehicleStateListeners.end(), listener);
1352 if (i != myVehicleStateListeners.end()) {
1353 myVehicleStateListeners.erase(i);
1354 }
1355}
1356
1357
1358void
1359MSNet::informVehicleStateListener(const SUMOVehicle* const vehicle, VehicleState to, const std::string& info) {
1360#ifdef HAVE_FOX
1361 ScopedLocker<> lock(myVehicleStateListenerMutex, MSGlobals::gNumThreads > 1);
1362#endif
1363 for (VehicleStateListener* const listener : myVehicleStateListeners) {
1364 listener->vehicleStateChanged(vehicle, to, info);
1365 }
1366}
1367
1368
1369void
1375
1376
1377void
1379 std::vector<TransportableStateListener*>::iterator i = std::find(myTransportableStateListeners.begin(), myTransportableStateListeners.end(), listener);
1380 if (i != myTransportableStateListeners.end()) {
1382 }
1383}
1384
1385
1386void
1387MSNet::informTransportableStateListener(const MSTransportable* const transportable, TransportableState to, const std::string& info) {
1388#ifdef HAVE_FOX
1389 ScopedLocker<> lock(myTransportableStateListenerMutex, MSGlobals::gNumThreads > 1);
1390#endif
1392 listener->transportableStateChanged(transportable, to, info);
1393 }
1394}
1395
1396
1397bool
1398MSNet::registerCollision(const SUMOTrafficObject* collider, const SUMOTrafficObject* victim, const std::string& collisionType, const MSLane* lane, double pos) {
1399 auto it = myCollisions.find(collider->getID());
1400 if (it != myCollisions.end()) {
1401 for (Collision& old : it->second) {
1402 if (old.victim == victim->getID()) {
1403 // collision from previous step continues
1404 old.continuationTime = myStep;
1405 return false;
1406 }
1407 }
1408 } else {
1409 // maybe the roles have been reversed
1410 auto it2 = myCollisions.find(victim->getID());
1411 if (it2 != myCollisions.end()) {
1412 for (Collision& old : it2->second) {
1413 if (old.victim == collider->getID()) {
1414 // collision from previous step continues (keep the old roles)
1415 old.continuationTime = myStep;
1416 return false;
1417 }
1418 }
1419 }
1420 }
1421 Collision c;
1422 c.victim = victim->getID();
1423 c.colliderType = collider->getVehicleType().getID();
1424 c.victimType = victim->getVehicleType().getID();
1425 c.colliderSpeed = collider->getSpeed();
1426 c.victimSpeed = victim->getSpeed();
1427 c.colliderFront = collider->getPosition();
1428 c.victimFront = victim->getPosition();
1429 c.colliderBack = collider->getPosition(-collider->getVehicleType().getLength());
1430 c.victimBack = victim->getPosition(-victim->getVehicleType().getLength());
1431 c.type = collisionType;
1432 c.lane = lane;
1433 c.pos = pos;
1434 c.time = myStep;
1436 myCollisions[collider->getID()].push_back(c);
1437 return true;
1438}
1439
1440
1441void
1443 for (auto it = myCollisions.begin(); it != myCollisions.end();) {
1444 for (auto it2 = it->second.begin(); it2 != it->second.end();) {
1445 if (it2->continuationTime != myStep) {
1446 it2 = it->second.erase(it2);
1447 } else {
1448 it2++;
1449 }
1450 }
1451 if (it->second.size() == 0) {
1452 it = myCollisions.erase(it);
1453 } else {
1454 it++;
1455 }
1456 }
1457}
1458
1459
1460bool
1462 if (category == SUMO_TAG_TRAIN_STOP) {
1463 category = SUMO_TAG_BUS_STOP;
1464 }
1465 const bool isNew = myStoppingPlaces[category].add(stop->getID(), stop);
1466 if (isNew && stop->getMyName() != "") {
1467 myNamedStoppingPlaces[category][stop->getMyName()].push_back(stop);
1468 }
1469 return isNew;
1470}
1471
1472
1473bool
1475 if (find(myTractionSubstations.begin(), myTractionSubstations.end(), substation) == myTractionSubstations.end()) {
1476 myTractionSubstations.push_back(substation);
1477 return true;
1478 }
1479 return false;
1480}
1481
1482
1484MSNet::getStoppingPlace(const std::string& id, const SumoXMLTag category) const {
1485 if (myStoppingPlaces.count(category) > 0) {
1486 return myStoppingPlaces.find(category)->second.get(id);
1487 }
1488 return nullptr;
1489}
1490
1491
1493MSNet::getStoppingPlace(const std::string& id) const {
1495 MSStoppingPlace* result = getStoppingPlace(id, category);
1496 if (result != nullptr) {
1497 return result;
1498 }
1499 }
1500 return nullptr;
1501}
1502
1503
1504std::string
1505MSNet::getStoppingPlaceID(const MSLane* lane, const double pos, const SumoXMLTag category) const {
1506 if (myStoppingPlaces.count(category) > 0) {
1507 for (const auto& it : myStoppingPlaces.find(category)->second) {
1508 MSStoppingPlace* stop = it.second;
1509 if (&stop->getLane() == lane && stop->getBeginLanePosition() - POSITION_EPS <= pos && stop->getEndLanePosition() + POSITION_EPS >= pos) {
1510 return stop->getID();
1511 }
1512 }
1513 }
1514 return "";
1515}
1516
1517
1518const std::vector<MSStoppingPlace*>&
1519MSNet::getStoppingPlaceAlternatives(const std::string& name, SumoXMLTag category) const {
1520 if (category == SUMO_TAG_TRAIN_STOP) {
1521 category = SUMO_TAG_BUS_STOP;
1522 }
1523 auto it = myNamedStoppingPlaces.find(category);
1524 if (it != myNamedStoppingPlaces.end()) {
1525 auto it2 = it->second.find(name);
1526 if (it2 != it->second.end()) {
1527 return it2->second;
1528 }
1529 }
1531}
1532
1533
1536 auto it = myStoppingPlaces.find(category);
1537 if (it != myStoppingPlaces.end()) {
1538 return it->second;
1539 } else {
1541 }
1542}
1543
1544
1545void
1548 OutputDevice& output = OutputDevice::getDeviceByOption("chargingstations-output");
1549 for (const auto& it : myStoppingPlaces.find(SUMO_TAG_CHARGING_STATION)->second) {
1550 static_cast<MSChargingStation*>(it.second)->writeChargingStationOutput(output);
1551 }
1552 }
1553}
1554
1555
1556void
1558 if (OptionsCont::getOptions().isSet("railsignal-block-output")) {
1559 OutputDevice& output = OutputDevice::getDeviceByOption("railsignal-block-output");
1560 for (auto tls : myLogics->getAllLogics()) {
1561 MSRailSignal* rs = dynamic_cast<MSRailSignal*>(tls);
1562 if (rs != nullptr) {
1563 rs->writeBlocks(output, false);
1564 }
1565 }
1566 MSDriveWay::writeDepatureBlocks(output, false);
1567 }
1568 if (OptionsCont::getOptions().isSet("railsignal-vehicle-output")) {
1569 OutputDevice& output = OutputDevice::getDeviceByOption("railsignal-vehicle-output");
1570 for (auto tls : myLogics->getAllLogics()) {
1571 MSRailSignal* rs = dynamic_cast<MSRailSignal*>(tls);
1572 if (rs != nullptr) {
1573 rs->writeBlocks(output, true);
1574 }
1575 }
1576 MSDriveWay::writeDepatureBlocks(output, true);
1577 }
1578}
1579
1580
1581void
1584 OutputDevice& output = OutputDevice::getDeviceByOption("overheadwiresegments-output");
1585 for (const auto& it : myStoppingPlaces.find(SUMO_TAG_OVERHEAD_WIRE_SEGMENT)->second) {
1586 static_cast<MSOverheadWire*>(it.second)->writeOverheadWireSegmentOutput(output);
1587 }
1588 }
1589}
1590
1591
1592void
1594 if (myTractionSubstations.size() > 0) {
1595 OutputDevice& output = OutputDevice::getDeviceByOption("substations-output");
1596 output.setPrecision(OptionsCont::getOptions().getInt("substations-output.precision"));
1597 for (auto& it : myTractionSubstations) {
1598 it->writeTractionSubstationOutput(output);
1599 }
1600 }
1601}
1602
1603
1605MSNet::findTractionSubstation(const std::string& substationId) {
1606 for (std::vector<MSTractionSubstation*>::iterator it = myTractionSubstations.begin(); it != myTractionSubstations.end(); ++it) {
1607 if ((*it)->getID() == substationId) {
1608 return *it;
1609 }
1610 }
1611 return nullptr;
1612}
1613
1614
1616MSNet::getRouterTT(int rngIndex, const Prohibitions& prohibited) const {
1617 if (MSGlobals::gNumSimThreads == 1) {
1618 rngIndex = 0;
1619 }
1620 if (myRouterTT.count(rngIndex) == 0) {
1621 const std::string routingAlgorithm = OptionsCont::getOptions().getString("routing-algorithm");
1622 if (routingAlgorithm == "dijkstra") {
1623 myRouterTT[rngIndex] = new DijkstraRouter<MSEdge, SUMOVehicle>(MSEdge::getAllEdges(), true, &MSNet::getTravelTime, nullptr, false, nullptr, true);
1624 } else {
1625 if (routingAlgorithm != "astar") {
1626 WRITE_WARNINGF(TL("TraCI and Triggers cannot use routing algorithm '%'. using 'astar' instead."), routingAlgorithm);
1627 }
1629 }
1630 }
1631 myRouterTT[rngIndex]->prohibit(prohibited);
1632 return *myRouterTT[rngIndex];
1633}
1634
1635
1637MSNet::getRouterEffort(int rngIndex, const Prohibitions& prohibited) const {
1638 if (MSGlobals::gNumSimThreads == 1) {
1639 rngIndex = 0;
1640 }
1641 if (myRouterEffort.count(rngIndex) == 0) {
1643 }
1644 myRouterEffort[rngIndex]->prohibit(prohibited);
1645 return *myRouterEffort[rngIndex];
1646}
1647
1648
1650MSNet::getPedestrianRouter(int rngIndex, const Prohibitions& prohibited) const {
1651 if (MSGlobals::gNumSimThreads == 1) {
1652 rngIndex = 0;
1653 }
1654 if (myPedestrianRouter.count(rngIndex) == 0) {
1655 myPedestrianRouter[rngIndex] = new MSPedestrianRouter();
1656 }
1657 myPedestrianRouter[rngIndex]->prohibit(prohibited);
1658 return *myPedestrianRouter[rngIndex];
1659}
1660
1661
1663MSNet::getIntermodalRouter(int rngIndex, const int routingMode, const Prohibitions& prohibited) const {
1664 if (MSGlobals::gNumSimThreads == 1) {
1665 rngIndex = 0;
1666 }
1668 const int key = rngIndex * oc.getInt("thread-rngs") + routingMode;
1669 if (myIntermodalRouter.count(key) == 0) {
1671 const std::string routingAlgorithm = OptionsCont::getOptions().getString("routing-algorithm");
1672 const double taxiWait = STEPS2TIME(string2time(OptionsCont::getOptions().getString("persontrip.taxi.waiting-time")));
1673 if (routingMode == libsumo::ROUTING_MODE_COMBINED) {
1674 myIntermodalRouter[key] = new MSTransportableRouter(MSNet::adaptIntermodalRouter, carWalk, taxiWait, routingAlgorithm, routingMode, new FareModul());
1675 } else {
1676 myIntermodalRouter[key] = new MSTransportableRouter(MSNet::adaptIntermodalRouter, carWalk, taxiWait, routingAlgorithm, routingMode);
1677 }
1678 }
1679 myIntermodalRouter[key]->prohibit(prohibited);
1680 return *myIntermodalRouter[key];
1681}
1682
1683
1684void
1686 for (auto& router : myIntermodalRouter) {
1687 delete router.second;
1688 }
1689 myIntermodalRouter.clear();
1690}
1691
1692
1693void
1695 double taxiWait = STEPS2TIME(string2time(OptionsCont::getOptions().getString("persontrip.taxi.waiting-time")));
1696 // add access to all parking areas
1697 EffortCalculator* const external = router.getExternalEffort();
1698 for (const auto& stopType : myInstance->myStoppingPlaces) {
1699 // add access to all stopping places
1700 const SumoXMLTag element = stopType.first;
1701 for (const auto& i : stopType.second) {
1702 const MSEdge* const edge = &i.second->getLane().getEdge();
1703 router.getNetwork()->addAccess(i.first, edge, i.second->getBeginLanePosition(), i.second->getEndLanePosition(),
1704 0., element, false, taxiWait);
1705 if (element == SUMO_TAG_BUS_STOP) {
1706 // add access to all public transport stops
1707 for (const auto& a : i.second->getAllAccessPos()) {
1708 router.getNetwork()->addAccess(i.first, &a.lane->getEdge(), a.startPos, a.endPos, a.length, element, true, taxiWait);
1709 }
1710 if (external != nullptr) {
1711 external->addStop(router.getNetwork()->getStopEdge(i.first)->getNumericalID(), *i.second);
1712 }
1713 }
1714 }
1715 }
1718 // add access to transfer from walking to taxi-use
1720 for (MSEdge* edge : myInstance->getEdgeControl().getEdges()) {
1721 if ((edge->getPermissions() & SVC_PEDESTRIAN) != 0 && (edge->getPermissions() & SVC_TAXI) != 0) {
1722 router.getNetwork()->addCarAccess(edge, SVC_TAXI, taxiWait);
1723 }
1724 }
1725 }
1726}
1727
1728
1729bool
1731 const MSEdgeVector& edges = myEdges->getEdges();
1732 for (MSEdgeVector::const_iterator e = edges.begin(); e != edges.end(); ++e) {
1733 for (std::vector<MSLane*>::const_iterator i = (*e)->getLanes().begin(); i != (*e)->getLanes().end(); ++i) {
1734 if ((*i)->getShape().hasElevation()) {
1735 return true;
1736 }
1737 }
1738 }
1739 return false;
1740}
1741
1742
1743bool
1745 for (const MSEdge* e : myEdges->getEdges()) {
1746 if (e->getFunction() == SumoXMLEdgeFunc::WALKINGAREA) {
1747 return true;
1748 }
1749 }
1750 return false;
1751}
1752
1753
1754bool
1756 for (const MSEdge* e : myEdges->getEdges()) {
1757 if (e->getBidiEdge() != nullptr) {
1758 return true;
1759 }
1760 }
1761 return false;
1762}
1763
1764bool
1765MSNet::warnOnce(const std::string& typeAndID) {
1766 if (myWarnedOnce.find(typeAndID) == myWarnedOnce.end()) {
1767 myWarnedOnce[typeAndID] = true;
1768 return true;
1769 }
1770 return false;
1771}
1772
1773
1776 auto loader = myRouteLoaders->getFirstLoader();
1777 if (loader != nullptr) {
1778 return dynamic_cast<MSMapMatcher*>(loader->getRouteHandler());
1779 } else {
1780 return nullptr;
1781 }
1782}
1783
1784void
1787 clearState(string2time(oc.getString("begin")), true);
1789 // load traffic from additional files
1790 for (std::string file : oc.getStringVector("additional-files")) {
1791 // ignore failure on parsing calibrator flow
1792 MSRouteHandler rh(file, true);
1793 const long before = PROGRESS_BEGIN_TIME_MESSAGE("Loading traffic from '" + file + "'");
1794 if (!XMLSubSys::runParser(rh, file, false)) {
1795 throw ProcessError(TLF("Loading of % failed.", file));
1796 }
1797 PROGRESS_TIME_MESSAGE(before);
1798 }
1799 delete myRouteLoaders;
1801 updateGUI();
1802}
1803
1804
1806MSNet::loadState(const std::string& fileName, const bool catchExceptions) {
1807 // load time only
1808 const SUMOTime newTime = MSStateHandler::MSStateTimeHandler::getTime(fileName);
1809 // clean up state
1810 clearState(newTime);
1811 // load state
1812 MSStateHandler h(fileName, 0);
1813 XMLSubSys::runParser(h, fileName, false, false, false, catchExceptions);
1814 if (MsgHandler::getErrorInstance()->wasInformed()) {
1815 throw ProcessError(TLF("Loading state from '%' failed.", fileName));
1816 }
1817 // reset route loaders
1818 delete myRouteLoaders;
1820 // prevent loading errors on rewound route file
1822
1823 updateGUI();
1824 return newTime;
1825}
1826
1827
1828/****************************************************************************/
long long int SUMOTime
Definition GUI.h:36
@ TAXI_PICKUP_ANYWHERE
taxi customer may be picked up anywhere
std::vector< MSEdge * > MSEdgeVector
Definition MSEdge.h:73
IntermodalRouter< MSEdge, MSLane, MSJunction, SUMOVehicle > MSTransportableRouter
PedestrianRouter< MSEdge, MSLane, MSJunction, SUMOVehicle > MSPedestrianRouter
#define WRITE_WARNINGF(...)
Definition MsgHandler.h:287
#define WRITE_MESSAGEF(...)
Definition MsgHandler.h:289
#define WRITE_MESSAGE(msg)
Definition MsgHandler.h:288
#define PROGRESS_BEGIN_TIME_MESSAGE(msg)
Definition MsgHandler.h:292
#define TL(string)
Definition MsgHandler.h:304
#define PROGRESS_TIME_MESSAGE(before)
Definition MsgHandler.h:293
#define TLF(string,...)
Definition MsgHandler.h:306
std::string elapsedMs2string(long long int t)
convert ms to string for log output
Definition SUMOTime.cpp:145
SUMOTime DELTA_T
Definition SUMOTime.cpp:38
SUMOTime string2time(const std::string &r)
convert string to SUMOTime
Definition SUMOTime.cpp:46
std::string time2string(SUMOTime t, bool humanReadable)
convert SUMOTime to string (independently of global format setting)
Definition SUMOTime.cpp:91
#define STEPS2TIME(x)
Definition SUMOTime.h:58
#define SIMSTEP
Definition SUMOTime.h:64
#define TS
Definition SUMOTime.h:45
#define SIMTIME
Definition SUMOTime.h:65
SUMOVehicleClass
Definition of vehicle classes to differ between different lane usage and authority types.
@ SVC_BICYCLE
vehicle is a bicycle
@ SVC_TAXI
vehicle is a taxi
@ SVC_PEDESTRIAN
pedestrian
SumoXMLTag
Numbers representing SUMO-XML - element names.
@ SUMO_TAG_CHARGING_STATION
A Charging Station.
@ SUMO_TAG_CONTAINER_STOP
A container stop.
@ SUMO_TAG_BUS_STOP
A bus stop.
@ SUMO_TAG_VEHICLE
description of a vehicle
@ SUMO_TAG_PARKING_AREA
A parking area.
@ SUMO_TAG_TRAIN_STOP
A train stop (alias for bus stop)
@ SUMO_TAG_OVERHEAD_WIRE_SEGMENT
An overhead wire segment.
@ SUMO_TAG_PERSON
@ SUMO_ATTR_MAXIMUMBATTERYCAPACITY
Maxium battery capacity.
@ SUMO_ATTR_VEHICLE
@ SUMO_ATTR_RECUPERATIONENABLE
@ SUMO_ATTR_ID
bool gRoutingPreferences
Definition StdDefs.cpp:37
int gPrecision
the precision for floating point outputs
Definition StdDefs.cpp:27
std::pair< int, double > MMVersion
(M)ajor/(M)inor version for written networks and default version for loading
Definition StdDefs.h:71
std::string joinToString(const std::vector< T > &v, const T_BETWEEN &between, std::streamsize accuracy=gPrecision)
Definition ToString.h:313
std::string toString(const T &t, std::streamsize accuracy=gPrecision)
Definition ToString.h:49
Computes the shortest path through a network using the A* algorithm.
Definition AStarRouter.h:76
Computes the shortest path through a network using the Dijkstra algorithm.
the effort calculator interface
virtual void addStop(const int stopEdge, const Parameterised &params)=0
int getNumericalID() const
void addCarAccess(const E *edge, SUMOVehicleClass svc, double traveltime)
Adds access edges for transfering from walking to vehicle use.
void addAccess(const std::string &stopId, const E *stopEdge, const double startPos, const double endPos, const double length, const SumoXMLTag category, bool isAccess, double taxiWait)
Adds access edges for stopping places to the intermodal network.
_IntermodalEdge * getStopEdge(const std::string &stopId) const
Returns the associated stop edge.
EffortCalculator * getExternalEffort() const
Network * getNetwork() const
int getCarWalkTransfer() const
The main mesocopic simulation loop.
Definition MELoop.h:47
void simulate(SUMOTime tMax)
Perform simulation up to the given time.
Definition MELoop.cpp:61
void clearState()
Remove all vehicles before quick-loading state.
Definition MELoop.cpp:248
A single mesoscopic segment (cell)
Definition MESegment.h:50
static void write(OutputDevice &of, const SUMOTime timestep)
Writes the complete network state into the given device.
const MSEdgeWeightsStorage & getWeightsStorage() const
Returns the vehicle's internal edge travel times/efforts container.
int getRoutingMode() const
return routing mode (configures router choice but also handling of transient permission changes)
static void write(OutputDevice &of, SUMOTime timestep, int precision)
Writes the complete network state of the given edges into the given device.
static void cleanup()
cleanup remaining data structures
static void write(OutputDevice &of, bool end=false)
Writes the recently completed charging events.
Detectors container; responsible for string and output generation.
void writeOutput(SUMOTime step, bool closing)
Writes the output to be generated within the given time step.
void clearState(SUMOTime step)
Remove all vehicles before quick-loading state.
void updateDetectors(const SUMOTime step)
Computes detector values.
void close(SUMOTime step)
Closes the detector outputs.
static void cleanup()
removes remaining vehicleInformation in sVehicles
A device which collects info on the vehicle trip (mainly on departure and arrival)
double getMaximumBatteryCapacity() const
Get the total vehicle's Battery Capacity in kWh.
A device which collects info on the vehicle trip (mainly on departure and arrival)
static const std::set< MSDevice_SSM *, ComparatorNumericalIdLess > & getInstances()
returns all currently existing SSM devices
static void cleanup()
Clean up remaining devices instances.
static bool hasFleet()
returns whether taxis have been loaded
static bool hasServableReservations()
check whether there are still (servable) reservations in the system
The ToC Device controls transition of control between automated and manual driving.
static void cleanup()
Closes root tags of output files.
static const std::set< MSDevice_ToC *, ComparatorNumericalIdLess > & getInstances()
returns all currently existing ToC devices
static void writeStatistics(OutputDevice &od)
write statistic output to (xml) file
static std::string printStatistics()
get statistics for printing to stdout
static void generateOutputForUnfinished()
generate output for vehicles which are still in the network
static void writePendingOutput(const bool includeUnfinished)
generate vehroute output for pending vehicles at sim end, either due to sorting or because they are s...
static void cleanupAll()
perform cleanup for all devices
Definition MSDevice.cpp:149
static void clearState()
static void writeDepatureBlocks(OutputDevice &od, bool writeVehicles)
static void init()
static void cleanup()
Stores edges and lanes, performs moving of vehicle.
void setJunctionApproaches()
Register junction approaches for all vehicles after velocities have been planned. This is a prerequis...
void patchActiveLanes()
Resets information whether a lane is active for all lanes.
void detectCollisions(SUMOTime timestep, const std::string &stage)
Detect collisions.
void executeMovements(SUMOTime t)
Executes planned vehicle movements with regards to right-of-way.
const MSEdgeVector & getEdges() const
Returns loaded edges.
void planMovements(SUMOTime t)
Compute safe velocities for all vehicles based on positions and speeds from the last time step....
void changeLanes(const SUMOTime t)
Moves (precomputes) critical vehicles.
A road/street connecting two junctions.
Definition MSEdge.h:77
static const MSEdgeVector & getAllEdges()
Returns all edges with a numerical id.
Definition MSEdge.cpp:1118
static void clear()
Clears the dictionary.
Definition MSEdge.cpp:1124
double getMinimumTravelTime(const SUMOVehicle *const veh) const
returns the minimum travel time for the given vehicle
Definition MSEdge.h:485
A storage for edge travel times and efforts.
bool retrieveExistingTravelTime(const MSEdge *const e, const double t, double &value) const
Returns a travel time for an edge and time if stored.
bool retrieveExistingEffort(const MSEdge *const e, const double t, double &value) const
Returns an effort for an edge and time if stored.
static void writeAggregated(OutputDevice &of, SUMOTime timestep, int precision)
static void write(OutputDevice &of, const SUMOVehicle *veh, SUMOTime timestep, int precision)
Writes the complete network state of the given edges into the given device.
static void write(OutputDevice &of, SUMOTime timestep)
Writes emission values into the given device.
Stores time-dependant events and executes them at the proper time.
virtual void execute(SUMOTime time)
Executes time-dependant commands.
void clearState(SUMOTime currentTime, SUMOTime newTime)
Remove all events before quick-loading state.
static void write(OutputDevice &of, const SUMOTime timestep, const SumoXMLTag tag=SUMO_TAG_NOTHING)
Writes the position and the angle of each vehicle into the given device.
static void write(OutputDevice &of, SUMOTime timestep)
Dumping a hugh List of Parameters available in the Simulation.
static bool gUseMesoSim
Definition MSGlobals.h:106
static double gWeightsSeparateTurns
Whether turning specific weights are estimated (and how much)
Definition MSGlobals.h:177
static bool gOverheadWireRecuperation
Definition MSGlobals.h:124
static MELoop * gMesoNet
mesoscopic simulation infrastructure
Definition MSGlobals.h:112
static bool gStateLoaded
Information whether a state has been loaded.
Definition MSGlobals.h:103
static bool gCheck4Accidents
Definition MSGlobals.h:88
static bool gClearState
whether the simulation is in the process of clearing state (MSNet::clearState)
Definition MSGlobals.h:143
static bool gHaveEmissions
Whether emission output of some type is needed (files or GUI)
Definition MSGlobals.h:183
static int gNumSimThreads
how many threads to use for simulation
Definition MSGlobals.h:146
static bool gUsingInternalLanes
Information whether the simulation regards internal lanes.
Definition MSGlobals.h:81
static int gNumThreads
how many threads to use
Definition MSGlobals.h:149
Inserts vehicles into the network when their departure time is reached.
void adaptIntermodalRouter(MSTransportableRouter &router) const
int getWaitingVehicleNo() const
Returns the number of waiting vehicles.
int emitVehicles(SUMOTime time)
Emits vehicles that want to depart at the given time.
bool hasFlow(const std::string &id) const
checks whether the given flow still exists
void determineCandidates(SUMOTime time)
Checks for all vehicles whether they can be emitted.
int getPendingFlowCount() const
Returns the number of flows that are still active.
void clearState()
Remove all vehicles before quick-loading state.
Container for junctions; performs operations on all stored junctions.
Representation of a lane in the micro simulation.
Definition MSLane.h:84
static void clear()
Clears the dictionary.
Definition MSLane.cpp:2533
static const std::map< std::string, MSLaneSpeedTrigger * > & getInstances()
return all MSLaneSpeedTrigger instances
Interface for objects listening to transportable state changes.
Definition MSNet.h:718
Interface for objects listening to vehicle state changes.
Definition MSNet.h:659
The simulated network and simulation perfomer.
Definition MSNet.h:89
std::map< SumoXMLTag, NamedObjectCont< MSStoppingPlace * > > myStoppingPlaces
Dictionary of bus / container stops.
Definition MSNet.h:1009
long myTraCIMillis
The overall time spent waiting for traci operations including.
Definition MSNet.h:947
MSMapMatcher * getMapMatcher() const
Definition MSNet.cpp:1775
static double getEffort(const MSEdge *const e, const SUMOVehicle *const v, double t)
Returns the effort to pass an edge.
Definition MSNet.cpp:153
bool warnOnce(const std::string &typeAndID)
return whether a warning regarding the given object shall be issued
Definition MSNet.cpp:1765
MSNet(MSVehicleControl *vc, MSEventControl *beginOfTimestepEvents, MSEventControl *endOfTimestepEvents, MSEventControl *insertionEvents, ShapeContainer *shapeCont=nullptr)
Constructor.
Definition MSNet.cpp:220
SUMOTime loadState(const std::string &fileName, const bool catchExceptions)
load state from file and return new time
Definition MSNet.cpp:1806
bool myLogExecutionTime
Information whether the simulation duration shall be logged.
Definition MSNet.h:933
MSTransportableControl * myPersonControl
Controls person building and deletion;.
Definition MSNet.h:902
void removeVehicleStateListener(VehicleStateListener *listener)
Removes a vehicle states listener.
Definition MSNet.cpp:1350
SUMORouteLoaderControl * myRouteLoaders
Route loader for dynamic loading of routes.
Definition MSNet.h:880
std::map< std::string, std::map< std::string, double > > myVTypePreferences
Definition MSNet.h:982
void informTransportableStateListener(const MSTransportable *const transportable, TransportableState to, const std::string &info="")
Informs all added listeners about a transportable's state change.
Definition MSNet.cpp:1387
SUMOTime myStateDumpPeriod
The period for writing state.
Definition MSNet.h:966
static const NamedObjectCont< MSStoppingPlace * > myEmptyStoppingPlaceCont
Definition MSNet.h:1033
void writeOverheadWireSegmentOutput() const
write the output generated by an overhead wire segment
Definition MSNet.cpp:1582
void writeChargingStationOutput() const
write charging station output
Definition MSNet.cpp:1546
std::pair< bool, NamedRTree > myLanesRTree
An RTree structure holding lane IDs.
Definition MSNet.h:1050
bool checkBidiEdges()
check wether bidirectional edges occur in the network
Definition MSNet.cpp:1755
VehicleState
Definition of a vehicle state.
Definition MSNet.h:626
int myLogStepPeriod
Period between successive step-log outputs.
Definition MSNet.h:938
SUMOTime myStep
Current time step.
Definition MSNet.h:883
static MSNet * getInstance()
Returns the pointer to the unique instance of MSNet (singleton).
Definition MSNet.cpp:199
bool myHasBidiEdges
Whether the network contains bidirectional rail edges.
Definition MSNet.h:1000
bool addStoppingPlace(SumoXMLTag category, MSStoppingPlace *stop)
Adds a stopping place.
Definition MSNet.cpp:1461
void addPreference(const std::string &routingType, SUMOVehicleClass svc, double prio)
add edge type specific routing preference
Definition MSNet.cpp:408
MSEventControl * myBeginOfTimestepEvents
Controls events executed at the begin of a time step;.
Definition MSNet.h:916
bool addTractionSubstation(MSTractionSubstation *substation)
Adds a traction substation.
Definition MSNet.cpp:1474
std::map< std::string, bool > myWarnedOnce
container to record warnings that shall only be issued once
Definition MSNet.h:1037
static void initStatic()
Place for static initializations of simulation components (called after successful net build)
Definition MSNet.cpp:207
void removeOutdatedCollisions()
remove collisions from the previous simulation step
Definition MSNet.cpp:1442
MSJunctionControl * myJunctions
Controls junctions, realizes right-of-way rules;.
Definition MSNet.h:908
std::map< const MSEdge *, RouterProhibition > Prohibitions
Definition MSNet.h:132
std::vector< std::string > myPeriodicStateFiles
The names of the last K periodic state files (only only K shall be kept)
Definition MSNet.h:964
ShapeContainer * myShapeContainer
A container for geometrical shapes;.
Definition MSNet.h:922
std::string myStateDumpSuffix
Definition MSNet.h:969
const std::vector< MSStoppingPlace * > & getStoppingPlaceAlternatives(const std::string &name, SumoXMLTag category) const
Definition MSNet.cpp:1519
bool checkElevation()
check all lanes for elevation data
Definition MSNet.cpp:1730
MSTransportableRouter & getIntermodalRouter(int rngIndex, const int routingMode=0, const Prohibitions &prohibited={}) const
Definition MSNet.cpp:1663
std::map< SumoXMLTag, std::map< std::string, std::vector< MSStoppingPlace * > > > myNamedStoppingPlaces
dictionary of named stopping places
Definition MSNet.h:1012
static const std::vector< MSStoppingPlace * > myEmptyStoppingPlaceVector
Definition MSNet.h:1034
void removeTransportableStateListener(TransportableStateListener *listener)
Removes a transportable states listener.
Definition MSNet.cpp:1378
SimulationState adaptToState(const SimulationState state, const bool isLibsumo=false) const
Called after a simulation step, this method adapts the current simulation state if necessary.
Definition MSNet.cpp:990
void closeBuilding(const OptionsCont &oc, MSEdgeControl *edges, MSJunctionControl *junctions, SUMORouteLoaderControl *routeLoaders, MSTLLogicControl *tlc, std::vector< SUMOTime > stateDumpTimes, std::vector< std::string > stateDumpFiles, bool hasInternalLinks, bool junctionHigherSpeeds, const MMVersion &version)
Closes the network's building process.
Definition MSNet.cpp:271
bool myLogStepNumber
Information whether the number of the simulation step shall be logged.
Definition MSNet.h:936
MMVersion myVersion
the network version
Definition MSNet.h:1003
MSEventControl * myInsertionEvents
Controls insertion events;.
Definition MSNet.h:920
virtual MSTransportableControl & getContainerControl()
Returns the container control.
Definition MSNet.cpp:1283
MSVehicleRouter & getRouterTT(int rngIndex, const Prohibitions &prohibited={}) const
Definition MSNet.cpp:1616
SimulationState
Possible states of a simulation - running or stopped with different reasons.
Definition MSNet.h:94
@ SIMSTATE_TOO_MANY_TELEPORTS
The simulation had too many teleports.
Definition MSNet.h:110
@ SIMSTATE_NO_FURTHER_VEHICLES
The simulation does not contain further vehicles.
Definition MSNet.h:102
@ SIMSTATE_LOADING
The simulation is loading.
Definition MSNet.h:96
@ SIMSTATE_ERROR_IN_SIM
An error occurred during the simulation step.
Definition MSNet.h:106
@ SIMSTATE_CONNECTION_CLOSED
The connection to a client was closed by the client.
Definition MSNet.h:104
@ SIMSTATE_INTERRUPTED
An external interrupt occurred.
Definition MSNet.h:108
@ SIMSTATE_RUNNING
The simulation is running.
Definition MSNet.h:98
@ SIMSTATE_END_STEP_REACHED
The final simulation step has been performed.
Definition MSNet.h:100
std::map< int, MSPedestrianRouter * > myPedestrianRouter
Definition MSNet.h:1046
static const std::string STAGE_MOVEMENTS
Definition MSNet.h:853
bool hasFlow(const std::string &id) const
return whether the given flow is known
Definition MSNet.cpp:449
int myMaxTeleports
Maximum number of teleports.
Definition MSNet.h:889
long mySimStepDuration
Definition MSNet.h:941
double getPreference(const std::string &routingType, const SUMOVTypeParameter &pars) const
retriefe edge type specific routing preference
Definition MSNet.cpp:378
MSEventControl * myEndOfTimestepEvents
Controls events executed at the end of a time step;.
Definition MSNet.h:918
static std::string getStateMessage(SimulationState state)
Returns the message to show if a certain state occurs.
Definition MSNet.cpp:1011
std::string getStoppingPlaceID(const MSLane *lane, const double pos, const SumoXMLTag category) const
Returns the stop of the given category close to the given position.
Definition MSNet.cpp:1505
bool myHasInternalLinks
Whether the network contains internal links/lanes/edges.
Definition MSNet.h:988
void writeSubstationOutput() const
write electrical substation output
Definition MSNet.cpp:1593
static const std::string STAGE_INSERTIONS
Definition MSNet.h:855
std::map< SUMOVehicleClass, std::map< std::string, double > > myVClassPreferences
Preferences for routing.
Definition MSNet.h:981
long long int myPersonsMoved
Definition MSNet.h:951
void quickReload()
reset state to the beginning without reloading the network
Definition MSNet.cpp:1785
MSPedestrianRouter & getPedestrianRouter(int rngIndex, const Prohibitions &prohibited={}) const
Definition MSNet.cpp:1650
MSVehicleControl * myVehicleControl
Controls vehicle building and deletion;.
Definition MSNet.h:900
static void clearAll()
Clears all dictionaries.
Definition MSNet.cpp:1036
static void cleanupStatic()
Place for static initializations of simulation components (called after successful net build)
Definition MSNet.cpp:213
void writeStatistics(const SUMOTime start, const long now) const
write statistic output to (xml) file
Definition MSNet.cpp:633
void resetIntermodalRouter() const
force reconstruction of intermodal network
Definition MSNet.cpp:1685
SUMOTime getCurrentTimeStep() const
Returns the current simulation step.
Definition MSNet.h:334
MSEdgeControl * myEdges
Controls edges, performs vehicle movement;.
Definition MSNet.h:906
std::unique_ptr< MSDynamicShapeUpdater > myDynamicShapeUpdater
Updater for dynamic shapes that are tracking traffic objects (ensures removal of shape dynamics when ...
Definition MSNet.h:1055
const std::map< SUMOVehicleClass, double > * getRestrictions(const std::string &id) const
Returns the restrictions for an edge type If no restrictions are present, 0 is returned.
Definition MSNet.cpp:368
void closeSimulation(SUMOTime start, const std::string &reason="")
Closes the simulation (all files, connections, etc.)
Definition MSNet.cpp:750
MSStoppingPlace * getStoppingPlace(const std::string &id, const SumoXMLTag category) const
Returns the named stopping place of the given category.
Definition MSNet.cpp:1484
bool myHasElevation
Whether the network contains elevation data.
Definition MSNet.h:994
static double getTravelTime(const MSEdge *const e, const SUMOVehicle *const v, double t)
Returns the travel time to pass an edge.
Definition MSNet.cpp:167
MSTransportableControl * myContainerControl
Controls container building and deletion;.
Definition MSNet.h:904
std::vector< TransportableStateListener * > myTransportableStateListeners
Container for transportable state listener.
Definition MSNet.h:1021
void writeOutput()
Write netstate, summary and detector output.
Definition MSNet.cpp:1121
virtual void updateGUI() const
update view after simulation.loadState
Definition MSNet.h:614
bool myAmInterrupted
whether an interrupt occurred
Definition MSNet.h:892
void simulationStep(const bool onlyMove=false)
Performs a single simulation step.
Definition MSNet.cpp:791
void addVehicleStateListener(VehicleStateListener *listener)
Adds a vehicle states listener.
Definition MSNet.cpp:1342
void clearState(const SUMOTime step, bool quickReload=false)
Resets events when quick-loading state.
Definition MSNet.cpp:1067
void preSimStepOutput() const
Prints the current step number.
Definition MSNet.cpp:1306
void writeCollisions() const
write collision output to (xml) file
Definition MSNet.cpp:604
std::vector< SUMOTime > myStateDumpTimes
Times at which a state shall be written.
Definition MSNet.h:960
void writeSummaryOutput(bool finalStep=false)
write summary-output to (xml) file
Definition MSNet.cpp:682
void addTransportableStateListener(TransportableStateListener *listener)
Adds a transportable states listener.
Definition MSNet.cpp:1370
std::vector< MSTractionSubstation * > myTractionSubstations
Dictionary of traction substations.
Definition MSNet.h:1015
SUMOTime myEdgeDataEndTime
end of loaded edgeData
Definition MSNet.h:1006
MSEdgeWeightsStorage & getWeightsStorage()
Returns the net's internal edge travel times/efforts container.
Definition MSNet.cpp:1297
std::map< std::string, std::map< SUMOVehicleClass, double > > myRestrictions
The vehicle class specific speed restrictions.
Definition MSNet.h:978
std::vector< std::string > myStateDumpFiles
The names for the state files.
Definition MSNet.h:962
void addMesoType(const std::string &typeID, const MESegment::MesoEdgeType &edgeType)
Adds edge type specific meso parameters.
Definition MSNet.cpp:421
void writeRailSignalBlocks() const
write rail signal block output
Definition MSNet.cpp:1557
MSTLLogicControl * myLogics
Controls tls logics, realizes waiting on tls rules;.
Definition MSNet.h:910
bool logSimulationDuration() const
Returns whether duration shall be logged.
Definition MSNet.cpp:1268
long long int myVehiclesMoved
The overall number of vehicle movements.
Definition MSNet.h:950
static const std::string STAGE_REMOTECONTROL
Definition MSNet.h:856
void informVehicleStateListener(const SUMOVehicle *const vehicle, VehicleState to, const std::string &info="")
Informs all added listeners about a vehicle's state change.
Definition MSNet.cpp:1359
std::map< int, MSTransportableRouter * > myIntermodalRouter
Definition MSNet.h:1047
std::vector< VehicleStateListener * > myVehicleStateListeners
Container for vehicle state listener.
Definition MSNet.h:1018
SimulationState simulationState(SUMOTime stopTime) const
This method returns the current simulation state. It should not modify status.
Definition MSNet.cpp:960
long myTraCIStepDuration
The last simulation step duration.
Definition MSNet.h:941
TransportableState
Definition of a transportable state.
Definition MSNet.h:703
MSInsertionControl & getInsertionControl()
Returns the insertion control.
Definition MSNet.h:445
MSDetectorControl * myDetectorControl
Controls detectors;.
Definition MSNet.h:914
bool myStepCompletionMissing
whether libsumo triggered a partial step (executeMove)
Definition MSNet.h:886
static const std::string STAGE_LANECHANGE
Definition MSNet.h:854
void addRestriction(const std::string &id, const SUMOVehicleClass svc, const double speed)
Adds a restriction for an edge type.
Definition MSNet.cpp:362
std::map< std::string, MESegment::MesoEdgeType > myMesoEdgeTypes
The edge type specific meso parameters.
Definition MSNet.h:985
MSEdgeWeightsStorage * myEdgeWeights
The net's knowledge about edge efforts/travel times;.
Definition MSNet.h:924
MSDynamicShapeUpdater * makeDynamicShapeUpdater()
Creates and returns a dynamic shapes updater.
Definition MSNet.cpp:1291
virtual ~MSNet()
Destructor.
Definition MSNet.cpp:306
std::map< int, MSVehicleRouter * > myRouterEffort
Definition MSNet.h:1045
MSTractionSubstation * findTractionSubstation(const std::string &substationId)
find electrical substation by its id
Definition MSNet.cpp:1605
static MSNet * myInstance
Unique instance of MSNet.
Definition MSNet.h:877
MSVehicleControl & getVehicleControl()
Returns the vehicle control.
Definition MSNet.h:392
MSInsertionControl * myInserter
Controls vehicle insertion;.
Definition MSNet.h:912
void postSimStepOutput() const
Prints the statistics of the step at its end.
Definition MSNet.cpp:1312
virtual MSTransportableControl & getPersonControl()
Returns the person control.
Definition MSNet.cpp:1274
bool registerCollision(const SUMOTrafficObject *collider, const SUMOTrafficObject *victim, const std::string &collisionType, const MSLane *lane, double pos)
register collision and return whether it was the first one involving these vehicles
Definition MSNet.cpp:1398
static const std::string STAGE_EVENTS
string constants for simstep stages
Definition MSNet.h:852
void loadRoutes()
loads routes for the next few steps
Definition MSNet.cpp:498
std::string myStateDumpPrefix
name components for periodic state
Definition MSNet.h:968
bool myJunctionHigherSpeeds
Whether the network was built with higher speed on junctions.
Definition MSNet.h:991
MSEdgeControl & getEdgeControl()
Returns the edge control.
Definition MSNet.h:435
long mySimBeginMillis
The overall simulation duration.
Definition MSNet.h:944
bool myHasPedestrianNetwork
Whether the network contains pedestrian network elements.
Definition MSNet.h:997
std::map< int, MSVehicleRouter * > myRouterTT
Definition MSNet.h:1044
const MESegment::MesoEdgeType & getMesoType(const std::string &typeID)
Returns edge type specific meso parameters if no type specific parameters have been loaded,...
Definition MSNet.cpp:426
void postMoveStep()
Performs the parts of the simulation step which happen after the move.
Definition MSNet.cpp:931
bool hasInternalLinks() const
return whether the network contains internal links
Definition MSNet.h:801
const std::string generateStatistics(const SUMOTime start, const long now)
Writes performance output and running vehicle stats.
Definition MSNet.cpp:504
bool checkWalkingarea()
check all lanes for type walkingArea
Definition MSNet.cpp:1744
static void adaptIntermodalRouter(MSTransportableRouter &router)
Definition MSNet.cpp:1694
CollisionMap myCollisions
collisions in the current time step
Definition MSNet.h:1024
MSVehicleRouter & getRouterEffort(int rngIndex, const Prohibitions &prohibited={}) const
Definition MSNet.cpp:1637
const NamedObjectCont< MSStoppingPlace * > & getStoppingPlaces(SumoXMLTag category) const
Definition MSNet.cpp:1535
SimulationState simulate(SUMOTime start, SUMOTime stop)
Simulates from timestep start to stop.
Definition MSNet.cpp:456
Definition of overhead wire segment.
static void write(OutputDevice &of, SUMOTime timestep)
Export the queueing length in front of a junction (very experimental!)
static void cleanup()
clean up state
static MSRailSignalControl & getInstance()
void updateSignals(SUMOTime t)
update active rail signals
static void clearState()
Perform resets events when quick-loading state.
void resetWaitRelations()
reset all waiting-for relationships at the start of the simulation step
A signal for rails.
void writeBlocks(OutputDevice &od, bool writeVehicles) const
write rail signal block output for all links and driveways
Parser and container for routes during their loading.
static void dict_clearState()
Decrement all route references before quick-loading state.
Definition MSRoute.cpp:308
static void clear()
Clears the dictionary (delete all known routes, too)
Definition MSRoute.cpp:181
static bool haveExtras()
static double getEffortBike(const MSEdge *const e, const SUMOVehicle *const v, double t)
static void applyExtras(const MSEdge *const e, const SUMOVehicle *const v, SUMOTime step, double &effort)
apply cost modifications from randomness, priorityFactor and preferences
static bool hasBikeSpeeds()
whether the router collects bicycle speeds
static double getEffort(const MSEdge *const e, const SUMOVehicle *const v, double t)
Returns the effort to pass an edge.
static double getEffortExtra(const MSEdge *const e, const SUMOVehicle *const v, double t)
static SUMOTime getTime(const std::string &fileName)
parse time from state file
Parser and output filter for routes and vehicles state saving and loading.
static void saveState(const std::string &file, SUMOTime step, bool usePrefix=true)
Saves the current state.
static bool active()
Definition MSStopOut.h:55
static void cleanup()
Definition MSStopOut.cpp:51
void generateOutputForUnfinished()
generate output for vehicles which are still stopped at simulation end
static MSStopOut * getInstance()
Definition MSStopOut.h:61
A lane area vehicles can halt at.
double getBeginLanePosition() const
Returns the begin position of this stop.
double getEndLanePosition() const
Returns the end position of this stop.
const MSLane & getLane() const
Returns the lane this stop is located at.
const std::string & getMyName() const
A class that stores and controls tls and switching of their programs.
void clearState(SUMOTime time, bool quickReload=false)
Clear all tls states before quick-loading state.
std::vector< MSTrafficLightLogic * > getAllLogics() const
Returns a vector which contains all logics.
void check2Switch(SUMOTime step)
Checks whether any WAUT is trying to switch a tls into another program.
Traction substation powering one or more overhead wire sections.
int getRunningNumber() const
Returns the number of build and inserted, but not yet deleted transportables.
bool hasTransportables() const
checks whether any transportable waits to finish her plan
int getWaitingForVehicleNumber() const
Returns the number of transportables waiting for a ride.
int getEndedNumber() const
Returns the number of transportables that exited the simulation.
void checkWaiting(MSNet *net, const SUMOTime time)
checks whether any transportables waiting time is over
int getArrivedNumber() const
Returns the number of transportables that arrived at their destination.
int getTeleportCount() const
Returns the number of teleports transportables did.
int getLoadedNumber() const
Returns the number of build transportables.
int getWaitingUntilNumber() const
Returns the number of transportables waiting for a specified amount of time.
int getTeleportsWrongDest() const
return the number of teleports of transportables riding to the wrong destination
void abortAnyWaitingForVehicle()
aborts the plan for any transportable that is still waiting for a ride
bool hasNonWaiting() const
checks whether any transportable is still engaged in walking / stopping
int getMovingNumber() const
Returns the number of transportables moving by themselvs (i.e. walking)
int getJammedNumber() const
Returns the number of times a transportables was jammed.
void clearState()
Resets transportables when quick-loading state.
int getTeleportsAbortWait() const
return the number of teleports due to excessive waiting for a ride
int getDiscardedNumber() const
Returns the number of discarded transportables.
int getRidingNumber() const
Returns the number of transportables riding a vehicle.
static const std::map< std::string, MSTriggeredRerouter * > & getInstances()
return all rerouter instances
static void write(OutputDevice &of, SUMOTime timestep)
Produce a VTK output to use with Tools like ParaView.
static void cleanup()
Static cleanup.
The class responsible for building and deletion of vehicles.
void adaptIntermodalRouter(MSTransportableRouter &router) const
int getRunningVehicleNo() const
Returns the number of build and inserted, but not yet deleted vehicles.
void removePending()
Removes a vehicle after it has ended.
double getTotalTravelTime() const
Returns the total travel time.
int getLoadedVehicleNo() const
Returns the number of build vehicles.
int getCollisionCount() const
return the number of collisions
int getTeleportsWrongLane() const
return the number of teleports due to vehicles stuck on the wrong lane
int getStoppedVehiclesCount() const
return the number of vehicles that are currently stopped
int getTeleportsYield() const
return the number of teleports due to vehicles stuck on a minor road
void clearState(const bool reinit)
Remove all vehicles before quick-loading state.
int getEmergencyBrakingCount() const
return the number of emergency stops
int getEmergencyStops() const
return the number of emergency stops
double getTotalDepartureDelay() const
Returns the total departure delay.
virtual std::pair< double, double > getVehicleMeanSpeeds() const
get current absolute and relative mean vehicle speed in the network
int getDepartedVehicleNo() const
Returns the number of inserted vehicles.
int getArrivedVehicleNo() const
Returns the number of arrived vehicles.
int getActiveVehicleCount() const
Returns the number of build vehicles that have not been removed or need to wait for a passenger or a ...
std::map< std::string, SUMOVehicle * >::const_iterator constVehIt
Definition of the internal vehicles map iterator.
int getTeleportsJam() const
return the number of teleports due to jamming
int getEndedVehicleNo() const
Returns the number of removed vehicles.
virtual int getHaltingVehicleNo() const
Returns the number of halting vehicles.
constVehIt loadedVehBegin() const
Returns the begin of the internal vehicle map.
int getTeleportCount() const
return the number of teleports (including collisions)
void abortWaiting()
informes about all waiting vehicles (deletion in destructor)
constVehIt loadedVehEnd() const
Returns the end of the internal vehicle map.
int getDiscardedVehicleNo() const
Returns the number of discarded vehicles.
Representation of a vehicle in the micro simulation.
Definition MSVehicle.h:77
static MSVehicleTransfer * getInstance()
Returns the instance of this object.
void checkInsertions(SUMOTime time)
Checks "movement" of stored vehicles.
void clearState()
Remove all vehicles before quick-loading state.
const std::string & getID() const
Returns the name of the vehicle type.
double getLength() const
Get vehicle's length [m].
static void write(OutputDevice &of, const MSEdgeControl &ec, SUMOTime timestep, int precision)
Writes the complete network state of the given edges into the given device.
static MsgHandler * getErrorInstance()
Returns the instance to add errors to.
static SUMORouteLoaderControl * buildRouteLoaderControl(const OptionsCont &oc)
Builds the route loader control.
static void initRandomness()
initializes all RNGs
const std::string & getID() const
Returns the id.
Definition Named.h:74
A map of named object pointers.
A storage for options typed value containers)
Definition OptionsCont.h:89
bool isSet(const std::string &name, bool failOnNonExistant=true) const
Returns the information whether the named option is set.
double getFloat(const std::string &name) const
Returns the double-value of the named option (only for Option_Float)
int getInt(const std::string &name) const
Returns the int-value of the named option (only for Option_Integer)
std::string getString(const std::string &name) const
Returns the string-value of the named option (only for Option_String)
bool getBool(const std::string &name) const
Returns the boolean-value of the named option (only for Option_Bool)
const StringVector & getStringVector(const std::string &name) const
Returns the list of string-value of the named option (only for Option_StringVector)
static OptionsCont & getOptions()
Retrieves the options.
static void setArgs(int argc, char **argv)
Stores the command line arguments for later parsing.
Definition OptionsIO.cpp:58
An output device that encapsulates an ofstream.
Static storage of an output device and its base (abstract) implementation.
OutputDevice & openTag(const std::string &xmlElement)
Opens an XML tag.
OutputDevice & writeAttr(const ATTR_TYPE &attr, const T &val, const bool isNull=false)
writes a named attribute
static OutputDevice & getDeviceByOption(const std::string &name)
Returns the device described by the option.
bool closeTag(const std::string &comment="")
Closes the most recently opened tag and optionally adds a comment.
void setPrecision(int precision=gPrecision)
Sets the precision or resets it to default.
static void closeAll(bool keepErrorRetrievers=false)
static OutputDevice & getDevice(const std::string &name, bool usePrefix=true)
Returns the described OutputDevice.
bool writeXMLHeader(const std::string &rootElement, const std::string &schemaFile, std::map< SumoXMLAttr, std::string > attrs=std::map< SumoXMLAttr, std::string >(), bool includeConfig=true)
Writes an XML header with optional configuration.
SUMORouteLoader * getFirstLoader() const
return a route loader
void loadNext(SUMOTime step)
loads the next routes up to and including the given time step
Representation of a vehicle, person, or container.
virtual const MSVehicleType & getVehicleType() const =0
Returns the object's "vehicle" type.
virtual MSDevice * getDevice(const std::type_info &type) const =0
Returns a device of the given type if it exists or nullptr if not.
virtual double getSpeed() const =0
Returns the object's current speed.
virtual SUMOVehicleClass getVClass() const =0
Returns the object's access class.
virtual Position getPosition(const double offset=0) const =0
Return current position (x/y, cartesian)
Structure representing possible vehicle parameter.
SUMOVehicleClass vehicleClass
The vehicle's class.
std::string id
The vehicle type's id.
Representation of a vehicle.
Definition SUMOVehicle.h:63
virtual bool isOnRoad() const =0
Returns the information whether the vehicle is on a road (is simulated)
static int parseCarWalkTransfer(const OptionsCont &oc, const bool hasTaxi)
A scoped lock which only triggers on condition.
Storage for geometrical objects.
void clearState()
Remove all dynamics before quick-loading state.
static long getCurrentMillis()
Returns the current time in milliseconds.
Definition SysUtils.cpp:44
TraCI server used to control sumo by a remote TraCI client.
Definition TraCIServer.h:59
static bool wasClosed()
check whether close was requested
SUMOTime getTargetTime() const
Definition TraCIServer.h:64
static TraCIServer * getInstance()
Definition TraCIServer.h:68
std::vector< std::string > & getLoadArgs()
void cleanup()
clean up subscriptions
int processCommands(const SUMOTime step, const bool afterMove=false)
process all commands until the next SUMO simulation step. It is guaranteed that t->getTargetTime() >=...
static bool runParser(GenericSAXHandler &handler, const std::string &file, const bool isNet=false, const bool isRoute=false, const bool isExternal=false, const bool catchExceptions=true)
Runs the given handler on the given file; returns if everything's ok.
static void cleanup()
Definition Helper.cpp:700
static int postProcessRemoteControl()
return number of remote-controlled entities
Definition Helper.cpp:1415
TRACI_CONST int CMD_EXECUTEMOVE
TRACI_CONST int ROUTING_MODE_AGGREGATED
TRACI_CONST int ROUTING_MODE_AGGREGATED_CUSTOM
TRACI_CONST int ROUTING_MODE_COMBINED
edge type specific meso parameters
Definition MESegment.h:58
collision tracking
Definition MSNet.h:114
double victimSpeed
Definition MSNet.h:119
Position colliderFront
Definition MSNet.h:120
const MSLane * lane
Definition MSNet.h:125
Position victimBack
Definition MSNet.h:123
std::string victimType
Definition MSNet.h:117
SUMOTime continuationTime
Definition MSNet.h:128
Position victimFront
Definition MSNet.h:121
std::string type
Definition MSNet.h:124
std::string colliderType
Definition MSNet.h:116
std::string victim
Definition MSNet.h:115
double colliderSpeed
Definition MSNet.h:118
Position colliderBack
Definition MSNet.h:122
SUMOTime time
Definition MSNet.h:127