Skip to content

Commit 8cbc7c8

Browse files
authored
Virtual Routes Support (#1799)
* add first test * new VirtualRoutes mixin that handles routes. fetch tries to use VirtualRoutes. default config updated * cover all basic use cases * regex matching in routes * covered all virtual routes tests * added hack to fix config test on firefox * removed formatting regex matches into string routes * added support for "next" function * added docs * navigate now supports both hash and history routerModes * waiting for networkidle in navigateToRoute helper * promiseless implementation * remove firefox workaround from catchPluginErrors test, since we no longer use promises * updated docs * updated docs for "alias" as well * minor rephrasing * removed non-legacy code from exact-match; updated navigateToRoute helper to infer router mode from page * moved endsWith from router utils to general utils; added startsWith util; refactored makeExactMatcher to use both * updated docs per feedback * moved navigateToRoute helper into the virtual-routes test file * moved navigateToRoute to top of file * updated docs per pr comments
1 parent b8b221f commit 8cbc7c8

File tree

12 files changed

+570
-21
lines changed

12 files changed

+570
-21
lines changed

.eslintrc.js

+8-1
Original file line numberDiff line numberDiff line change
@@ -41,7 +41,14 @@ module.exports = {
4141
'no-shadow': [
4242
'error',
4343
{
44-
allow: ['Events', 'Fetch', 'Lifecycle', 'Render', 'Router'],
44+
allow: [
45+
'Events',
46+
'Fetch',
47+
'Lifecycle',
48+
'Render',
49+
'Router',
50+
'VirtualRoutes',
51+
],
4552
},
4653
],
4754
'no-unused-vars': ['error', { args: 'none' }],

docs/configuration.md

+86
Original file line numberDiff line numberDiff line change
@@ -35,6 +35,7 @@ The config can also be defined as a function, in which case the first argument i
3535
- Type: `Object`
3636

3737
Set the route alias. You can freely manage routing rules. Supports RegExp.
38+
Do note that order matters! If a route can be matched by multiple aliases, the one you declared first takes precedence.
3839

3940
```js
4041
window.$docsify = {
@@ -680,6 +681,91 @@ window.$docsify = {
680681
};
681682
```
682683

684+
## routes
685+
686+
- Type: `Object`
687+
688+
Define "virtual" routes that can provide content dynamically. A route is a map between the expected path, to either a string or a function. If the mapped value is a string, it is treated as markdown and parsed accordingly. If it is a function, it is expected to return markdown content.
689+
690+
A route function receives up to three parameters:
691+
1. `route` - the path of the route that was requested (e.g. `/bar/baz`)
692+
2. `matched` - the [`RegExpMatchArray`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/match) that was matched by the route (e.g. for `/bar/(.+)`, you get `['/bar/baz', 'baz']`)
693+
3. `next` - this is a callback that you may call when your route function is async
694+
695+
Do note that order matters! Routes are matched the same order you declare them in, which means that in cases where you have overlapping routes, you might want to list the more specific ones first.
696+
697+
```js
698+
window.$docsify = {
699+
routes: {
700+
// Basic match w/ return string
701+
'/foo': '# Custom Markdown',
702+
703+
// RegEx match w/ synchronous function
704+
'/bar/(.*)': function(route, matched) {
705+
return '# Custom Markdown';
706+
},
707+
708+
// RegEx match w/ asynchronous function
709+
'/baz/(.*)': function(route, matched, next) {
710+
// Requires `fetch` polyfill for legacy browsers (https://github.github.io/fetch/)
711+
fetch('/api/users?id=12345')
712+
.then(function(response) {
713+
next('# Custom Markdown');
714+
})
715+
.catch(function(err) {
716+
// Handle error...
717+
});
718+
}
719+
}
720+
}
721+
```
722+
723+
Other than strings, route functions can return a falsy value (`null` \ `undefined`) to indicate that they ignore the current request:
724+
725+
```js
726+
window.$docsify = {
727+
routes: {
728+
// accepts everything other than dogs (synchronous)
729+
'/pets/(.+)': function(route, matched) {
730+
if (matched[0] === 'dogs') {
731+
return null;
732+
} else {
733+
return 'I like all pets but dogs';
734+
}
735+
}
736+
737+
// accepts everything other than cats (asynchronous)
738+
'/pets/(.*)': function(route, matched, next) {
739+
if (matched[0] === 'cats') {
740+
next();
741+
} else {
742+
// Async task(s)...
743+
next('I like all pets but cats');
744+
}
745+
}
746+
}
747+
}
748+
```
749+
750+
Finally, if you have a specific path that has a real markdown file (and therefore should not be matched by your route), you can opt it out by returning an explicit `false` value:
751+
752+
```js
753+
window.$docsify = {
754+
routes: {
755+
// if you look up /pets/cats, docsify will skip all routes and look for "pets/cats.md"
756+
'/pets/cats': function(route, matched) {
757+
return false;
758+
}
759+
760+
// but any other pet should generate dynamic content right here
761+
'/pets/(.+)': function(route, matched) {
762+
const pet = matched[0];
763+
return `your pet is ${pet} (but not a cat)`;
764+
}
765+
}
766+
}
767+
```
768+
683769
## subMaxLevel
684770

685771
- Type: `Number`

src/core/Docsify.js

+5-1
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@ import { Router } from './router/index.js';
22
import { Render } from './render/index.js';
33
import { Fetch } from './fetch/index.js';
44
import { Events } from './event/index.js';
5+
import { VirtualRoutes } from './virtual-routes/index.js';
56
import initGlobalAPI from './global-api.js';
67

78
import config from './config.js';
@@ -11,7 +12,10 @@ import { Lifecycle } from './init/lifecycle';
1112
/** @typedef {new (...args: any[]) => any} Constructor */
1213

1314
// eslint-disable-next-line new-cap
14-
export class Docsify extends Fetch(Events(Render(Router(Lifecycle(Object))))) {
15+
export class Docsify extends Fetch(
16+
// eslint-disable-next-line new-cap
17+
Events(Render(VirtualRoutes(Router(Lifecycle(Object)))))
18+
) {
1519
constructor() {
1620
super();
1721

src/core/config.js

+1
Original file line numberDiff line numberDiff line change
@@ -33,6 +33,7 @@ export default function (vm) {
3333
notFoundPage: true,
3434
relativePath: false,
3535
repo: '',
36+
routes: {},
3637
routerMode: 'hash',
3738
subMaxLevel: 0,
3839
themeColor: '',

src/core/fetch/index.js

+33-14
Original file line numberDiff line numberDiff line change
@@ -96,25 +96,44 @@ export function Fetch(Base) {
9696
// Abort last request
9797

9898
const file = this.router.getFile(path);
99-
const req = request(file + qs, true, requestHeaders);
10099

101100
this.isRemoteUrl = isExternal(file);
102101
// Current page is html
103102
this.isHTML = /\.html$/g.test(file);
104103

105-
// Load main content
106-
req.then(
107-
(text, opt) =>
108-
this._renderMain(
109-
text,
110-
opt,
111-
this._loadSideAndNav(path, qs, loadSidebar, cb)
112-
),
113-
_ => {
114-
this._fetchFallbackPage(path, qs, cb) ||
115-
this._fetch404(file, qs, cb);
116-
}
117-
);
104+
// create a handler that should be called if content was fetched successfully
105+
const contentFetched = (text, opt) => {
106+
this._renderMain(
107+
text,
108+
opt,
109+
this._loadSideAndNav(path, qs, loadSidebar, cb)
110+
);
111+
};
112+
113+
// and a handler that is called if content failed to fetch
114+
const contentFailedToFetch = _ => {
115+
this._fetchFallbackPage(path, qs, cb) || this._fetch404(file, qs, cb);
116+
};
117+
118+
// attempt to fetch content from a virtual route, and fallback to fetching the actual file
119+
if (!this.isRemoteUrl) {
120+
this.matchVirtualRoute(path).then(contents => {
121+
if (typeof contents === 'string') {
122+
contentFetched(contents);
123+
} else {
124+
request(file + qs, true, requestHeaders).then(
125+
contentFetched,
126+
contentFailedToFetch
127+
);
128+
}
129+
});
130+
} else {
131+
// if the requested url is not local, just fetch the file
132+
request(file + qs, true, requestHeaders).then(
133+
contentFetched,
134+
contentFailedToFetch
135+
);
136+
}
118137

119138
// Load nav
120139
loadNavbar &&

src/core/router/history/hash.js

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
import { noop } from '../../util/core';
22
import { on } from '../../util/dom';
3-
import { parseQuery, cleanPath, replaceSlug, endsWith } from '../util';
3+
import { endsWith } from '../../util/str';
4+
import { parseQuery, cleanPath, replaceSlug } from '../util';
45
import { History } from './base';
56

67
function replaceHash(path) {

src/core/router/util.js

-4
Original file line numberDiff line numberDiff line change
@@ -113,7 +113,3 @@ export function getPath(...args) {
113113
export const replaceSlug = cached(path => {
114114
return path.replace('#', '?id=');
115115
});
116-
117-
export function endsWith(str, suffix) {
118-
return str.indexOf(suffix, str.length - suffix.length) !== -1;
119-
}

src/core/util/str.js

+7
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
export function startsWith(str, prefix) {
2+
return str.indexOf(prefix) === 0;
3+
}
4+
5+
export function endsWith(str, suffix) {
6+
return str.indexOf(suffix, str.length - suffix.length) !== -1;
7+
}
+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
import { startsWith, endsWith } from '../util/str';
2+
3+
/**
4+
* Adds beginning of input (^) and end of input ($) assertions if needed into a regex string
5+
* @param {string} matcher the string to match
6+
* @returns {string}
7+
*/
8+
export function makeExactMatcher(matcher) {
9+
const matcherWithBeginningOfInput = startsWith(matcher, '^')
10+
? matcher
11+
: `^${matcher}`;
12+
13+
const matcherWithBeginningAndEndOfInput = endsWith(
14+
matcherWithBeginningOfInput,
15+
'$'
16+
)
17+
? matcherWithBeginningOfInput
18+
: `${matcherWithBeginningOfInput}$`;
19+
20+
return matcherWithBeginningAndEndOfInput;
21+
}

src/core/virtual-routes/index.js

+93
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,93 @@
1+
import { makeExactMatcher } from './exact-match';
2+
import { createNextFunction } from './next';
3+
4+
/** @typedef {import('../Docsify').Constructor} Constructor */
5+
6+
/** @typedef {Record<string, string | VirtualRouteHandler>} VirtualRoutesMap */
7+
/** @typedef {(route: string, match: RegExpMatchArray | null) => string | void | Promise<string | void> } VirtualRouteHandler */
8+
9+
/**
10+
* @template {!Constructor} T
11+
* @param {T} Base - The class to extend
12+
*/
13+
export function VirtualRoutes(Base) {
14+
return class VirtualRoutes extends Base {
15+
/**
16+
* Gets the Routes object from the configuration
17+
* @returns {VirtualRoutesMap}
18+
*/
19+
routes() {
20+
return this.config.routes || {};
21+
}
22+
23+
/**
24+
* Attempts to match the given path with a virtual route.
25+
* @param {string} path the path of the route to match
26+
* @returns {Promise<string | null>} resolves to string if route was matched, otherwise null
27+
*/
28+
matchVirtualRoute(path) {
29+
const virtualRoutes = this.routes();
30+
const virtualRoutePaths = Object.keys(virtualRoutes);
31+
32+
let done = () => null;
33+
34+
/**
35+
* This is a tail recursion that iterates over all the available routes.
36+
* It can result in one of two ways:
37+
* 1. Call itself (essentially reviewing the next route)
38+
* 2. Call the "done" callback with the result (either the contents, or "null" if no match was found)
39+
*/
40+
function asyncMatchNextRoute() {
41+
const virtualRoutePath = virtualRoutePaths.shift();
42+
if (!virtualRoutePath) {
43+
return done(null);
44+
}
45+
46+
const matcher = makeExactMatcher(virtualRoutePath);
47+
const matched = path.match(matcher);
48+
49+
if (!matched) {
50+
return asyncMatchNextRoute();
51+
}
52+
53+
const virtualRouteContentOrFn = virtualRoutes[virtualRoutePath];
54+
55+
if (typeof virtualRouteContentOrFn === 'string') {
56+
const contents = virtualRouteContentOrFn;
57+
return done(contents);
58+
}
59+
60+
if (typeof virtualRouteContentOrFn === 'function') {
61+
const fn = virtualRouteContentOrFn;
62+
63+
const [next, onNext] = createNextFunction();
64+
onNext(contents => {
65+
if (typeof contents === 'string') {
66+
return done(contents);
67+
} else if (contents === false) {
68+
return done(null);
69+
} else {
70+
return asyncMatchNextRoute();
71+
}
72+
});
73+
74+
if (fn.length <= 2) {
75+
const returnedValue = fn(path, matched);
76+
return next(returnedValue);
77+
} else {
78+
return fn(path, matched, next);
79+
}
80+
}
81+
82+
return asyncMatchNextRoute();
83+
}
84+
85+
return {
86+
then: function (cb) {
87+
done = cb;
88+
asyncMatchNextRoute();
89+
},
90+
};
91+
}
92+
};
93+
}

src/core/virtual-routes/next.js

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
/** @typedef {((value: any) => void) => void} OnNext */
2+
/** @typedef {(value: any) => void} NextFunction */
3+
4+
/**
5+
* Creates a pair of a function and an event emitter.
6+
* When the function is called, the event emitter calls the given callback with the value that was passed to the function.
7+
* @returns {[NextFunction, OnNext]}
8+
*/
9+
export function createNextFunction() {
10+
let storedCb = () => null;
11+
12+
function next(value) {
13+
storedCb(value);
14+
}
15+
16+
function onNext(cb) {
17+
storedCb = cb;
18+
}
19+
20+
return [next, onNext];
21+
}

0 commit comments

Comments
 (0)