Skip to content

Commit a4d122f

Browse files
sebmarkbageeps1lon
andauthored
Add <ViewTransition> Component (facebook#31975)
This will provide the opt-in for using [View Transitions](https://developer.mozilla.org/en-US/docs/Web/API/View_Transition_API) in React. View Transitions only trigger for async updates like `startTransition`, `useDeferredValue`, Actions or `<Suspense>` revealing from fallback to content. Synchronous updates provide an opt-out but also guarantee that they commit immediately which View Transitions can't. There's no need to opt-in to View Transitions at the "cause" side like event handlers or actions. They don't know what UI will change and whether that has an animated transition described. Conceptually the `<ViewTransition>` component is like a DOM fragment that transitions its children in its own isolate/snapshot. The API works by wrapping a DOM node or inner component: ```js import {ViewTransition} from 'react'; <ViewTransition><Component /></ViewTransition> ``` The default is `name="auto"` which will automatically assign a `view-transition-name` to the inner DOM node. That way you can add a View Transition to a Component without controlling its DOM nodes styling otherwise. A difference between this and the browser's built-in `view-transition-name: auto` is that switching the DOM nodes within the `<ViewTransition>` component preserves the same name so this example cross-fades between the DOM nodes instead of causing an exit and enter: ```js <ViewTransition>{condition ? <ComponentA /> : <ComponentB />}</ViewTransition> ``` This becomes especially useful with `<Suspense>` as this example cross-fades between Skeleton and Content: ```js <ViewTransition> <Suspense fallback={<Skeleton />}> <Content /> </Suspense> </ViewTransition> ``` Where as this example triggers an exit of the Skeleton and an enter of the Content: ```js <Suspense fallback={<ViewTransition><Skeleton /></ViewTransition>}> <ViewTransition><Content /></ViewTransition> </Suspense> ``` Managing instances and keys becomes extra important. You can also specify an explicit `name` property for example for animating the same conceptual item from one page onto another. However, best practices is to property namespace these since they can easily collide. It's also useful to add an `id` to it if available. ```js <ViewTransition name="my-shared-view"> ``` The model in general is the same as plain `view-transition-name` except React manages a set of heuristics for when to apply it. A problem with the naive View Transitions model is that it overly opts in every boundary that *might* transition into transitioning. This is leads to unfortunate effects like things floating around when unrelated updates happen. This leads the whole document to animate which means that nothing is clickable in the meantime. It makes it not useful for smaller and more local transitions. Best practice is to add `view-transition-name` only right before you're about to need to animate the thing. This is tricky to manage globally on complex apps and is not compositional. Instead we let React manage when a `<ViewTransition>` "activates" and add/remove the `view-transition-name`. This is also when React calls `startViewTransition` behind the scenes while it mutates the DOM. I've come up with a number of heuristics that I think will make a lot easier to coordinate this. The principle is that only if something that updates that particular boundary do we activate it. I hope that one day maybe browsers will have something like these built-in and we can remove our implementation. A `<ViewTransition>` only activates if: - If a mounted Component renders a `<ViewTransition>` within it outside the first DOM node, and it is within the viewport, then that ViewTransition activates as an "enter" animation. This avoids inner "enter" animations trigger when the parent mounts. - If an unmounted Component had a `<ViewTransition>` within it outside the first DOM node, and it was within the viewport, then that ViewTransition activates as an "exit" animation. This avoids inner "exit" animations triggering when the parent unmounts. - If an explicitly named `<ViewTransition name="...">` is deep within an unmounted tree and one with the same name appears in a mounted tree at the same time, then both are activated as a pair, but only if they're both in the viewport. This avoids these triggering "enter" or "exit" animations when going between parents that don't have a pair. - If an already mounted `<ViewTransition>` is visible and a DOM mutation, that might affect how it's painted, happens within its children but outside any nested `<ViewTransition>`. This allows it to "cross-fade" between its updates. - If an already mounted `<ViewTransition>` resizes or moves as the result of direct DOM nodes siblings changing or moving around. This allows insertion, deletion and reorders into a list to animate all children. It is only within one DOM node though, to avoid unrelated changes in the parent to trigger this. If an item is outside the viewport before and after, then it's skipped to avoid things flying across the screen. - If a `<ViewTransition>` boundary changes size, due to a DOM mutation within it, then the parent activates (or the root document if there are no more parents). This ensures that the container can cross-fade to avoid abrupt relayout. This can be avoided by using absolutely positioned children. When this can avoid bubbling to the root document, whatever is not animating is still responsive to clicks during the transition. Conceptually each DOM node has its own default that activates the parent `<ViewTransition>` or no transition if the parent is the root. That means that if you add a DOM node like `<div><ViewTransition><Component /></ViewTransition></div>` this won't trigger an "enter" animation since it was the div that was added, not the ViewTransition. Instead, it might cause a cross-fade of the parent ViewTransition or no transition if it had no parent. This ensures that only explicit boundaries perform coarse animations instead of every single node which is really the benefit of the View Transitions model. This ends up working out well for simple cases like switching between two pages immediately while transitioning one floating item that appears on both pages. Because only the floating item transitions by default. Note that it's possible to add manual `view-transition-name` with CSS or `style={{ viewTransitionName: 'auto' }}` that always transitions as long as something else has a `<ViewTransition>` that activates. For example a `<ViewTransition>` can wrap a whole page for a cross-fade but inside of it an explicit name can be added to something to ensure it animates as a move when something relates else changes its layout. Instead of just cross-fading it along with the Page which would be the default. There's more PRs coming with some optimizations, fixes and expanded APIs. This first PR explores the above core heuristic. --------- Co-authored-by: Sebastian "Sebbie" Silbermann <[email protected]>
1 parent e30c669 commit a4d122f

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

57 files changed

+9473
-98
lines changed

fixtures/view-transition/README.md

+30
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,30 @@
1+
# View Transition
2+
3+
A test case for View Transitions.
4+
5+
## Setup
6+
7+
To reference a local build of React, first run `npm run build` at the root
8+
of the React project. Then:
9+
10+
```
11+
cd fixtures/view-transition
12+
yarn
13+
yarn start
14+
```
15+
16+
The `start` command runs a webpack dev server and a server-side rendering server in development mode with hot reloading.
17+
18+
**Note: whenever you make changes to React and rebuild it, you need to re-run `yarn` in this folder:**
19+
20+
```
21+
yarn
22+
```
23+
24+
If you want to try the production mode instead run:
25+
26+
```
27+
yarn start:prod
28+
```
29+
30+
This will pre-build all static resources and then start a server-side rendering HTTP server that hosts the React app and service the static resources (without hot reloading).

fixtures/view-transition/package.json

+28
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
{
2+
"name": "react-fixtures-view-transition",
3+
"version": "0.1.0",
4+
"private": true,
5+
"devDependencies": {
6+
"concurrently": "3.1.0",
7+
"http-proxy-middleware": "0.17.3",
8+
"react-scripts": "0.9.5"
9+
},
10+
"dependencies": {
11+
"express": "^4.14.0",
12+
"ignore-styles": "^5.0.1",
13+
"react": "^19.0.0",
14+
"react-dom": "^19.0.0"
15+
},
16+
"scripts": {
17+
"predev": "cp -r ../../build/oss-experimental/* ./node_modules/",
18+
"prestart": "cp -r ../../build/oss-experimental/* ./node_modules/",
19+
"prebuild": "cp -r ../../build/oss-experimental/* ./node_modules/",
20+
"dev": "concurrently \"npm run dev:server\" \"npm run dev:client\"",
21+
"dev:client": "PORT=3001 react-scripts start",
22+
"dev:server": "NODE_ENV=development node server",
23+
"start": "react-scripts build && NODE_ENV=production node server",
24+
"build": "react-scripts build",
25+
"test": "react-scripts test --env=jsdom",
26+
"eject": "react-scripts eject"
27+
}
28+
}
24.3 KB
Binary file not shown.
+13
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
<!doctype html>
2+
<html>
3+
<body>
4+
<script>
5+
/*
6+
This is just a placeholder to make react-scripts happy.
7+
We're not using it. If we end up here, redirect to the
8+
primary server.
9+
*/
10+
location.href = '//localhost:3000/';
11+
</script>
12+
</body>
13+
</html>
+70
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,70 @@
1+
require('ignore-styles');
2+
const babelRegister = require('babel-register');
3+
const proxy = require('http-proxy-middleware');
4+
5+
babelRegister({
6+
ignore: /\/(build|node_modules)\//,
7+
presets: ['react-app'],
8+
});
9+
10+
const express = require('express');
11+
const path = require('path');
12+
13+
const app = express();
14+
15+
// Application
16+
if (process.env.NODE_ENV === 'development') {
17+
app.get('/', function (req, res) {
18+
// In development mode we clear the module cache between each request to
19+
// get automatic hot reloading.
20+
for (var key in require.cache) {
21+
delete require.cache[key];
22+
}
23+
const render = require('./render').default;
24+
render(req.url, res);
25+
});
26+
} else {
27+
const render = require('./render').default;
28+
app.get('/', function (req, res) {
29+
render(req.url, res);
30+
});
31+
}
32+
33+
// Static resources
34+
app.use(express.static(path.resolve(__dirname, '..', 'build')));
35+
36+
// Proxy everything else to create-react-app's webpack development server
37+
if (process.env.NODE_ENV === 'development') {
38+
app.use(
39+
'/',
40+
proxy({
41+
ws: true,
42+
target: 'http://localhost:3001',
43+
})
44+
);
45+
}
46+
47+
app.listen(3000, () => {
48+
console.log('Listening on port 3000...');
49+
});
50+
51+
app.on('error', function (error) {
52+
if (error.syscall !== 'listen') {
53+
throw error;
54+
}
55+
56+
var bind = typeof port === 'string' ? 'Pipe ' + port : 'Port ' + port;
57+
58+
switch (error.code) {
59+
case 'EACCES':
60+
console.error(bind + ' requires elevated privileges');
61+
process.exit(1);
62+
break;
63+
case 'EADDRINUSE':
64+
console.error(bind + ' is already in use');
65+
process.exit(1);
66+
break;
67+
default:
68+
throw error;
69+
}
70+
});
+44
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,44 @@
1+
import React from 'react';
2+
import {renderToPipeableStream} from 'react-dom/server';
3+
4+
import App from '../src/components/App';
5+
6+
let assets;
7+
if (process.env.NODE_ENV === 'development') {
8+
// Use the bundle from create-react-app's server in development mode.
9+
assets = {
10+
'main.js': '/static/js/bundle.js',
11+
// 'main.css': '',
12+
};
13+
} else {
14+
assets = require('../build/asset-manifest.json');
15+
}
16+
17+
export default function render(url, res) {
18+
res.socket.on('error', error => {
19+
// Log fatal errors
20+
console.error('Fatal', error);
21+
});
22+
let didError = false;
23+
const {pipe, abort} = renderToPipeableStream(<App assets={assets} />, {
24+
bootstrapScripts: [assets['main.js']],
25+
onShellReady() {
26+
// If something errored before we started streaming, we set the error code appropriately.
27+
res.statusCode = didError ? 500 : 200;
28+
res.setHeader('Content-type', 'text/html');
29+
pipe(res);
30+
},
31+
onShellError(x) {
32+
// Something errored before we could complete the shell so we emit an alternative shell.
33+
res.statusCode = 500;
34+
res.send('<!doctype><p>Error</p>');
35+
},
36+
onError(x) {
37+
didError = true;
38+
console.error(x);
39+
},
40+
});
41+
// Abandon and switch to client rendering after 5 seconds.
42+
// Try lowering this to see the client recover.
43+
setTimeout(abort, 5000);
44+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,12 @@
1+
import React from 'react';
2+
3+
import Chrome from './Chrome';
4+
import Page from './Page';
5+
6+
export default function App({assets}) {
7+
return (
8+
<Chrome title="Hello World" assets={assets}>
9+
<Page />
10+
</Chrome>
11+
);
12+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
body {
2+
margin: 10px;
3+
padding: 0;
4+
font-family: sans-serif;
5+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,33 @@
1+
import React, {Component} from 'react';
2+
3+
import './Chrome.css';
4+
5+
export default class Chrome extends Component {
6+
render() {
7+
const assets = this.props.assets;
8+
return (
9+
<html lang="en">
10+
<head>
11+
<meta charSet="utf-8" />
12+
<meta name="viewport" content="width=device-width, initial-scale=1" />
13+
<link rel="shortcut icon" href="favicon.ico" />
14+
<link rel="stylesheet" href={assets['main.css']} />
15+
<title>{this.props.title}</title>
16+
</head>
17+
<body>
18+
<noscript
19+
dangerouslySetInnerHTML={{
20+
__html: `<b>Enable JavaScript to run this app.</b>`,
21+
}}
22+
/>
23+
{this.props.children}
24+
<script
25+
dangerouslySetInnerHTML={{
26+
__html: `assetManifest = ${JSON.stringify(assets)};`,
27+
}}
28+
/>
29+
</body>
30+
</html>
31+
);
32+
}
33+
}

fixtures/view-transition/src/components/Page.css

Whitespace-only changes.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,79 @@
1+
import React, {
2+
unstable_ViewTransition as ViewTransition,
3+
startTransition,
4+
useEffect,
5+
useState,
6+
unstable_Activity as Activity,
7+
} from 'react';
8+
9+
import './Page.css';
10+
11+
const a = (
12+
<div key="a">
13+
<ViewTransition>
14+
<div>a</div>
15+
</ViewTransition>
16+
</div>
17+
);
18+
19+
const b = (
20+
<div key="b">
21+
<ViewTransition>
22+
<div>b</div>
23+
</ViewTransition>
24+
</div>
25+
);
26+
27+
export default function Page() {
28+
const [show, setShow] = useState(false);
29+
useEffect(() => {
30+
startTransition(() => {
31+
setShow(true);
32+
});
33+
}, []);
34+
const exclamation = (
35+
<ViewTransition name="exclamation">
36+
<span>!</span>
37+
</ViewTransition>
38+
);
39+
return (
40+
<div>
41+
<button
42+
onClick={() => {
43+
startTransition(() => {
44+
setShow(show => !show);
45+
});
46+
}}>
47+
{show ? 'A' : 'B'}
48+
</button>
49+
<ViewTransition>
50+
<div>
51+
{show ? (
52+
<div>
53+
{a}
54+
{b}
55+
</div>
56+
) : (
57+
<div>
58+
{b}
59+
{a}
60+
</div>
61+
)}
62+
<ViewTransition>
63+
{show ? <div>hello{exclamation}</div> : <section>Loading</section>}
64+
</ViewTransition>
65+
{show ? null : (
66+
<ViewTransition>
67+
<div>world{exclamation}</div>
68+
</ViewTransition>
69+
)}
70+
<Activity mode={show ? 'visible' : 'hidden'}>
71+
<ViewTransition>
72+
<div>!!</div>
73+
</ViewTransition>
74+
</Activity>
75+
</div>
76+
</ViewTransition>
77+
</div>
78+
);
79+
}

fixtures/view-transition/src/index.js

+6
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
import React from 'react';
2+
import {hydrateRoot} from 'react-dom/client';
3+
4+
import App from './components/App';
5+
6+
hydrateRoot(document, <App assets={window.assetManifest} />);

0 commit comments

Comments
 (0)