-
Notifications
You must be signed in to change notification settings - Fork 20
/
Copy pathcoordinates.py
77 lines (59 loc) · 2.47 KB
/
coordinates.py
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
# py-staticmaps
# Copyright (c) 2020 Florian Pigorsch; see /LICENSE for licensing information
import typing
import s2sphere # type: ignore
def create_latlng(lat: float, lng: float) -> s2sphere.LatLng:
"""Create a LatLng object from float values
:param lat: latitude
:type lat: float
:param lng: longitude
:type lng: float
:return: LatLng object
:rtype: s2sphere.LatLng
"""
return s2sphere.LatLng.from_degrees(lat, lng)
def parse_latlng(s: str) -> s2sphere.LatLng:
"""Parse a string with comma separated latitude,longitude values and create a LatLng object from float values
:param s: string with latitude,longitude values
:type s: str
:return: LatLng object
:rtype: s2sphere.LatLng
:raises ValueError: raises a value error if the format is wrong
"""
a = s.split(",")
if len(a) != 2:
raise ValueError(f'Cannot parse coordinates string "{s}" (not a comma-separated lat/lng pair)')
try:
lat = float(a[0].strip())
lng = float(a[1].strip())
except ValueError as e:
raise ValueError(f'Cannot parse coordinates string "{s}" (non-numeric lat/lng values)') from e
if lat < -90 or lat > 90 or lng < -180 or lng > 180:
raise ValueError(f'Cannot parse coordinates string "{s}" (out of bounds lat/lng values)')
return create_latlng(lat, lng)
def parse_latlngs(s: str) -> typing.List[s2sphere.LatLng]:
"""Parse a string with multiple comma separated latitude,longitude values and create a list of LatLng objects
:param s: string with multiple latitude,longitude values separated with empty space
:type s: str
:return: list of LatLng objects
:rtype: typing.List[s2sphere.LatLng]
"""
res = []
for c in s.split():
c = c.strip()
if len(c) > 0:
res.append(parse_latlng(c))
return res
def parse_latlngs2rect(s: str) -> s2sphere.LatLngRect:
"""Parse a string with two comma separated latitude,longitude values and
create a LatLngRect object
:param s: string with two latitude,longitude values separated with empty space
:type s: str
:return: LatLngRect from LatLng pair
:rtype: s2sphere.LatLngRect
:raises ValueError: exactly two lat/lng pairs must be given as argument
"""
latlngs = parse_latlngs(s)
if len(latlngs) != 2:
raise ValueError(f'Cannot parse coordinates string "{s}" (requires exactly two lat/lng pairs)')
return s2sphere.LatLngRect.from_point_pair(latlngs[0], latlngs[1])