1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
use crate::{objects::*, Error, RawGtfs};
use chrono::prelude::NaiveDate;
use chrono::Duration;
use std::collections::{HashMap, HashSet};
use std::convert::TryFrom;
use std::sync::Arc;
#[derive(Default)]
pub struct Gtfs {
pub read_duration: i64,
pub calendar: HashMap<String, Calendar>,
pub calendar_dates: HashMap<String, Vec<CalendarDate>>,
pub stops: HashMap<String, Arc<Stop>>,
pub routes: HashMap<String, Route>,
pub trips: HashMap<String, Trip>,
pub agencies: Vec<Agency>,
pub shapes: HashMap<String, Vec<Shape>>,
pub fare_attributes: HashMap<String, FareAttribute>,
pub feed_info: Vec<FeedInfo>,
}
impl TryFrom<RawGtfs> for Gtfs {
type Error = Error;
fn try_from(raw: RawGtfs) -> Result<Gtfs, Error> {
let stops = to_stop_map(
raw.stops?,
raw.transfers.unwrap_or_else(|| Ok(Vec::new()))?,
raw.pathways.unwrap_or(Ok(Vec::new()))?,
)?;
let frequencies = raw.frequencies.unwrap_or_else(|| Ok(Vec::new()))?;
let trips = create_trips(raw.trips?, raw.stop_times?, frequencies, &stops)?;
Ok(Gtfs {
stops,
routes: to_map(raw.routes?),
trips,
agencies: raw.agencies?,
shapes: to_shape_map(raw.shapes.unwrap_or_else(|| Ok(Vec::new()))?),
fare_attributes: to_map(raw.fare_attributes.unwrap_or_else(|| Ok(Vec::new()))?),
feed_info: raw.feed_info.unwrap_or_else(|| Ok(Vec::new()))?,
calendar: to_map(raw.calendar.unwrap_or_else(|| Ok(Vec::new()))?),
calendar_dates: to_calendar_dates(
raw.calendar_dates.unwrap_or_else(|| Ok(Vec::new()))?,
),
read_duration: raw.read_duration,
})
}
}
impl Gtfs {
pub fn print_stats(&self) {
println!("GTFS data:");
println!(" Read in {} ms", self.read_duration);
println!(" Stops: {}", self.stops.len());
println!(" Routes: {}", self.routes.len());
println!(" Trips: {}", self.trips.len());
println!(" Agencies: {}", self.agencies.len());
println!(" Shapes: {}", self.shapes.len());
println!(" Fare attributes: {}", self.fare_attributes.len());
println!(" Feed info: {}", self.feed_info.len());
}
pub fn new(gtfs: &str) -> Result<Gtfs, Error> {
RawGtfs::new(gtfs).and_then(Gtfs::try_from)
}
pub fn from_path<P>(path: P) -> Result<Gtfs, Error>
where
P: AsRef<std::path::Path> + std::fmt::Display,
{
RawGtfs::from_path(path).and_then(Gtfs::try_from)
}
#[cfg(feature = "read-url")]
pub fn from_url<U: reqwest::IntoUrl>(url: U) -> Result<Gtfs, Error> {
RawGtfs::from_url(url).and_then(Gtfs::try_from)
}
#[cfg(feature = "read-url")]
pub async fn from_url_async<U: reqwest::IntoUrl>(url: U) -> Result<Gtfs, Error> {
RawGtfs::from_url_async(url).await.and_then(Gtfs::try_from)
}
pub fn from_reader<T: std::io::Read + std::io::Seek>(reader: T) -> Result<Gtfs, Error> {
RawGtfs::from_reader(reader).and_then(Gtfs::try_from)
}
pub fn trip_days(&self, service_id: &str, start_date: NaiveDate) -> Vec<u16> {
let mut result = Vec::new();
let mut removed_days = HashSet::new();
for extra_day in self
.calendar_dates
.get(service_id)
.iter()
.flat_map(|e| e.iter())
{
let offset = extra_day.date.signed_duration_since(start_date).num_days();
if offset >= 0 {
if extra_day.exception_type == Exception::Added {
result.push(offset as u16);
} else if extra_day.exception_type == Exception::Deleted {
removed_days.insert(offset);
}
}
}
if let Some(calendar) = self.calendar.get(service_id) {
let total_days = calendar
.end_date
.signed_duration_since(start_date)
.num_days();
for days_offset in 0..=total_days {
let current_date = start_date + Duration::days(days_offset);
if calendar.start_date <= current_date
&& calendar.end_date >= current_date
&& calendar.valid_weekday(current_date)
&& !removed_days.contains(&days_offset)
{
result.push(days_offset as u16);
}
}
}
result
}
pub fn get_stop<'a>(&'a self, id: &str) -> Result<&'a Stop, Error> {
match self.stops.get(id) {
Some(stop) => Ok(stop),
None => Err(Error::ReferenceError(id.to_owned())),
}
}
pub fn get_trip<'a>(&'a self, id: &str) -> Result<&'a Trip, Error> {
self.trips
.get(id)
.ok_or_else(|| Error::ReferenceError(id.to_owned()))
}
pub fn get_route<'a>(&'a self, id: &str) -> Result<&'a Route, Error> {
self.routes
.get(id)
.ok_or_else(|| Error::ReferenceError(id.to_owned()))
}
pub fn get_calendar<'a>(&'a self, id: &str) -> Result<&'a Calendar, Error> {
self.calendar
.get(id)
.ok_or_else(|| Error::ReferenceError(id.to_owned()))
}
pub fn get_calendar_date<'a>(&'a self, id: &str) -> Result<&'a Vec<CalendarDate>, Error> {
self.calendar_dates
.get(id)
.ok_or_else(|| Error::ReferenceError(id.to_owned()))
}
pub fn get_shape<'a>(&'a self, id: &str) -> Result<&'a Vec<Shape>, Error> {
self.shapes
.get(id)
.ok_or_else(|| Error::ReferenceError(id.to_owned()))
}
pub fn get_fare_attributes<'a>(&'a self, id: &str) -> Result<&'a FareAttribute, Error> {
self.fare_attributes
.get(id)
.ok_or_else(|| Error::ReferenceError(id.to_owned()))
}
}
fn to_map<O: Id>(elements: impl IntoIterator<Item = O>) -> HashMap<String, O> {
elements
.into_iter()
.map(|e| (e.id().to_owned(), e))
.collect()
}
fn to_stop_map(
stops: Vec<Stop>,
raw_transfers: Vec<RawTransfer>,
raw_pathways: Vec<RawPathway>,
) -> Result<HashMap<String, Arc<Stop>>, Error> {
let mut stop_map: HashMap<String, Stop> =
stops.into_iter().map(|s| (s.id.clone(), s)).collect();
for transfer in raw_transfers {
stop_map
.get(&transfer.to_stop_id)
.ok_or_else(|| Error::ReferenceError(transfer.to_stop_id.to_string()))?;
stop_map
.entry(transfer.from_stop_id.clone())
.and_modify(|stop| stop.transfers.push(StopTransfer::from(transfer)));
}
for pathway in raw_pathways {
stop_map
.get(&pathway.to_stop_id)
.ok_or_else(|| Error::ReferenceError(pathway.to_stop_id.to_string()))?;
stop_map
.entry(pathway.from_stop_id.clone())
.and_modify(|stop| stop.pathways.push(Pathway::from(pathway)));
}
let res = stop_map
.into_iter()
.map(|(i, s)| (i, Arc::new(s)))
.collect();
Ok(res)
}
fn to_shape_map(shapes: Vec<Shape>) -> HashMap<String, Vec<Shape>> {
let mut res = HashMap::default();
for s in shapes {
let shape = res.entry(s.id.to_owned()).or_insert_with(Vec::new);
shape.push(s);
}
for shapes in res.values_mut() {
shapes.sort_by_key(|s| s.sequence);
}
res
}
fn to_calendar_dates(cd: Vec<CalendarDate>) -> HashMap<String, Vec<CalendarDate>> {
let mut res = HashMap::default();
for c in cd {
let cal = res.entry(c.service_id.to_owned()).or_insert_with(Vec::new);
cal.push(c);
}
res
}
fn create_trips(
raw_trips: Vec<RawTrip>,
raw_stop_times: Vec<RawStopTime>,
raw_frequencies: Vec<RawFrequency>,
stops: &HashMap<String, Arc<Stop>>,
) -> Result<HashMap<String, Trip>, Error> {
let mut trips = to_map(raw_trips.into_iter().map(|rt| Trip {
id: rt.id,
service_id: rt.service_id,
route_id: rt.route_id,
stop_times: vec![],
shape_id: rt.shape_id,
trip_headsign: rt.trip_headsign,
trip_short_name: rt.trip_short_name,
direction_id: rt.direction_id,
block_id: rt.block_id,
wheelchair_accessible: rt.wheelchair_accessible,
bikes_allowed: rt.bikes_allowed,
frequencies: vec![],
}));
for s in raw_stop_times {
let trip = &mut trips
.get_mut(&s.trip_id)
.ok_or_else(|| Error::ReferenceError(s.trip_id.to_string()))?;
let stop = stops
.get(&s.stop_id)
.ok_or_else(|| Error::ReferenceError(s.stop_id.to_string()))?;
trip.stop_times.push(StopTime::from(&s, Arc::clone(stop)));
}
for trip in &mut trips.values_mut() {
trip.stop_times
.sort_by(|a, b| a.stop_sequence.cmp(&b.stop_sequence));
}
for f in raw_frequencies {
let trip = &mut trips
.get_mut(&f.trip_id)
.ok_or_else(|| Error::ReferenceError(f.trip_id.to_string()))?;
trip.frequencies.push(Frequency::from(&f));
}
Ok(trips)
}