silverbullet/common/spaces/http_space_primitives.ts

249 lines
7.8 KiB
TypeScript
Raw Permalink Normal View History

2024-07-30 23:33:33 +08:00
import type { SpacePrimitives } from "./space_primitives.ts";
import type { FileMeta } from "../../plug-api/types.ts";
import {
flushCachesAndUnregisterServiceWorker,
unregisterServiceWorkers,
} from "../sw_util.ts";
import { encodePageURI } from "@silverbulletmd/silverbullet/lib/page_ref";
const defaultFetchTimeout = 30000; // 30 seconds
2022-04-07 21:21:30 +08:00
export class HttpSpacePrimitives implements SpacePrimitives {
2023-01-13 22:41:29 +08:00
constructor(
readonly url: string,
readonly expectedSpacePath?: string,
private bearerToken?: string,
2023-01-13 22:41:29 +08:00
) {
2022-04-30 00:54:27 +08:00
}
public async authenticatedFetch(
2022-04-30 00:54:27 +08:00
url: string,
options: RequestInit,
fetchTimeout: number = defaultFetchTimeout,
2022-04-30 00:54:27 +08:00
): Promise<Response> {
if (!options.headers) {
options.headers = {};
}
2023-07-28 21:34:12 +08:00
options.headers = {
...options.headers,
"X-Sync-Mode": "true",
};
if (this.bearerToken) {
options.headers = {
...options.headers,
"Authorization": `Bearer ${this.bearerToken}`,
};
}
2023-01-13 22:41:29 +08:00
2023-07-27 17:41:44 +08:00
try {
options.signal = AbortSignal.timeout(fetchTimeout);
options.redirect = "manual";
2023-07-27 17:41:44 +08:00
const result = await fetch(url, options);
if (result.status === 503) {
throw new Error("Offline");
}
const redirectHeader = result.headers.get("location");
if (result.type === "opaqueredirect" && !redirectHeader) {
// This is a scenario where the server sent a redirect, but this redirect is not visible to the client, likely due to CORS
// The best we can do is to reload the page and hope that the server will redirect us to the correct location
alert(
"You are not authenticated, reloading to reauthenticate",
);
console.log("Unregistering service workers", redirectHeader);
await unregisterServiceWorkers();
location.reload();
// Let's throw to avoid any further processing
throw Error("Not authenticated");
}
// console.log("Got response", result.status, result.statusText, result.url);
// Attempting to handle various authentication proxies
if (result.status >= 300 && result.status < 400) {
if (redirectHeader) {
// Got a redirect
alert(
"Received an authentication redirect, redirecting to URL: " +
redirectHeader,
);
location.href = redirectHeader;
throw new Error("Redirected");
} else {
console.error("Got a redirect status but no location header", result);
}
}
// Check for unauthorized status
if (result.status === 401 || result.status === 403) {
// If it came with a redirect header, we'll redirect to that URL
if (redirectHeader) {
console.log(
"Received unauthorized status and got a redirect via the API so will redirect to URL",
result.url,
);
alert("You are not authenticated, redirecting to: " + redirectHeader);
location.href = redirectHeader;
throw new Error("Not authenticated");
} else {
// If not, let's reload
alert(
"You are not authenticated, going to reload and hope that that kicks off authentication",
);
location.reload();
throw new Error("Not authenticated, got 401");
}
2023-07-27 17:41:44 +08:00
}
return result;
} catch (e: any) {
2023-07-27 23:02:53 +08:00
// Errors when there is no internet connection:
//
// * Firefox: NetworkError when attempting to fetch resource (with SW and without)
// * Safari (service worker enabled): FetchEvent.respondWith received an error: TypeError: Load failed
// * Safari (no service worker): Load failed
// * Chrome: Failed to fetch
//
2023-07-27 17:41:44 +08:00
// Common substrings: "fetch" "load failed"
const errorMessage = e.message.toLowerCase();
if (
errorMessage.includes("fetch") || errorMessage.includes("load failed")
) {
2024-01-21 05:53:51 +08:00
console.error(
"Got error fetching, throwing offline",
url,
e,
2024-01-21 05:53:51 +08:00
);
2023-07-27 17:41:44 +08:00
throw new Error("Offline");
}
throw e;
2022-04-30 00:54:27 +08:00
}
}
2023-01-13 22:41:29 +08:00
async fetchFileList(): Promise<FileMeta[]> {
const resp = await this.authenticatedFetch(`${this.url}/index.json`, {
method: "GET",
});
if (
resp.status === 200 &&
this.expectedSpacePath &&
2023-07-30 17:30:01 +08:00
resp.headers.get("X-Space-Path") &&
resp.headers.get("X-Space-Path") !== this.expectedSpacePath
) {
console.log("Expected space path", this.expectedSpacePath);
console.log("Got space path", resp.headers.get("X-Space-Path"));
await flushCachesAndUnregisterServiceWorker();
alert("Space folder path different on server, reloading the page");
location.reload();
}
return resp.json();
}
2022-09-12 20:50:37 +08:00
async readFile(
name: string,
): Promise<{ data: Uint8Array; meta: FileMeta }> {
2023-01-13 22:41:29 +08:00
const res = await this.authenticatedFetch(
`${this.url}/${encodePageURI(name)}`,
2023-01-13 22:41:29 +08:00
{
method: "GET",
headers: {
// This header won't trigger CORS preflight requests but can be interpreted on the server
Accept: "application/octet-stream",
},
2023-01-13 22:41:29 +08:00
},
);
if (res.status === 404) {
throw new Error(`Not found`);
2022-09-12 20:50:37 +08:00
}
return {
data: new Uint8Array(await res.arrayBuffer()),
2022-09-12 20:50:37 +08:00
meta: this.responseToMeta(name, res),
};
}
2022-09-12 20:50:37 +08:00
async writeFile(
name: string,
data: Uint8Array,
_selfUpdate?: boolean,
meta?: FileMeta,
2022-09-12 20:50:37 +08:00
): Promise<FileMeta> {
2023-01-13 22:41:29 +08:00
const headers: Record<string, string> = {
"Content-Type": "application/octet-stream",
};
if (meta) {
headers["X-Created"] = "" + meta.created;
headers["X-Last-Modified"] = "" + meta.lastModified;
headers["X-Perm"] = "" + meta.perm;
2023-01-13 22:41:29 +08:00
}
const res = await this.authenticatedFetch(
`${this.url}/${encodePageURI(name)}`,
2023-01-13 22:41:29 +08:00
{
method: "PUT",
headers,
body: data,
2022-09-12 20:50:37 +08:00
},
2023-01-13 22:41:29 +08:00
);
2022-09-12 20:50:37 +08:00
const newMeta = this.responseToMeta(name, res);
return newMeta;
}
2022-09-12 20:50:37 +08:00
async deleteFile(name: string): Promise<void> {
2023-01-13 22:41:29 +08:00
const req = await this.authenticatedFetch(
`${this.url}/${encodePageURI(name)}`,
2023-01-13 22:41:29 +08:00
{
method: "DELETE",
},
);
if (req.status !== 200) {
2022-09-12 20:50:37 +08:00
throw Error(`Failed to delete file: ${req.statusText}`);
}
}
2022-09-12 20:50:37 +08:00
async getFileMeta(name: string): Promise<FileMeta> {
2023-01-13 22:41:29 +08:00
const res = await this.authenticatedFetch(
`${this.url}/${encodePageURI(name)}`,
// This used to use HEAD, but it seems that Safari on iOS is blocking cookies/credentials to be sent along with HEAD requests
2023-08-08 21:00:18 +08:00
// so we'll use GET instead with a magic header which the server may or may not use to omit the body.
2023-01-13 22:41:29 +08:00
{
method: "GET",
2023-08-08 21:00:18 +08:00
headers: {
"X-Get-Meta": "true",
},
2023-01-13 22:41:29 +08:00
},
);
if (res.status === 404) {
throw new Error(`Not found`);
2022-09-12 20:50:37 +08:00
}
2023-10-06 00:24:12 +08:00
if (!res.ok) {
throw new Error(`Failed to get file meta: ${res.statusText}`);
}
2022-09-12 20:50:37 +08:00
return this.responseToMeta(name, res);
}
private responseToMeta(name: string, res: Response): FileMeta {
return {
name,
2023-08-08 21:00:18 +08:00
// The server may set a custom X-Content-Length header in case a GET request was sent with X-Get-Meta, in which case the body may be omitted
size: res.headers.has("X-Content-Length")
? +res.headers.get("X-Content-Length")!
: +res.headers.get("Content-Length")!,
2022-09-12 20:50:37 +08:00
contentType: res.headers.get("Content-type")!,
created: +(res.headers.get("X-Created") || "0"),
lastModified: +(res.headers.get("X-Last-Modified") || "0"),
2023-08-16 02:15:27 +08:00
perm: (res.headers.get("X-Permission") as "rw" | "ro") || "ro",
2022-09-12 20:50:37 +08:00
};
}
2023-07-27 18:37:39 +08:00
// Used to check if the server is reachable and the user is authenticated
// If not: throws an error or invokes a redirect
async ping() {
await this.authenticatedFetch(`${this.url}/.ping`, {
2023-07-28 21:34:12 +08:00
method: "GET",
headers: {
Accept: "application/json",
},
}, 5000);
2023-07-27 18:37:39 +08:00
}
}