Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

(breaking) Future-proof source catalog #754

Merged
merged 3 commits into from
Aug 28, 2023
Merged
Show file tree
Hide file tree
Changes from 1 commit
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
22 changes: 12 additions & 10 deletions docs/src/using.md
Original file line number Diff line number Diff line change
Expand Up @@ -25,17 +25,19 @@ curl localhost:3000/catalog | jq
```

```yaml
[
{
"id": "function_zxy_query",
"name": "public.function_zxy_query"
{
"tiles" {
"function_zxy_query": {
"name": "public.function_zxy_query",
"content_type": "application/x-protobuf"
},
"points1": {
"name": "public.points1.geom",
"content_type": "image/webp"
},
...
},
{
"id": "points1",
"name": "public.points1.geom"
},
...
]
}
```

## Source TileJSON
Expand Down
73 changes: 34 additions & 39 deletions martin/src/source.rs
Original file line number Diff line number Diff line change
@@ -1,16 +1,14 @@
use std::cmp::Ordering;
use std::collections::HashMap;
use std::fmt::{Debug, Display, Formatter};

use actix_web::error::ErrorNotFound;
use async_trait::async_trait;
use itertools::Itertools;
use log::debug;
use martin_tile_utils::TileInfo;
use serde::{Deserialize, Serialize};
use tilejson::TileJSON;

use crate::utils::Result;
use crate::utils::{sorted_map, Result};

#[derive(Debug, Copy, Clone)]
pub struct Xyz {
Expand All @@ -33,40 +31,43 @@ pub type Tile = Vec<u8>;
pub type UrlQuery = HashMap<String, String>;

#[derive(Default, Clone)]
pub struct Sources(HashMap<String, Box<dyn Source>>);
pub struct Sources {
tiles: HashMap<String, Box<dyn Source>>,
catalog: SourceCatalog,
}

impl Sources {
pub fn insert(&mut self, id: String, source: Box<dyn Source>) {
self.0.insert(id, source);
let tilejson = source.get_tilejson();
let info = source.get_tile_info();
self.catalog.tiles.insert(
id.clone(),
SourceEntry {
content_type: info.format.content_type().to_string(),
content_encoding: info.encoding.content_encoding().map(ToString::to_string),
name: tilejson.name.filter(|v| v != &id),
description: tilejson.description,
attribution: tilejson.attribution,
},
);
self.tiles.insert(id, source);
}

pub fn extend(&mut self, other: Sources) {
self.0.extend(other.0);
for (k, v) in other.catalog.tiles {
self.catalog.tiles.insert(k, v);
}
self.tiles.extend(other.tiles);
}

#[must_use]
pub fn get_catalog(&self) -> Vec<IndexEntry> {
self.0
.iter()
.map(|(id, src)| {
let tilejson = src.get_tilejson();
let info = src.get_tile_info();
IndexEntry {
id: id.clone(),
content_type: info.format.content_type().to_string(),
content_encoding: info.encoding.content_encoding().map(ToString::to_string),
name: tilejson.name.filter(|v| v != id),
description: tilejson.description,
attribution: tilejson.attribution,
}
})
.sorted()
.collect()
pub fn get_catalog(&self) -> &SourceCatalog {
&self.catalog
}

pub fn get_source(&self, id: &str) -> actix_web::Result<&dyn Source> {
Ok(self
.0
.tiles
.get(id)
.ok_or_else(|| ErrorNotFound(format!("Source {id} does not exist")))?
.as_ref())
Expand Down Expand Up @@ -138,9 +139,15 @@ impl Clone for Box<dyn Source> {
}
}

#[derive(Debug, Serialize, Deserialize, PartialEq, Eq)]
pub struct IndexEntry {
pub id: String,
#[derive(Debug, Clone, Default, Serialize, Deserialize, PartialEq, Eq)]
pub struct SourceCatalog {
// TODO: Use pre-sorted BTreeMap instead
#[serde(serialize_with = "sorted_map")]
tiles: HashMap<String, SourceEntry>,
}

#[derive(Debug, Clone, Default, Serialize, Deserialize, PartialEq, Eq)]
pub struct SourceEntry {
pub content_type: String,
#[serde(skip_serializing_if = "Option::is_none")]
pub content_encoding: Option<String>,
Expand All @@ -152,18 +159,6 @@ pub struct IndexEntry {
pub attribution: Option<String>,
}

impl PartialOrd<Self> for IndexEntry {
fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
Some(self.cmp(other))
}
}

impl Ord for IndexEntry {
fn cmp(&self, other: &Self) -> Ordering {
(&self.id, &self.name).cmp(&(&other.id, &other.name))
}
}

#[cfg(test)]
mod tests {
use super::*;
Expand Down
2 changes: 1 addition & 1 deletion martin/src/srv/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -4,4 +4,4 @@ mod server;
pub use config::{SrvConfig, KEEP_ALIVE_DEFAULT, LISTEN_ADDRESSES_DEFAULT};
pub use server::{new_server, router, RESERVED_KEYWORDS};

pub use crate::source::IndexEntry;
pub use crate::source::SourceEntry;
30 changes: 18 additions & 12 deletions martin/src/srv/server.rs
Original file line number Diff line number Diff line change
Expand Up @@ -4,7 +4,7 @@ use std::time::Duration;
use actix_cors::Cors;
use actix_http::ContentEncoding;
use actix_web::dev::Server;
use actix_web::error::ErrorBadRequest;
use actix_web::error::{ErrorBadRequest, ErrorInternalServerError, ErrorNotFound};
use actix_web::http::header::{
AcceptEncoding, ContentType, Encoding as HeaderEnc, HeaderValue, Preference, CACHE_CONTROL,
CONTENT_ENCODING,
Expand All @@ -13,8 +13,8 @@ use actix_web::http::Uri;
use actix_web::middleware::TrailingSlash;
use actix_web::web::{Data, Path, Query};
use actix_web::{
error, middleware, route, web, App, HttpMessage, HttpRequest, HttpResponse, HttpServer,
Responder, Result,
middleware, route, web, App, HttpMessage, HttpRequest, HttpResponse, HttpServer, Responder,
Result,
};
use futures::future::try_join_all;
use log::error;
Expand Down Expand Up @@ -57,21 +57,22 @@ struct TileRequest {

pub fn map_internal_error<T: std::fmt::Display>(e: T) -> actix_web::Error {
error!("{e}");
error::ErrorInternalServerError(e.to_string())
ErrorInternalServerError(e.to_string())
}

pub fn map_sprite_error(e: SpriteError) -> actix_web::Error {
if let SpriteError::SpriteNotFound(_) = e {
error::ErrorNotFound(e.to_string())
} else {
map_internal_error(e)
use SpriteError::SpriteNotFound;
match e {
SpriteNotFound(_) => ErrorNotFound(e.to_string()),
_ => map_internal_error(e),
}
}

/// Root path will eventually have a web front. For now, just a stub.
#[route("/", method = "GET", method = "HEAD")]
#[allow(clippy::unused_async)]
async fn get_index() -> &'static str {
// todo: once this becomes more substantial, add wrap = "middleware::Compress::default()"
"Martin server is running. Eventually this will be a nice web front.\n\n\
A list of all available sources is at /catalog\n\n\
See documentation https://github.com/maplibre/martin"
Expand Down Expand Up @@ -111,7 +112,12 @@ async fn get_sprite_png(
.body(sheet.encode_png().map_err(map_internal_error)?))
}

#[route("/sprite/{source_ids}.json", method = "GET", method = "HEAD")]
#[route(
"/sprite/{source_ids}.json",
method = "GET",
method = "HEAD",
wrap = "middleware::Compress::default()"
)]
async fn get_sprite_json(
path: Path<TileJsonRequest>,
sprites: Data<SpriteSources>,
Expand Down Expand Up @@ -273,7 +279,7 @@ async fn get_tile(
let (tile, info) = if path.source_ids.contains(',') {
let (sources, use_url_query, info) = sources.get_sources(&path.source_ids, Some(path.z))?;
if sources.is_empty() {
return Err(error::ErrorNotFound("No valid sources found"));
return Err(ErrorNotFound("No valid sources found"));
}
let query = if use_url_query {
Some(Query::<UrlQuery>::from_query(req.query_string())?.into_inner())
Expand All @@ -289,7 +295,7 @@ async fn get_tile(
let can_join = info.format == Format::Mvt
&& (info.encoding == Encoding::Uncompressed || info.encoding == Encoding::Gzip);
if !can_join && tiles.iter().filter(|v| !v.is_empty()).count() > 1 {
return Err(error::ErrorBadRequest(format!(
return Err(ErrorBadRequest(format!(
"Can't merge {info} tiles. Make sure there is only one non-empty tile source at zoom level {}",
xyz.z
)))?;
Expand All @@ -300,7 +306,7 @@ async fn get_tile(
let zoom = xyz.z;
let src = sources.get_source(id)?;
if !Sources::check_zoom(src, id, zoom) {
return Err(error::ErrorNotFound(format!(
return Err(ErrorNotFound(format!(
"Zoom {zoom} is not valid for source {id}",
)));
}
Expand Down
31 changes: 15 additions & 16 deletions martin/src/utils/utilities.rs
Original file line number Diff line number Diff line change
@@ -1,10 +1,8 @@
use std::cmp::Ordering::Equal;
use std::collections::{BTreeMap, HashMap};
use std::io::{Read as _, Write as _};

use flate2::read::GzDecoder;
use flate2::write::GzEncoder;
use itertools::Itertools;
use serde::{Deserialize, Serialize, Serializer};

#[must_use]
Expand All @@ -26,20 +24,21 @@ pub fn sorted_opt_map<S: Serializer, T: Serialize>(
value: &Option<HashMap<String, T>>,
serializer: S,
) -> Result<S::Ok, S::Error> {
value
.as_ref()
.map(|v| {
v.iter()
.sorted_by(|a, b| {
let lower = a.0.to_lowercase().cmp(&b.0.to_lowercase());
match lower {
Equal => a.0.cmp(b.0),
other => other,
}
})
.collect::<BTreeMap<_, _>>()
})
.serialize(serializer)
value.as_ref().map(sorted_btree_map).serialize(serializer)
}

/// Sort a hashmap by key, case-insensitive first, then case-sensitive
pub fn sorted_map<S: Serializer, T: Serialize>(
value: &HashMap<String, T>,
serializer: S,
) -> Result<S::Ok, S::Error> {
sorted_btree_map(value).serialize(serializer)
}

pub fn sorted_btree_map<K: Serialize + Ord, V>(value: &HashMap<K, V>) -> BTreeMap<&K, &V> {
let mut items: Vec<(_, _)> = value.iter().collect();
items.sort_by(|a, b| a.0.cmp(b.0));
BTreeMap::from_iter(items)
}

pub fn decode_gzip(data: &[u8]) -> Result<Vec<u8>, std::io::Error> {
Expand Down
26 changes: 13 additions & 13 deletions tests/debug.html
Original file line number Diff line number Diff line change
Expand Up @@ -229,53 +229,53 @@
).then((r) => r.json()));

// Set up the corresponding toggle button for each layer.
for (const source of sources) {
for (const [id, source] of Object.entries(sources.tiles)) {
// Skip layers that already have a button set up.
if (document.getElementById(source.id)) {
if (document.getElementById(id)) {
continue;
}

const layerType = geometryTypeToLayerType(source.geometry_type);

map.addLayer({
id: source.id,
id: id,
type: layerType,
source: {
type: 'vector',
url: `http://0.0.0.0:3000/${source.id}`
url: `http://0.0.0.0:3000/${id}`
},
'source-layer': source.id,
'source-layer': id,
layout: {
visibility: 'none'
},
paint: {
[`${layerType}-color`]: stringToColour(source.id)
[`${layerType}-color`]: stringToColour(id)
}
});

map.on('click', source.id, (e) => {
map.on('click', id, (e) => {
console.log(e.features);
});

const colorbox = document.createElement("input");
colorbox.type = "color";
colorbox.id = "colorbox";
colorbox.value = stringToColour(source.id);
colorbox.style.backgroundColor = stringToColour(source.id);
colorbox.value = stringToColour(id);
colorbox.style.backgroundColor = stringToColour(id);
colorbox.onclick = function(e){
e.stopPropagation();
}
colorbox.onchange = function(e){
map.setPaintProperty(source.id, `${layerType}-color`, e.target.value);
map.setPaintProperty(id, `${layerType}-color`, e.target.value);
colorbox.style.backgroundColor = e.target.value;
}

// Create a link.
const link = document.createElement('a');
link.id = source.id;
link.id = id;
link.href = '#';
link.textContent = source.id;
link.title = source.id;
link.textContent = id;
link.title = id;
link.appendChild(colorbox);

// Show or hide layer when the toggle is clicked.
Expand Down
Loading