Can anyone tell if I can now use AMP mode safely for production or it will be in the next release??
I’m afraid that AMP hasn’t been developed yet. We were waiting for WP to add some AMP info in the REST API, but it’s taking more time than expected, so maybe we just have to look for another solution. I’ve moved this topic to the Features category, where you can vote for it and share your opinion. If we see that a lot of people are interested in it, we can start working on it again.
@luisherranz any updated ETA on this? I see wp-core merged the patch for extending schema, unblocking your amp-wp PR, yes?
Yes, absolutely. Sorry for not keeping this topic updated.
It seems like my patch is going to be merged in 5.4 and that means we will be able to finish the amp-wp PR to expose AMP in the REST API, but I simply haven’t had time lately to keep working on that PR.
AMP is quite important for some big publishers currently migrating to Frontity, so don’t worry, this is still a top priority for us!
This is the implementation proposal for the AMP package.
Description
The AMP package will be a Frontity package that will allow the creation of Google AMP pages with the Frontity framework. We want to do this with a package, @frontity/amp
, instead of hardcoding it in the framework.
Thanks to the multisite feature of Frontity, themes can be reused for both AMP pages and React sites.
Glossary
-
AMP-aware
Some function/component/package smart enough to check for itself if the site is an AMP site or not, and adapt to the situation.
Context / Background
We already had AMP support in the old version of the framework and it worked great. About 90% of the theme code was reused among the React site and the AMP pages, including all the layout and CSS. AMP support was hardcoded in the framework core.
Goals
As a Frontity developer
I want to use the same React codebase to create the AMP version of my site
so that I don’t have to maintain two separate codebases.
Out of Scope
This is out of the scope of this Feature Discussion but will be acomplished in a future FD.
As a Frontity developer
I want to use AMP content translated with the WP AMP plugin
so that I don’t have to use Html2React for that
Existing Solution / Workaround
There’s no way to use AMP right now with Frontity in Decoupled mode.
In Embedded mode, people could exclude the URLs that end in /amp
and use the AMP plugin to do AMP. But, of course, the theme of that AMP version won’t be anything similar to the Frontity theme.
Implementation Proposal
To be able to generate valid AMP HTML, this package needs to achieve several tasks.
Change the entry point of the packages
Some packages may require a different entry point for AMP because sometimes they are going to contain code that is not needed in the React version and we need to provide tools to make the bundle size of the React version as slim as possible.
This means that instead of using src/index.js
, packages can use src/amp.js
or src/amp/index.js
as entry points when the site is an AMP site. This is of course optional, and the packages that don’t need it or don’t implement this can still use src/index.js
.
It will be managed by a new site setting on the frontity.settings.js
file:
export default {
name: "my-amp-site",
entryPoints: "amp",
state: {
//...
},
packages: [
//...
],
};
This feature requires a new FD. I will edit this IP as soon as it is created.
Don’t generate client bundles
We don’t need to generate bundles for the client because the Google AMP framework forbids the use of external JavaScript.
It will be managed by a new site setting on the frontity.settings.js
file:
export default {
name: "my-amp-site",
bundles: ["server"],
state: {
//...
},
packages: [
//...
],
};
This feature requires a new FD. I will edit this IP as soon as it is created.
Modify site settings with packages
The @frontity/amp
package needs to be able to change the entryPoints
and bundles
settings.
This will be managed by a settings
export in the frontity.config.js
file of this package.
// packages/amp/frontity.config.js
export const settings = ({ settings }) => {
settings.entryPoints = "amp";
settings.bundles = ["server"];
};
The settings
export of the frontity.config.js
file of each package will be executed right after getting the settings from the frontity.settings.js
file.
This feature requires a new FD. I will edit this IP as soon as it is created.
Package priorities
The @frontity/amp
package needs to be executed before any other package because it is going to change the entryPoints
setting and that will affect how the rest of the packages are imported.
This will be managed by a priority
export in the frontity.config.js
file of this package.
// packages/amp/frontity.config.js
export const priority = 2;
Users can override this setting in the frontity.settings.js
file:
export default {
name: "my-amp-site",
packages: [
{
name: "some-package",
priority: 5, // Override default priority for this package.
state: {
// ...
},
},
],
};
This feature requires a new FD. I will edit this IP as soon as it is created.
Overwrite the HTML template
The Google AMP framework needs a specific HTML template because a normal HTML document doesn’t validate.
For that reason, the @frontity/amp
package needs to be able to overwrite the hardcoded HTML template.
This can be done with a beforeSSR
function but needs the template
to be exposed in libraries.frontity
.
// packages/amp/src/index.js
import ampTemplate from "./templates/amp";
export default {
actions: {
amp: {
beforeSSR: ({ libraries }) => {
libraries.frontity.template = ampTemplate;
},
},
},
};
The template should be something like this: https://github.com/frontity/frontity/blob/31d34e4d16042ebc73b4c30a9f53dfae36c633a2/packages/core/src/server/templates/amp.ts
Render to Static Markup
The Google AMP framework doesn’t need the custom data-
attributes added by React, so instead of using renderToString
, the @frontity/amp
package needs to make Frontity use renderToStaticMarkup
.
This can be done with a beforeSSR
function. It’ll be necessary to create a separate server.js
file because we don’t want to add react-dom/server
to the client bundle.
// packages/amp/src/server.js
import { renderToStaticMarkup } from "react-dom/server";
export default {
actions: {
amp: {
beforeSSR: ({ libraries }) => {
libraries.frontity.render = renderToStaticMarkup;
},
},
},
};
It needs the render
function to be exposed in libraries.frontity
.
Move CSS to the <head>
The Google AMP framework requires that all the CSS is placed in a <style>
tag of the head.
For that reason, the @frontity/amp
package needs to use Emotion’s extractCritical
API and move the extracted CSS to the <head>
.
This can be done with a beforeSSR
function. It’ll be necessary to create a separate server.js
file because we don’t want to add create-emotion-server
and react-dom/server
to the client bundle.
// packages/amp/src/server.js
import { CacheProvider } from "@emotion/core";
import createEmotionServer from "create-emotion-server";
import createCache from "@emotion/cache";
import { renderToStaticMarkup } from "react-dom/server";
import ampTemplate from "./templates/amp";
export default {
actions: {
amp: {
beforeSSR: ({ libraries }) => {
// Create an Emotion instance for this SSR.
const cache = createCache();
const { extractCritical } = createEmotionServer(cache);
libraries.frontity.render = (App) => {
// Add the Provider to the App.
App = (
<CacheProvider value={cache}>
<App />
</CacheProvider>
);
// Run extract critical.
const { html, css, ids } = extractCritical(
libraries.frontity.render(App)
);
// Replace the template injecting the CSS in the `<head>`.
libraries.frontity.template = ampTemplate(css, ids);
return html;
};
},
},
},
};
We also need to be able to add the CacheProvider
to the client. That can be done with a beforeCSR
function.
// packages/amp/src/client.js
import createCache from "@emotion/cache";
export default {
actions: {
amp: {
beforeCSR: ({ libraries }) => {
const cache = createCache();
libraries.frontity.App = () => (
<CacheProvider value={cache}>
<libraries.frontity.App />
</CacheProvider>
);
},
},
},
};
For context, this is the way Emotion worked in Frontity at first. This is the final commit, including a fix for the Global
component: https://github.com/frontity/frontity/commit/e8c3430
After that, we removed extractCritical
because both labels and source maps don’t work with that approach. Now it’s up to the @frontity/amp
package add extractCritical
again for AMP sites. This is where I removed that approach: https://github.com/frontity/frontity/commit/d5af653
Looking at the new docs it seems to me that we don’t need to do a separate hydrate()
on the ids anymore, as they are present in the data-emotion-css
attribute of the style
tag:
<style data-emotion-css="${ids.join(' ')}">${css}</style>
More info about the extractCritical
approach on https://emotion.sh/docs/ssr#advanced-approach
Modify link
to point to the canonical URL
There are three standard ways to use AMP. This package needs to support all of them.
- Using a subdomain, like
https://amp.mydomain.com/some-post
. - Using a query parameter, like
https://www.mydomain.com/some-post?amp=true
. - Using an extra folder in the path, like
https://www.mydomain.com/some-post/amp
.
1 and 2 are fine because the slug used by @frontity/wp-source
will be some-post
, but 3 is not.
We need to make this action and derived state point to /some-post/
:
actions.source.fecth("/some-post/amp");
state.source.get("/some-post/amp");
Ideally, this should be done with hooks, but we don’t have hooks yet and they seem too much to make them a dependency of this feature right now.
We’ve been searching for a workaround but the only thing that seems feasible right now is to hardcode a replacement in the normalize function and change it once we have hooks.
export const normalize = (route: string): string => {
route = route.replace(/\/amp$/, "");
return paramsToRoute(routeToParams(route));
};
This will need to contain a bit more logic to avoid some known URLs that shouldn’t be changed, like:
- A page called amp:
/amp
. - A category/tag called amp:
/category/amp
or/tag/amp
.
I wouldn’t try to make it perfect though, taking into account that this will be replaced by a hook in the (hopefully) near future.
AMP processors
A theme that needs to supports AMP should contain AMP-aware components, but the HTML that is inside of post.content.rendered
is outside of the scope of the theme because it’s managed by Html2React.
The package @frontity/amp
should use processors to translate the HTML tags that need changes in the AMP framework, like images, iframes, and so on.
We already did a lot of related work in the old version of the framework, where many of the components used by processors were AMP-aware, like this one: https://github.com/wp-pwa/h2r/blob/dev/src/components/LazyIframe/index.js#L62-L87
This time we don’t need to check if we are in an AMP render, as this processors will only be used in an AMP render because we know that the @frontity/amp
was the one that added them.
// packages/amp/src/index.js
import amp from "./processors";
export default {
state: {
amp: {},
},
libraries: {
processors: [...amp],
},
};
Alternatively, we will be able to use the AMP Plugin to do this in the future once this PR is finished and merged: https://github.com/ampproject/amp-wp/pull/2827
AMP-aware components
The components that we export in @frontity/components
need to be aware of an AMP render and act accordingly.
For example, the Image
component needs to return <amp-img>
instead of <img>
and so on.
const Image = ({ state, src }) => {
if (state.amp) {
return <amp-img src={src} />;
} else {
return <img src={src} />;
}
};
Make official Frontity packages AMP-aware
There are some packages that need to be modified to make them work in AMP sites. Right now only:
@frontity/comscore-analytics
@frontity/google-analytics
@frontity/google-tag-manager-analytics
But in the future other packages, like ads packages.
Test Plan / Acceptance Criteria
Apart from normal e2e tests, we need to make sure that the HTML generated is always valid AMP HTML.
As far as I know, Cypress injects jQuery in the HTML, so we cannot validate the HTML directly, but we can do a request of the HTML from Cypress and validate the HTML using https://www.npmjs.com/package/amphtml-validator. Or maybe we don’t even need Cypress for this and we can just use Jest. That is going to depend on how our e2e system works.
It’d also be cool to test against a WordPress instance loaded with this content
https://github.com/WPTT/theme-unit-test which covers a lot of content and blocks, to make sure they all validate correctly with the amphtml-validator
package.
cc: @mmczaplinski maybe you want to have this new example in mind while designing the e2e system
Dependencies
We need new Feature Discussions for:
- New setting to change the entry point of the packages of a site.
- New setting to change what bundles are generated (client and/or server).
- Allow packages to modify the settings of a site.
- Package priorities.
Individual Tasks
This is a non-exhaustive list of tasks that need to be accomplished once the dependencies have been created.
- Expose in
libraries.frontity
:- The HTML
template
. - The
render
function (currentlyrenderToString
). - The
App
.
- The HTML
- Create the
@frontity/amp
package.- Add
frontity.config.js
file for:- Setting the
entryPoints
toamp
. - Setting the
bundles
to["server"]
. - Setting
priority
to 2.
- Setting the
- Overwrite the HTML template.
- Move all the CSS to the
<head>
. - Change the render to be
renderToStaticMarkup
. - Create the AMP processors to translate the post content to AMP.
- Make all the components and hooks of
@frontity/components
and@frontity/hooks
AMP-aware.
- Add
- Remove
/amp
fromlink
inactions.source.fetch
andstate.source.get
to point to the canonical URL.
Beta version
If we want to release a beta version to test this out as soon as possible, we can avoid the release of all the dependencies and replace them with workarounds:
Setting to change the entry point of the packages of a site
No package that we know of is using the /src/amp.js
entry point so far. Also, this feature is required to optimize the React bundle size so it’s not critical.
Setting to change which bundles are generated (client and/or server)
Frontity can generate the client bundle for AMP. It won’t be used, but everything should work just fine.
Allow packages to modify the settings of a site
We don’t need this until the previous two features have been implemented.
Package priorities
We can add the package at the beginning of the packages
array in the frontity.settings.js
file and it will have the same effect.
We can also skip modifying/creating some of the processors and components and the frontity.config.js
file for the beta.
Documentation
-
I think for this feature it would be great to have a new section in our docs that explains how to use this package:
- How to create a second site in your project
- How to use
match
to use the site for some URLs, for example, those that end with/amp
. - How to make AMP-aware components.
- How to use Html2React to add custom AMP components.
- How to use different entry points to avoid including extra KBs in the client bundles.
-
A code example of a project using two sites, one configured for React and the other for AMP.
-
Make both
mars-theme
andtwentytwenty-theme
AMP-aware.
Open Questions
Expose SSR/CSR tools in ctx.frontity
or libraries
I’m not 100% convinced yet on exposing the objects/functions necessary for the SSR/CSR on the Koa context. Another option could be to use libraries
for this.
For example, using the Koa context to change the template and the App
:
export default {
actions: {
amp: {
beforeSSR: () => ({ ctx }) => {
ctx.frontity.template = myOwnTemplate;
ctx.frontity.App = (props) => (
<MyProvider>
<ctx.frontity.App {...props} />
</MyProvider>
);
},
},
},
};
Or just exposing the same under libraries
. It could be libraries.frontity
or something more specific like libraries.rendering
.
export default {
actions: {
amp: {
beforeSSR: ({ libraries }) => {
libraries.frontity.template = myOwnTemplate;
libraries.frontity.App = (props) => (
<MyProvider>
<libraries.frontity.App {...props} />
</MyProvider>
);
},
},
},
};
Same for beforeCSR
, where having a “Koa context” feels more weird.
EDIT: I have decided to go with libraries.frontity
. I have updated the implementation proposal to reflect this decision.
Related Feature Discussions
These Feature Discussions also make use of the new frontity.config.js
file.
References
Wow! Thanks a lot for the detailed explanation, I think everything is much clearer now, awesome work .
I really like the idea of creating a minimal version of the package and start testing it and receive some feedback before releasing the v1. I’m going to try to sum up what I understood to check if it makes sense to proceed this way, although I’m aware it may change:
First we have to work on some features that are mandatory for the initial version.
- Expose in the Koa context:
- The HTML
template
. - The
render
function (currentlyrenderToString
). - The
App
.
- The HTML
- Add a context to
beforeCSR
, similar to the context passed tobeforeSSR
.
Once that is done, we can start working on the first beta version of the @frontity/amp
package:
- Overwrite the HTML template.
- Move all the CSS to the
<head>
. - Change the render to be
renderToStaticMarkup
. - Create some AMP processors (the main ones we select):
- Maybe we can implement the ones from the old package.
- Apart from the ones we implement, community users, if they need them, can do a Pull Request to create them if we explain how to do so.
- Make the components and hooks (the ones we consider essential) of
@frontity/components
and@frontity/hooks
AMP-aware.
At this point, we could release the v1 of the beta version and start testing it.
- We should remove
/amp
fromlink
inactions.source.fetch
andstate.source.get
to point to the canonical URL with the workaround you suggested until the hooks are implemented. I think this is pretty important as it seems the most common way of implementing amp, but it doesn’t make sense until all the previous steps have been made.
We could release a new version here.
- I would make the themes amp-aware at this point. Although I think most of the Frontity users that want AMP are going to build their own theme, it could be a good example on how to do it amp-aware. We should have a demo for this as well, so we could use mars.frontity.org or twentytwenty.frontity.org.
- Setting to change the entry point of the packages of a site.
- Setting to change which bundles are generated (client and/or server).
- Allow packages to modify the settings of a site.
- Add
frontity.config.js
file for setting the previous steps in the@frontity/amp
package.
We could release a new version here.
- Support for package priorities (add priority to amp package).
Yeah, I think that order of action is perfect
Although it seems we’re not going to be able to include any of these in this sprint, this is the initial estimation we did:
- Expose the HTML template, the render function and the App in
libraries
- 5pt Add a context tobeforeCSR
, similar to the context passed tobeforeSSR
- 5pt- Overwrite the HTML template - 5pt
- Move all the CSS to the
<head>
- 5pt - Change the render to be
renderToStaticMarkup
- 3pt.
Here we could release the first beta version, which means 18pts.
- Create minimum amount of AMP processors (the main ones we select) - 13pt
- Remove
/amp
fromlink
inactions.source.fetch
andstate.source.get
- 3pt
We could do this little by little, there would be 16pt more.
- Make the themes amp-aware - 21pt.
- Setting to change the entry point of the packages of a site - 8pt.
- Setting to change which bundles are generated (client and/or server) - 8pt.
- Allow packages to modify the settings of a site. - 13pt.
- Add
frontity.config.js
file for setting the previous steps in the@frontity/amp
package - 3pt.
There would be 53pt more until we make these optimizations. At this point it could even be the v1.
- Support for package priorities (add priority to amp package). - 8pt.
Ok, thanks @santosguillamot!
Some updates:
-
I’ve decided we should go with
libraries.frontity
because:- Adding
ctx
to the client means adding a new concept, while people already know aboutlibraries
. - It is consistent with
state.frontity
where we expose data about the current site.
- Adding
-
I forgot to add that we should also update some packages to make them AMP-aware, like the analytics packages:
@frontity/comscore-analytics
,@frontity/google-analytics
,@frontity/google-tag-manager--analytics
. -
I have fixed the code snippet of the section Moving CSS to the
<head>
.
@nicholasio.oliveira, these is a summary of what needs to be done for the AMP package:
Frontity Core
-
Expose some internal things in
libraries
- The HTML template in
libraries.frontity.template
. - The render function in
libraries.frontity.render
. - The App in
libraries.frontity.App
.
This should be really easy to do. Simply, adding those things to
store.libraries
before running theinit
andbeforeSSR
actions: https://github.com/frontity/frontity/blob/dev/packages/core/src/server/index.tsx#L89-L104 - The HTML template in
AMP package
-
Modify the HTML template
This should also be simple, as it’d be to use the
init
orbeforeSSR
action of the package to modifylibraries.frontity.template
to a function like this one: https://github.com/frontity/frontity/blob/dev/packages/core/src/server/templates/amp.ts -
Change the render to be
renderToStaticMarkup
This is also trivial. Just using the same
init
orbeforeSSR
action to modifylibraries.frontity.reder
to the ReactDOM’srenderToStaticMarkup
. -
Move all the CSS to the
<head>
This is the trickiest part, but we have already done so with success, like I explained in the Move CSS to the section of the Implementation Proposal above. It shouldn’t take long as it’d mean we need to replicate what we already had in the very first version of Frontity.
With those features you should be able to render AMP sucessfully with a @frontity/amp
package.
Extra things
-
Make your theme AMP aware
Of course, you need to make sure your theme is AMP aware. The
@frontity/amp
package can create astate.amp
object that React components can check to see if an amp package is present or not. -
Create processors to make the post
content
AMP awareWe did that in the past. They are not that many to be honest. For example, this was the processor and component for SoundCloud:
- https://github.com/wp-pwa/h2r/blob/dev/src/processors/soundcloud.js
- https://github.com/wp-pwa/h2r/blob/dev/src/components/LazySoundcloud/index.js
More processors here: https://github.com/wp-pwa/h2r/tree/dev/src/processors
-
Remove
/amp
from the internal source actionsIf the URL needs to be
https://domain.com/some-post/amp
, we’d also need to remove the/amp
from link inactions.source.fetch
andstate.source.get
.We decided we are going to hardcode it in the v1 of
source
because it’s not possible to do it through the AMP package, although that will be solved in the v2 ofsource
.This is not required if the URL is a subdomain
https://amp.domain.com/some-post
or a queryhttps://domain.com/some-post?amp=true
.It should not be hard to do, a couple of lines of code.
It’d be interesting to see if it’d be possible to integrate Frontity with styling libraries that require SSR steps like Material-UI (SSR instructions) after exposing these parts.
@cristianbote and I have done a video to go over all the tasks that need to be accomplished for the AMP package:
cc: @dev-team and anyone else that wants to help us out with a PR
In my mind I think this suits all of what we’ve been looking at while satisfying the need for defining an AMP package. I’ve tried to boil down the customisations in this drawing: https://excalidraw.com/#json=5886236229107712,HRh2W3l7ljVzjOzRGgXD4g (let’s be real though, nowhere as cool as Luis’s diagrams ).
Summary
Let’s break down the changes on each of the context:
frontity.App
In order to enable users to define they’re own app shell we should expose a way to do that. Based on the previous IP and FD the way to do that was to expose on libraries.
a special namespace to hold these properties. The namespace is called frontity
.
The App
needs to be a functional component. That functional component will receive a prop named App
. The functional component needs to include App
in it’s tree, because App
is the main root
component that is being rendered.
Let’s look at an example:
export default {
// [...] rest of the .settings.js
actions: {
theme: {
beforeSSR({ libraries: { frontity } }) {
// Custom `<App />`.
// This will result in the `Root` of the theme to be wrapped in a `div`
// with an id of "app"
frontity.App = ({ App }) => (
<div id="app">
<App />
</div>
);
}
},
},
};
Of course, this will result in an hydration warning and a subsequent client side render. Not great. So, in order to achieve the proper hydration the user needs to be able to define the same App
component on the client. So, that’s why we have beforeCSR
. Everything put together this is how it’ll look:
function WrappedApp({ App }) {
return (
<div id="app">
<App />
</div>
);
}
export default {
// [...] rest of the .settings.js
actions: {
theme: {
beforeSSR({ libraries: { frontity } }) {
// Only the reference is needed
frontity.App = WrappedApp;
},
beforeCSR({ libraries: { frontity } }) {
// Same as beforeSSR. Only the reference.
frontity.App = WrappedApp;
}
},
},
};
frontity.render
This refers to the render
function that Frontity should use to render the React app. Same as App
, render
function receives the App
as a functional component and also the defaultRenderer
function, that represent the default serialiser that Frontity uses to convert JSX to html.
Why the need for
defaultRenderer
defaultRenderer
is useful for the case where you don’t need to handle the actual rendering to string but only wrapping with providers the mainApp
component, like for exampleemotion
, and handle the results inside thetemplate
function. More on that later.
Let’s look at an example of how one can handle the render
of their App
.
export default {
// [...] rest of the .settings.js
actions: {
theme: {
beforeSSR({ libraries: { frontity } }) {
// Let's say you want to 'custom' render your app with special tags.
frontity.render = ({ App }) => {
const html = renderToString(<App />);
// You can manipulate or change your html result as you wish.
html += '<my-custom-tag>I have a custom tag</my-custom-tag>';
return html;
};
}
},
},
};
The above examples it’s a pretty simple one, as it only does some minor modifications to the result. But let’s look at a real life scenario with emotion.
import { CacheProvider } from "@emotion/react";
import createEmotionServer from "@emotion/server/create-instance";
import createCache from "@emotion/cache";
export default {
// [...] rest of the .settings.js
actions: {
theme: {
beforeSSR({ libraries: { frontity } }) {
// Let's say you want to 'custom' render your app with special tags.
frontity.render = ({ App, defaultRenderer }) => {
const key = "frontity";
const cache = createCache({ key });
const { extractCritical } = createEmotionServer(cache);
// Call the extractCritical. This will return an object as { html, ids, css }
const { html, ids, css } = extractCritical(
// `defaultRenderer` is the default serialiser that Frontity uses internally.
defaultRenderer(
<CacheProvider value={cache}>
<App />
</CacheProvider>
)
);
return `
<style data-emotion="${key} ${ids.join(' ')}">${css}</style>
${html}
`;
};
}
},
},
};
Even though the above it is more real, it is not ideal as the <style>
tag needs to be rendered in the <head>
section. So we need a way to customise the html
template.
frontity.template
As we’ve seen so far, the .template
function it’s quite vital to accomplish a fully extensible way to define one’s custom html output. The template
is a function that is called with the render
method result
, a defaultTemplate
function and a few lists that hold the head tags, named head
, the body scripts
and the html and body attributes, htmlAttributes
and bodyAttributes
.
Let’s build on the above example with emotion’s moving the generated <style>
tag to the <head>
section.
import { CacheProvider } from "@emotion/react";
import createEmotionServer from "@emotion/server/create-instance";
import createCache from "@emotion/cache";
export default {
// [...] rest of the .settings.js
actions: {
theme: {
beforeSSR({ libraries: { frontity } }) {
// Let's say you want to 'custom' render your app with special tags.
frontity.render = ({ App, defaultRenderer }) => {
const key = "frontity";
const cache = createCache({ key });
const { extractCritical } = createEmotionServer(cache);
// Call the extractCritical. This will return an object as { html, ids, css }
const result = extractCritical(
// `defaultRenderer` is the default serialiser that Frontity uses internally.
defaultRenderer(
<CacheProvider value={cache}>
<App />
</CacheProvider>
)
);
// We can safely return here the emotion critical call result
// since we're gonna handle this result ourselves.
return {
...result,
key
};
};
// Custom `template` function.
frontity.template = ({ result, head, defaultTemplate, ...rest }) => {
// We grab the resulted html, ids, css and the cache key.
const { html, ids, css, key } = result;
// And we push to the `head` the new style tag.
head.push(
`<style data-emotion="${key} ${ids.join(' ')}">${css}</style>`
);
// And we then pass along the rest of the arguments
// with the new `head` and the `html`.
return defaultTemplate({
...rest,
head,
html
});
};
}
},
},
};
And we are done! Now our server side rendering will extract the critical css, move it to head and return the html.
Conclusion
These options are really powerful. I am so in awe with what it can be achieved. For example regarding styling, even though Frontity does come with emotion by default, you can use anything you’d like, because now you can handle the server side extraction.
More importantly though this will allow for an amp
package to be built with ease.
And you also have the init
action which runs before the beforeSSR
and beforeCSR
actions, both in the client and server
Inside that action, if you need to, you can differenciate between server and client using state.frontity.platform
. You can also export different init
functions using src/client.js
and src/server.js
.
I have a question about the defaultRenderer
: How well it would handle multiple packages?
Let’s imagine the case of two packages that add their own logic to the render:
// package-1
export default {
actions: {
package1: {
beforeSSR({ libraries: { frontity } }) {
frontity.render = ({ App, defaultRenderer }) => {
const html = defaultRenderer(<App />);
html += "<tag>Package 1</tag>";
return html;
};
},
},
},
};
// package-2
export default {
actions: {
package2: {
beforeSSR({ libraries: { frontity } }) {
frontity.render = ({ App, defaultRenderer }) => {
const html = defaultRenderer(<App />);
html += "<tag>Package 2</tag>";
return html;
};
},
},
},
};
If I’m not mistaken, the <tag>Package 1</tag>
tag won’t appear, because frontity.render
will be overwritten by the package-2.
Did you think about this?
Also, what do you think about exposing the things that we pass to the template in libraries as well? That way packages won’t have to overwrite the template to add things to the head, for example.
Something like this, inside the libraries.frontity.render
function itself:
libraries.frontity.head.push(
`<style data-emotion="${key} ${ids.join(" ")}">${css}</style>`
);
Oh, indeed! Let me think about it. I’ll get back with a proposal.
That would be really useful indeed. Not particular for emotion in our case, but I can see this easily be the case to push 1st or 3rd party scripts with ease.
Alrighty, so this is achievable but only on the packages side. As it is proposed and implemented right now, Frontity only reads the properties defined on .frontity
namespace. That means effectively one package can override previously defined ones. This is not a drawback in my opinion as these three properties are quite flexible and one needs to be careful about them.
In the case of multiple .render
methods, each package should check of a previous value of frontity.render
and depending on what exactly it’s needed to be achieved should call the previously defined method. Example:
export default {
name: "baz",
actions: {
baz: {
beforeSSR({ libraries: { frontity } }) {
// Hold the previous render in a reference
const previousRender = frontity.render;
// Define the new method
frontity.render = ({ App, defaultRenderer, ...rest }) => {
// In this case we want to wrap the App with a `<baz>` element
// but we could imagine this a provider as well,
// but in that case `.App` should be used instead.
let BazApp = () => (
<baz>
<App />
</baz>
);
// If there's a previousRender defined pass along the new BazApp
if (previousRender) {
return previousRender({
App: BazApp,
defaultRenderer,
...rest,
});
}
// If not use the `defaultRenderer`
return defaultRenderer(<BazApp />);
};
},
},
},
};
Another option is that we could change the .render
API surface to instead be a queue. So that would look something like this.
frontity.setRender(({ App, defaultRenderer }) => {
return defaultRenderer(<App />);
});
But this will not be more effective in handling multiple .render
definitions.
With the .render
method we allow total control of the rendering to a package. And because that means we can not determine how a package will handle it’s own rendering – either using defaultRenderer or it’s own renderer – I don’t believe there’s an API surface that will allow multiple render definitions in a sane way.
But I wanna explore something before settling this.
Ok, I’ve recorded a loom explaining my reasoning
Let me know what you think.