-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathfiles.py
109 lines (83 loc) · 3.06 KB
/
files.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
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
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# file handlers and objects
import logging
import os
from typing import List, Tuple
from shapely.geometry import box, LineString, MultiLineString # type: ignore
from data import DataSource, ElevationStats, NULL_ELEVATION
SAVE_PRECISION: int = 3 # round values to mm in the saved output
class OutputFile:
def __init__(
self,
logger_name: str,
output_dir: str,
output_file: str
) -> None:
self.logger = logging.getLogger(logger_name)
self.file_path: str = os.path.join(output_dir, output_file)
if os.path.exists(self.file_path):
self.logger.warning(
"Existing %s will be overwritten",
self.file_path
)
else:
self.logger.info("Output will be saved to new %s", self.file_path)
self.f = open(self.file_path, 'w')
def write_elevations(self, data: ElevationStats) -> None:
# skip NULL returns
if data.start != NULL_ELEVATION and data.end != NULL_ELEVATION:
self.f.write(str(round(data.start, SAVE_PRECISION)))
self.f.write('\t')
self.f.write(str(round(data.end, SAVE_PRECISION)))
self.f.write('\t')
self.f.write(str(round(data.climb, SAVE_PRECISION)))
self.f.write('\t')
self.f.write(str(round(data.descent, SAVE_PRECISION)))
self.f.write('\n')
def __enter__(self):
return self
def __exit__(self, exc_type, exc_value, exc_traceback):
self.close()
def close(self) -> None:
self.f.close()
def __str__(self) -> str:
return self.file_path
class InputFile:
def __init__(
self,
logger_name: str,
input_dir: str,
input_file: str
) -> None:
self.logger = logging.getLogger(logger_name)
self.file_path: str = os.path.join(input_dir, input_file)
lines: List[LineString] = []
with open(self.file_path) as f:
for row in f:
if row.strip() == '':
break
lines.append(self.__build_line__(row))
self.__paths = MultiLineString(lines)
self.logger.info("Found %s rows in %s", self.n_lines(), self.file_path)
self.logger.info("Area covered: %s", self.__paths.bounds)
def __build_line__(self, raw_line) -> LineString:
coords: List[Tuple[float, float]] = []
for point in raw_line.split(" "):
vals = [float(x) for x in point.split(",")]
coords.append((vals[0], vals[1]))
return LineString(coords)
def tag_elevations(
self,
d: DataSource,
outfile: OutputFile,
n_threads: int
) -> None:
vals: List[ElevationStats] = d.tag_multiline(self.__paths, n_threads)
self.logger.info("Writing output to %s", outfile)
for row in vals:
outfile.write_elevations(row)
def bbox(self) -> box:
return box(*self.__paths.bounds)
def n_lines(self) -> int:
return len(self.__paths.geoms)