Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
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
11 changes: 11 additions & 0 deletions src/setup-utils/SwiftDocCRenderRouter.js
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@
*/

import Router from 'vue-router';
import AppStore from 'docc-render/stores/AppStore';
import {
notFoundRouteName,
serverErrorRouteName,
Expand All @@ -21,6 +22,7 @@ import {
import routes from 'docc-render/routes';
import { baseUrl } from 'docc-render/utils/theme-settings';
import { addPrefixedRoutes } from 'docc-render/utils/route-utils';
import { runCustomPageLoadScripts, runCustomNavigateScripts } from 'docc-render/utils/custom-scripts';

const defaultRoutes = [
...routes,
Expand Down Expand Up @@ -49,6 +51,15 @@ export default function createRouterInstance(routerConfig = {}) {
restoreScrollOnReload();
});

router.afterEach(async () => {
if (AppStore.state.firstRoutingEventHasOccurred) {
await runCustomNavigateScripts();
} else {
await runCustomPageLoadScripts();
AppStore.setFirstRoutingEventHasOccurred(true);
}
});

if (process.env.VUE_APP_TARGET !== 'ide') {
router.onError((error) => {
const { route = { path: '/' } } = error;
Expand Down
5 changes: 5 additions & 0 deletions src/stores/AppStore.js
Original file line number Diff line number Diff line change
Expand Up @@ -30,13 +30,15 @@ export default {
supportsAutoColorScheme,
systemColorScheme: ColorScheme.light,
availableLocales: [],
firstRoutingEventHasOccurred: false,
},
reset() {
this.state.imageLoadingStrategy = process.env.VUE_APP_TARGET === 'ide'
? ImageLoadingStrategy.eager : ImageLoadingStrategy.lazy;
this.state.preferredColorScheme = Settings.preferredColorScheme || defaultColorScheme;
this.state.supportsAutoColorScheme = supportsAutoColorScheme;
this.state.systemColorScheme = ColorScheme.light;
this.state.firstRoutingEventHasOccurred = false;
},
setImageLoadingStrategy(strategy) {
this.state.imageLoadingStrategy = strategy;
Expand All @@ -59,6 +61,9 @@ export default {
setSystemColorScheme(value) {
this.state.systemColorScheme = value;
},
setFirstRoutingEventHasOccurred(hasOccurred) {
this.state.firstRoutingEventHasOccurred = hasOccurred;
},
syncPreferredColorScheme() {
if (!!Settings.preferredColorScheme
&& Settings.preferredColorScheme !== this.state.preferredColorScheme) {
Expand Down
210 changes: 210 additions & 0 deletions src/utils/custom-scripts.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,210 @@
/**
* This source file is part of the Swift.org open source project
*
* Copyright (c) 2021 Apple Inc. and the Swift project authors
* Licensed under Apache License v2.0 with Runtime Library Exception
*
* See https://swift.org/LICENSE.txt for license information
* See https://swift.org/CONTRIBUTORS.txt for Swift project authors
*/

import {
copyPresentProperties,
copyPropertyIfPresent,
has,
mustNotHave,
} from 'docc-render/utils/object-properties';
import { resolveAbsoluteUrl } from 'docc-render/utils/url-helper';
import { fetchText } from 'docc-render/utils/data';

/** Enum for the allowed values of the `run` property in a custom script. */
const Run = {
onLoad: 'on-load',
onLoadAndNavigate: 'on-load-and-navigate',
onNavigate: 'on-navigate',
};

/**
* Returns whether the custom script should be run when the reader navigates to a subpage.
* @param {object} customScript
* @returns {boolean} Returns whether the custom script has a `run` property with a value of
* "on-load" or "on-load-and-navigate". Also returns true if the `run` property is absent.
*/
function shouldRunOnPageLoad(customScript) {
return !has(customScript, 'run')
|| customScript.run === Run.onLoad || customScript.run === Run.onLoadAndNavigate;
}

/**
* Returns whether the custom script should be run when the reader navigates to a topic.
* @param {object} customScript
* @returns {boolean} Returns whether the custom script has a `run` property with a value of
* "on-navigate" or "on-load-and-navigate".
*/
function shouldRunOnNavigate(customScript) {
return has(customScript, 'run')
&& (customScript.run === Run.onNavigate || customScript.run === Run.onLoadAndNavigate);
}

/**
* Gets the URL for a local custom script given its name.
* @param {string} customScriptName The name of the custom script as spelled in
* custom-scripts.json. While the actual filename (in the custom-scripts directory) is always
* expected to end in ".js", the name in custom-scripts.json may or may not include the ".js"
* extension.
* @returns {string} The absolute URL where the script is, accounting for baseURL.
* @example
* // if baseURL is '/foo'
* urlGivenScriptName('hello-world') // http://localhost:8080/foo/hello-world.js
* urlGivenScriptName('hello-world.js') // http://localhost:8080/foo/hello-world.js
*/
function urlGivenScriptName(customScriptName) {
let scriptNameWithExtension = customScriptName;

// If the provided name does not already include the ".js" extension, add it.
if (customScriptName.slice(-3) !== '.js') {
scriptNameWithExtension = `${customScriptName}.js`;
}

return resolveAbsoluteUrl(['', 'custom-scripts', scriptNameWithExtension]);
}

/**
* Add an HTMLScriptElement containing the custom script to the document's head, which runs the
* script on page load.
* @param {object} customScript The custom script, assuming it should be run on page load.
*/
function addScriptElement(customScript) {
const scriptElement = document.createElement('script');

copyPropertyIfPresent('type', customScript, scriptElement);

if (has(customScript, 'url')) {
mustNotHave(customScript, 'name', 'Custom script cannot have both `url` and `name`.');
mustNotHave(customScript, 'code', 'Custom script cannot have both `url` and `code`.');

scriptElement.src = customScript.url;

// Dynamically-created script elements are `async` by default. But we don't want custom
// scripts to be implicitly async, because if a documentation author adds `defer` to some or
// all of their custom scripts (meaning that they want the execution order of those scripts to
// be deterministic), then the author's `defer` will be overriden by the implicit `async`,
// meaning that the execution order will be unexpectedly nondeterministic.
//
// Therefore, remove the script element's `async` unless async is explicitly enabled.
scriptElement.async = customScript.async || false;

copyPresentProperties(['defer', 'integrity'], customScript, scriptElement);

// If `integrity` is set on an external script, then CORS must be enabled as well.
if (has(customScript, 'integrity')) {
scriptElement.crossOrigin = 'anonymous';
}
} else if (has(customScript, 'name')) {
mustNotHave(customScript, 'code', 'Custom script cannot have both `name` and `code`.');

scriptElement.src = urlGivenScriptName(customScript.name);
scriptElement.async = customScript.async || false;

copyPresentProperties(['async', 'defer', 'integrity'], customScript, scriptElement);
} else if (has(customScript, 'code')) {
mustNotHave(customScript, 'async', 'Inline script cannot be `async`.');
mustNotHave(customScript, 'defer', 'Inline script cannot have `defer`.');
mustNotHave(customScript, 'integrity', 'Inline script cannot have `integrity`.');

scriptElement.innerHTML = customScript.code;
} else {
throw new Error('Custom script does not have `url`, `name`, or `code` properties.');
}

document.head.appendChild(scriptElement);
}

/**
* Run the custom script using `new Function`, which is essentially `eval` but without exposing
* local variables. Useful for running a custom script anytime after page load, namely when the
* reader navigates to a subpage.
* @param {object} customScript The custom script, assuming it should be run on navigate.
*/
async function evalScript(customScript) {
let codeToEval;

if (has(customScript, 'url')) {
mustNotHave(customScript, 'name', 'Custom script cannot have both `url` and `name`.');
mustNotHave(customScript, 'code', 'Custom script cannot have both `url` and `code`.');

if (has(customScript, 'integrity')) {
// External script with integrity. Must also use CORS.
codeToEval = await fetchText(customScript.url, {}, {
integrity: customScript.integrity,
crossOrigin: 'anonymous',
});
} else {
// External script without integrity.
codeToEval = await fetchText(customScript.url);
}
} else if (has(customScript, 'name')) {
mustNotHave(customScript, 'code', 'Custom script cannot have both `name` and `code`.');

const url = urlGivenScriptName(customScript.name);

if (has(customScript, 'integrity')) {
// Local script with integrity. Do not use CORS.
codeToEval = await fetchText(url, {}, { integrity: customScript.integrity });
} else {
// Local script without integrity.
codeToEval = await fetchText(url);
}
} else if (has(customScript, 'code')) {
mustNotHave(customScript, 'async', 'Inline script cannot be `async`.');
mustNotHave(customScript, 'defer', 'Inline script cannot have `defer`.');
mustNotHave(customScript, 'integrity', 'Inline script cannot have `integrity`.');

codeToEval = customScript.code;
} else {
throw new Error('Custom script does not have `url`, `name`, or `code` properties.');
}

// eslint-disable-next-line no-new-func
new Function(codeToEval)();
}

/**
* Run all custom scripts that pass the `predicate` using the `executor`.
* @param {(customScript: object) => boolean} predicate
* @param {(customScript: object) => void} executor
* @returns {Promise<void>}
*/
async function runCustomScripts(predicate, executor) {
const customScriptsFileName = 'custom-scripts.json';
const url = resolveAbsoluteUrl(`/${customScriptsFileName}`);

const response = await fetch(url);
if (!response.ok) {
// If the file is absent, fail silently.
return;
}

const customScripts = await response.json();
if (!Array.isArray(customScripts)) {
throw new Error(`Content of ${customScriptsFileName} should be an array.`);
}

customScripts.filter(predicate).forEach(executor);
}

/**
* Runs all "on-load" and "on-load-and-navigate" scripts.
* @returns {Promise<void>}
*/
export async function runCustomPageLoadScripts() {
await runCustomScripts(shouldRunOnPageLoad, addScriptElement);
}

/**
* Runs all "on-navigate" and "on-load-and-navigate" scripts.
* @returns {Promise<void>}
*/
export async function runCustomNavigateScripts() {
await runCustomScripts(shouldRunOnNavigate, evalScript);
}
26 changes: 25 additions & 1 deletion src/utils/data.js
Original file line number Diff line number Diff line change
Expand Up @@ -16,7 +16,7 @@ import emitWarningForSchemaVersionMismatch from 'docc-render/utils/schema-versio
import RedirectError from 'docc-render/errors/RedirectError';
import FetchError from 'docc-render/errors/FetchError';

export async function fetchData(path, params = {}, options = {}) {
async function safeFetch(path, params = {}, options = {}) {
function isBadResponse(response) {
// When this is running in an IDE target, the `fetch` API will be used with
// custom URL schemes. Right now, WebKit will return successful responses
Expand Down Expand Up @@ -50,11 +50,35 @@ export async function fetchData(path, params = {}, options = {}) {
});
}

return response;
}

/**
* Fetch the contents of a file as an object.
* @param {string} path The file path.
* @param {any} params Object containing URL query parameters.
* @param {RequestInit} options Fetch options.
* @returns {Promise<any>} The contents of the file.
*/
export async function fetchData(path, params = {}, options = {}) {
const response = await safeFetch(path, params, options);
const json = await response.json();
emitWarningForSchemaVersionMismatch(json.schemaVersion);
return json;
}

/**
* Fetch the contents of a file as text.
* @param {string} path The file path.
* @param {any} params Object containing URL query parameters.
* @param {RequestInit} options Fetch options.
* @returns {Promise<string>} The text contents of the file.
*/
export async function fetchText(path, params = {}, options = {}) {
const response = await safeFetch(path, params, options);
return response.text();
}

function createDataPath(path) {
const dataPath = path.replace(/\/$/, '');
return `${normalizePath(['/data', dataPath])}.json`;
Expand Down
48 changes: 48 additions & 0 deletions src/utils/object-properties.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,48 @@
/**
* This source file is part of the Swift.org open source project
*
* Copyright (c) 2021 Apple Inc. and the Swift project authors
* Licensed under Apache License v2.0 with Runtime Library Exception
*
* See https://swift.org/LICENSE.txt for license information
* See https://swift.org/CONTRIBUTORS.txt for Swift project authors
*/

/** Convenient shorthand for `Object.hasOwn`. */
export const has = Object.hasOwn;
/**
* Copies source.property, if it exists, to destination.property.
* @param {string} property
* @param {object} source
* @param {object} destination
*/
export function copyPropertyIfPresent(property, source, destination) {
if (has(source, property)) {
// eslint-disable-next-line no-param-reassign
destination[property] = source[property];
}
}

/**
* Copies all specified properties present in the source to the destination.
* @param {string[]} properties
* @param {object} source
* @param {object} destination
*/
export function copyPresentProperties(properties, source, destination) {
properties.forEach((property) => {
copyPropertyIfPresent(property, source, destination);
});
}

/**
* Throws an error if `object` has the property `property`.
* @param {object} object
* @param {string} property
* @param {string} errorMessage
*/
export function mustNotHave(object, property, errorMessage) {
if (has(object, property)) {
throw new Error(errorMessage);
}
}
2 changes: 1 addition & 1 deletion src/utils/theme-settings.js
Original file line number Diff line number Diff line change
Expand Up @@ -23,7 +23,7 @@ export const themeSettingsState = {
export const { baseUrl } = window;

/**
* Method to fetch the theme settings and store in local module state.
* Fetches the theme settings and store in local module state.
* Method is called before Vue boots in `main.js`.
* @return {Promise<{}>}
*/
Expand Down
Loading