use crate::make::match_points_to_lanes;
use crate::raw::{RawBusRoute, RawBusStop};
use crate::{
BusRoute, BusRouteID, BusStop, BusStopID, LaneID, LaneType, Map, PathConstraints, Position,
};
use abstutil::Timer;
use geom::{Distance, Duration, FindClosest, HashablePt2D, Time};
use std::collections::{BTreeMap, HashMap, HashSet, VecDeque};
pub fn make_stops_and_routes(map: &mut Map, raw_routes: &Vec<RawBusRoute>, timer: &mut Timer) {
timer.start("make transit stops and routes");
let matcher = Matcher::new(raw_routes, map, timer);
let mut pt_to_stop: BTreeMap<(Position, Position), BusStopID> = BTreeMap::new();
for r in raw_routes {
if let Err(err) = make_route(map, r, &mut pt_to_stop, &matcher) {
timer.warn(format!(
"Skipping route {} ({}): {}",
r.full_name, r.osm_rel_id, err
));
}
}
for id in map
.bus_stops
.keys()
.filter(|id| map.get_routes_serving_stop(**id).is_empty())
.cloned()
.collect::<Vec<_>>()
{
map.bus_stops.remove(&id);
map.lanes[id.sidewalk.0].bus_stops.remove(&id);
}
timer.stop("make transit stops and routes");
}
fn make_route(
map: &mut Map,
r: &RawBusRoute,
pt_to_stop: &mut BTreeMap<(Position, Position), BusStopID>,
matcher: &Matcher,
) -> Result<(), String> {
let route_type = if r.is_bus {
PathConstraints::Bus
} else {
PathConstraints::Train
};
let mut stops = Vec::new();
for stop in &r.stops {
match matcher.lookup(route_type, stop, map) {
Ok((sidewalk_pos, driving_pos)) => {
let stop_id = if let Some(id) = pt_to_stop.get(&(sidewalk_pos, driving_pos)) {
*id
} else {
let id = BusStopID {
sidewalk: sidewalk_pos.lane(),
idx: map.get_l(sidewalk_pos.lane()).bus_stops.len(),
};
pt_to_stop.insert((sidewalk_pos, driving_pos), id);
map.lanes[sidewalk_pos.lane().0].bus_stops.insert(id);
map.bus_stops.insert(
id,
BusStop {
id,
name: stop.name.clone(),
driving_pos,
sidewalk_pos,
is_train_stop: !r.is_bus,
},
);
id
};
stops.push(stop_id);
}
Err(err) => {
return Err(format!("couldn't match stop {}: {}", stop.name, err));
}
}
}
let mut end_border = None;
let start = if let Some(i) = r.border_start {
let i = map.get_i(map.find_i_by_osm_id(i).unwrap());
if !i.is_border() {
panic!("Route starts at {}, but isn't a border?", i.orig_id);
}
if let Some(l) = i.get_outgoing_lanes(map, route_type).get(0) {
*l
} else {
return Err(format!(
"Route {} starts at {} ({}), but no starting lane for a {:?}?",
r.osm_rel_id, i.id, i.orig_id, route_type
));
}
} else {
pick_start_lane(map.get_bs(stops[0]).driving_pos, route_type, map)?
};
if let Some(i) = r.border_end {
let i = map.get_i(map.find_i_by_osm_id(i).unwrap());
if !i.is_border() {
panic!("Route ends at {}, but isn't a border?", i.orig_id);
}
let last_stop_l = map.get_bs(*stops.last().unwrap()).driving_pos.lane();
if map.get_l(last_stop_l).dst_i == i.id {
end_border = Some(last_stop_l);
} else if let Some(l) = i.get_incoming_lanes(map, route_type).next() {
end_border = Some(l);
} else {
println!(
"Route {} ends at {} ({}), but no ending lane for a {:?}?",
r.osm_rel_id, i.id, i.orig_id, route_type
);
}
}
let route = BusRoute {
id: BusRouteID(map.bus_routes.len()),
full_name: r.full_name.clone(),
short_name: r.short_name.clone(),
osm_rel_id: r.osm_rel_id,
gtfs_trip_marker: r.gtfs_trip_marker.clone(),
stops,
route_type,
start,
end_border,
spawn_times: default_spawn_times(),
orig_spawn_times: default_spawn_times(),
};
let mut debug_route = format!("All parts of the route:");
debug_route = format!("{}\nStart at {}", debug_route, route.start);
for (idx, bs) in route.stops.iter().enumerate() {
let stop = map.get_bs(*bs);
debug_route = format!(
"{}\nStop {} ({}): {}",
debug_route,
idx + 1,
stop.name,
stop.driving_pos
);
}
if let Some(l) = route.end_border {
debug_route = format!("{}\nEnd at {}", debug_route, l);
}
for req in route.all_steps(map) {
if req.start.lane() == req.end.lane() && req.start.dist_along() > req.end.dist_along() {
return Err(format!(
"Two stops seemingly out of order somewhere on {}",
map.get_parent(req.start.lane()).orig_id
));
}
if map.pathfind(req.clone()).is_none() {
return Err(format!(
"No path between stop on {} and {}: {}. {}",
map.get_parent(req.start.lane()).orig_id,
map.get_parent(req.end.lane()).orig_id,
req,
debug_route
));
}
}
map.bus_routes.push(route);
Ok(())
}
struct Matcher {
sidewalk_pts: HashMap<HashablePt2D, Position>,
light_rail_pts: HashMap<HashablePt2D, Position>,
}
impl Matcher {
fn new(routes: &Vec<RawBusRoute>, map: &Map, timer: &mut Timer) -> Matcher {
let mut lookup_sidewalk_pts = HashSet::new();
let mut lookup_light_rail_pts = HashSet::new();
for r in routes {
for stop in &r.stops {
if !r.is_bus {
lookup_light_rail_pts.insert(stop.vehicle_pos.1.to_hashable());
}
if let Some(pt) = stop.ped_pos {
lookup_sidewalk_pts.insert(pt.to_hashable());
}
}
}
let sidewalk_pts = match_points_to_lanes(
map.get_bounds(),
lookup_sidewalk_pts,
map.all_lanes(),
|l| l.is_walkable(),
Distance::ZERO,
Distance::meters(50.0),
timer,
);
let light_rail_pts = match_points_to_lanes(
map.get_bounds(),
lookup_light_rail_pts,
map.all_lanes(),
|l| l.lane_type == LaneType::LightRail,
Distance::ZERO,
Distance::meters(10.0),
timer,
);
Matcher {
sidewalk_pts,
light_rail_pts,
}
}
fn lookup(
&self,
route_type: PathConstraints,
stop: &RawBusStop,
map: &Map,
) -> Result<(Position, Position), String> {
if route_type == PathConstraints::Train {
let sidewalk_pt = stop.ped_pos.ok_or("light rail missing platform")?;
let sidewalk_pos = *self
.sidewalk_pts
.get(&sidewalk_pt.to_hashable())
.ok_or_else(|| format!("sidewalk for light rail didnt match: {}", sidewalk_pt))?;
let driving_pos = *self
.light_rail_pts
.get(&stop.vehicle_pos.1.to_hashable())
.ok_or_else(|| {
format!("vehicle for light rail didnt match: {}", stop.vehicle_pos.0)
})?;
return Ok((sidewalk_pos, driving_pos));
}
let (r, fwds) = stop.matched_road.unwrap();
let r = map.get_r(map.find_r_by_osm_id(r)?);
let l = map.get_l(
r.children(fwds)
.iter()
.rev()
.find(|(l, _)| route_type.can_use(map.get_l(*l), map))
.ok_or_else(|| {
format!(
"{}, fwds={}, doesn't have a bus or driving lane",
r.id, fwds
)
})?
.0,
);
let mut closest: FindClosest<()> = FindClosest::new(map.get_bounds());
closest.add((), l.lane_center_pts.points());
let (_, pt) = closest
.closest_pt(stop.vehicle_pos.1, Distance::meters(10.0))
.ok_or_else(|| format!("{} isn't near {}", stop.vehicle_pos.0, l.id))?;
let mut driving_pos = Position::new(l.id, l.dist_along_of_point(pt).unwrap());
let sidewalk_pos = if let Some(pt) = stop.ped_pos {
*self
.sidewalk_pts
.get(&pt.to_hashable())
.ok_or("sidewalk didnt match")?
} else {
let sidewalk = map
.get_parent(driving_pos.lane())
.find_closest_lane(
driving_pos.lane(),
|l| PathConstraints::Pedestrian.can_use(l, map),
map,
)
.ok_or_else(|| format!("driving {} to sidewalk failed", driving_pos.lane()))?;
driving_pos.equiv_pos(sidewalk, map)
};
if map
.get_i(map.get_l(driving_pos.lane()).src_i)
.is_incoming_border()
{
if let Some(pos) = driving_pos.min_dist(Distance::meters(1.0), map) {
driving_pos = pos;
} else {
return Err(format!(
"too close to start of a border {}",
driving_pos.lane()
));
}
}
Ok((sidewalk_pos, driving_pos))
}
}
fn pick_start_lane(
first_stop: Position,
constraints: PathConstraints,
map: &Map,
) -> Result<LaneID, String> {
let min_len = Distance::meters(13.0);
if first_stop.dist_along() >= min_len {
return Ok(first_stop.lane());
}
let mut queue = VecDeque::new();
queue.push_back(first_stop.lane());
while !queue.is_empty() {
let current = queue.pop_front().unwrap();
if current != first_stop.lane() && map.get_l(current).length() >= min_len {
return Ok(current);
}
for t in map.get_turns_to_lane(current) {
if constraints.can_use(map.get_l(t.id.src), map) {
queue.push_back(t.id.src);
}
}
}
Err(format!(
"couldn't find any lanes leading to {} that're long enough for a bus to spawn",
first_stop.lane()
))
}
fn default_spawn_times() -> Vec<Time> {
let mut times = Vec::new();
for i in 0..24 {
let hour = Time::START_OF_DAY + Duration::hours(i);
times.push(hour);
if i >= 7 && i <= 19 {
times.push(hour + Duration::minutes(30));
}
}
times
}