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
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
//! This crate contains the types and functions for interacting with the Valhalla API.
//!
//! At the moment, only the routing API is implemented.
//!
//! # Examples
//!
//! ```
//! use valhalla::Valhalla;
//! let valhalla = Valhalla::default();
//!
//! let manifest = valhalla::Manifest {
//!     locations: vec![valhalla::Location::new(52.3676, 4.9041), Point::new(52.0907, 5.1214)],
//!     costing: valhalla::Costing::Bicycle,
//! };
//!
//! let response = valhalla.route(manifest).unwrap();
//!
//! println!("{:#?}", response);
//!
//! let gpx = response.into();
//! ```
// Documentation: https://valhalla.github.io/valhalla/api/
use serde::{Deserialize, Serialize};

const VALHALLA_PUBLIC_API_URL: &str = "https://valhalla1.openstreetmap.de/";

#[derive(Deserialize, Debug, Clone)]
pub struct Response {
    pub trip: Trip,
}

#[derive(Deserialize, Debug, Clone)]
pub struct Trip {
    pub status: i32,
    pub status_message: String,
    pub units: Units,
    pub language: String,
    pub locations: Vec<Location>,
    pub warnings: Option<Vec<String>>,
    pub id: Option<String>,
    pub legs: Vec<Leg>,
    pub summary: Summary,
}

#[derive(Deserialize, Debug, Clone)]
pub struct Summary {
    pub time: f64,
    pub length: f64,
    pub has_toll: bool,
    pub has_highway: bool,
    pub has_ferry: bool,
    pub min_lat: f64,
    pub min_lon: f64,
    pub max_lat: f64,
    pub max_lon: f64,
}

#[derive(Deserialize, Debug, Clone, Copy)]
pub enum TravelMode {
    #[serde(rename = "drive")]
    Drive,
    #[serde(rename = "pedestrian")]
    Pedestrian,
    #[serde(rename = "bicycle")]
    Bicycle,
    #[serde(rename = "transit")]
    Transit,
}

#[derive(Deserialize, Debug, Clone, Copy)]
pub enum CarTravelType {
    #[serde(rename = "car")]
    Car,
}

#[derive(Deserialize, Debug, Clone, Copy)]
pub enum PedestrianTravelType {
    #[serde(rename = "foot")]
    Foot,
}

#[derive(Deserialize, Debug, Clone, Copy)]
pub enum BicycleTravelType {
    #[serde(rename = "road")]
    Road,
}

#[derive(Deserialize, Debug, Clone, Copy)]
pub enum TransitTravelType {
    #[serde(rename = "tram")]
    Tram,
    #[serde(rename = "metro")]
    Metro,
    #[serde(rename = "rail")]
    Rail,
    #[serde(rename = "bus")]
    Bus,
    #[serde(rename = "ferry")]
    Ferry,
    #[serde(rename = "cable_car")]
    CableCar,
    #[serde(rename = "gondola")]
    Gondola,
    #[serde(rename = "funicular")]
    Funicular,
}

#[derive(Deserialize, Debug, Clone, Copy)]
pub enum BssManeuverType {
    #[serde(rename = "NoneAction")]
    NoneAction,
    #[serde(rename = "RentBikeAtBikeShare")]
    RentBikeAtBikeShare,
    #[serde(rename = "ReturnBikeAtBikeShare")]
    ReturnBikeAtBikeShare,
}

#[derive(Deserialize, Debug, Clone)]
pub struct Leg {
    pub summary: Summary,

    pub maneuvers: Vec<Maneuver>,

    #[serde(deserialize_with = "deserialize_shape")]
    pub shape: Vec<ShapePoint>,
}

#[cfg(feature = "gpx")]
impl From<&Leg> for gpx::TrackSegment {
    fn from(leg: &Leg) -> Self {
        gpx::TrackSegment {
            points: leg.shape[leg.maneuvers[0].begin_shape_index
                ..leg.maneuvers[leg.maneuvers.len() - 1].end_shape_index]
                .iter()
                .map(|location| gpx::Waypoint::new(location.into()))
                .collect(),
        }
    }
}

#[derive(serde_repr::Deserialize_repr, Debug, Clone, Copy)]
#[repr(i8)]
pub enum ManeuverType {
    None = 0,
    Start,
    StartRight,
    StartLeft,
    Destination,
    DestinationRight,
    DestinationLeft,
    Becomes,
    Continue,
    SlightRight,
    Right,
    SharpRight,
    UturnRight,
    UturnLeft,
    SharpLeft,
    Left,
    SlightLeft,
    RampStraight,
    RampRight,
    RampLeft,
    ExitRight,
    ExitLeft,
    StayStraight,
    StayRight,
    StayLeft,
    Merge,
    RoundaboutEnter,
    RoundaboutExit,
    FerryEnter,
    FerryExit,
    Transit,
    TransitTransfer,
    TransitRemainOn,
    TransitConnectionStart,
    TransitConnectionTransfer,
    TransitConnectionDestination,
    PostTransitConnectionDestination,
    MergeRight,
    MergeLeft,
}

#[derive(Deserialize, Clone, Debug)]
pub struct Sign {}

#[derive(Deserialize, Clone, Debug)]
pub struct Maneuver {
    #[serde(rename = "type")]
    pub type_: ManeuverType,

    pub instruction: String,

    /// Text suitable for use as a verbal alert in a navigation application. The transition alert
    /// instruction will prepare the user for the forthcoming transition. For example: "Turn right
    /// onto North Prince Street".
    pub verbal_transition_alert_instruction: Option<String>,

    /// Text suitable for use as a verbal message immediately prior to the maneuver transition. For
    /// example "Turn right onto North Prince Street, U.S. 2 22".
    pub verbal_pre_transition_instruction: String,
    /// Text suitable for use as a verbal message immediately after the maneuver transition. For
    /// example "Continue on U.S. 2 22 for 3.9 miles".
    pub verbal_post_transition_instruction: Option<String>,

    ///  List of street names that are consistent along the entire nonobvious maneuver.
    pub street_names: Option<Vec<String>>,

    /// When present, these are the street names at the beginning (transition point) of the
    /// nonobvious maneuver (if they are different than the names that are consistent along the
    /// entire nonobvious maneuver).
    pub begin_street_names: Option<Vec<String>>,

    /// Estimated time along the maneuver in seconds.
    pub time: f64,

    /// Maneuver length in the units specified.
    pub length: f64,

    /// Index into the list of shape points for the start of the maneuver.
    pub begin_shape_index: usize,
    /// Index into the list of shape points for the end of the maneuver.
    pub end_shape_index: usize,
    /// True if a toll booth is encountered on this maneuver.
    pub toll: Option<bool>,
    /// True if a highway is encountered on this maneuver.
    pub highway: Option<bool>,
    /// True if the maneuver is unpaved or rough pavement, or has any portions that have rough
    /// pavement.
    pub rough: Option<bool>,
    /// True if a gate is encountered on this maneuver.
    pub gate: Option<bool>,
    /// True if a ferry is encountered on this maneuver.
    pub ferry: Option<bool>,
    /// Contains the interchange guide information at a road junction associated with this
    /// maneuver. See below for details.
    pub sign: Option<Sign>,
    /// The spoke to exit roundabout after entering.
    pub roundabout_exit_count: Option<i64>,
    /// Written depart time instruction. Typically used with a transit maneuver, such as "Depart:
    /// 8:04 AM from 8 St - NYU".
    pub depart_instruction: Option<String>,
    /// Text suitable for use as a verbal depart time instruction. Typically used with a transit
    /// maneuver, such as "Depart at 8:04 AM from 8 St - NYU".
    pub verbal_depart_instruction: Option<String>,
    /// Written arrive time instruction. Typically used with a transit maneuver, such as "Arrive:
    /// 8:10 AM at 34 St - Herald Sq".
    pub arrive_instruction: Option<String>,
    /// Text suitable for use as a verbal arrive time instruction. Typically used with a transit
    /// maneuver, such as "Arrive at 8:10 AM at 34 St - Herald Sq".
    pub verbal_arrive_instruction: Option<String>,
    /// Contains the attributes that describe a specific transit route. See below for details.
    pub transit_info: Option<TransitInfo>,
    /// Contains the attributes that describe a specific transit stop. See below for details.
    /// True if the verbal_pre_transition_instruction has been appended with the verbal instruction
    /// of the next maneuver.
    pub verbal_multi_cue: Option<bool>,

    /// Travel mode.
    pub travel_mode: TravelMode,

    /// Used when travel_mode is bikeshare. Describes bike share maneuver. The default value is
    /// NoneAction
    pub bss_maneuver_type: Option<BssManeuverType>,
}

#[derive(Deserialize, Debug, Clone)]
pub struct TransitInfo {
    /// Global transit route identifier.
    pub onestop_id: String,
    /// Short name describing the transit route. For example "N".
    pub short_name: String,
    /// Long name describing the transit route. For example "Broadway Express".
    pub long_name: String,
    /// The sign on a public transport vehicle that identifies the route destination to passengers.
    /// For example "ASTORIA - DITMARS BLVD".
    pub headsign: String,
    /// The numeric color value associated with a transit route. The value for yellow would be
    /// "16567306".
    pub color: i32,
    /// The numeric text color value associated with a transit route. The value for black would be
    /// "0".
    pub text_color: String,
    /// The description of the the transit route. For example "Trains operate from Ditmars
    /// Boulevard, Queens, to Stillwell Avenue, Brooklyn, at all times. N trains in Manhattan
    /// operate along Broadway and across the Manhattan Bridge to and from Brooklyn. Trains in
    /// Brooklyn operate along 4th Avenue, then through Borough Park to Gravesend. Trains typically
    /// operate local in Queens, and either express or local in Manhattan and Brooklyn, depending
    /// on the time. Late night trains operate via Whitehall Street, Manhattan. Late night service
    /// is local".
    pub description: String,
    /// Global operator/agency identifier.
    pub operator_onestop_id: String,
    /// Operator/agency name. For example, "BART", "King County Marine Division", and so on. Short
    /// name is used over long name.
    pub operator_name: String,
    /// Operator/agency URL. For example, "http://web.mta.info/".
    pub operator_url: String,
    /// A list of the stops/stations associated with a specific transit route. See below for
    /// details.
    pub transit_stops: Vec<TransitStop>,
}

#[derive(serde_repr::Deserialize_repr, Debug, Clone, Copy)]
#[repr(u8)]
pub enum TransitStopType {
    /// Simple stop.
    Stop = 0,
    /// Station.
    Station,
}

#[derive(Deserialize, Debug, Clone)]
pub struct TransitStop {
    #[serde(rename = "type")]
    pub type_: TransitStopType,
    /// Name of the stop or station. For example "14 St - Union Sq".
    pub name: String,
    /// Arrival date and time using the ISO 8601 format (YYYY-MM-DDThh:mm). For example,
    /// "2015-12-29T08:06".
    pub arrival_date_time: String,
    /// Departure date and time using the ISO 8601 format (YYYY-MM-DDThh:mm). For example,
    /// "2015-12-29T08:06".
    pub departure_date_time: String,
    /// True if this stop is a marked as a parent stop.
    pub is_parent_stop: bool,
    /// True if the times are based on an assumed schedule because the actual schedule is not
    /// known.
    pub assumed_schedule: bool,
    /// Latitude of the transit stop in degrees.
    pub lat: f64,
    /// Longitude of the transit stop in degrees.
    pub lon: f64,
}

#[derive(Serialize, Default, Debug, Clone, Copy)]
pub enum DirectionsType {
    /// indicating no maneuvers or instructions should be returned.
    #[serde(rename = "none")]
    None,

    /// indicating that only maneuvers be returned.
    #[serde(rename = "maneuvers")]
    Maneuvers,

    /// indicating that maneuvers with instructions should be returned (this is the default if not
    /// specified).
    #[default]
    #[serde(rename = "instructions")]
    Instructions,
}

#[derive(Serialize, Deserialize, Default, Debug, Clone, Copy)]
pub enum Units {
    #[default]
    #[serde(rename = "kilometers")]
    Metric,

    #[serde(rename = "miles")]
    Imperial,
}

#[derive(Serialize, Deserialize, Default, Debug, Clone, Copy)]
pub enum BicycleType {
    /// Road: a road-style bicycle with narrow tires that is generally lightweight and designed for speed on paved surfaces.
    #[serde(rename = "road")]
    Road,
    /// Hybrid or City: a bicycle made mostly for city riding or casual riding on roads and paths with good surfaces.
    #[default]
    #[serde(rename = "hybrid")]
    Hybrid,
    /// Cross: a cyclo-cross bicycle, which is similar to a road bicycle but with wider tires suitable to rougher surfaces.
    #[serde(rename = "cross")]
    Cross,
    /// Mountain: a mountain bicycle suitable for most surfaces but generally heavier and slower on paved surfaces.
    #[serde(rename = "mountain")]
    Mountain,
}

#[derive(Serialize, Default)]
pub enum Costing {
    /// Standard costing for driving routes by car, motorcycle, truck, and so on that obeys automobile
    /// driving rules, such as access and turn restrictions. Auto provides a short time path (though
    /// not guaranteed to be shortest time) and uses intersection costing to minimize turns and
    /// maneuvers or road name changes. Routes also tend to favor highways and higher classification
    /// roads, such as motorways and trunks.
    #[default]
    #[serde(rename = "auto")]
    Auto,

    /// Standard costing for travel by bicycle, with a slight preference for using cycleways or roads
    /// with bicycle lanes. Bicycle routes follow regular roads when needed, but avoid roads without
    /// bicycle access.
    #[serde(rename = "bicycle")]
    Bicycle,

    /// Standard costing for bus routes. Bus costing inherits the auto costing behaviors, but checks
    /// for bus access on the roads.
    #[serde(rename = "bus")]
    Bus,
    /// A combination of pedestrian and bicycle. Use bike share station(amenity:bicycle_rental) to
    /// change the travel mode
    #[serde(rename = "bikeshare")]
    Bikeshare,
    /// Standard costing for trucks. Truck costing inherits the auto costing behaviors, but checks for
    /// truck access, width and height restrictions, and weight limits on the roads.
    #[serde(rename = "truck")]
    Truck,
    /// DEPRECATED: use auto cost with HOV costing options.
    #[serde(rename = "hov")]
    Hov,
    /// Standard costing for taxi routes. Taxi costing inherits the auto costing behaviors, but checks
    /// for taxi lane access on the roads and favors those roads.
    #[serde(rename = "taxi")]
    Taxi,
    /// Standard costing for travel by motor scooter or moped. By default, motor_scooter costing will
    /// avoid higher class roads unless the country overrides allows motor scooters on these roads.
    /// Motor scooter routes follow regular roads when needed, but avoid roads without motor_scooter,
    /// moped, or mofa access.
    #[serde(rename = "motor_scooter")]
    MotorScooter,
    /// Standard costing for travel by motorcycle. This costing model provides options to tune the
    /// route to take roadways (road touring) vs. tracks and trails (adventure motorcycling).
    #[serde(rename = "motorcycle")]
    Motorcycle,
    /// Currently supports pedestrian and transit. In the future, multimodal will support a
    /// combination of all of the above.
    #[serde(rename = "multimodal")]
    Multimodal,
    /// Standard walking route that excludes roads without pedestrian access. In general, pedestrian
    /// routes are shortest distance with the following exceptions: walkways and footpaths are slightly
    /// favored, while steps or stairs and alleys are slightly avoided.
    #[serde(rename = "pedestrian")]
    Pedestrian,
}

#[derive(Serialize, Deserialize, Debug, Clone, Default)]
pub struct BicycleCostingOptions {
    pub bicycle_type: BicycleType,

    /// Cycling speed is the average travel speed along smooth, flat roads. This is meant to be
    /// the speed a rider can comfortably maintain over the desired distance of the route. It
    /// can be modified (in the costing method) by surface type in conjunction with bicycle
    /// type and (coming soon) by hilliness of the road section. When no speed is specifically
    /// provided, the default speed is determined by the bicycle type and are as follows: Road
    /// = 25 KPH (15.5 MPH), Cross = 20 KPH (13 MPH), Hybrid/City = 18 KPH (11.5 MPH), and
    /// Mountain = 16 KPH (10 MPH).
    pub cycling_speed: Option<f64>,

    /// A cyclist's propensity to use roads alongside other vehicles. This is a range of values
    /// from 0 to 1, where 0 attempts to avoid roads and stay on cycleways and paths, and 1
    /// indicates the rider is more comfortable riding on roads. Based on the use_roads factor,
    /// roads with certain classifications and higher speeds are penalized in an attempt to
    /// avoid them when finding the best path. The default value is 0.5.
    pub use_roads: Option<f64>,

    /// A cyclist's desire to tackle hills in their routes. This is a range of values from 0 to
    /// 1, where 0 attempts to avoid hills and steep grades even if it means a longer (time and
    /// distance) path, while 1 indicates the rider does not fear hills and steeper grades.
    /// Based on the use_hills factor, penalties are applied to roads based on elevation change
    /// and grade. These penalties help the path avoid hilly roads in favor of flatter roads or
    /// less steep grades where available. Note that it is not always possible to find
    /// alternate paths to avoid hills (for example when route locations are in mountainous
    /// areas). The default value is 0.5.
    pub use_hills: Option<f64>,

    /// This value indicates the willingness to take ferries. This is a range of values between
    /// 0 and 1. Values near 0 attempt to avoid ferries and values near 1 will favor ferries.
    /// Note that sometimes ferries are required to complete a route so values of 0 are not
    /// guaranteed to avoid ferries entirely. The default value is 0.5.
    pub use_ferry: Option<f64>,

    /// This value indicates the willingness to take living streets. This is a range of values
    /// between 0 and 1. Values near 0 attempt to avoid living streets and values from 0.5 to 1
    /// will currently have no effect on route selection. The default value is 0.5. Note that
    /// sometimes living streets are required to complete a route so values of 0 are not
    /// guaranteed to avoid living streets entirely.
    pub use_living_streets: Option<f64>,

    /// This value is meant to represent how much a cyclist wants to avoid roads with poor
    /// surfaces relative to the bicycle type being used. This is a range of values between 0
    /// and 1. When the value is 0, there is no penalization of roads with different surface
    /// types; only bicycle speed on each surface is taken into account. As the value
    /// approaches 1, roads with poor surfaces for the bike are penalized heavier so that they
    /// are only taken if they significantly improve travel time. When the value is equal to 1,
    /// all bad surfaces are completely disallowed from routing, including start and end
    /// points. The default value is 0.25.
    pub avoid_bad_surfaces: Option<f64>,

    /// This value is useful when bikeshare is chosen as travel mode. It is meant to give the
    /// time will be used to return a rental bike. This value will be displayed in the final
    /// directions and used to calculate the whole duation. The default value is 120 seconds.
    pub bss_return_cost: Option<f64>,

    /// This value is useful when bikeshare is chosen as travel mode. It is meant to describe
    /// the potential effort to return a rental bike. This value won't be displayed and used
    /// only inside of the algorithm.
    pub bss_return_penalty: Option<f64>,

    /// Changes the metric to quasi-shortest, i.e. purely distance-based costing. Note, this
    /// will disable all other costings & penalties. Also note, shortest will not disable
    /// hierarchy pruning, leading to potentially sub-optimal routes for some costing models.
    /// The default is false.
    pub shortest: Option<bool>,

    /// A penalty applied when transitioning between roads that do not have consistent
    /// naming–in other words, no road names in common. This penalty can be used to create
    /// simpler routes that tend to have fewer maneuvers or narrative guidance instructions.
    /// The default maneuver penalty is five seconds.
    pub maneuver_penalty: Option<f64>,

    /// A cost applied when a gate with undefined or private access is encountered. This cost
    /// is added to the estimated time / elapsed time. The default gate cost is 30 seconds.
    pub gate_cost: Option<f64>,

    /// A penalty applied when a gate with no access information is on the road. The default
    /// gate penalty is 300 seconds.
    pub gate_penalty: Option<f64>,

    /// A cost applied when encountering an international border. This cost is added to the
    /// estimated and elapsed times. The default cost is 600 seconds.
    pub country_crossing_cost: Option<f64>,

    /// A penalty applied for a country crossing. This penalty can be used to create paths that
    /// avoid spanning country boundaries. The default penalty is 0.
    pub country_crossing_penalty: Option<f64>,

    /// A penalty applied for transition to generic service road. The default penalty is 0
    /// trucks and 15 for cars, buses, motor scooters and motorcycles.
    pub service_penalty: Option<f64>,
}

#[derive(Serialize, Default)]
pub struct Manifest {
    pub costing: Costing,

    #[serde(rename = "costing_options")]
    pub bicycle_costing_options: Option<BicycleCostingOptions>,

    pub locations: Vec<Location>,

    /// Distance units for output. Allowable unit types are miles (or mi) and kilometers (or km).
    /// If no unit type is specified, the units default to kilometers.
    pub units: Units,

    /// Name your route request. If id is specified, the naming will be sent thru to the response.
    pub id: String,

    /// The language of the narration instructions based on the IETF BCP 47 language tag string. If
    /// no language is specified or the specified language is unsupported, United States-based
    /// English (en-US) is used. Currently supported language list
    pub language: String,

    pub directions_type: DirectionsType,

    /// A number denoting how many alternate routes should be provided. There may be no alternates
    /// or less alternates than the user specifies. Alternates are not yet supported on multipoint
    /// routes (that is, routes with more than 2 locations). They are also not supported on time
    /// dependent routes.
    pub alternates: i32,

    /// A set of locations to exclude or avoid within a route can be specified using a JSON array
    /// of avoid_locations. The avoid_locations have the same format as the locations list. At a
    /// minimum each avoid location must include latitude and longitude. The avoid_locations are
    /// mapped to the closest road or roads and these roads are excluded from the route path
    /// computation.
    pub exclude_locations: Vec<Location>,

    /// One or multiple exterior rings of polygons in the form of nested JSON arrays, e.g. [[[lon1,
    /// lat1], [lon2,lat2]],[[lon1,lat1],[lon2,lat2]]]. Roads intersecting these rings will be
    /// avoided during path finding. If you only need to avoid a few specific roads, it's much more
    /// efficient to use exclude_locations. Valhalla will close open rings (i.e. copy the first
    /// coordinate to the last position).
    pub exclude_polygons: Vec<Vec<(f64, f64)>>,

    /// When present and true, the successful route response will include a key linear_references.
    /// Its value is an array of base64-encoded OpenLR location references, one for each graph edge
    /// of the road network matched by the input trace.
    pub linear_references: bool,

    /// Prioritize bidirectional a* when date_time.type = depart_at/current. By default
    /// time_dependent_forward a* is used in these cases, but bidirectional a* is much faster.
    /// Currently it does not update the time (and speeds) when searching for the route path, but
    /// the ETA on that route is recalculated based on the time-dependent speeds
    pub prioritize_bidirectional: bool,

    /// A boolean indicating whether exit instructions at roundabouts should be added to the output
    /// or not. Default is true.
    pub roundabout_exits: bool,
}

#[derive(Serialize, Deserialize, Default, Clone, Copy, Debug)]
pub enum LocationType {
    #[default]
    #[serde(rename = "break")]
    Break,

    #[serde(rename = "through")]
    Through,

    #[serde(rename = "via")]
    Via,

    #[serde(rename = "break_through")]
    BreakThrough,
}

#[derive(Serialize, Deserialize, Default, Clone, Copy, Debug)]
pub enum Side {
    #[serde(rename = "same")]
    Same,

    #[serde(rename = "opposite")]
    Opposite,

    #[default]
    #[serde(rename = "either")]
    Either,
}

#[cfg(feature = "gpx")]
impl From<&Location> for gpx::Waypoint {
    fn from(location: &Location) -> Self {
        let mut p =
            gpx::Waypoint::new(geo_types::Point::new(location.longitude, location.latitude));
        p.name = location.name.clone();
        p
    }
}

impl Location {
    pub fn new(longitude: f64, latitude: f64) -> Self {
        Self {
            latitude,
            longitude,
            ..Default::default()
        }
    }
}

#[derive(Serialize, Deserialize, Default, Clone, Debug)]
pub struct Location {
    /// Latitude of the location in degrees. This is assumed to be both the routing location and
    /// the display location if no display_lat and display_lon are provided.
    #[serde(rename = "lat")]
    pub latitude: f64,

    /// Longitude of the location in degrees. This is assumed to be both the routing location and
    /// the display location if no display_lat and display_lon are provided.
    #[serde(rename = "lon")]
    pub longitude: f64,

    /// (optional) Street name. The street name may be used to assist finding the correct routing
    /// location at the specified latitude, longitude. This is not currently implemented.
    pub street: Option<String>,

    /// (optional) OpenStreetMap identification number for a polyline way. The way ID may be used
    /// to assist finding the correct routing location at the specified latitude, longitude. This
    /// is not currently implemented.
    pub way_id: Option<i64>,

    /// Minimum number of nodes (intersections) reachable for a given edge (road between
    /// intersections) to consider that edge as belonging to a connected region. When correlating
    /// this location to the route network, try to find candidates who are reachable from this many
    /// or more nodes (intersections). If a given candidate edge reaches less than this number of
    /// nodes its considered to be a disconnected island and we'll search for more candidates until
    /// we find at least one that isn't considered a disconnected island. If this value is larger
    /// than the configured service limit it will be clamped to that limit. The default is a
    /// minimum of 50 reachable nodes.
    pub minimum_reachability: Option<i32>,

    /// The number of meters about this input location within which edges (roads between
    /// intersections) will be considered as candidates for said location. When correlating this
    /// location to the route network, try to only return results within this distance (meters)
    /// from this location. If there are no candidates within this distance it will return the
    /// closest candidate within reason. If this value is larger than the configured service limit
    /// it will be clamped to that limit. The default is 0 meters.
    pub radius: Option<i32>,

    /// Whether or not to rank the edge candidates for this location. The ranking is used as a
    /// penalty within the routing algorithm so that some edges will be penalized more heavily than
    /// others. If true candidates will be ranked according to their distance from the input and
    /// various other attributes. If false the candidates will all be treated as equal which should
    /// lead to routes that are just the most optimal path with emphasis about which edges were
    /// selected.
    pub rank_candidates: Option<bool>,

    /// If the location is not offset from the road centerline or is closest to an intersection
    /// this option has no effect. Otherwise the determined side of street is used to determine
    /// whether or not the location should be visited from the same, opposite or either side of the
    /// road with respect to the side of the road the given locale drives on. In Germany (driving
    /// on the right side of the road), passing a value of same will only allow you to leave from
    /// or arrive at a location such that the location will be on your right. In Australia (driving
    /// on the left side of the road), passing a value of same will force the location to be on
    /// your left. A value of opposite will enforce arriving/departing from a location on the
    /// opposite side of the road from that which you would be driving on while a value of either
    /// will make no attempt limit the side of street that is available for the route.
    pub preferred_side: Option<Side>,

    ///  Type of location, either break, through, via or break_through. Each type controls two
    ///  characteristics: whether or not to allow a u-turn at the location and whether or not to
    ///  generate guidance/legs at the location. A break is a location at which we allows u-turns
    ///  and generate legs and arrival/departure maneuvers. A through location is a location at
    ///  which we neither allow u-turns nor generate legs or arrival/departure maneuvers. A via
    ///  location is a location at which we allow u-turns but do not generate legs or
    ///  arrival/departure maneuvers. A break_through location is a location at which we do not
    ///  allow u-turns but do generate legs and arrival/departure maneuvers. If no type is
    ///  provided, the type is assumed to be a break. The types of the first and last locations are
    ///  ignored and are treated as breaks.
    #[serde(rename = "type")]
    pub type_: LocationType,

    /// (optional) Preferred direction of travel for the start from the location. This can be
    /// useful for mobile routing where a vehicle is traveling in a specific direction along a
    /// road, and the route should start in that direction. The heading is indicated in degrees
    /// from north in a clockwise direction, where north is 0°, east is 90°, south is 180°, and
    /// west is 270°.
    pub heading: Option<String>,

    /// (optional) How close in degrees a given street's angle must be in order for it to be
    /// considered as in the same direction of the heading parameter. The default value is 60
    /// degrees.
    pub heading_tolerance: Option<String>,

    pub name: Option<String>,

    /// Latitude of the map location in degrees. If provided the lat and lon parameters will be
    /// treated as the routing location and the display_lat and display_lon will be used to
    /// determine the side of street. Both display_lat and display_lon must be provided and valid
    /// to achieve the desired effect.
    pub display_lat: Option<f64>,

    /// Longitude of the map location in degrees. If provided the lat and lon parameters will be
    /// treated as the routing location and the display_lat and display_lon will be used to
    /// determine the side of street. Both display_lat and display_lon must be provided and valid
    /// to achieve the desired effect.
    pub display_lon: Option<f64>,

    /// The cutoff at which we will assume the input is too far away from civilisation to be worth
    /// correlating to the nearest graph elements. The default is 35 km.
    pub search_cutoff: Option<f64>,

    /// During edge correlation this is the tolerance used to determine whether or not to snap to
    /// the intersection rather than along the street, if the snap location is within this distance
    /// from the intersection the intersection is used instead. The default is 5 meters.
    pub node_snap_tolerance: Option<f64>,

    /// If your input coordinate is less than this tolerance away from the edge centerline then we
    /// set your side of street to none otherwise your side of street will be left or right
    /// depending on direction of travel. The default is 5 meters.
    pub street_side_tolerance: Option<f64>,

    /// The max distance in meters that the input coordinates or display ll can be from the edge
    /// centerline for them to be used for determining the side of street. Beyond this distance the
    /// side of street is set to none. The default is 1000 meters.
    pub street_side_max_distance: Option<f64>,

    /// Disables the preferred_side when set to same or opposite if the edge has a road class less
    /// than that provided by street_side_cutoff. The road class must be one of the following
    /// strings: motorway, trunk, primary, secondary, tertiary, unclassified, residential,
    /// service_other. The default value is service_other so that preferred_side will not be
    /// disabled for any edges.
    pub street_side_cutoff: Option<f64>,
}

pub struct Valhalla {
    client: reqwest::blocking::Client,
    base_url: url::Url,
}

#[derive(Debug)]
pub enum Error {
    Reqwest(reqwest::Error),
    Url(url::ParseError),
    Serde(serde_json::Error),
    RemoteError(RemoteError),
}

impl std::fmt::Display for Error {
    fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
        match self {
            Error::Reqwest(e) => write!(f, "reqwest error: {}", e),
            Error::Url(e) => write!(f, "url error: {}", e),
            Error::Serde(e) => write!(f, "serde error: {}", e),
            Error::RemoteError(e) => write!(f, "remote error: {:?}", e),
        }
    }
}

impl std::error::Error for Error {}

impl Default for Valhalla {
    fn default() -> Self {
        Self::new(
            url::Url::parse(VALHALLA_PUBLIC_API_URL)
                .expect("VALHALLA_PUBLIC_API_URL is not a valid url"),
        )
    }
}

#[derive(Debug, Deserialize)]
pub struct RemoteError {
    pub error_code: isize,
    pub error: String,
    pub status_code: isize,
    pub status: String,
}

impl Valhalla {
    pub fn new(base_url: url::Url) -> Self {
        Self {
            client: reqwest::blocking::Client::new(),
            base_url,
        }
    }

    /// Make a routing request
    ///
    /// See https://valhalla.github.io/valhalla/api/turn-by-turn/api-reference for details
    pub fn route(&self, manifest: Manifest) -> Result<Trip, Error> {
        println!("{}", serde_json::to_string(&manifest).unwrap());
        let mut url = self.base_url.clone();
        url.path_segments_mut()
            .expect("base_url is not a valid base url")
            .push("route");
        let response = self
            .client
            .post(url)
            .json(&manifest)
            .send()
            .map_err(Error::Reqwest)?;
        if response.status().is_client_error() {
            return Err(Error::RemoteError(response.json().map_err(Error::Reqwest)?));
        }
        response.error_for_status_ref().map_err(Error::Reqwest)?;
        let text = response.text().map_err(Error::Reqwest)?;
        // let route: Trip = response.json().map_err(Error::Reqwest)?;
        let response: Response = serde_json::from_str(&text).map_err(Error::Serde)?;
        println!("{:?}", response);
        Ok(response.trip)
    }
}

#[cfg(feature = "gpx")]
impl From<Trip> for gpx::Gpx {
    fn from(trip: Trip) -> Self {
        let mut gpx = gpx::Gpx {
            version: gpx::GpxVersion::Gpx11,
            creator: Some("valhalla".to_string()),
            ..Default::default()
        };
        let track = gpx::Track {
            name: Some("route".to_string()),
            segments: trip.legs.iter().map(|leg| leg.into()).collect(),
            ..Default::default()
        };
        gpx.tracks.push(track);

        let ps = trip
            .legs
            .iter()
            .flat_map(|leg| {
                leg.maneuvers.iter().map(|m| {
                    let p = &leg.shape[m.begin_shape_index];
                    let mut wp = gpx::Waypoint::new(p.into());
                    wp
                })
            })
            .collect();
        let route = gpx::Route {
            name: Some("route".to_string()),
            points: ps,
            ..Default::default()
        };
        gpx.routes.push(route);
        gpx
    }
}

#[derive(Debug, Clone)]
pub struct ShapePoint {
    lon: f64,
    lat: f64,
}

impl From<&ShapePoint> for geo_types::Point {
    fn from(p: &ShapePoint) -> Self {
        geo_types::Point::new(p.lon, p.lat)
    }
}

fn decode_shape(encoded: &str) -> Vec<ShapePoint> {
    let inv = 1.0 / 1e6;
    let mut decoded = Vec::new();
    let mut previous = [0, 0];
    let mut i = 0;

    while i < encoded.len() {
        let mut ll = [0, 0];

        for j in 0..2 {
            let mut shift = 0;
            let mut byte = 0x20;

            while byte >= 0x20 {
                byte = encoded.as_bytes()[i] as i32 - 63;
                i += 1;
                ll[j] |= (byte & 0x1f) << shift;
                shift += 5;
            }

            ll[j] = previous[j] + ((!ll[j] >> 1) ^ -(ll[j] & 1));
            previous[j] = ll[j];
        }

        decoded.push(ShapePoint {
            lon: -1.0 * ll[1] as f64 * inv,
            lat: -1.0 * ll[0] as f64 * inv,
        });
    }

    decoded
}

fn deserialize_shape<'de, D>(deserializer: D) -> Result<Vec<ShapePoint>, D::Error>
where
    D: serde::Deserializer<'de>,
{
    let s = String::deserialize(deserializer)?;
    Ok(decode_shape(s.as_str()))
}