Commit 6b0c776f authored by Robert Knight's avatar Robert Knight

Reimplement service URL fetching

Change the way that links pointing into the Hypothesis service (eg. for
tags, users, account settings etc.) are fetched and generated. The new
implementation better matches patterns used elsewhere in the application
and ensures that UI components displaying these links re-render if the
`/api/links` response is received after the component is initially
rendered.

 - Move the logic for rendering the URL templates from the `serviceUrl`
   service into a selector in the `links` store module. Components then
   render links using `store.getLink(...)`. This ensures use of the existing
   mechanism that re-renders components when relevant store data changes.

 - Convert the `serviceUrl` service to an ES class

 - Move the logic for fetching URL templates from the `/api/links`
   endpoint into an `init` method of the `ServiceURLService` service.
   This matches the convention used by several other services.

 - Remove unused `serviceUrl` dependency from `groups` service
parent 47f24786
......@@ -20,7 +20,6 @@ import AnnotationUser from './AnnotationUser';
/**
* @typedef {import("../../../types/api").Annotation} Annotation
* @typedef {import('../../services/service-url').ServiceUrlGetter} ServiceUrlGetter
* @typedef {import('../../../types/config').MergedConfig} MergedConfig
*/
......@@ -30,7 +29,6 @@ import AnnotationUser from './AnnotationUser';
* @prop {boolean} [isEditing] - Whether the annotation is actively being edited
* @prop {number} replyCount - How many replies this annotation currently has
* @prop {boolean} threadIsCollapsed - Is this thread currently collapsed?
* @prop {ServiceUrlGetter} serviceUrl - Injected service
* @prop {MergedConfig} settings - Injected
*
*/
......@@ -47,7 +45,6 @@ function AnnotationHeader({
isEditing,
replyCount,
threadIsCollapsed,
serviceUrl,
settings,
}) {
const store = useStoreProxy();
......@@ -63,7 +60,7 @@ function AnnotationHeader({
const authorLink = (() => {
if (!isThirdParty) {
return serviceUrl('user', { user: annotation.user });
return store.getLink('user', { user: annotation.user });
} else {
return (
(settings.usernameUrl &&
......@@ -174,6 +171,6 @@ function AnnotationHeader({
);
}
AnnotationHeader.injectedProps = ['serviceUrl', 'settings'];
AnnotationHeader.injectedProps = ['settings'];
export default withServices(AnnotationHeader);
......@@ -15,7 +15,6 @@ describe('AnnotationHeader', () => {
let fakeIsReply;
let fakeHasBeenEdited;
let fakeIsPrivate;
let fakeServiceUrl;
let fakeSettings;
let fakeStore;
......@@ -26,7 +25,6 @@ describe('AnnotationHeader', () => {
isEditing={false}
replyCount={0}
threadIsCollapsed={false}
serviceUrl={fakeServiceUrl}
settings={fakeSettings}
{...props}
/>
......@@ -47,11 +45,11 @@ describe('AnnotationHeader', () => {
fakeAnnotationDisplayName = sinon.stub().returns('Robbie Burns');
fakeServiceUrl = sinon.stub().returns('http://example.com');
fakeSettings = { usernameUrl: 'http://foo.bar/' };
fakeStore = {
defaultAuthority: sinon.stub().returns('foo.com'),
getLink: sinon.stub().returns('http://example.com'),
isFeatureEnabled: sinon.stub().returns(false),
route: sinon.stub().returns('sidebar'),
setExpanded: sinon.stub(),
......
......@@ -16,7 +16,6 @@ import GroupListSection from './GroupListSection';
/**
* @typedef {import('../../../types/config').MergedConfig} MergedConfig
* @typedef {import('../../../types/api').Group} Group
* @typedef {import('../../services/service-url').ServiceUrlGetter} ServiceUrlGetter
*/
/**
......@@ -30,7 +29,6 @@ function publisherProvidedIcon(settings) {
/**
* @typedef GroupListProps
* @prop {ServiceUrlGetter} serviceUrl
* @prop {MergedConfig} settings
*/
......@@ -40,7 +38,7 @@ function publisherProvidedIcon(settings) {
*
* @param {GroupListProps} props
*/
function GroupList({ serviceUrl, settings }) {
function GroupList({ settings }) {
const store = useStoreProxy();
const currentGroups = store.getCurrentlyViewingGroups();
const featuredGroups = store.getFeaturedGroups();
......@@ -65,7 +63,7 @@ function GroupList({ serviceUrl, settings }) {
const defaultAuthority = store.defaultAuthority();
const canCreateNewGroup =
userid && !isThirdPartyUser(userid, defaultAuthority);
const newGroupLink = serviceUrl('groups.new');
const newGroupLink = store.getLink('groups.new');
// The group whose submenu is currently open, or `null` if no group item is
// currently expanded.
......@@ -150,6 +148,6 @@ function GroupList({ serviceUrl, settings }) {
);
}
GroupList.injectedProps = ['serviceUrl', 'settings'];
GroupList.injectedProps = ['settings'];
export default withServices(GroupList);
......@@ -7,15 +7,12 @@ import mockImportedComponents from '../../../../test-util/mock-imported-componen
describe('GroupList', () => {
let fakeServiceConfig;
let fakeServiceUrl;
let fakeSettings;
let fakeStore;
let testGroup;
function createGroupList() {
return mount(
<GroupList serviceUrl={fakeServiceUrl} settings={fakeSettings} />
);
return mount(<GroupList settings={fakeSettings} />);
}
/**
......@@ -46,12 +43,12 @@ describe('GroupList', () => {
organization: { id: 'testorg', name: 'Test Org' },
};
fakeServiceUrl = sinon.stub();
fakeSettings = {};
fakeStore = {
defaultAuthority: sinon.stub().returns('hypothes.is'),
getCurrentlyViewingGroups: sinon.stub().returns([]),
getFeaturedGroups: sinon.stub().returns([]),
getLink: sinon.stub().returns(''),
getMyGroups: sinon.stub().returns([]),
focusedGroup: sinon.stub().returns(testGroup),
profile: sinon.stub().returns({ userid: null }),
......@@ -156,7 +153,7 @@ describe('GroupList', () => {
});
it('opens new window at correct URL when "New private group" is clicked', () => {
fakeServiceUrl
fakeStore.getLink
.withArgs('groups.new')
.returns('https://example.com/groups/new');
fakeStore.profile.returns({ userid: 'jsmith@hypothes.is' });
......
......@@ -22,7 +22,6 @@ import TopBar from './TopBar';
/**
* @typedef {import('../../types/api').Profile} Profile
* @typedef {import('../services/service-url').ServiceUrlGetter} ServiceUrlGetter
* @typedef {import('../../types/config').MergedConfig} MergedConfig
* @typedef {import('../../shared/bridge').default} Bridge
*/
......@@ -55,7 +54,6 @@ function authStateFromProfile(profile) {
* @typedef HypothesisAppProps
* @prop {import('../services/auth').AuthService} auth
* @prop {Bridge} bridge
* @prop {ServiceUrlGetter} serviceUrl
* @prop {MergedConfig} settings
* @prop {Object} session
* @prop {import('../services/toast-messenger').ToastMessengerService} toastMessenger
......@@ -69,14 +67,7 @@ function authStateFromProfile(profile) {
*
* @param {HypothesisAppProps} props
*/
function HypothesisApp({
auth,
bridge,
serviceUrl,
settings,
session,
toastMessenger,
}) {
function HypothesisApp({ auth, bridge, settings, session, toastMessenger }) {
const store = useStoreProxy();
const hasFetchedProfile = store.hasFetchedProfile();
const profile = store.profile();
......@@ -127,7 +118,7 @@ function HypothesisApp({
bridge.call(bridgeEvents.SIGNUP_REQUESTED);
return;
}
window.open(serviceUrl('signup'));
window.open(store.getLink('signup'));
};
const promptToLogout = async () => {
......@@ -211,7 +202,6 @@ function HypothesisApp({
HypothesisApp.injectedProps = [
'auth',
'bridge',
'serviceUrl',
'session',
'settings',
'toastMessenger',
......
import { LinkButton, SvgIcon } from '@hypothesis/frontend-shared';
import { withServices } from '../service-context';
/** @typedef {import('../services/service-url').ServiceUrlGetter} ServiceUrlGetter */
import { useStoreProxy } from '../store/use-store';
/**
* @typedef LoggedOutMessageProps
* @prop {() => any} onLogin
* @prop {ServiceUrlGetter} serviceUrl
*/
/**
......@@ -17,7 +14,9 @@ import { withServices } from '../service-context';
*
* @param {LoggedOutMessageProps} props
*/
function LoggedOutMessage({ onLogin, serviceUrl }) {
function LoggedOutMessage({ onLogin }) {
const store = useStoreProxy();
return (
<div className="LoggedOutMessage">
<span>
......@@ -25,7 +24,7 @@ function LoggedOutMessage({ onLogin, serviceUrl }) {
To reply or make your own annotations on this document,{' '}
<a
className="LoggedOutMessage__link"
href={serviceUrl('signup')}
href={store.getLink('signup')}
target="_blank"
rel="noopener noreferrer"
>
......@@ -54,6 +53,4 @@ function LoggedOutMessage({ onLogin, serviceUrl }) {
);
}
LoggedOutMessage.injectedProps = ['serviceUrl'];
export default withServices(LoggedOutMessage);
export default LoggedOutMessage;
......@@ -2,7 +2,6 @@ import { useMemo } from 'preact/hooks';
import { useStoreProxy } from '../store/use-store';
import { isThirdPartyUser } from '../helpers/account-id';
import { withServices } from '../service-context';
/** @typedef {import('../../types/api').Annotation} Annotation */
......@@ -10,14 +9,13 @@ import { withServices } from '../service-context';
* @typedef TagListProps
* @prop {Annotation} annotation - Annotation that owns the tags.
* @prop {string[]} tags - List of tags as strings.
* @prop {(a: string, b: Object<'tag', string>) => any} serviceUrl - Services
*/
/**
* Component to render an annotation's tags.
* @param {TagListProps} props
*/
function TagList({ annotation, serviceUrl, tags }) {
function TagList({ annotation, tags }) {
const store = useStoreProxy();
const defaultAuthority = store.defaultAuthority();
const renderLink = useMemo(
......@@ -32,7 +30,7 @@ function TagList({ annotation, serviceUrl, tags }) {
* @return {string}
*/
const createTagSearchURL = tag => {
return serviceUrl('search.tag', { tag: tag });
return store.getLink('search.tag', { tag: tag });
};
return (
......@@ -63,6 +61,4 @@ function TagList({ annotation, serviceUrl, tags }) {
);
}
TagList.injectedProps = ['serviceUrl'];
export default withServices(TagList);
export default TagList;
......@@ -12,7 +12,6 @@ import MenuItem from './MenuItem';
import MenuSection from './MenuSection';
/**
* @typedef {import('../services/service-url').ServiceUrlGetter} ServiceUrlGetter
* @typedef {import('../../types/config').MergedConfig} MergedConfig
* /
......@@ -28,7 +27,6 @@ import MenuSection from './MenuSection';
* @prop {AuthState} auth - object representing authenticated user and auth status
* @prop {() => any} onLogout - onClick callback for the "log out" button
* @prop {Object} bridge
* @prop {ServiceUrlGetter} serviceUrl
* @prop {MergedConfig} settings
*/
......@@ -40,7 +38,7 @@ import MenuSection from './MenuSection';
*
* @param {UserMenuProps} props
*/
function UserMenu({ auth, bridge, onLogout, serviceUrl, settings }) {
function UserMenu({ auth, bridge, onLogout, settings }) {
const store = useStoreProxy();
const defaultAuthority = store.defaultAuthority();
......@@ -77,7 +75,7 @@ function UserMenu({ auth, bridge, onLogout, serviceUrl, settings }) {
const props = {};
if (isSelectableProfile) {
if (!isThirdParty) {
props.href = serviceUrl('user', { user: auth.username });
props.href = store.getLink('user', { user: auth.username });
}
props.onClick = onProfileSelected;
}
......@@ -109,7 +107,7 @@ function UserMenu({ auth, bridge, onLogout, serviceUrl, settings }) {
{!isThirdParty && (
<MenuItem
label="Account settings"
href={serviceUrl('account.settings')}
href={store.getLink('account.settings')}
/>
)}
{isNotebookEnabled && (
......@@ -129,6 +127,6 @@ function UserMenu({ auth, bridge, onLogout, serviceUrl, settings }) {
);
}
UserMenu.injectedProps = ['bridge', 'serviceUrl', 'settings'];
UserMenu.injectedProps = ['bridge', 'settings'];
export default withServices(UserMenu);
......@@ -14,7 +14,6 @@ describe('HypothesisApp', () => {
let fakeServiceConfig = null;
let fakeSession = null;
let fakeShouldAutoDisplayTutorial = null;
let fakeServiceUrl = null;
let fakeSettings = null;
let fakeToastMessenger = null;
......@@ -23,7 +22,6 @@ describe('HypothesisApp', () => {
<HypothesisApp
auth={fakeAuth}
bridge={fakeBridge}
serviceUrl={fakeServiceUrl}
settings={fakeSettings}
session={fakeSession}
toastMessenger={fakeToastMessenger}
......@@ -55,6 +53,8 @@ describe('HypothesisApp', () => {
},
}),
route: sinon.stub().returns('sidebar'),
getLink: sinon.stub(),
};
fakeAuth = {};
......@@ -65,8 +65,6 @@ describe('HypothesisApp', () => {
reload: sinon.stub().returns(Promise.resolve({ userid: null })),
};
fakeServiceUrl = sinon.stub();
fakeSettings = {};
fakeBridge = {
......@@ -244,7 +242,9 @@ describe('HypothesisApp', () => {
context('when not using a third-party service', () => {
it('opens the signup URL in a new tab', () => {
fakeServiceUrl.withArgs('signup').returns('https://ann.service/signup');
fakeStore.getLink
.withArgs('signup')
.returns('https://ann.service/signup');
const wrapper = createComponent();
clickSignUp(wrapper);
assert.calledWith(window.open, 'https://ann.service/signup');
......
......@@ -7,18 +7,21 @@ import { checkAccessibility } from '../../../test-util/accessibility';
import mockImportedComponents from '../../../test-util/mock-imported-components';
describe('LoggedOutMessage', () => {
let fakeStore;
const createLoggedOutMessage = props => {
return mount(
<LoggedOutMessage
onLogin={sinon.stub()}
serviceUrl={sinon.stub()}
{...props}
/>
);
return mount(<LoggedOutMessage onLogin={sinon.stub()} {...props} />);
};
beforeEach(() => {
fakeStore = {
getLink: sinon.stub().returns('signup_link'),
};
$imports.$mock(mockImportedComponents());
$imports.$mock({
'../store/use-store': { useStoreProxy: () => fakeStore },
});
});
afterEach(() => {
......@@ -26,12 +29,11 @@ describe('LoggedOutMessage', () => {
});
it('should link to signup', () => {
const fakeServiceUrl = sinon.stub().returns('signup_link');
const wrapper = createLoggedOutMessage({ serviceUrl: fakeServiceUrl });
const wrapper = createLoggedOutMessage();
const signupLink = wrapper.find('.LoggedOutMessage__link').at(0);
assert.calledWith(fakeServiceUrl, 'signup');
assert.calledWith(fakeStore.getLink, 'signup');
assert.equal(signupLink.prop('href'), 'signup_link');
});
......
......@@ -7,30 +7,20 @@ import { checkAccessibility } from '../../../test-util/accessibility';
import mockImportedComponents from '../../../test-util/mock-imported-components';
describe('TagList', () => {
let fakeServiceUrl;
let fakeIsThirdPartyUser;
let fakeStore;
const fakeTags = ['tag1', 'tag2'];
function createComponent(props) {
return mount(
<TagList
// props
annotation={{}}
tags={fakeTags}
// service props
serviceUrl={fakeServiceUrl}
{...props}
/>
);
return mount(<TagList annotation={{}} tags={fakeTags} {...props} />);
}
beforeEach(() => {
fakeServiceUrl = sinon.stub().returns('http://serviceurl.com');
fakeIsThirdPartyUser = sinon.stub().returns(false);
fakeStore = {
defaultAuthority: sinon.stub().returns('hypothes.is'),
getLink: sinon.stub().returns('http://serviceurl.com'),
};
$imports.$mock(mockImportedComponents());
......@@ -66,10 +56,10 @@ describe('TagList', () => {
});
});
it('calls fakeServiceUrl()', () => {
it('gets the links for tags', () => {
createComponent();
assert.calledWith(fakeServiceUrl, 'search.tag', { tag: 'tag1' });
assert.calledWith(fakeServiceUrl, 'search.tag', { tag: 'tag2' });
assert.calledWith(fakeStore.getLink, 'search.tag', { tag: 'tag1' });
assert.calledWith(fakeStore.getLink, 'search.tag', { tag: 'tag2' });
});
});
......@@ -87,9 +77,9 @@ describe('TagList', () => {
});
});
it('does not call fakeServiceUrl()', () => {
it('does not fetch tag link', () => {
createComponent();
assert.notCalled(fakeServiceUrl);
assert.notCalled(fakeStore.getLink);
});
});
......
......@@ -13,7 +13,6 @@ describe('UserMenu', () => {
let fakeIsThirdPartyUser;
let fakeOnLogout;
let fakeServiceConfig;
let fakeServiceUrl;
let fakeSettings;
let fakeStore;
......@@ -23,7 +22,6 @@ describe('UserMenu', () => {
auth={fakeAuth}
bridge={fakeBridge}
onLogout={fakeOnLogout}
serviceUrl={fakeServiceUrl}
settings={fakeSettings}
/>
);
......@@ -46,11 +44,11 @@ describe('UserMenu', () => {
fakeIsThirdPartyUser = sinon.stub();
fakeOnLogout = sinon.stub();
fakeServiceConfig = sinon.stub();
fakeServiceUrl = sinon.stub();
fakeSettings = {};
fakeStore = {
defaultAuthority: sinon.stub().returns('hypothes.is'),
focusedGroupId: sinon.stub().returns('mygroup'),
getLink: sinon.stub(),
isFeatureEnabled: sinon.stub().returns(false),
};
......@@ -72,7 +70,7 @@ describe('UserMenu', () => {
context('first-party user', () => {
beforeEach(() => {
fakeIsThirdPartyUser.returns(false);
fakeServiceUrl.returns('profile-link');
fakeStore.getLink.returns('profile-link');
});
it('should be enabled', () => {
......@@ -174,7 +172,7 @@ describe('UserMenu', () => {
const accountMenuItem = findMenuItem(wrapper, 'Account settings');
assert.isTrue(accountMenuItem.exists());
assert.calledWith(fakeServiceUrl, 'account.settings');
assert.calledWith(fakeStore.getLink, 'account.settings');
});
it('should not be present if third-party user', () => {
......
......@@ -65,12 +65,19 @@ function setupRoute(groups, session, router) {
* @param {import('./services/autosave').AutosaveService} autosaveService
* @param {import('./services/features').FeaturesService} features
* @param {import('./services/persisted-defaults').PersistedDefaultsService} persistedDefaults
* @param {import('./services/service-url').ServiceURLService} serviceURL
* @inject
*/
function initServices(autosaveService, features, persistedDefaults) {
function initServices(
autosaveService,
features,
persistedDefaults,
serviceURL
) {
autosaveService.init();
features.init();
persistedDefaults.init();
serviceURL.init();
}
// @inject
......@@ -107,7 +114,7 @@ import loadAnnotationsService from './services/load-annotations';
import { LocalStorageService } from './services/local-storage';
import { PersistedDefaultsService } from './services/persisted-defaults';
import { RouterService } from './services/router';
import serviceUrlService from './services/service-url';
import { ServiceURLService } from './services/service-url';
import sessionService from './services/session';
import { StreamFilter } from './services/stream-filter';
import streamerService from './services/streamer';
......@@ -145,7 +152,7 @@ function startApp(config, appEl) {
.register('localStorage', LocalStorageService)
.register('persistedDefaults', PersistedDefaultsService)
.register('router', RouterService)
.register('serviceUrl', serviceUrlService)
.register('serviceURL', ServiceURLService)
.register('session', sessionService)
.register('streamer', streamerService)
.register('streamFilter', StreamFilter)
......
......@@ -29,7 +29,6 @@ const DEFAULT_ORGANIZATION = {
export default function groups(
store,
api,
serviceUrl,
session,
settings,
toastMessenger,
......
import * as urlUtil from '../util/url';
/**
* A function that returns an absolute URL given a link name and params, by
* expanding named URL templates received from the annotation service's API.
*
* The links object from the API is a map of link names to URL templates:
* Service for fetching the data needed to render URLs that point to the H
* service.
*
* {
* signup: "http://localhost:5000/signup",
* user: "http://localhost:5000/u/:user",
* ...
* }
* The H API has an `/api/links` endpoint that returns a map of link name to
* URL template for URLs that point to the H API. This service fetches that
* data and persists it in the store.
*
* Given a link name (e.g. 'user') and params (e.g. {user: 'bob'}) return
* an absolute URL by expanding the named URL template from the API with the
* given params (e.g. "http://localhost:5000/u/bob").
* To use a link within a UI component, use `store.getLink(name, params)`.
*
* Before the links object has been received from the API this function
* always returns empty strings as the URLs. After the links object has been
* received from the API this function starts returning the real URLs.
*
* @callback ServiceUrlGetter
* @param {string} linkName - The name of the link to expand
* @param {object} [params] - The params with which to expand the link
* @returns {string} The expanded absolute URL, or an empty string if the
* links haven't been received from the API yet
* @throws {Error} If the links have been received from the API but the given
* linkName is unknown
* @throws {Error} If one or more of the params given isn't used in the URL
* template
* @inject
*/
/**
* @param {import('../store').SidebarStore} store
export class ServiceURLService {
/**
* @param {import('./api-routes').APIRoutesService} apiRoutes
* @return {ServiceUrlGetter}
* @inject
* @param {import('../store').SidebarStore} store
*/
export default function serviceUrl(store, apiRoutes) {
apiRoutes
.links()
.then(store.updateLinks)
.catch(function (error) {
console.warn('The links API request was rejected: ' + error.message);
});
return function (linkName, params) {
const links = store.getState().links;
if (links === null) {
return '';
constructor(apiRoutes, store) {
this._apiRoutes = apiRoutes;
this._store = store;
}
const path = links[linkName];
if (!path) {
throw new Error('Unknown link ' + linkName);
/**
* Fetch URL templates for links from the API and persist them in the store.
*/
async init() {
try {
const links = await this._apiRoutes.links();
this._store.updateLinks(links);
} catch (error) {
console.warn('Failed to fetch Hypothesis links: ' + error.message);
}
params = params || {};
const url = urlUtil.replaceURLParams(path, params);
const unused = Object.keys(url.params);
if (unused.length > 0) {
throw new Error('Unknown link parameters: ' + unused.join(', '));
}
return url.url;
};
}
......@@ -43,7 +43,6 @@ describe('sidebar/services/groups', function () {
let fakeSession;
let fakeSettings;
let fakeApi;
let fakeServiceUrl;
let fakeMetadata;
let fakeToastMessenger;
......@@ -120,7 +119,6 @@ describe('sidebar/services/groups', function () {
},
},
};
fakeServiceUrl = sinon.stub();
fakeSettings = { group: null };
$imports.$mock({
......@@ -136,7 +134,6 @@ describe('sidebar/services/groups', function () {
return groups(
fakeStore,
fakeApi,
fakeServiceUrl,
fakeSession,
fakeSettings,
fakeToastMessenger,
......
import serviceUrlFactory from '../service-url';
import { $imports } from '../service-url';
import { ServiceURLService } from '../service-url';
/** Return a fake store object. */
function fakeStore() {
let links = null;
return {
updateLinks: function (newLinks) {
links = newLinks;
},
getState: function () {
return { links: links };
},
};
}
function createServiceUrl(linksPromise) {
const replaceURLParams = sinon
.stub()
.returns({ url: 'EXPANDED_URL', params: {} });
const links = {
'account.settings': 'https://hypothes.is/account/settings',
};
$imports.$mock({
'../util/url': { replaceURLParams: replaceURLParams },
});
describe('ServiceURLService', () => {
let fakeStore;
let fakeAPIRoutes;
const store = fakeStore();
const apiRoutes = {
links: sinon.stub().returns(linksPromise),
beforeEach(() => {
fakeStore = {
updateLinks: sinon.stub(),
};
return {
store: store,
apiRoutes,
serviceUrl: serviceUrlFactory(store, apiRoutes),
replaceURLParams: replaceURLParams,
fakeAPIRoutes = {
links: sinon.stub().resolves(links),
};
}
describe('sidebar.service-url', function () {
beforeEach(function () {
sinon.stub(console, 'warn');
});
afterEach(function () {
afterEach(() => {
console.warn.restore();
$imports.$restore();
});
context('before the API response has been received', function () {
let serviceUrl;
let apiRoutes;
beforeEach(function () {
// Create a serviceUrl function with an unresolved Promise that will
// never be resolved - it never receives the links from store.links().
const parts = createServiceUrl(new Promise(function () {}));
serviceUrl = parts.serviceUrl;
apiRoutes = parts.apiRoutes;
});
it('sends one API request for the links at boot time', function () {
assert.calledOnce(apiRoutes.links);
assert.isTrue(apiRoutes.links.calledWithExactly());
});
it('returns an empty string for any link', function () {
assert.equal(serviceUrl('foo'), '');
});
it('returns an empty string even if link params are given', function () {
assert.equal(serviceUrl('foo', { bar: 'bar' }), '');
});
});
context('after the API response has been received', function () {
let store;
let linksPromise;
let replaceURLParams;
let serviceUrl;
beforeEach(function () {
// The links Promise that store.links() will return.
linksPromise = Promise.resolve({
first_link: 'http://example.com/first_page/:foo',
second_link: 'http://example.com/second_page',
});
describe('#init', () => {
it('fetches links and updates store with response', async () => {
const service = new ServiceURLService(fakeAPIRoutes, fakeStore);
const parts = createServiceUrl(linksPromise);
await service.init();
store = parts.store;
serviceUrl = parts.serviceUrl;
replaceURLParams = parts.replaceURLParams;
assert.calledWith(fakeStore.updateLinks, links);
});
it('updates store with the real links', function () {
return linksPromise.then(function (links) {
assert.deepEqual(store.getState(), { links: links });
});
});
it('logs a warning if links cannot be fetched', async () => {
fakeAPIRoutes.links.returns(Promise.reject(new Error('Fetch failed')));
const service = new ServiceURLService(fakeAPIRoutes, fakeStore);
it('calls replaceURLParams with the path and given params', function () {
return linksPromise.then(function () {
const params = { foo: 'bar' };
await service.init();
serviceUrl('first_link', params);
assert.calledOnce(replaceURLParams);
assert.deepEqual(replaceURLParams.args[0], [
'http://example.com/first_page/:foo',
params,
]);
});
});
it('passes an empty params object to replaceURLParams if no params are given', function () {
return linksPromise.then(function () {
serviceUrl('first_link');
assert.calledOnce(replaceURLParams);
assert.deepEqual(replaceURLParams.args[0][1], {});
});
});
it('returns the expanded URL from replaceURLParams', function () {
return linksPromise.then(function () {
const renderedUrl = serviceUrl('first_link');
assert.equal(renderedUrl, 'EXPANDED_URL');
});
});
it("throws an error if it doesn't have the requested link", function () {
return linksPromise.then(function () {
assert.throws(
function () {
serviceUrl('madeUpLinkName');
},
Error,
'Unknown link madeUpLinkName'
assert.notCalled(fakeStore.updateLinks);
assert.calledWith(
console.warn,
'Failed to fetch Hypothesis links: Fetch failed'
);
});
});
it('throws an error if replaceURLParams returns unused params', function () {
const params = { unused_param_1: 'foo', unused_param_2: 'bar' };
replaceURLParams.returns({
url: 'EXPANDED_URL',
params: params,
});
return linksPromise.then(function () {
assert.throws(
function () {
serviceUrl('first_link', params);
},
Error,
'Unknown link parameters: unused_param_1, unused_param_2'
);
});
});
});
});
import { storeModule } from '../create-store';
import { actionTypes } from '../util';
import { replaceURLParams } from '../../util/url';
import { storeModule } from '../create-store';
/**
* Reducer for storing a "links" object in the Redux state store.
*
* The links object is initially null, and can only be updated by completely
* replacing it with a new links object.
*
* Used by serviceUrl.
*/
/** Return the initial links. */
function init() {
return null;
}
......@@ -26,7 +16,11 @@ const update = {
const actions = actionTypes(update);
/** Return updated links based on the given current state and action object. */
/**
* Update links
*
* @param {object} newLinks - Link map returned by the `/api/links` endpoint
*/
function updateLinks(newLinks) {
return {
type: actions.UPDATE_LINKS,
......@@ -34,6 +28,32 @@ function updateLinks(newLinks) {
};
}
/**
* Render a service link (URL) using the given `params`
*
* Returns an empty string if links have not been fetched yet.
*
* @param {string} linkName
* @param {Record<string,string>} params
* @return {string}
*/
function getLink(state, linkName, params = {}) {
if (!state) {
return '';
}
const template = state[linkName];
if (!template) {
throw new Error(`Unknown link "${linkName}"`);
}
const { url, params: unusedParams } = replaceURLParams(template, params);
if (Object.keys(unusedParams).length > 0) {
throw new Error(
`Unused parameters: ${Object.keys(unusedParams).join(', ')}`
);
}
return url;
}
export default storeModule({
init,
namespace: 'links',
......@@ -41,5 +61,7 @@ export default storeModule({
actions: {
updateLinks,
},
selectors: {},
selectors: {
getLink,
},
});
import createStore from '../../create-store';
import links from '../links';
const init = links.init;
const update = links.update.UPDATE_LINKS;
const action = links.actions.updateLinks;
describe('sidebar/store/modules/links', () => {
let store;
describe('sidebar/store/modules/links', function () {
describe('#init()', function () {
it('returns a null links object', function () {
assert.deepEqual(init(), null);
beforeEach(() => {
store = createStore([links]);
});
function addLinks() {
// Snapshot of response from https://hypothes.is/api/links.
const data = {
'account.settings': 'https://hypothes.is/account/settings',
'forgot-password': 'https://hypothes.is/forgot-password',
'groups.new': 'https://hypothes.is/groups/new',
help: 'https://hypothes.is/docs/help',
'oauth.authorize': 'https://hypothes.is/oauth/authorize',
'oauth.revoke': 'https://hypothes.is/oauth/revoke',
'search.tag': 'https://hypothes.is/search?q=tag%3A%22:tag%22',
signup: 'https://hypothes.is/signup',
user: 'https://hypothes.is/u/:user',
};
store.updateLinks(data);
}
describe('#getLink', () => {
it('returns an empty string before links are loaded', () => {
assert.equal(store.getLink('account.settings'), '');
});
describe('#update.UPDATE_LINKS()', function () {
it('returns the given newLinks as the links object', function () {
assert.deepEqual(
update('CURRENT_STATE', { newLinks: { NEW_LINK: 'http://new_link' } }),
{ NEW_LINK: 'http://new_link' }
it('renders URLs once links are loaded', () => {
addLinks();
assert.equal(
store.getLink('account.settings'),
'https://hypothes.is/account/settings'
);
});
it('renders URLs with parameters', () => {
addLinks();
assert.equal(
store.getLink('user', { user: 'foobar' }),
'https://hypothes.is/u/foobar'
);
});
describe('#actions.updateLinks()', function () {
it('returns an UPDATE_LINKS action object for the given newLinks', function () {
assert.deepEqual(action({ NEW_LINK: 'http://new_link' }), {
type: 'UPDATE_LINKS',
newLinks: { NEW_LINK: 'http://new_link' },
it('throws an error if link name is invalid', () => {
addLinks();
assert.throws(() => {
store.getLink('unknown');
}, 'Unknown link "unknown"');
});
it('throws an error if unused link parameters are provided', () => {
addLinks();
assert.throws(() => {
store.getLink('account.settings', { unused: 'foo', unused2: 'bar' });
}, 'Unused parameters: unused, unused2');
});
});
});
......@@ -8,10 +8,11 @@
* {url: '/things/foo', params: {q: 'bar'}}
*
* @param {string} url
* @param {Record<string, any>} params
* @return {{ url: string, params: Record<string, any>}}
* @param {Record<string, string>} params
* @return {{ url: string, params: Record<string, string>}}
*/
export function replaceURLParams(url, params) {
/** @type {Record<string, string>} */
const unusedParams = {};
for (const param in params) {
if (params.hasOwnProperty(param)) {
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment