CI / test (push) Successful in 4s
This prevents stale localStorage geo_api_base values from forcing localhost API calls on production domains by defaulting to window.location.origin when appropriate. Made-with: Cursor
351 lines
11 KiB
JavaScript
351 lines
11 KiB
JavaScript
import { GeoApiClient } from "../libs/geo-api-client/dist/index.js";
|
|
|
|
class BrowserStorage {
|
|
getItem(key) {
|
|
return localStorage.getItem(key);
|
|
}
|
|
setItem(key, value) {
|
|
localStorage.setItem(key, value);
|
|
}
|
|
removeItem(key) {
|
|
localStorage.removeItem(key);
|
|
}
|
|
}
|
|
|
|
const statusEl = document.getElementById("status");
|
|
const apiBaseEl = document.getElementById("apiBase");
|
|
const publicKeyPreviewEl = document.getElementById("publicKeyPreview");
|
|
const collectionInfoEl = document.getElementById("collectionInfo");
|
|
const collectionNameEl = document.getElementById("collectionName");
|
|
const assetFileEl = document.getElementById("assetFile");
|
|
const assetNameEl = document.getElementById("assetName");
|
|
const assetDescEl = document.getElementById("assetDesc");
|
|
const assetsListEl = document.getElementById("assetsList");
|
|
|
|
let client = new GeoApiClient(apiBaseEl.value.trim(), new BrowserStorage());
|
|
let keys = null;
|
|
let accessToken = "";
|
|
let collectionId = "";
|
|
let selectedLatLng = null;
|
|
const markers = new Map();
|
|
|
|
const map = L.map("map").setView([28.4636, -16.2518], 10);
|
|
L.tileLayer("https://tile.openstreetmap.org/{z}/{x}/{y}.png", {
|
|
maxZoom: 19,
|
|
attribution: "© OpenStreetMap",
|
|
}).addTo(map);
|
|
|
|
let pendingMarker = null;
|
|
map.on("click", (event) => {
|
|
selectedLatLng = event.latlng;
|
|
if (pendingMarker) map.removeLayer(pendingMarker);
|
|
pendingMarker = L.marker(event.latlng, { title: "Pending feature position" }).addTo(map);
|
|
setStatus(`Selected location: ${event.latlng.lat.toFixed(5)}, ${event.latlng.lng.toFixed(5)}`);
|
|
});
|
|
|
|
function setStatus(message) {
|
|
statusEl.textContent = message;
|
|
}
|
|
|
|
function currentApiBase() {
|
|
return apiBaseEl.value.trim().replace(/\/+$/g, "");
|
|
}
|
|
|
|
function shouldUseHostedDefault(savedBase) {
|
|
const host = window.location.hostname.toLowerCase();
|
|
if (host === "localhost" || host === "127.0.0.1") return false;
|
|
return /^https?:\/\/(localhost|127\.0\.0\.1)(:\d+)?(\/|$)/i.test(savedBase || "");
|
|
}
|
|
|
|
function extFromFilename(name) {
|
|
const idx = name.lastIndexOf(".");
|
|
if (idx <= 0) return "";
|
|
return name.slice(idx + 1).toLowerCase();
|
|
}
|
|
|
|
function kindFromExt(ext) {
|
|
return ext === "gltf" || ext === "glb" ? "3d" : "image";
|
|
}
|
|
|
|
async function sha256Hex(file) {
|
|
const buffer = await file.arrayBuffer();
|
|
const digest = await crypto.subtle.digest("SHA-256", buffer);
|
|
return Array.from(new Uint8Array(digest))
|
|
.map((b) => b.toString(16).padStart(2, "0"))
|
|
.join("");
|
|
}
|
|
|
|
function setClientBase(baseUrl) {
|
|
const normalized = baseUrl.trim().replace(/\/+$/g, "");
|
|
client = new GeoApiClient(normalized, new BrowserStorage());
|
|
if (accessToken) client.setAccessToken(accessToken);
|
|
localStorage.setItem("geo_api_base", normalized);
|
|
setStatus(`API base updated: ${normalized}`);
|
|
}
|
|
|
|
function buildMapShareLink(feature, asset) {
|
|
const coords = feature?.geometry?.coordinates;
|
|
if (!Array.isArray(coords) || coords.length < 2) {
|
|
return client.resolveRelativeLink(asset.link);
|
|
}
|
|
const url = new URL(window.location.origin + window.location.pathname);
|
|
url.searchParams.set("shared", "1");
|
|
url.searchParams.set("lng", String(coords[0]));
|
|
url.searchParams.set("lat", String(coords[1]));
|
|
url.searchParams.set("kind", asset.kind || "3d");
|
|
url.searchParams.set("public", asset.isPublic ? "1" : "0");
|
|
url.searchParams.set("assetId", asset.id);
|
|
url.searchParams.set("assetLink", client.resolveRelativeLink(asset.link));
|
|
return url.toString();
|
|
}
|
|
|
|
function renderSharedAssetFromQuery() {
|
|
const params = new URLSearchParams(window.location.search);
|
|
if (params.get("shared") !== "1") return;
|
|
const lng = Number(params.get("lng"));
|
|
const lat = Number(params.get("lat"));
|
|
if (!Number.isFinite(lng) || !Number.isFinite(lat)) return;
|
|
const kind = params.get("kind") === "image" ? "image" : "3d";
|
|
const isPublic = params.get("public") !== "0";
|
|
const assetId = params.get("assetId") || "shared-asset";
|
|
const marker = L.marker([lat, lng]).addTo(map);
|
|
marker.bindPopup(`Shared ${kind} asset (${isPublic ? "public" : "private"}): ${assetId}`).openPopup();
|
|
map.setView([lat, lng], Math.max(map.getZoom(), 14));
|
|
setStatus("Shared object loaded on map.");
|
|
}
|
|
|
|
async function ensureKeys() {
|
|
keys = await client.ensureKeysInStorage();
|
|
publicKeyPreviewEl.textContent = `Public key: ${keys.publicKey.slice(0, 24)}...`;
|
|
}
|
|
|
|
async function register() {
|
|
if (!keys) await ensureKeys();
|
|
await client.registerBySigningServiceKey(keys.publicKey, keys.privateKey);
|
|
}
|
|
|
|
async function login() {
|
|
if (!keys) await ensureKeys();
|
|
accessToken = await client.loginWithSignature(keys.publicKey, keys.privateKey);
|
|
client.setAccessToken(accessToken);
|
|
await refreshFeatures();
|
|
}
|
|
|
|
async function ensureCollection() {
|
|
if (collectionId) return collectionId;
|
|
const created = await client.createCollection(collectionNameEl.value.trim() || "3D objects demo");
|
|
collectionId = created.id;
|
|
collectionInfoEl.textContent = `${created.name} (${created.id})`;
|
|
return collectionId;
|
|
}
|
|
|
|
function renderAssets(features) {
|
|
assetsListEl.innerHTML = "";
|
|
for (const feature of features) {
|
|
const assets = Array.isArray(feature.properties?.assets) ? feature.properties.assets : [];
|
|
for (const asset of assets) {
|
|
const card = document.createElement("div");
|
|
card.className = "asset-card";
|
|
const absoluteLink = client.resolveRelativeLink(asset.link);
|
|
card.innerHTML = `
|
|
<div><strong>${asset.kind}</strong> • ${asset.ext}</div>
|
|
<div class="muted">Feature: ${feature.id}</div>
|
|
<div class="muted">Visibility: ${asset.isPublic ? "public" : "private"}</div>
|
|
<div class="muted">Link: ${asset.link}</div>
|
|
`;
|
|
const actions = document.createElement("div");
|
|
actions.className = "asset-actions";
|
|
|
|
const openBtn = document.createElement("button");
|
|
openBtn.textContent = "Open";
|
|
openBtn.onclick = () => window.open(absoluteLink, "_blank", "noopener,noreferrer");
|
|
actions.appendChild(openBtn);
|
|
|
|
const toggleBtn = document.createElement("button");
|
|
toggleBtn.textContent = asset.isPublic ? "Set Private" : "Set Public";
|
|
toggleBtn.onclick = async () => {
|
|
try {
|
|
await client.setAssetVisibility(asset.id, !asset.isPublic);
|
|
await refreshFeatures();
|
|
setStatus(`Updated visibility for ${asset.id}`);
|
|
} catch (error) {
|
|
setStatus(error.message);
|
|
}
|
|
};
|
|
actions.appendChild(toggleBtn);
|
|
|
|
const copyBtn = document.createElement("button");
|
|
copyBtn.textContent = "Copy Share Link";
|
|
copyBtn.onclick = async () => {
|
|
const shareLink = buildMapShareLink(feature, asset);
|
|
await navigator.clipboard.writeText(shareLink);
|
|
setStatus("Map share link copied to clipboard.");
|
|
};
|
|
actions.appendChild(copyBtn);
|
|
|
|
card.appendChild(actions);
|
|
assetsListEl.appendChild(card);
|
|
}
|
|
}
|
|
if (!assetsListEl.children.length) {
|
|
assetsListEl.innerHTML = `<div class="muted">No assets linked yet.</div>`;
|
|
}
|
|
}
|
|
|
|
function clearMarkers() {
|
|
for (const marker of markers.values()) {
|
|
map.removeLayer(marker);
|
|
}
|
|
markers.clear();
|
|
}
|
|
|
|
async function refreshFeatures() {
|
|
const publicResp = await fetch(`${currentApiBase()}/v1/features/public?kind=3d`);
|
|
if (!publicResp.ok) {
|
|
throw new Error(`Failed to load public features: HTTP ${publicResp.status}`);
|
|
}
|
|
const publicData = await publicResp.json();
|
|
const byID = new Map((publicData.features || []).map((feature) => [feature.id, feature]));
|
|
|
|
if (accessToken) {
|
|
const { collections } = await client.listCollections();
|
|
if (!collectionId && collections.length > 0) {
|
|
collectionId = collections[0].id;
|
|
collectionInfoEl.textContent = `${collections[0].name} (${collections[0].id})`;
|
|
}
|
|
const ownFeatureSets = await Promise.all(
|
|
collections.map(async (collection) => {
|
|
const { features } = await client.listFeatures(collection.id);
|
|
return features;
|
|
})
|
|
);
|
|
for (const feature of ownFeatureSets.flat()) {
|
|
byID.set(feature.id, feature);
|
|
}
|
|
}
|
|
const features = Array.from(byID.values());
|
|
clearMarkers();
|
|
for (const feature of features) {
|
|
const coords = feature.geometry?.coordinates;
|
|
if (!coords || coords.length < 2) continue;
|
|
const lat = coords[1];
|
|
const lon = coords[0];
|
|
if (!markers.has(feature.id)) {
|
|
const marker = L.marker([lat, lon]).addTo(map);
|
|
marker.bindPopup(`Feature ${feature.id}`);
|
|
markers.set(feature.id, marker);
|
|
}
|
|
}
|
|
renderAssets(features);
|
|
}
|
|
|
|
async function createFeatureAndUpload() {
|
|
if (!selectedLatLng) {
|
|
throw new Error("Click the map to choose object location first.");
|
|
}
|
|
const file = assetFileEl.files?.[0];
|
|
if (!file) {
|
|
throw new Error("Select a 3D/image file first.");
|
|
}
|
|
const ext = extFromFilename(file.name);
|
|
if (!ext) {
|
|
throw new Error("File extension is required.");
|
|
}
|
|
|
|
await ensureCollection();
|
|
const featureName = assetNameEl.value.trim() || file.name;
|
|
const feature = await client.createPointFeature(
|
|
collectionId,
|
|
selectedLatLng.lng,
|
|
selectedLatLng.lat,
|
|
{ name: featureName, placement: "leaflet-demo" }
|
|
);
|
|
|
|
const checksum = await sha256Hex(file);
|
|
const kind = kindFromExt(ext);
|
|
const created = await client.createOrLinkAsset({
|
|
featureId: feature.id,
|
|
checksum,
|
|
ext,
|
|
kind,
|
|
mimeType: file.type || "application/octet-stream",
|
|
sizeBytes: file.size,
|
|
name: featureName,
|
|
description: assetDescEl.value.trim(),
|
|
isPublic: true,
|
|
});
|
|
try {
|
|
await client.uploadAssetBinary(created.asset.id, file, file.type || "application/octet-stream");
|
|
} catch (error) {
|
|
throw new Error(`Upload failed: ${error.message}`);
|
|
}
|
|
|
|
await refreshFeatures();
|
|
assetNameEl.value = "";
|
|
assetDescEl.value = "";
|
|
assetFileEl.value = "";
|
|
setStatus("3D/image object stored and linked. Share link available in Stored Assets.");
|
|
}
|
|
|
|
document.getElementById("applyApi").onclick = () => {
|
|
setClientBase(apiBaseEl.value);
|
|
};
|
|
|
|
document.getElementById("ensureKeys").onclick = async () => {
|
|
try {
|
|
await ensureKeys();
|
|
setStatus("Keys are ready.");
|
|
} catch (error) {
|
|
setStatus(error.message);
|
|
}
|
|
};
|
|
|
|
document.getElementById("register").onclick = async () => {
|
|
try {
|
|
await register();
|
|
setStatus("Registered.");
|
|
} catch (error) {
|
|
setStatus(error.message);
|
|
}
|
|
};
|
|
|
|
document.getElementById("login").onclick = async () => {
|
|
try {
|
|
await login();
|
|
setStatus("Logged in. Loaded all collections on map.");
|
|
} catch (error) {
|
|
setStatus(error.message);
|
|
}
|
|
};
|
|
|
|
document.getElementById("createCollection").onclick = async () => {
|
|
try {
|
|
await ensureCollection();
|
|
setStatus("Collection is ready.");
|
|
} catch (error) {
|
|
setStatus(error.message);
|
|
}
|
|
};
|
|
|
|
document.getElementById("uploadAsset").onclick = async () => {
|
|
try {
|
|
if (!accessToken) throw new Error("Login first.");
|
|
await createFeatureAndUpload();
|
|
} catch (error) {
|
|
setStatus(error.message);
|
|
}
|
|
};
|
|
|
|
const savedBase = localStorage.getItem("geo_api_base");
|
|
if (savedBase && !shouldUseHostedDefault(savedBase)) {
|
|
apiBaseEl.value = savedBase;
|
|
setClientBase(savedBase);
|
|
} else {
|
|
const defaultBase = window.location.origin;
|
|
apiBaseEl.value = defaultBase;
|
|
setClientBase(defaultBase);
|
|
}
|
|
|
|
renderSharedAssetFromQuery();
|
|
refreshFeatures().catch((error) => setStatus(error.message));
|