Skip to content

Commit e23673b

Browse files
authoredDec 3, 2020
[Flight] Add getCacheForType() to the dispatcher (#20315)
* Remove react/unstable_cache We're probably going to make it available via the dispatcher. Let's remove this for now. * Add readContext() to the dispatcher On the server, it will be per-request. On the client, there will be some way to shadow it. For now, I provide it on the server, and throw on the client. * Use readContext() from react-fetch This makes it work on the server (but not on the client until we implement it there.) Updated the test to use Server Components. Now it passes. * Fixture: Add fetch from a Server Component * readCache -> getCacheForType<T> * Add React.unstable_getCacheForType * Add a feature flag * Fix Flow * Add react-suspense-test-utils and port tests * Remove extra Map lookup * Unroll async/await because build system * Add some error coverage and retry * Add unstable_getCacheForType to Flight entry
1 parent 555eeae commit e23673b

37 files changed

+363
-156
lines changed
 

‎fixtures/flight/server/cli.server.js

+18-3
Original file line numberDiff line numberDiff line change
@@ -17,13 +17,28 @@ const app = express();
1717
// Application
1818
app.get('/', function(req, res) {
1919
if (process.env.NODE_ENV === 'development') {
20-
for (var key in require.cache) {
21-
delete require.cache[key];
22-
}
20+
// This doesn't work in ESM mode.
21+
// for (var key in require.cache) {
22+
// delete require.cache[key];
23+
// }
2324
}
2425
require('./handler.server.js')(req, res);
2526
});
2627

28+
app.get('/todos', function(req, res) {
29+
res.setHeader('Access-Control-Allow-Origin', '*');
30+
res.json([
31+
{
32+
id: 1,
33+
text: 'Shave yaks',
34+
},
35+
{
36+
id: 2,
37+
text: 'Eat kale',
38+
},
39+
]);
40+
});
41+
2742
app.listen(3001, () => {
2843
console.log('Flight Server listening on port 3001...');
2944
});

‎fixtures/flight/src/App.server.js

+7
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
import * as React from 'react';
2+
import {fetch} from 'react-fetch';
23

34
import Container from './Container.js';
45

@@ -8,11 +9,17 @@ import {Counter as Counter2} from './Counter2.client.js';
89
import ShowMore from './ShowMore.client.js';
910

1011
export default function App() {
12+
const todos = fetch('http://localhost:3001/todos').json();
1113
return (
1214
<Container>
1315
<h1>Hello, world</h1>
1416
<Counter />
1517
<Counter2 />
18+
<ul>
19+
{todos.map(todo => (
20+
<li key={todo.id}>{todo.text}</li>
21+
))}
22+
</ul>
1623
<ShowMore>
1724
<p>Lorem ipsum</p>
1825
</ShowMore>

‎packages/react-debug-tools/src/ReactDebugHooks.js

+6
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,7 @@ import type {OpaqueIDType} from 'react-reconciler/src/ReactFiberHostConfig';
2323
import {NoMode} from 'react-reconciler/src/ReactTypeOfMode';
2424

2525
import ErrorStackParser from 'error-stack-parser';
26+
import invariant from 'shared/invariant';
2627
import ReactSharedInternals from 'shared/ReactSharedInternals';
2728
import {REACT_OPAQUE_ID_TYPE} from 'shared/ReactSymbols';
2829
import {
@@ -100,6 +101,10 @@ function nextHook(): null | Hook {
100101
return hook;
101102
}
102103

104+
function getCacheForType<T>(resourceType: () => T): T {
105+
invariant(false, 'Not implemented.');
106+
}
107+
103108
function readContext<T>(
104109
context: ReactContext<T>,
105110
observedBits: void | number | boolean,
@@ -298,6 +303,7 @@ function useOpaqueIdentifier(): OpaqueIDType | void {
298303
}
299304

300305
const Dispatcher: DispatcherType = {
306+
getCacheForType,
301307
readContext,
302308
useCallback,
303309
useContext,

‎packages/react-dom/src/server/ReactPartialRendererHooks.js

+9
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,7 @@ import type PartialRenderer from './ReactPartialRenderer';
2020
import {validateContextBounds} from './ReactPartialRendererContext';
2121

2222
import invariant from 'shared/invariant';
23+
import {enableCache} from 'shared/ReactFeatureFlags';
2324
import is from 'shared/objectIs';
2425

2526
type BasicStateAction<S> = (S => S) | S;
@@ -214,6 +215,10 @@ export function resetHooksState(): void {
214215
workInProgressHook = null;
215216
}
216217

218+
function getCacheForType<T>(resourceType: () => T): T {
219+
invariant(false, 'Not implemented.');
220+
}
221+
217222
function readContext<T>(
218223
context: ReactContext<T>,
219224
observedBits: void | number | boolean,
@@ -512,3 +517,7 @@ export const Dispatcher: DispatcherType = {
512517
// Subscriptions are not setup in a server environment.
513518
useMutableSource,
514519
};
520+
521+
if (enableCache) {
522+
Dispatcher.getCacheForType = getCacheForType;
523+
}

‎packages/react-fetch/src/ReactFetchBrowser.js

+9-12
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@
99

1010
import type {Wakeable} from 'shared/ReactTypes';
1111

12-
import {readCache} from 'react/unstable-cache';
12+
import {unstable_getCacheForType} from 'react';
1313

1414
const Pending = 0;
1515
const Resolved = 1;
@@ -34,16 +34,13 @@ type Result = PendingResult | ResolvedResult | RejectedResult;
3434

3535
// TODO: this is a browser-only version. Add a separate Node entry point.
3636
const nativeFetch = window.fetch;
37-
const fetchKey = {};
38-
39-
function readResultMap(): Map<string, Result> {
40-
const resources = readCache().resources;
41-
let map = resources.get(fetchKey);
42-
if (map === undefined) {
43-
map = new Map();
44-
resources.set(fetchKey, map);
45-
}
46-
return map;
37+
38+
function getResultMap(): Map<string, Result> {
39+
return unstable_getCacheForType(createResultMap);
40+
}
41+
42+
function createResultMap(): Map<string, Result> {
43+
return new Map();
4744
}
4845

4946
function toResult(thenable): Result {
@@ -120,7 +117,7 @@ Response.prototype = {
120117
};
121118

122119
function preloadResult(url: string, options: mixed): Result {
123-
const map = readResultMap();
120+
const map = getResultMap();
124121
let entry = map.get(url);
125122
if (!entry) {
126123
if (options) {

‎packages/react-fetch/src/ReactFetchNode.js

+7-12
Original file line numberDiff line numberDiff line change
@@ -11,8 +11,7 @@ import type {Wakeable} from 'shared/ReactTypes';
1111

1212
import * as http from 'http';
1313
import * as https from 'https';
14-
15-
import {readCache} from 'react/unstable-cache';
14+
import {unstable_getCacheForType} from 'react';
1615

1716
type FetchResponse = {|
1817
// Properties
@@ -75,16 +74,12 @@ type RejectedResult = {|
7574

7675
type Result<V> = PendingResult | ResolvedResult<V> | RejectedResult;
7776

78-
const fetchKey = {};
77+
function getResultMap(): Map<string, Result<FetchResponse>> {
78+
return unstable_getCacheForType(createResultMap);
79+
}
7980

80-
function readResultMap(): Map<string, Result<FetchResponse>> {
81-
const resources = readCache().resources;
82-
let map = resources.get(fetchKey);
83-
if (map === undefined) {
84-
map = new Map();
85-
resources.set(fetchKey, map);
86-
}
87-
return map;
81+
function createResultMap(): Map<string, Result<FetchResponse>> {
82+
return new Map();
8883
}
8984

9085
function readResult<T>(result: Result<T>): T {
@@ -166,7 +161,7 @@ Response.prototype = {
166161
};
167162

168163
function preloadResult(url: string, options: mixed): Result<FetchResponse> {
169-
const map = readResultMap();
164+
const map = getResultMap();
170165
let entry = map.get(url);
171166
if (!entry) {
172167
if (options) {

‎packages/react-fetch/src/__tests__/ReactFetchNode-test.js

+73-47
Original file line numberDiff line numberDiff line change
@@ -10,86 +10,112 @@
1010
'use strict';
1111

1212
describe('ReactFetchNode', () => {
13-
let ReactCache;
14-
let ReactFetchNode;
1513
let http;
1614
let fetch;
15+
let waitForSuspense;
1716
let server;
1817
let serverEndpoint;
1918
let serverImpl;
2019

2120
beforeEach(done => {
2221
jest.resetModules();
23-
if (__EXPERIMENTAL__) {
24-
ReactCache = require('react/unstable-cache');
25-
// TODO: A way to pass load context.
26-
ReactCache.CacheProvider._context._currentValue = ReactCache.createCache();
27-
ReactFetchNode = require('react-fetch');
28-
fetch = ReactFetchNode.fetch;
29-
}
22+
23+
fetch = require('react-fetch').fetch;
3024
http = require('http');
25+
waitForSuspense = require('react-suspense-test-utils').waitForSuspense;
3126

3227
server = http.createServer((req, res) => {
3328
serverImpl(req, res);
3429
});
35-
server.listen(done);
36-
serverEndpoint = `http://localhost:${server.address().port}/`;
30+
serverEndpoint = null;
31+
server.listen(() => {
32+
serverEndpoint = `http://localhost:${server.address().port}/`;
33+
done();
34+
});
3735
});
3836

3937
afterEach(done => {
4038
server.close(done);
4139
server = null;
4240
});
4341

44-
async function waitForSuspense(fn) {
45-
while (true) {
46-
try {
47-
return fn();
48-
} catch (promise) {
49-
if (typeof promise.then === 'function') {
50-
await promise;
51-
} else {
52-
throw promise;
53-
}
54-
}
55-
}
56-
}
42+
// @gate experimental
43+
it('can fetch text from a server component', async () => {
44+
serverImpl = (req, res) => {
45+
res.write('mango');
46+
res.end();
47+
};
48+
const text = await waitForSuspense(() => {
49+
return fetch(serverEndpoint).text();
50+
});
51+
expect(text).toEqual('mango');
52+
});
5753

5854
// @gate experimental
59-
it('can read text', async () => {
55+
it('can fetch json from a server component', async () => {
6056
serverImpl = (req, res) => {
61-
res.write('ok');
57+
res.write(JSON.stringify({name: 'Sema'}));
6258
res.end();
6359
};
64-
await waitForSuspense(() => {
65-
const response = fetch(serverEndpoint);
66-
expect(response.status).toBe(200);
67-
expect(response.statusText).toBe('OK');
68-
expect(response.ok).toBe(true);
69-
expect(response.text()).toEqual('ok');
70-
// Can read again:
71-
expect(response.text()).toEqual('ok');
60+
const json = await waitForSuspense(() => {
61+
return fetch(serverEndpoint).json();
7262
});
63+
expect(json).toEqual({name: 'Sema'});
7364
});
7465

7566
// @gate experimental
76-
it('can read json', async () => {
67+
it('provides response status', async () => {
7768
serverImpl = (req, res) => {
7869
res.write(JSON.stringify({name: 'Sema'}));
7970
res.end();
8071
};
81-
await waitForSuspense(() => {
82-
const response = fetch(serverEndpoint);
83-
expect(response.status).toBe(200);
84-
expect(response.statusText).toBe('OK');
85-
expect(response.ok).toBe(true);
86-
expect(response.json()).toEqual({
87-
name: 'Sema',
88-
});
89-
// Can read again:
90-
expect(response.json()).toEqual({
91-
name: 'Sema',
92-
});
72+
const response = await waitForSuspense(() => {
73+
return fetch(serverEndpoint);
74+
});
75+
expect(response).toMatchObject({
76+
status: 200,
77+
statusText: 'OK',
78+
ok: true,
9379
});
9480
});
81+
82+
// @gate experimental
83+
it('handles different paths', async () => {
84+
serverImpl = (req, res) => {
85+
switch (req.url) {
86+
case '/banana':
87+
res.write('banana');
88+
break;
89+
case '/mango':
90+
res.write('mango');
91+
break;
92+
case '/orange':
93+
res.write('orange');
94+
break;
95+
}
96+
res.end();
97+
};
98+
const outputs = await waitForSuspense(() => {
99+
return [
100+
fetch(serverEndpoint + 'banana').text(),
101+
fetch(serverEndpoint + 'mango').text(),
102+
fetch(serverEndpoint + 'orange').text(),
103+
];
104+
});
105+
expect(outputs).toMatchObject(['banana', 'mango', 'orange']);
106+
});
107+
108+
// @gate experimental
109+
it('can produce an error', async () => {
110+
serverImpl = (req, res) => {};
111+
112+
expect.assertions(1);
113+
try {
114+
await waitForSuspense(() => {
115+
return fetch('BOOM');
116+
});
117+
} catch (err) {
118+
expect(err.message).toEqual('Invalid URL: BOOM');
119+
}
120+
});
95121
});

0 commit comments

Comments
 (0)
Please sign in to comment.