mirror of https://github.com/status-im/metro.git
Initial version of caches
Reviewed By: davidaurelio Differential Revision: D7023408 fbshipit-source-id: 3411a34d7551f8c2e13087af6dae389c3468b1ee
This commit is contained in:
parent
3d061b34f7
commit
eab7030b2e
|
@ -0,0 +1,14 @@
|
||||||
|
{
|
||||||
|
"version": "0.25.1",
|
||||||
|
"name": "metro-cache",
|
||||||
|
"description": "🚇 Cache layers for Metro",
|
||||||
|
"main": "src/index.js",
|
||||||
|
"repository": {
|
||||||
|
"type": "git",
|
||||||
|
"url": "git@github.com:facebook/metro.git"
|
||||||
|
},
|
||||||
|
"scripts": {
|
||||||
|
"prepare-release": "test -d build && rm -rf src.real && mv src src.real && mv build src",
|
||||||
|
"cleanup-release": "test ! -e build && mv src build && mv src.real src"
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,50 @@
|
||||||
|
/**
|
||||||
|
* Copyright (c) 2018-present, Facebook, Inc.
|
||||||
|
*
|
||||||
|
* This source code is licensed under the MIT license found in the
|
||||||
|
* LICENSE file in the root directory of this source tree.
|
||||||
|
*
|
||||||
|
* @flow
|
||||||
|
* @format
|
||||||
|
*/
|
||||||
|
|
||||||
|
'use strict';
|
||||||
|
|
||||||
|
import type {CacheStore} from 'metro-cache';
|
||||||
|
|
||||||
|
class Cache {
|
||||||
|
_stores: $ReadOnlyArray<CacheStore>;
|
||||||
|
|
||||||
|
constructor(stores: $ReadOnlyArray<CacheStore>) {
|
||||||
|
this._stores = stores;
|
||||||
|
}
|
||||||
|
|
||||||
|
async get(key: Buffer): Promise<mixed> {
|
||||||
|
const stores = this._stores;
|
||||||
|
const length = stores.length;
|
||||||
|
|
||||||
|
for (let i = 0; i < length; i++) {
|
||||||
|
let value = stores[i].get(key);
|
||||||
|
|
||||||
|
if (value instanceof Promise) {
|
||||||
|
value = await value;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (value != null) {
|
||||||
|
return value;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
set(key: Buffer, value: mixed): void {
|
||||||
|
Promise.all(this._stores.map(store => store.set(key, value))).catch(err => {
|
||||||
|
process.nextTick(() => {
|
||||||
|
throw err;
|
||||||
|
});
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = Cache;
|
|
@ -0,0 +1,112 @@
|
||||||
|
/**
|
||||||
|
* Copyright (c) 2018-present, Facebook, Inc.
|
||||||
|
*
|
||||||
|
* This source code is licensed under the MIT license found in the
|
||||||
|
* LICENSE file in the root directory of this source tree.
|
||||||
|
*
|
||||||
|
* @emails oncall+javascript_foundation
|
||||||
|
* @format
|
||||||
|
*/
|
||||||
|
|
||||||
|
'use strict';
|
||||||
|
|
||||||
|
const Cache = require('../Cache');
|
||||||
|
|
||||||
|
describe('Cache', () => {
|
||||||
|
function createStore(i) {
|
||||||
|
return {
|
||||||
|
name: 'store' + i,
|
||||||
|
get: jest.fn().mockImplementation(() => null),
|
||||||
|
set: jest.fn(),
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
it('returns null when no result is found', async () => {
|
||||||
|
const store1 = createStore();
|
||||||
|
const store2 = createStore();
|
||||||
|
const cache = new Cache([store1, store2]);
|
||||||
|
|
||||||
|
// Calling a wrapped method.
|
||||||
|
const result = await cache.get('arg');
|
||||||
|
|
||||||
|
expect(result).toBe(null);
|
||||||
|
expect(store1.get).toHaveBeenCalledTimes(1);
|
||||||
|
expect(store2.get).toHaveBeenCalledTimes(1);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('sequentially searches up until it finds a valid result', async () => {
|
||||||
|
const store1 = createStore(1);
|
||||||
|
const store2 = createStore(2);
|
||||||
|
const store3 = createStore(3);
|
||||||
|
const cache = new Cache([store1, store2, store3]);
|
||||||
|
|
||||||
|
// Only cache 2 can return results.
|
||||||
|
store2.get.mockImplementation(() => 'foo');
|
||||||
|
|
||||||
|
const result = await cache.get('arg');
|
||||||
|
|
||||||
|
expect(result).toBe('foo');
|
||||||
|
expect(store1.get).toHaveBeenCalledTimes(1);
|
||||||
|
expect(store2.get).toHaveBeenCalledTimes(1);
|
||||||
|
expect(store3.get).not.toHaveBeenCalled();
|
||||||
|
});
|
||||||
|
|
||||||
|
it('awaits for promises on stores, even if they return undefined', async () => {
|
||||||
|
let resolve;
|
||||||
|
|
||||||
|
const store1 = createStore();
|
||||||
|
const store2 = createStore();
|
||||||
|
const promise = new Promise((res, rej) => (resolve = res));
|
||||||
|
const cache = new Cache([store1, store2]);
|
||||||
|
|
||||||
|
store1.get.mockImplementation(() => promise);
|
||||||
|
cache.get('foo');
|
||||||
|
|
||||||
|
// Store 1 returns a promise, so store 2 is not called until it resolves.
|
||||||
|
expect(store1.get).toHaveBeenCalledTimes(1);
|
||||||
|
expect(store2.get).not.toHaveBeenCalled();
|
||||||
|
|
||||||
|
resolve(undefined);
|
||||||
|
await promise;
|
||||||
|
|
||||||
|
expect(store1.get).toHaveBeenCalledTimes(1);
|
||||||
|
expect(store2.get).toHaveBeenCalledTimes(1);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('throws on a buggy store', async () => {
|
||||||
|
jest.useFakeTimers();
|
||||||
|
|
||||||
|
const store1 = createStore();
|
||||||
|
const store2 = createStore();
|
||||||
|
const cache = new Cache([store1, store2]);
|
||||||
|
|
||||||
|
let err1 = null;
|
||||||
|
let err2 = null;
|
||||||
|
|
||||||
|
// Try sets.
|
||||||
|
store1.set.mockImplementation(() => Promise.reject(new RangeError('foo')));
|
||||||
|
store2.set.mockImplementation(() => null);
|
||||||
|
|
||||||
|
expect(() => cache.set('arg')).not.toThrow(); // Async throw.
|
||||||
|
|
||||||
|
try {
|
||||||
|
jest.runAllTimers(); // Advancing the timer will make the cache throw.
|
||||||
|
} catch (err) {
|
||||||
|
err1 = err;
|
||||||
|
}
|
||||||
|
|
||||||
|
expect(err1).toBeInstanceOf(RangeError);
|
||||||
|
|
||||||
|
// Try gets.
|
||||||
|
store1.get.mockImplementation(() => Promise.reject(new TypeError('bar')));
|
||||||
|
store2.get.mockImplementation(() => null);
|
||||||
|
|
||||||
|
try {
|
||||||
|
await cache.get('arg');
|
||||||
|
} catch (err) {
|
||||||
|
err2 = err;
|
||||||
|
}
|
||||||
|
|
||||||
|
expect(err2).toBeInstanceOf(TypeError);
|
||||||
|
});
|
||||||
|
});
|
|
@ -0,0 +1,37 @@
|
||||||
|
/**
|
||||||
|
* Copyright (c) 2018-present, Facebook, Inc.
|
||||||
|
*
|
||||||
|
* This source code is licensed under the MIT license found in the
|
||||||
|
* LICENSE file in the root directory of this source tree.
|
||||||
|
*
|
||||||
|
* @emails oncall+javascript_foundation
|
||||||
|
* @format
|
||||||
|
*/
|
||||||
|
|
||||||
|
'use strict';
|
||||||
|
|
||||||
|
const stableHash = require('../stableHash');
|
||||||
|
|
||||||
|
describe('stableHash', () => {
|
||||||
|
it('ensures that the hash implementation supports switched order properties', () => {
|
||||||
|
const sortedHash = stableHash({
|
||||||
|
a: 3,
|
||||||
|
b: 4,
|
||||||
|
c: {
|
||||||
|
d: 'd',
|
||||||
|
e: 'e',
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const unsortedHash = stableHash({
|
||||||
|
b: 4,
|
||||||
|
c: {
|
||||||
|
e: 'e',
|
||||||
|
d: 'd',
|
||||||
|
},
|
||||||
|
a: 3,
|
||||||
|
});
|
||||||
|
|
||||||
|
expect(unsortedHash).toEqual(sortedHash);
|
||||||
|
});
|
||||||
|
});
|
|
@ -0,0 +1,17 @@
|
||||||
|
/**
|
||||||
|
* Copyright (c) 2018-present, Facebook, Inc.
|
||||||
|
*
|
||||||
|
* This source code is licensed under the MIT license found in the
|
||||||
|
* LICENSE file in the root directory of this source tree.
|
||||||
|
*
|
||||||
|
* @flow
|
||||||
|
* @format
|
||||||
|
*/
|
||||||
|
|
||||||
|
'use strict';
|
||||||
|
|
||||||
|
const Cache = require('./Cache');
|
||||||
|
|
||||||
|
export type {CacheStore} from './types.flow';
|
||||||
|
|
||||||
|
module.exports.Cache = Cache;
|
|
@ -0,0 +1,38 @@
|
||||||
|
/**
|
||||||
|
* Copyright (c) 2018-present, Facebook, Inc.
|
||||||
|
*
|
||||||
|
* This source code is licensed under the MIT license found in the
|
||||||
|
* LICENSE file in the root directory of this source tree.
|
||||||
|
*
|
||||||
|
* @flow
|
||||||
|
* @format
|
||||||
|
*/
|
||||||
|
|
||||||
|
'use strict';
|
||||||
|
|
||||||
|
const crypto = require('crypto');
|
||||||
|
|
||||||
|
function canonicalize(key: string, value: mixed): mixed {
|
||||||
|
if (!(value instanceof Object) || value instanceof Array) {
|
||||||
|
return value;
|
||||||
|
}
|
||||||
|
|
||||||
|
const keys = Object.keys(value).sort();
|
||||||
|
const length = keys.length;
|
||||||
|
const object = {};
|
||||||
|
|
||||||
|
for (let i = 0; i < length; i++) {
|
||||||
|
object[keys[i]] = value[keys[i]];
|
||||||
|
}
|
||||||
|
|
||||||
|
return object;
|
||||||
|
}
|
||||||
|
|
||||||
|
function stableHash(value: mixed) {
|
||||||
|
return crypto
|
||||||
|
.createHash('md5')
|
||||||
|
.update(JSON.stringify(value, canonicalize))
|
||||||
|
.digest();
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = stableHash;
|
|
@ -0,0 +1,16 @@
|
||||||
|
/**
|
||||||
|
* Copyright (c) 2018-present, Facebook, Inc.
|
||||||
|
*
|
||||||
|
* This source code is licensed under the MIT license found in the
|
||||||
|
* LICENSE file in the root directory of this source tree.
|
||||||
|
*
|
||||||
|
* @flow
|
||||||
|
* @format
|
||||||
|
*/
|
||||||
|
|
||||||
|
'use strict';
|
||||||
|
|
||||||
|
export type CacheStore = {
|
||||||
|
get(key: Buffer): ?mixed | Promise<?mixed>,
|
||||||
|
set(key: Buffer, value: mixed): void | Promise<void>,
|
||||||
|
};
|
|
@ -22,12 +22,21 @@ import type {
|
||||||
import type {PostProcessModules} from './DeltaBundler';
|
import type {PostProcessModules} from './DeltaBundler';
|
||||||
import type {DynamicRequiresBehavior} from './ModuleGraph/worker/collectDependencies';
|
import type {DynamicRequiresBehavior} from './ModuleGraph/worker/collectDependencies';
|
||||||
import type {IncomingMessage, ServerResponse} from 'http';
|
import type {IncomingMessage, ServerResponse} from 'http';
|
||||||
|
import type {CacheStore} from 'metro-cache';
|
||||||
|
|
||||||
type Middleware = (IncomingMessage, ServerResponse, ?() => mixed) => mixed;
|
type Middleware = (IncomingMessage, ServerResponse, ?() => mixed) => mixed;
|
||||||
|
|
||||||
export type ConfigT = {
|
export type ConfigT = {
|
||||||
|
// TODO: Remove this option below (T23793920)
|
||||||
|
assetTransforms?: boolean,
|
||||||
|
|
||||||
assetRegistryPath: string,
|
assetRegistryPath: string,
|
||||||
|
|
||||||
|
/**
|
||||||
|
* List of all store caches.
|
||||||
|
*/
|
||||||
|
cacheStores: Array<CacheStore>,
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Can be used to generate a key that will invalidate the whole metro cache
|
* Can be used to generate a key that will invalidate the whole metro cache
|
||||||
* (for example a global dependency version used by the transformer).
|
* (for example a global dependency version used by the transformer).
|
||||||
|
@ -50,8 +59,7 @@ export type ConfigT = {
|
||||||
* from here and use `require('./fonts/example.ttf')` inside your app.
|
* from here and use `require('./fonts/example.ttf')` inside your app.
|
||||||
*/
|
*/
|
||||||
getAssetExts: () => Array<string>,
|
getAssetExts: () => Array<string>,
|
||||||
// TODO: Remove this option below (T23793920)
|
|
||||||
assetTransforms?: boolean,
|
|
||||||
/**
|
/**
|
||||||
* Returns a regular expression for modules that should be ignored by the
|
* Returns a regular expression for modules that should be ignored by the
|
||||||
* packager on a given platform.
|
* packager on a given platform.
|
||||||
|
@ -157,6 +165,7 @@ const DEFAULT = ({
|
||||||
enhanceMiddleware: middleware => middleware,
|
enhanceMiddleware: middleware => middleware,
|
||||||
extraNodeModules: {},
|
extraNodeModules: {},
|
||||||
assetTransforms: false,
|
assetTransforms: false,
|
||||||
|
cacheStores: [],
|
||||||
cacheVersion: '1.0',
|
cacheVersion: '1.0',
|
||||||
dynamicDepsInPackages: 'throwAtRuntime',
|
dynamicDepsInPackages: 'throwAtRuntime',
|
||||||
getAssetExts: () => [],
|
getAssetExts: () => [],
|
||||||
|
|
|
@ -15,7 +15,7 @@ const defaults = require('../../defaults');
|
||||||
const {Readable} = require('stream');
|
const {Readable} = require('stream');
|
||||||
|
|
||||||
describe('Transformer', function() {
|
describe('Transformer', function() {
|
||||||
let api, Cache;
|
let api;
|
||||||
const fileName = '/an/arbitrary/file.js';
|
const fileName = '/an/arbitrary/file.js';
|
||||||
const localPath = 'arbitrary/file.js';
|
const localPath = 'arbitrary/file.js';
|
||||||
const transformModulePath = __filename;
|
const transformModulePath = __filename;
|
||||||
|
@ -37,9 +37,6 @@ describe('Transformer', function() {
|
||||||
.mock('temp', () => ({path: () => '/arbitrary/path'}))
|
.mock('temp', () => ({path: () => '/arbitrary/path'}))
|
||||||
.mock('jest-worker', () => ({__esModule: true, default: jest.fn()}));
|
.mock('jest-worker', () => ({__esModule: true, default: jest.fn()}));
|
||||||
|
|
||||||
Cache = jest.fn();
|
|
||||||
Cache.prototype.get = jest.fn((a, b, c) => c());
|
|
||||||
|
|
||||||
const fs = require('fs');
|
const fs = require('fs');
|
||||||
const jestWorker = require('jest-worker');
|
const jestWorker = require('jest-worker');
|
||||||
|
|
||||||
|
|
Loading…
Reference in New Issue