-
Notifications
You must be signed in to change notification settings - Fork 24
/
Copy pathcollections.py
1110 lines (933 loc) · 35 KB
/
collections.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
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
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
"""tipg.dbmodel: database events."""
import abc
import datetime
import re
from functools import lru_cache
from typing import Any, Dict, List, Optional, Tuple, TypedDict, Union
from buildpg import RawDangerous as raw
from buildpg import asyncpg, clauses
from buildpg import funcs as pg_funcs
from buildpg import logic, render
from ciso8601 import parse_rfc3339
from morecantile import Tile, TileMatrixSet
from pydantic import BaseModel, Field, model_validator
from pygeofilter.ast import AstType
from pyproj import Transformer
from tipg.errors import (
InvalidDatetime,
InvalidDatetimeColumnName,
InvalidGeometryColumnName,
InvalidLimit,
InvalidPropertyName,
MissingDatetimeColumn,
)
from tipg.filter.evaluate import to_filter
from tipg.filter.filters import bbox_to_wkt
from tipg.logger import logger
from tipg.model import Extent
from tipg.resources.enums import MediaType
from tipg.settings import (
DatabaseSettings,
FeaturesSettings,
MVTSettings,
PMTilesSettings,
TableConfig,
TableSettings,
)
from fastapi import FastAPI
from starlette.requests import Request
from starlette.responses import Response
try:
import aiopmtiles
except ImportError: # pragma: nocover
aiopmtiles = None # type: ignore
mvt_settings = MVTSettings()
features_settings = FeaturesSettings()
TransformerFromCRS = lru_cache(Transformer.from_crs)
def debug_query(q, *p):
"""Utility to print raw statement to use for debugging."""
qsub = re.sub(r"\$([0-9]+)", r"{\1}", q)
def quote_str(s):
"""Quote strings."""
if s is None:
return "null"
elif isinstance(s, str):
return f"'{s}'"
else:
return s
p = [quote_str(s) for s in p]
logger.debug(qsub.format(None, *p))
# Links to geojson schema
geojson_schema = {
"GEOMETRY": "https://geojson.org/schema/Geometry.json",
"POINT": "https://geojson.org/schema/Point.json",
"MULTIPOINT": "https://geojson.org/schema/MultiPoint.json",
"LINESTRING": "https://geojson.org/schema/LineString.json",
"MULTILINESTRING": "https://geojson.org/schema/MultiLineString.json",
"POLYGON": "https://geojson.org/schema/Polygon.json",
"MULTIPOLYGON": "https://geojson.org/schema/MultiPolygon.json",
"GEOMETRYCOLLECTION": "https://geojson.org/schema/GeometryCollection.json",
}
class Feature(TypedDict, total=False):
"""Simple Feature model."""
type: str
# Geometry is either a dict or a str (wkt)
geometry: Optional[Union[Dict, str]]
properties: Optional[Dict]
id: Optional[Any]
bbox: Optional[List[float]]
class ItemList(TypedDict):
"""Items."""
items: List[Feature]
matched: Optional[int]
next: Optional[int]
prev: Optional[int]
class Column(BaseModel):
"""Model for database Column."""
name: str
type: str
description: Optional[str] = None
geometry_type: Optional[str] = None
srid: Optional[int] = None
bounds: Optional[List[float]] = None
mindt: Optional[str] = None
maxdt: Optional[str] = None
@model_validator(mode="before")
def sridbounds_default(cls, values):
"""Set default bounds and srid when this is a function."""
if values.get("geometry_type"):
values["srid"] = values.get("srid", 4326)
values["bounds"] = values.get("bounds", [-180, -90, 180, 90])
return values
@property
def json_type(self) -> str:
"""Return JSON field type."""
if self.type.endswith("[]"):
return "array"
if self.type in [
"smallint",
"integer",
"bigint",
"decimal",
"numeric",
"real",
"double precision",
"smallserial",
"serial",
"bigserial",
# Float8 is not a Postgres type name but is the name we give
# internally do Double Precision type
# ref: https://github.com/developmentseed/tipg/pull/60/files#r1011863866
"float8",
]:
return "number"
if self.type.startswith("bool"):
return "boolean"
if any([self.type.startswith("json"), self.type.startswith("geo")]):
return "object"
return "string"
@property
def is_geometry(self) -> bool:
"""Returns true if this property is a geometry column."""
return self.type in ("geometry", "geography")
@property
def is_datetime(self) -> bool:
"""Returns true if this property is a datetime column."""
return self.type in ("timestamp", "timestamptz", "date")
class Parameter(Column):
"""Model for PostGIS function parameters."""
default: Optional[str] = None
class Collection(BaseModel, metaclass=abc.ABCMeta):
"""Collection Base Class."""
type: str
id: str
table: str
title: Optional[str] = None
description: Optional[str] = None
table_columns: List[Column] = []
properties: List[Column] = []
id_column: Optional[Column] = None
geometry_column: Optional[Column] = None
datetime_column: Optional[Column] = None
parameters: List[Parameter] = []
@property
def extent(self) -> Optional[Extent]:
"""Return extent."""
extent: Dict[str, Any] = {}
if cols := self.geometry_columns:
if len(cols) == 1:
bbox = [cols[0].bounds]
else:
minx, miny, maxx, maxy = zip(*[col.bounds for col in cols])
bbox = [
[min(minx), min(miny), max(maxx), max(maxy)],
*[col.bounds for col in cols],
]
extent["spatial"] = {
"bbox": bbox,
# The extent calculated in Pg is in WGS84 LON,LAT order
# so we use `CRS84` as CRS
"crs": "http://www.opengis.net/def/crs/OGC/1.3/CRS84",
}
if cols := [col for col in self.datetime_columns if col.mindt or col.maxdt]:
intervals = []
if len(cols) == 1:
if cols[0].mindt or cols[0].maxdt:
intervals = [[cols[0].mindt, cols[0].maxdt]]
else:
mindt = [col.mindt for col in cols if col.mindt]
maxdt = [col.maxdt for col in cols if col.maxdt]
intervals = [
[min(mindt), max(maxdt)],
*[[col.mindt, col.maxdt] for col in cols if col.mindt or col.maxdt],
]
if intervals:
extent["temporal"] = {"interval": intervals}
if extent:
return Extent(**extent)
return None
@property
def bounds(self) -> Optional[List[float]]:
"""Return spatial bounds from collection extent."""
if self.extent and self.extent.spatial:
return self.extent.spatial.bbox[0]
return None
@property
def dt_bounds(self) -> Optional[List[str]]:
"""Return temporal bounds from collection extent."""
if self.extent and self.extent.temporal:
return self.extent.temporal.interval[0]
return None
@property
def crs(self):
"""Return crs of set geometry column."""
if self.geometry_column:
return f"http://www.opengis.net/def/crs/EPSG/0/{self.geometry_column.srid}"
@property
def geometry_columns(self) -> List[Column]:
"""Return geometry columns."""
return [c for c in self.table_columns if c.is_geometry]
@property
def datetime_columns(self) -> List[Column]:
"""Return datetime columns."""
return [c for c in self.table_columns if c.is_datetime]
def get_geometry_column(self, name: Optional[str] = None) -> Optional[Column]:
"""Return the name of the first geometry column."""
if (not self.geometry_columns) or (name and name.lower() == "none"):
return None
if name is None:
return self.geometry_column
for col in self.geometry_columns:
if col.name == name:
return col
return None
def get_datetime_column(self, name: Optional[str] = None) -> Optional[Column]:
"""Return the Column for either the passed in tstz column or the first tstz column."""
if not self.datetime_columns:
return None
if name is None:
return self.datetime_column
for col in self.datetime_columns:
if col.name == name:
return col
return None
def columns(self, properties: Optional[List[str]] = None) -> List[str]:
"""Return table columns optionally filtered to only include columns from properties."""
if properties in [[], [""]]:
return []
cols = [
c.name for c in self.properties if c.type not in ["geometry", "geography"]
]
if properties is None:
return cols
return [c for c in cols if c in properties]
def get_column(self, property_name: str) -> Optional[Column]:
"""Return column info."""
for p in self.properties:
if p.name == property_name:
return p
return None
@property
def queryables(self) -> Dict:
"""Return the queryables."""
if self.geometry_columns:
geoms = {
col.name: {"$ref": geojson_schema.get(col.geometry_type.upper(), "")}
for col in self.geometry_columns
}
else:
geoms = {}
props = {
col.name: {"name": col.name, "type": col.json_type}
for col in self.properties
if col.name not in geoms
}
return {**geoms, **props}
@abc.abstractmethod
async def features(self, request: Request, *args, **kwargs) -> ItemList:
"""Get Items."""
...
@abc.abstractmethod
async def get_tile(self, request: Request, *args, **kwargs) -> bytes:
"""Get MVT Tile."""
...
class CollectionList(TypedDict):
"""Collections."""
collections: List[Collection]
matched: Optional[int]
next: Optional[int]
prev: Optional[int]
class Catalog(TypedDict):
"""Internal Collection Catalog."""
collections: Dict[str, Collection]
last_updated: datetime.datetime
class PMTilesCollection(Collection):
"""Model for a PMTiles archive."""
@model_validator(mode="before")
@classmethod
def check_aiopmtiles(cls, data: Any) -> Any:
"""Make sure aiopmtiles is available."""
assert (
aiopmtiles is not None
), "aiopmtiles must be installed to use PMTilesCollection"
return data
async def features(
self,
request: Request,
**kwargs,
) -> ItemList:
"""Items for PmTiles."""
return ItemList(
items=[],
matched=0,
next=None,
prev=None,
)
async def get_tile(
self,
request: Request,
*,
tms: TileMatrixSet,
tile: Tile,
**kwargs,
) -> Response: # type: ignore
"""Tile for PmTiles."""
async with aiopmtiles.Reader(self.table) as src:
# TODO: Check TMS support, assume they are in WebMercatorQuad
tile = await src.get_tile(tile.z, tile.x, tile.y)
headers: Dict[str, str] = {}
if src.tile_compression.value != 1: # None
headers["Content-Encoding"] = src.tile_compression.name.lower()
return Response(
tile,
media_type=MediaType[src.tile_type.name.lower()].value,
headers=headers,
)
class PgCollection(Collection):
"""Model for DB Table and Function."""
dbschema: str = Field(alias="schema")
def _select_no_geo(self, properties: Optional[List[str]], addid: bool = True):
nocomma = False
columns = self.columns(properties)
if columns:
sel = logic.as_sql_block(clauses.Select(columns))
else:
sel = logic.as_sql_block(raw("SELECT "))
nocomma = True
if addid:
if self.id_column:
id_clause = logic.V(self.id_column.name).as_("tipg_id")
else:
id_clause = raw(" ROW_NUMBER () OVER () AS tipg_id ")
if nocomma:
sel = clauses.Clauses(sel, id_clause)
else:
sel = sel.comma(id_clause)
return logic.as_sql_block(sel)
def _select(
self,
properties: Optional[List[str]],
geometry_column: Optional[Column],
bbox_only: Optional[bool],
simplify: Optional[float],
geom_as_wkt: bool = False,
):
sel = self._select_no_geo(properties)
geom = self._geom(geometry_column, bbox_only, simplify)
if geom_as_wkt:
if geom:
sel = sel.comma(logic.Func("ST_AsEWKT", geom).as_("tipg_geom"))
else:
sel = sel.comma(pg_funcs.cast(None, "text").as_("tipg_geom"))
else:
if geom:
sel = sel.comma(
pg_funcs.cast(logic.Func("ST_AsGeoJSON", geom), "json").as_(
"tipg_geom"
)
)
else:
sel = sel.comma(pg_funcs.cast(None, "json").as_("tipg_geom"))
return sel
def _select_mvt(
self,
properties: Optional[List[str]],
geometry_column: Column,
tms: TileMatrixSet,
tile: Tile,
):
"""Create MVT from intersecting geometries."""
geom = pg_funcs.cast(logic.V(geometry_column.name), "geometry")
# make sure the geometries do not overflow the TMS bbox
if not tms.is_valid(tile):
geom = logic.Func(
"ST_Intersection",
logic.Func("ST_MakeEnvelope", *tms.bbox, 4326),
logic.Func(
"ST_Transform",
geom,
pg_funcs.cast(4326, "int"),
),
)
# Transform the geometries to TMS CRS using EPSG code
if tms_srid := tms.crs.to_epsg():
transform_logic = logic.Func(
"ST_Transform",
geom,
pg_funcs.cast(tms_srid, "int"),
)
# Transform the geometries to TMS CRS using PROJ String
else:
tms_proj = tms.crs.to_proj4()
transform_logic = logic.Func(
"ST_Transform",
geom,
pg_funcs.cast(tms_proj, "text"),
)
bbox = tms.xy_bounds(tile)
sel = self._select_no_geo(properties, addid=False).comma(
logic.Func(
"ST_AsMVTGeom",
transform_logic,
logic.Func(
"ST_Segmentize",
logic.Func(
"ST_MakeEnvelope",
bbox.left,
bbox.bottom,
bbox.right,
bbox.top,
),
bbox.right - bbox.left,
),
mvt_settings.tile_resolution,
mvt_settings.tile_buffer,
mvt_settings.tile_clip,
).as_("geom")
)
return sel
def _select_count(self):
return clauses.Select(pg_funcs.count("*"))
def _from(self, function_parameters: Optional[Dict[str, str]]):
if self.type == "Function":
if not function_parameters:
return clauses.From(self.id) + raw("()")
params = []
for p in self.parameters:
if p.name in function_parameters:
params.append(
pg_funcs.cast(
pg_funcs.cast(function_parameters[p.name], "text"),
p.type,
)
)
return clauses.From(logic.Func(self.id, *params))
return clauses.From(self.id)
def _geom(
self,
geometry_column: Optional[Column],
bbox_only: Optional[bool],
simplify: Optional[float],
):
if geometry_column is None:
return None
g = pg_funcs.cast(logic.V(geometry_column.name), "geometry")
# Reproject to WGS64 if needed
if geometry_column.srid != 4326:
g = logic.Func("ST_Transform", g, pg_funcs.cast(4326, "int"))
# Return BBOX Only
if bbox_only:
g = logic.Func("ST_Envelope", g)
# Simplify the geometry
elif simplify:
g = logic.Func(
"ST_SnapToGrid",
logic.Func("ST_Simplify", g, simplify),
simplify,
)
return g
def _where( # noqa: C901
self,
ids: Optional[List[str]] = None,
datetime: Optional[List[str]] = None,
bbox: Optional[List[float]] = None,
properties: Optional[List[Tuple[str, Any]]] = None,
cql: Optional[AstType] = None,
geom: Optional[str] = None,
dt: Optional[str] = None,
tile: Optional[Tile] = None,
tms: Optional[TileMatrixSet] = None,
):
"""Construct WHERE query."""
wheres = [logic.S(True)]
# `ids` filter
if ids is not None:
if len(ids) == 1:
wheres.append(
logic.V(self.id_column.name)
== pg_funcs.cast(pg_funcs.cast(ids[0], "text"), self.id_column.type)
)
else:
w = [
logic.V(self.id_column.name)
== logic.S(
pg_funcs.cast(pg_funcs.cast(i, "text"), self.id_column.type)
)
for i in ids
]
wheres.append(pg_funcs.OR(*w))
# `properties filter
if properties is not None:
w = []
for prop, val in properties:
col = self.get_column(prop)
if not col:
raise InvalidPropertyName(f"Invalid property name: {prop}")
w.append(
logic.V(col.name)
== logic.S(pg_funcs.cast(pg_funcs.cast(val, "text"), col.type))
)
if w:
wheres.append(pg_funcs.AND(*w))
# `bbox` filter
geometry_column = self.get_geometry_column(geom)
if bbox is not None and geometry_column is not None:
wheres.append(
logic.Func(
"ST_Intersects",
logic.S(bbox_to_wkt(bbox)),
logic.V(geometry_column.name),
)
)
# `datetime` filter
if datetime:
if not self.datetime_columns:
raise MissingDatetimeColumn(
"Must have timestamp/timestamptz/date typed column to filter with datetime."
)
datetime_column = self.get_datetime_column(dt)
if not datetime_column:
raise InvalidDatetimeColumnName(f"Invalid Datetime Column: {dt}.")
wheres.append(self._datetime_filter_to_sql(datetime, datetime_column.name))
# `CQL` filter
if cql is not None:
wheres.append(to_filter(cql, [p.name for p in self.properties]))
if tile and tms and geometry_column:
# Get tile bounds in the TMS coordinate system
bbox = tms.xy_bounds(tile)
left, bottom, right, top = bbox
# If the geometry column’s SRID does not match the TMS CRS, transform the bounds:
# Use a fallback of 4326 if tms.crs.to_epsg() returns a falsey value.
tms_epsg = tms.crs.to_epsg() or 4326
if geometry_column.srid != tms_epsg:
transformer = TransformerFromCRS(
tms_epsg, geometry_column.srid, always_xy=True
)
left, bottom, right, top = transformer.transform_bounds(
left, bottom, right, top
)
wheres.append(
logic.Func(
"ST_Intersects",
logic.Func(
"ST_Segmentize",
logic.Func(
"ST_MakeEnvelope",
left,
bottom,
right,
top,
geometry_column.srid,
),
right - left,
),
logic.V(geometry_column.name),
)
)
return clauses.Where(pg_funcs.AND(*wheres))
def _datetime_filter_to_sql(self, interval: List[str], dt_name: str):
if len(interval) == 1:
return logic.V(dt_name) == logic.S(
pg_funcs.cast(parse_rfc3339(interval[0]), "timestamptz")
)
else:
start = (
parse_rfc3339(interval[0]) if interval[0] not in ["..", ""] else None
)
end = parse_rfc3339(interval[1]) if interval[1] not in ["..", ""] else None
if start is None and end is None:
raise InvalidDatetime(
"Double open-ended datetime intervals are not allowed."
)
if start is not None and end is not None and start > end:
raise InvalidDatetime("Start datetime cannot be before end datetime.")
if not start:
return logic.V(dt_name) <= logic.S(pg_funcs.cast(end, "timestamptz"))
elif not end:
return logic.V(dt_name) >= logic.S(pg_funcs.cast(start, "timestamptz"))
else:
return pg_funcs.AND(
logic.V(dt_name) >= logic.S(pg_funcs.cast(start, "timestamptz")),
logic.V(dt_name) < logic.S(pg_funcs.cast(end, "timestamptz")),
)
def _sortby(self, sortby: Optional[str]):
sorts = []
if sortby:
for s in sortby.strip().split(","):
parts = re.match("^(?P<direction>[+-]?)(?P<column>.*)$", s).groupdict() # type:ignore
direction = parts["direction"]
column = parts["column"].strip()
if self.get_column(column):
if direction == "-":
sorts.append(logic.V(column).desc())
else:
sorts.append(logic.V(column))
else:
raise InvalidPropertyName(f"Property {column} does not exist.")
else:
if self.id_column is not None:
sorts.append(logic.V(self.id_column.name))
else:
sorts.append(logic.V(self.properties[0].name))
return clauses.OrderBy(*sorts)
async def _features_query(
self,
conn: asyncpg.Connection,
*,
ids_filter: Optional[List[str]] = None,
bbox_filter: Optional[List[float]] = None,
datetime_filter: Optional[List[str]] = None,
properties_filter: Optional[List[Tuple[str, str]]] = None,
cql_filter: Optional[AstType] = None,
sortby: Optional[str] = None,
properties: Optional[List[str]] = None,
geom: Optional[str] = None,
dt: Optional[str] = None,
limit: Optional[int] = None,
offset: Optional[int] = None,
bbox_only: Optional[bool] = None,
simplify: Optional[float] = None,
geom_as_wkt: bool = False,
function_parameters: Optional[Dict[str, str]],
):
"""Build Features query."""
limit = limit or features_settings.default_features_limit
offset = offset or 0
c = clauses.Clauses(
self._select(
properties=properties,
geometry_column=self.get_geometry_column(geom),
bbox_only=bbox_only,
simplify=simplify,
geom_as_wkt=geom_as_wkt,
),
self._from(function_parameters),
self._where(
ids=ids_filter,
datetime=datetime_filter,
bbox=bbox_filter,
properties=properties_filter,
cql=cql_filter,
geom=geom,
dt=dt,
),
self._sortby(sortby),
clauses.Limit(limit),
clauses.Offset(offset),
)
q, p = render(":c", c=c)
for r in await conn.fetch(q, *p):
props = dict(r)
g = props.pop("tipg_geom")
id = props.pop("tipg_id")
feature = Feature(type="Feature", geometry=g, id=id, properties=props)
yield feature
async def _features_count_query(
self,
conn: asyncpg.Connection,
*,
ids_filter: Optional[List[str]] = None,
bbox_filter: Optional[List[float]] = None,
datetime_filter: Optional[List[str]] = None,
properties_filter: Optional[List[Tuple[str, str]]] = None,
cql_filter: Optional[AstType] = None,
geom: Optional[str] = None,
dt: Optional[str] = None,
function_parameters: Optional[Dict[str, str]],
) -> int:
"""Build features COUNT query."""
c = clauses.Clauses(
self._select_count(),
self._from(function_parameters),
self._where(
ids=ids_filter,
datetime=datetime_filter,
bbox=bbox_filter,
properties=properties_filter,
cql=cql_filter,
geom=geom,
dt=dt,
),
)
q, p = render(":c", c=c)
count = await conn.fetchval(q, *p)
return count
async def features(
self,
request: Request,
*,
ids_filter: Optional[List[str]] = None,
bbox_filter: Optional[List[float]] = None,
datetime_filter: Optional[List[str]] = None,
properties_filter: Optional[List[Tuple[str, str]]] = None,
cql_filter: Optional[AstType] = None,
sortby: Optional[str] = None,
properties: Optional[List[str]] = None,
geom: Optional[str] = None,
dt: Optional[str] = None,
limit: Optional[int] = None,
offset: Optional[int] = None,
bbox_only: Optional[bool] = None,
simplify: Optional[float] = None,
geom_as_wkt: bool = False,
function_parameters: Optional[Dict[str, str]] = None,
) -> ItemList:
"""Build and run Pg query."""
limit = limit or features_settings.default_features_limit
offset = offset or 0
function_parameters = function_parameters or {}
if geom and geom.lower() != "none" and not self.get_geometry_column(geom):
raise InvalidGeometryColumnName(f"Invalid Geometry Column: {geom}.")
if limit and limit > features_settings.max_features_per_query:
raise InvalidLimit(
f"Limit can not be set higher than the `tipg_max_features_per_query` setting of {features_settings.max_features_per_query}"
)
async with request.app.state.pool.acquire() as conn:
matched = await self._features_count_query(
conn,
ids_filter=ids_filter,
datetime_filter=datetime_filter,
bbox_filter=bbox_filter,
properties_filter=properties_filter,
function_parameters=function_parameters,
cql_filter=cql_filter,
geom=geom,
dt=dt,
)
features = [
f
async for f in self._features_query(
conn,
ids_filter=ids_filter,
datetime_filter=datetime_filter,
bbox_filter=bbox_filter,
properties_filter=properties_filter,
cql_filter=cql_filter,
sortby=sortby,
properties=properties,
geom=geom,
dt=dt,
limit=limit,
offset=offset,
bbox_only=bbox_only,
simplify=simplify,
geom_as_wkt=geom_as_wkt,
function_parameters=function_parameters,
)
]
returned = len(features)
return ItemList(
items=features,
matched=matched,
next=offset + returned if matched - returned > offset else None,
prev=max(offset - limit, 0) if offset else None,
)
async def get_tile(
self,
request: Request,
*,
tms: TileMatrixSet,
tile: Tile,
ids_filter: Optional[List[str]] = None,
bbox_filter: Optional[List[float]] = None,
datetime_filter: Optional[List[str]] = None,
properties_filter: Optional[List[Tuple[str, str]]] = None,
function_parameters: Optional[Dict[str, str]] = None,
cql_filter: Optional[AstType] = None,
sortby: Optional[str] = None,
properties: Optional[List[str]] = None,
geom: Optional[str] = None,
dt: Optional[str] = None,
limit: Optional[int] = None,
):
"""Build query to get Vector Tile."""
limit = limit or mvt_settings.max_features_per_tile
geometry_column = self.get_geometry_column(geom)
if not geometry_column:
raise InvalidGeometryColumnName(f"Invalid Geometry Column Name {geom}")
if limit > mvt_settings.max_features_per_tile:
raise InvalidLimit(
f"Limit can not be set higher than the `tipg_max_features_per_tile` setting of {mvt_settings.max_features_per_tile}"
)
c = clauses.Clauses(
self._select_mvt(
properties=properties,
geometry_column=geometry_column,
tms=tms,
tile=tile,
),
self._from(function_parameters),
self._where(
ids=ids_filter,
datetime=datetime_filter,
bbox=bbox_filter,
properties=properties_filter,
cql=cql_filter,
geom=geom,
dt=dt,
tms=tms,
tile=tile,
),
clauses.Limit(limit),
)
q, p = render(
"""
WITH
t AS (:c)
SELECT ST_AsMVT(t.*, :l) FROM t
""",
c=c,
l=self.table if mvt_settings.set_mvt_layername is True else "default",
)
debug_query(q, *p)
async with request.app.state.pool.acquire() as conn:
tile = await conn.fetchval(q, *p)
return bytes(tile)
async def pg_get_collection_index( # noqa: C901
db_pool: asyncpg.BuildPgPool,
settings: Optional[DatabaseSettings] = None,
) -> List[PgCollection]:
"""Fetch Table and Functions index."""
if not settings:
settings = DatabaseSettings()
schemas = settings.schemas or ["public"]
query = f"""
SELECT {settings.tipg_schema}.tipg_catalog(
:schemas,
:tables,
:exclude_tables,
:exclude_table_schemas,
:functions,
:exclude_functions,
:exclude_function_schemas,
:spatial,