summaryrefslogtreecommitdiff
path: root/script.js
blob: 54bea946349659a5e46778f9f330821424b383a6 (plain)
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
const LINKS = [
    {
        label: 'Google Maps',
        url: 'https://www.google.com/maps/search/?api=1&query={lat},{lon}',
    },
    {
        label: 'Apple Maps',
        url: 'https://maps.apple.com/?q={lat},{lon}&t=m',
    },
    {
        label: 'Default app',
        url: 'geo:{lat},{lon}',
    },
    {
        label: 'OpenStreetMap',
        url: 'https://www.openstreetmap.org/?mlat={lat}&mlon={lon}&zoom=15&layers=M',
    },
];

const content = document.getElementById('content');

route();
window.addEventListener('hashchange', route);

function route() {
    const latLon = parseLatLon(location.hash.slice(1));
    content.innerHTML = '';

    if (!latLon) {
        document.title = 'Share a location';
        content.append(createEl('h1', {}, ['not yet implemented']));
    } else {
        document.title = 'Open location';

        content.append(createEl('p', {}, ['Open in']));

        const linkList = createEl('ul');
        const [lat, lon] = latLon;

        for (const linkSpec of LINKS) {
            const url = linkSpec.url.replace('{lat}', lat).replace('{lon}', lon);
            const link = createEl('a', { href: url }, [linkSpec.label]);
            linkList.append(createEl('li', {}, [link]));
        }
        content.append(linkList);
    }
}

function parseLatLon(text) {
    if (text == '') {
        return null;
    }

    let [lat, lon] = text.split(',');
    lat = parseFloat(lat);
    lon = parseFloat(lon);
    if (Number.isNaN(lat) || Number.isNaN(lon)) {
        throw Error('failed to parse latitude or longitude');
    }
    if (lat < -180 || lat > 180 || lon < -90 || lon > 90) {
        throw Error('latitude or longitude are out of range');
    }
    return [lat, lon];
}

function createEl(tag, attrs = {}, content = []) {
    const el = document.createElement(tag);
    for (const [name, value] of Object.entries(attrs)) {
        el.setAttribute(name, value);
    }
    for (const child of content) {
        el.append(child);
    }
    return el;
}