create better debuggable source maps

Summary:
Introduces a new mechanism to build source maps that allows us to use real mapping segments instead of just mapping line-by-line.

This mechanism is only used when building development bundles to improve the debugging experience in Chrome.

The new mechanism takes advantage of a new feature in babel-generator that exposes raw mapping objects. These raw mapping objects are converted to arrays with 2, 4, or 5 for the most compact representation possible.
We no longer generate a source map for the bundle that maps each line to itself in conjunction with configuring babel generator to retain lines.

Instead, we create a source map with a large mappings object produced from the mappings of each individual file in conjunction with a “carry over” – the number of preceding lines in the bundle.

The implementation makes a couple of assumptions that hold true for babel transform results, e.g. mappings being in the order of the generated code, and that a block of mappings always belongs to the same source file. In addition, the implementation avoids allocation of objects and strings at all costs. All calculations are purely numeric, and base64 vlq produces numeric ascii character codes. These are written to a preallocated buffer objects, which is turned to a string only at the end of the building process. This implementation is ~5x faster than using the source-map library.

In addition to providing development source maps that work better, we can now also produce individual high-quality source maps for production builds and combine them to an “index source map”. This approach is unfeasable for development source maps, because index source map consistently crash Chrome.

Better production source maps are useful to get precise information about source location and symbol names when symbolicating stack traces from crashes in production.

Reviewed By: jeanlauliac

Differential Revision: D4382290

fbshipit-source-id: 365a176fa142729d0a4cef43edeb81084361e54d
This commit is contained in:
David Aurelio 2017-01-12 14:21:59 -08:00 коммит произвёл Facebook Github Bot
Родитель 4969f26252
Коммит 0849f84df2
20 изменённых файлов: 181 добавлений и 436 удалений

Просмотреть файл

@ -87,7 +87,7 @@ type __TransformOptions = {
type _TransformOptions = type _TransformOptions =
__TransformOptions & {env?: {[key: string]: __TransformOptions}}; __TransformOptions & {env?: {[key: string]: __TransformOptions}};
declare class _Ast {}; declare class _Ast {}
type TransformResult = { type TransformResult = {
ast: _Ast, ast: _Ast,
code: ?string, code: ?string,
@ -119,9 +119,17 @@ declare module 'babel-core' {
): TransformResult; ): TransformResult;
} }
type RawMapping = {
generated: {column: number, line: number},
name?: string,
original?: {column: number, line: number},
source?: string,
};
declare module 'babel-generator' { declare module 'babel-generator' {
declare type RawMapping = RawMapping;
declare function exports( declare function exports(
ast: _Ast, ast: _Ast,
options?: GeneratorOptions, options?: GeneratorOptions,
): TransformResult; ): TransformResult & {rawMappings: ?Array<RawMapping>};
} }

Просмотреть файл

@ -12,7 +12,6 @@ const babel = require('babel-core');
const babelRegisterOnly = require('../packager/babelRegisterOnly'); const babelRegisterOnly = require('../packager/babelRegisterOnly');
const createCacheKeyFunction = require('fbjs-scripts/jest/createCacheKeyFunction'); const createCacheKeyFunction = require('fbjs-scripts/jest/createCacheKeyFunction');
const path = require('path'); const path = require('path');
const transformer = require('../packager/transformer.js');
const nodeFiles = RegExp([ const nodeFiles = RegExp([
'/local-cli/', '/local-cli/',
@ -20,6 +19,10 @@ const nodeFiles = RegExp([
].join('|')); ].join('|'));
const nodeOptions = babelRegisterOnly.config([nodeFiles]); const nodeOptions = babelRegisterOnly.config([nodeFiles]);
babelRegisterOnly([]);
// has to be required after setting up babelRegisterOnly
const transformer = require('../packager/transformer.js');
module.exports = { module.exports = {
process(src, file) { process(src, file) {
// Don't transform node_modules, except react-tools which includes the // Don't transform node_modules, except react-tools which includes the

Просмотреть файл

@ -26,7 +26,10 @@ function buildBundle(packagerClient: Server, requestOptions: RequestOptions) {
} }
function createCodeWithMap(bundle: Bundle, dev: boolean, sourceMapSourcesRoot?: string): * { function createCodeWithMap(bundle: Bundle, dev: boolean, sourceMapSourcesRoot?: string): * {
const sourceMap = relativizeSourceMap(bundle.getSourceMap({dev}), sourceMapSourcesRoot); const map = bundle.getSourceMap({dev});
const sourceMap = relativizeSourceMap(
typeof map === 'string' ? JSON.parse(map) : map,
sourceMapSourcesRoot);
return { return {
code: bundle.getSource({dev}), code: bundle.getSource({dev}),
map: JSON.stringify(sourceMap), map: JSON.stringify(sourceMap),

Просмотреть файл

@ -10,6 +10,8 @@
*/ */
'use strict'; 'use strict';
const invariant = require('fbjs/lib/invariant');
import type {ModuleGroups, ModuleTransportLike, SourceMap} from '../../types.flow'; import type {ModuleGroups, ModuleTransportLike, SourceMap} from '../../types.flow';
const newline = /\r\n?|\n|\u2028|\u2029/g; const newline = /\r\n?|\n|\u2028|\u2029/g;
@ -99,6 +101,10 @@ function combineSourceMaps({
column = wrapperEnd(code); column = wrapperEnd(code);
} }
invariant(
!Array.isArray(map),
'Random Access Bundle source maps cannot be built from raw mappings',
);
sections.push(Section(line, column, map || lineToLineSourceMap(code, name))); sections.push(Section(line, column, map || lineToLineSourceMap(code, name)));
if (hasOffset) { if (hasOffset) {
offsets[id] = line; offsets[id] = line;

Просмотреть файл

@ -26,7 +26,7 @@ export type ModuleGroups = {|
export type ModuleTransportLike = { export type ModuleTransportLike = {
code: string, code: string,
id: number, id: number,
map?: ?MixedSourceMap, map?: $PropertyType<ModuleTransport, 'map'>,
+name?: string, +name?: string,
}; };

Просмотреть файл

@ -1,5 +1,5 @@
{ {
"version": "0.4.0", "version": "0.5.0",
"name": "react-native-packager", "name": "react-native-packager",
"description": "Build native apps with React!", "description": "Build native apps with React!",
"repository": { "repository": {

178
packager/react-packager/src/Bundler/Bundle.js поставляемый
Просмотреть файл

@ -15,8 +15,11 @@ const BundleBase = require('./BundleBase');
const ModuleTransport = require('../lib/ModuleTransport'); const ModuleTransport = require('../lib/ModuleTransport');
const _ = require('lodash'); const _ = require('lodash');
const base64VLQ = require('./base64-vlq');
const crypto = require('crypto'); const crypto = require('crypto');
const debug = require('debug')('RNP:Bundle');
const invariant = require('fbjs/lib/invariant');
const {fromRawMappings} = require('./source-map');
import type {SourceMap, CombinedSourceMap, MixedSourceMap} from '../lib/SourceMap'; import type {SourceMap, CombinedSourceMap, MixedSourceMap} from '../lib/SourceMap';
import type {GetSourceOptions, FinalizeOptions} from './BundleBase'; import type {GetSourceOptions, FinalizeOptions} from './BundleBase';
@ -27,6 +30,8 @@ export type Unbundle = {
groups: Map<number, Set<number>>, groups: Map<number, Set<number>>,
}; };
type SourceMapFormat = 'undetermined' | 'indexed' | 'flattened';
const SOURCEMAPPING_URL = '\n\/\/# sourceMappingURL='; const SOURCEMAPPING_URL = '\n\/\/# sourceMappingURL=';
class Bundle extends BundleBase { class Bundle extends BundleBase {
@ -37,8 +42,8 @@ class Bundle extends BundleBase {
_numRequireCalls: number; _numRequireCalls: number;
_ramBundle: Unbundle | null; _ramBundle: Unbundle | null;
_ramGroups: Array<string> | void; _ramGroups: Array<string> | void;
_shouldCombineSourceMaps: boolean; _sourceMap: string | null;
_sourceMap: boolean; _sourceMapFormat: SourceMapFormat;
_sourceMapUrl: string | void; _sourceMapUrl: string | void;
constructor({sourceMapUrl, dev, minify, ramGroups}: { constructor({sourceMapUrl, dev, minify, ramGroups}: {
@ -48,9 +53,9 @@ class Bundle extends BundleBase {
ramGroups?: Array<string>, ramGroups?: Array<string>,
} = {}) { } = {}) {
super(); super();
this._sourceMap = false; this._sourceMap = null;
this._sourceMapFormat = 'undetermined';
this._sourceMapUrl = sourceMapUrl; this._sourceMapUrl = sourceMapUrl;
this._shouldCombineSourceMaps = false;
this._numRequireCalls = 0; this._numRequireCalls = 0;
this._dev = dev; this._dev = dev;
this._minify = minify; this._minify = minify;
@ -86,8 +91,22 @@ class Bundle extends BundleBase {
}).then(({code, map}) => { }).then(({code, map}) => {
// If we get a map from the transformer we'll switch to a mode // If we get a map from the transformer we'll switch to a mode
// were we're combining the source maps as opposed to // were we're combining the source maps as opposed to
if (!this._shouldCombineSourceMaps && map != null) { if (map) {
this._shouldCombineSourceMaps = true; const usesRawMappings = isRawMappings(map);
if (this._sourceMapFormat === 'undetermined') {
this._sourceMapFormat = usesRawMappings ? 'flattened' : 'indexed';
} else if (usesRawMappings && this._sourceMapFormat === 'indexed') {
throw new Error(
`Got at least one module with a full source map, but ${
moduleTransport.sourcePath} has raw mappings`
);
} else if (!usesRawMappings && this._sourceMapFormat === 'flattened') {
throw new Error(
`Got at least one module with raw mappings, but ${
moduleTransport.sourcePath} has a full source map`
);
}
} }
this.replaceModuleAt( this.replaceModuleAt(
@ -103,7 +122,7 @@ class Bundle extends BundleBase {
options.runBeforeMainModule.forEach(this._addRequireCall, this); options.runBeforeMainModule.forEach(this._addRequireCall, this);
/* $FlowFixMe: this is unsound, as nothing enforces the module ID to have /* $FlowFixMe: this is unsound, as nothing enforces the module ID to have
* been set beforehand. */ * been set beforehand. */
this._addRequireCall(super.getMainModuleId()); this._addRequireCall(this.getMainModuleId());
} }
super.finalize(options); super.finalize(options);
@ -126,16 +145,16 @@ class Bundle extends BundleBase {
_getInlineSourceMap(dev) { _getInlineSourceMap(dev) {
if (this._inlineSourceMap == null) { if (this._inlineSourceMap == null) {
const sourceMap = this.getSourceMap({excludeSource: true, dev}); const sourceMap = this.getSourceMapString({excludeSource: true, dev});
/*eslint-env node*/ /*eslint-env node*/
const encoded = new Buffer(JSON.stringify(sourceMap)).toString('base64'); const encoded = new Buffer(sourceMap).toString('base64');
this._inlineSourceMap = 'data:application/json;base64,' + encoded; this._inlineSourceMap = 'data:application/json;base64,' + encoded;
} }
return this._inlineSourceMap; return this._inlineSourceMap;
} }
getSource(options: GetSourceOptions) { getSource(options: GetSourceOptions) {
super.assertFinalized(); this.assertFinalized();
options = options || {}; options = options || {};
@ -175,6 +194,12 @@ class Bundle extends BundleBase {
return this._ramBundle; return this._ramBundle;
} }
invalidateSource() {
debug('invalidating bundle');
super.invalidateSource();
this._sourceMap = null;
}
/** /**
* Combine each of the sourcemaps multiple modules have into a single big * Combine each of the sourcemaps multiple modules have into a single big
* one. This works well thanks to a neat trick defined on the sourcemap spec * one. This works well thanks to a neat trick defined on the sourcemap spec
@ -190,23 +215,22 @@ class Bundle extends BundleBase {
let line = 0; let line = 0;
this.getModules().forEach(module => { this.getModules().forEach(module => {
let map = module.map; let map = module.map == null || module.virtual
? generateSourceMapForVirtualModule(module)
: module.map;
if (module.virtual) { invariant(
map = generateSourceMapForVirtualModule(module); !Array.isArray(map),
} `Unexpected raw mappings for ${module.sourcePath}`,
);
if (options.excludeSource) { if (options.excludeSource && 'sourcesContent' in map) {
/* $FlowFixMe: assume the map is not empty if we got here. */ map = {...map, sourcesContent: []};
if (map.sourcesContent && map.sourcesContent.length) {
map = Object.assign({}, map, {sourcesContent: []});
}
} }
result.sections.push({ result.sections.push({
offset: { line: line, column: 0 }, offset: { line: line, column: 0 },
/* $FlowFixMe: assume the map is not empty if we got here. */ map: (map: MixedSourceMap),
map: map,
}); });
line += module.code.split('\n').length; line += module.code.split('\n').length;
}); });
@ -215,23 +239,30 @@ class Bundle extends BundleBase {
} }
getSourceMap(options: {excludeSource?: boolean}): MixedSourceMap { getSourceMap(options: {excludeSource?: boolean}): MixedSourceMap {
super.assertFinalized(); this.assertFinalized();
if (this._shouldCombineSourceMaps) { return this._sourceMapFormat === 'indexed'
return this._getCombinedSourceMaps(options); ? this._getCombinedSourceMaps(options)
: fromRawMappings(this.getModules()).toMap();
} }
const mappings = this._getMappings(); getSourceMapString(options: {excludeSource?: boolean}): string {
const modules = this.getModules(); if (this._sourceMapFormat === 'indexed') {
const map = { return JSON.stringify(this.getSourceMap(options));
file: this._getSourceMapFile(), }
sources: modules.map(module => module.sourcePath),
version: 3, // The following code is an optimization specific to the development server:
names: [], // 1. generator.toSource() is faster than JSON.stringify(generator.toMap()).
mappings: mappings, // 2. caching the source map unless there are changes saves time in
sourcesContent: options.excludeSource // development settings.
? [] : modules.map(module => module.sourceCode), let map = this._sourceMap;
}; if (map == null) {
debug('Start building flat source map');
map = this._sourceMap = fromRawMappings(this.getModules()).toString();
debug('End building flat source map');
} else {
debug('Returning cached source map');
}
return map; return map;
} }
@ -248,53 +279,6 @@ class Bundle extends BundleBase {
: 'bundle.js'; : 'bundle.js';
} }
_getMappings() {
const modules = super.getModules();
// The first line mapping in our package is basically the base64vlq code for
// zeros (A).
const firstLine = 'AAAA';
// Most other lines in our mappings are all zeros (for module, column etc)
// except for the lineno mappinp: curLineno - prevLineno = 1; Which is C.
const line = 'AACA';
const moduleLines = Object.create(null);
let mappings = '';
for (let i = 0; i < modules.length; i++) {
const module = modules[i];
const code = module.code;
let lastCharNewLine = false;
moduleLines[module.sourcePath] = 0;
for (let t = 0; t < code.length; t++) {
if (t === 0 && i === 0) {
mappings += firstLine;
} else if (t === 0) {
mappings += 'AC';
// This is the only place were we actually don't know the mapping ahead
// of time. When it's a new module (and not the first) the lineno
// mapping is 0 (current) - number of lines in prev module.
mappings += base64VLQ.encode(
0 - moduleLines[modules[i - 1].sourcePath]
);
mappings += 'A';
} else if (lastCharNewLine) {
moduleLines[module.sourcePath]++;
mappings += line;
}
lastCharNewLine = code[t] === '\n';
if (lastCharNewLine) {
mappings += ';';
}
}
if (i !== modules.length - 1) {
mappings += ';';
}
}
return mappings;
}
getJSModulePaths() { getJSModulePaths() {
return this.getModules() return this.getModules()
// Filter out non-js files. Like images etc. // Filter out non-js files. Like images etc.
@ -305,7 +289,7 @@ class Bundle extends BundleBase {
getDebugInfo() { getDebugInfo() {
return [ return [
/* $FlowFixMe: this is unsound as the module ID could be unset. */ /* $FlowFixMe: this is unsound as the module ID could be unset. */
'<div><h3>Main Module:</h3> ' + super.getMainModuleId() + '</div>', '<div><h3>Main Module:</h3> ' + this.getMainModuleId() + '</div>',
'<style>', '<style>',
'pre.collapsed {', 'pre.collapsed {',
' height: 10px;', ' height: 10px;',
@ -328,30 +312,6 @@ class Bundle extends BundleBase {
setRamGroups(ramGroups: Array<string>) { setRamGroups(ramGroups: Array<string>) {
this._ramGroups = ramGroups; this._ramGroups = ramGroups;
} }
toJSON() {
this.assertFinalized('Cannot serialize bundle unless finalized');
return {
...super.toJSON(),
sourceMapUrl: this._sourceMapUrl,
numRequireCalls: this._numRequireCalls,
shouldCombineSourceMaps: this._shouldCombineSourceMaps,
};
}
static fromJSON(json) {
const bundle = new Bundle({sourceMapUrl: json.sourceMapUrl});
bundle._sourceMapUrl = json.sourceMapUrl;
bundle._numRequireCalls = json.numRequireCalls;
bundle._shouldCombineSourceMaps = json.shouldCombineSourceMaps;
BundleBase.fromJSON(bundle, json);
/* $FlowFixMe: this modifies BundleBase#fromJSON() signature. */
return bundle;
}
} }
function generateSourceMapForVirtualModule(module): SourceMap { function generateSourceMapForVirtualModule(module): SourceMap {
@ -472,4 +432,6 @@ function createGroups(ramGroups: Array<string>, lazyModules) {
return result; return result;
} }
const isRawMappings = Array.isArray;
module.exports = Bundle; module.exports = Bundle;

Просмотреть файл

@ -14,10 +14,7 @@ const ModuleTransport = require('../lib/ModuleTransport');
export type FinalizeOptions = { export type FinalizeOptions = {
allowUpdates?: boolean, allowUpdates?: boolean,
/* $FlowFixMe(>=0.36.0 site=react_native_fb) Flow error detected during the runBeforeMainModule?: Array<string>,
* deploy of Flow v0.36.0. To see the error, remove this comment and run Flow
*/
runBeforeMainModule?: Array<mixed>,
runMainModule?: boolean, runMainModule?: boolean,
}; };
@ -112,29 +109,6 @@ class BundleBase {
} }
setRamGroups(ramGroups: Array<string>) {} setRamGroups(ramGroups: Array<string>) {}
toJSON(): {
modules: Array<ModuleTransport>,
assets: Array<mixed>,
mainModuleId: number | void,
} {
return {
modules: this._modules,
assets: this._assets,
mainModuleId: this.getMainModuleId(),
};
}
static fromJSON(bundle, json) {
bundle._assets = json.assets;
bundle._modules = json.modules;
bundle.setMainModuleId(json.mainModuleId);
Object.freeze(bundle._modules);
Object.freeze(bundle._assets);
bundle._finalized = true;
}
} }
module.exports = BundleBase; module.exports = BundleBase;

Просмотреть файл

@ -138,47 +138,7 @@ describe('Bundle', () => {
describe('sourcemap bundle', () => { describe('sourcemap bundle', () => {
it('should create sourcemap', () => { it('should create sourcemap', () => {
const otherBundle = new Bundle({sourceMapUrl: 'test_url'}); //TODO: #15357872 add a meaningful test here
return Promise.resolve().then(() => {
return addModule({
bundle: otherBundle,
code: [
'transformed foo',
'transformed foo',
'transformed foo',
].join('\n'),
sourceCode: [
'source foo',
'source foo',
'source foo',
].join('\n'),
sourcePath: 'foo path',
});
}).then(() => {
return addModule({
bundle: otherBundle,
code: [
'transformed bar',
'transformed bar',
'transformed bar',
].join('\n'),
sourceCode: [
'source bar',
'source bar',
'source bar',
].join('\n'),
sourcePath: 'bar path',
});
}).then(() => {
otherBundle.setMainModuleId('foo');
otherBundle.finalize({
runBeforeMainModule: [],
runMainModule: true,
});
const sourceMap = otherBundle.getSourceMap({dev: true});
expect(sourceMap).toEqual(genSourceMap(otherBundle.getModules()));
});
}); });
it('should combine sourcemaps', () => { it('should combine sourcemaps', () => {
@ -321,16 +281,6 @@ describe('Bundle', () => {
bundle.setMainModuleId(id); bundle.setMainModuleId(id);
expect(bundle.getMainModuleId()).toEqual(id); expect(bundle.getMainModuleId()).toEqual(id);
}); });
it('can serialize and deserialize the module ID', function() {
const id = 'arbitrary module ID';
bundle.setMainModuleId(id);
bundle.finalize({});
const deserialized = Bundle.fromJSON(bundle.toJSON());
expect(deserialized.getMainModuleId()).toEqual(id);
});
}); });
describe('random access bundle groups:', () => { describe('random access bundle groups:', () => {
@ -442,40 +392,6 @@ describe('Bundle', () => {
}); });
}); });
function genSourceMap(modules) {
var sourceMapGen = new SourceMapGenerator({file: 'test_url', version: 3});
var bundleLineNo = 0;
for (var i = 0; i < modules.length; i++) {
var module = modules[i];
var transformedCode = module.code;
var sourcePath = module.sourcePath;
var sourceCode = module.sourceCode;
var transformedLineCount = 0;
var lastCharNewLine = false;
for (var t = 0; t < transformedCode.length; t++) {
if (t === 0 || lastCharNewLine) {
sourceMapGen.addMapping({
generated: {line: bundleLineNo + 1, column: 0},
original: {line: transformedLineCount + 1, column: 0},
source: sourcePath
});
}
lastCharNewLine = transformedCode[t] === '\n';
if (lastCharNewLine) {
transformedLineCount++;
bundleLineNo++;
}
}
bundleLineNo++;
sourceMapGen.setSourceContent(
sourcePath,
sourceCode
);
}
return sourceMapGen.toJSON();
}
function resolverFor(code, map) { function resolverFor(code, map) {
return { return {
wrapModule: () => Promise.resolve({code, map}), wrapModule: () => Promise.resolve({code, map}),

Просмотреть файл

@ -1,174 +0,0 @@
/**
* Copyright 2011 Mozilla Foundation and contributors
* Licensed under the New BSD license. See LICENSE or:
* http://opensource.org/licenses/BSD-3-Clause
*
* Based on the Base 64 VLQ implementation in Closure Compiler:
* https://code.google.com/p/closure-compiler/source/browse/trunk/src/com/google/debugging/sourcemap/Base64VLQ.java
*
* Copyright 2011 The Closure Compiler Authors. All rights reserved.
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above
* copyright notice, this list of conditions and the following
* disclaimer in the documentation and/or other materials provided
* with the distribution.
* * Neither the name of Google Inc. nor the names of its
* contributors may be used to endorse or promote products derived
* from this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*
* @copyright
* @noflow
*/
/* -*- Mode: js; js-indent-level: 2; -*- */
/* eslint-disable no-bitwise, quotes, global-strict */
'use strict';
var charToIntMap = {};
var intToCharMap = {};
'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/'
.split('')
.forEach(function (ch, index) {
charToIntMap[ch] = index;
intToCharMap[index] = ch;
});
var base64 = {};
/**
* Encode an integer in the range of 0 to 63 to a single base 64 digit.
*/
base64.encode = function base64_encode(aNumber) {
if (aNumber in intToCharMap) {
return intToCharMap[aNumber];
}
throw new TypeError("Must be between 0 and 63: " + aNumber);
};
/**
* Decode a single base 64 digit to an integer.
*/
base64.decode = function base64_decode(aChar) {
if (aChar in charToIntMap) {
return charToIntMap[aChar];
}
throw new TypeError("Not a valid base 64 digit: " + aChar);
};
// A single base 64 digit can contain 6 bits of data. For the base 64 variable
// length quantities we use in the source map spec, the first bit is the sign,
// the next four bits are the actual value, and the 6th bit is the
// continuation bit. The continuation bit tells us whether there are more
// digits in this value following this digit.
//
// Continuation
// | Sign
// | |
// V V
// 101011
var VLQ_BASE_SHIFT = 5;
// binary: 100000
var VLQ_BASE = 1 << VLQ_BASE_SHIFT;
// binary: 011111
var VLQ_BASE_MASK = VLQ_BASE - 1;
// binary: 100000
var VLQ_CONTINUATION_BIT = VLQ_BASE;
/**
* Converts from a two-complement value to a value where the sign bit is
* placed in the least significant bit. For example, as decimals:
* 1 becomes 2 (10 binary), -1 becomes 3 (11 binary)
* 2 becomes 4 (100 binary), -2 becomes 5 (101 binary)
*/
function toVLQSigned(aValue) {
return aValue < 0
? ((-aValue) << 1) + 1
: (aValue << 1) + 0;
}
/**
* Converts to a two-complement value from a value where the sign bit is
* placed in the least significant bit. For example, as decimals:
* 2 (10 binary) becomes 1, 3 (11 binary) becomes -1
* 4 (100 binary) becomes 2, 5 (101 binary) becomes -2
*/
function fromVLQSigned(aValue) {
var isNegative = (aValue & 1) === 1;
var shifted = aValue >> 1;
return isNegative
? -shifted
: shifted;
}
/**
* Returns the base 64 VLQ encoded value.
*/
exports.encode = function base64VLQ_encode(aValue) {
var encoded = "";
var digit;
var vlq = toVLQSigned(aValue);
do {
digit = vlq & VLQ_BASE_MASK;
vlq >>>= VLQ_BASE_SHIFT;
if (vlq > 0) {
// There are still more digits in this value, so we must make sure the
// continuation bit is marked.
digit |= VLQ_CONTINUATION_BIT;
}
encoded += base64.encode(digit);
} while (vlq > 0);
return encoded;
};
/**
* Decodes the next base 64 VLQ value from the given string and returns the
* value and the rest of the string via the out parameter.
*/
exports.decode = function base64VLQ_decode(aStr, aOutParam) {
var i = 0;
var strLen = aStr.length;
var result = 0;
var shift = 0;
var continuation, digit;
do {
if (i >= strLen) {
throw new Error("Expected more digits in base 64 VLQ value.");
}
digit = base64.decode(aStr.charAt(i++));
continuation = !!(digit & VLQ_CONTINUATION_BIT);
digit &= VLQ_BASE_MASK;
result = result + (digit << shift);
shift += VLQ_BASE_SHIFT;
} while (continuation);
aOutParam.value = fromVLQSigned(result);
aOutParam.rest = aStr.slice(i);
};

Просмотреть файл

@ -364,7 +364,7 @@ class Bundler {
onProgress, onProgress,
minify, minify,
isolateModuleIDs, isolateModuleIDs,
generateSourceMaps: unbundle || generateSourceMaps, generateSourceMaps: unbundle || minify || generateSourceMaps,
}); });
} }

Просмотреть файл

@ -14,13 +14,21 @@
const Generator = require('./Generator'); const Generator = require('./Generator');
import type ModuleTransport from '../../lib/ModuleTransport'; import type ModuleTransport from '../../lib/ModuleTransport';
import type {RawMapping as BabelRawMapping} from 'babel-generator';
type GeneratedCodeMapping = [number, number];
type SourceMapping = [number, number, number, number, void];
type SourceMappingWithName = [number, number, number, number, string];
export type RawMapping =
SourceMappingWithName | SourceMapping | GeneratedCodeMapping;
/** /**
* Creates a source map from modules with "raw mappings", i.e. an array of * Creates a source map from modules with "raw mappings", i.e. an array of
* tuples with either 2, 4, or 5 elements: * tuples with either 2, 4, or 5 elements:
* generated line, generated column, source line, source line, symbol name. * generated line, generated column, source line, source line, symbol name.
*/ */
function fromRawMappings(modules: Array<ModuleTransport>): string { function fromRawMappings(modules: Array<ModuleTransport>): Generator {
const generator = new Generator(); const generator = new Generator();
let carryOver = 0; let carryOver = 0;
@ -39,7 +47,24 @@ function fromRawMappings(modules: Array<ModuleTransport>): string {
carryOver = carryOver + countLines(code); carryOver = carryOver + countLines(code);
} }
return generator.toString(); return generator;
}
function compactMapping(mapping: BabelRawMapping): RawMapping {
const {column, line} = mapping.generated;
const {name, original} = mapping;
if (original == null) {
return [line, column];
}
if (typeof name !== 'string') {
return ([line, column, original.line, original.column]: SourceMapping);
}
return (
[line, column, original.line, original.column, name]: SourceMappingWithName
);
} }
function addMappingsForFile(generator, mappings, module, carryOver) { function addMappingsForFile(generator, mappings, module, carryOver) {
@ -54,6 +79,7 @@ function addMappingsForFile(generator, mappings, module, carryOver) {
mapping[0] === 1 && mapping[1] + columnOffset || mapping[1], mapping[0] === 1 && mapping[1] + columnOffset || mapping[1],
mapping[2], mapping[2],
mapping[3], mapping[3],
//$FlowIssue #15417846
mapping[4], mapping[4],
); );
} }
@ -66,3 +92,4 @@ function countLines(string) {
} }
exports.fromRawMappings = fromRawMappings; exports.fromRawMappings = fromRawMappings;
exports.compactMapping = compactMapping;

Просмотреть файл

@ -178,7 +178,7 @@ describe('code transformation worker:', () => {
extractDependencies = require('../extract-dependencies'); extractDependencies = require('../extract-dependencies');
inline = require('../inline'); inline = require('../inline');
options = {minify: true}; options = {minify: true, transform: {generateSourceMaps: true}};
dependencyData = { dependencyData = {
dependencies: ['a', 'b', 'c'], dependencies: ['a', 'b', 'c'],
dependencyOffsets: [100, 120, 140] dependencyOffsets: [100, 120, 140]

Просмотреть файл

@ -20,10 +20,17 @@ const minify = require('./minify');
import type {LogEntry} from '../../Logger/Types'; import type {LogEntry} from '../../Logger/Types';
import type {Ast, SourceMap, TransformOptions as BabelTransformOptions} from 'babel-core'; import type {Ast, SourceMap, TransformOptions as BabelTransformOptions} from 'babel-core';
function makeTransformParams(filename, sourceCode, options) { function makeTransformParams(filename, sourceCode, options, willMinify) {
invariant(
!willMinify || options.generateSourceMaps,
'Minifying source code requires the `generateSourceMaps` option to be `true`',
);
if (filename.endsWith('.json')) { if (filename.endsWith('.json')) {
sourceCode = 'module.exports=' + sourceCode; sourceCode = 'module.exports=' + sourceCode;
} }
return {filename, sourceCode, options}; return {filename, sourceCode, options};
} }
@ -47,6 +54,7 @@ type Transform = (
) => void; ) => void;
export type TransformOptions = { export type TransformOptions = {
generateSourceMaps: boolean,
platform: string, platform: string,
preloadedModules?: Array<string>, preloadedModules?: Array<string>,
projectRoots: Array<string>, projectRoots: Array<string>,
@ -54,10 +62,10 @@ export type TransformOptions = {
} & BabelTransformOptions; } & BabelTransformOptions;
export type Options = { export type Options = {
transform: TransformOptions,
platform: string,
+dev: boolean, +dev: boolean,
+minify: boolean, +minify: boolean,
platform: string,
transform: TransformOptions,
}; };
export type Data = { export type Data = {
@ -78,7 +86,12 @@ function transformCode(
options: Options, options: Options,
callback: Callback, callback: Callback,
) { ) {
const params = makeTransformParams(filename, sourceCode, options.transform); const params = makeTransformParams(
filename,
sourceCode,
options.transform,
options.minify,
);
const isJson = filename.endsWith('.json'); const isJson = filename.endsWith('.json');
const transformFileStartLogEntry = { const transformFileStartLogEntry = {

Просмотреть файл

@ -68,7 +68,8 @@ describe('processRequest', () => {
Bundler.prototype.bundle = jest.fn(() => Bundler.prototype.bundle = jest.fn(() =>
Promise.resolve({ Promise.resolve({
getSource: () => 'this is the source', getSource: () => 'this is the source',
getSourceMap: () => 'this is the source map', getSourceMap: () => {},
getSourceMapString: () => 'this is the source map',
getEtag: () => 'this is an etag', getEtag: () => 'this is an etag',
})); }));
@ -142,6 +143,7 @@ describe('processRequest', () => {
entryFile: 'index.ios.js', entryFile: 'index.ios.js',
inlineSourceMap: false, inlineSourceMap: false,
minify: false, minify: false,
generateSourceMaps: false,
hot: false, hot: false,
runModule: true, runModule: true,
sourceMapUrl: 'index.ios.includeRequire.map', sourceMapUrl: 'index.ios.includeRequire.map',
@ -167,6 +169,7 @@ describe('processRequest', () => {
entryFile: 'index.js', entryFile: 'index.js',
inlineSourceMap: false, inlineSourceMap: false,
minify: false, minify: false,
generateSourceMaps: false,
hot: false, hot: false,
runModule: true, runModule: true,
sourceMapUrl: 'index.map?platform=ios', sourceMapUrl: 'index.map?platform=ios',
@ -192,6 +195,7 @@ describe('processRequest', () => {
entryFile: 'index.js', entryFile: 'index.js',
inlineSourceMap: false, inlineSourceMap: false,
minify: false, minify: false,
generateSourceMaps: false,
hot: false, hot: false,
runModule: true, runModule: true,
sourceMapUrl: 'index.map?assetPlugin=assetPlugin1&assetPlugin=assetPlugin2', sourceMapUrl: 'index.map?assetPlugin=assetPlugin1&assetPlugin=assetPlugin2',
@ -225,6 +229,7 @@ describe('processRequest', () => {
Promise.resolve({ Promise.resolve({
getSource: () => 'this is the first source', getSource: () => 'this is the first source',
getSourceMap: () => {}, getSourceMap: () => {},
getSourceMapString: () => 'this is the source map',
getEtag: () => () => 'this is an etag', getEtag: () => () => 'this is an etag',
}) })
) )
@ -232,6 +237,7 @@ describe('processRequest', () => {
Promise.resolve({ Promise.resolve({
getSource: () => 'this is the rebuilt source', getSource: () => 'this is the rebuilt source',
getSourceMap: () => {}, getSourceMap: () => {},
getSourceMapString: () => 'this is the source map',
getEtag: () => () => 'this is an etag', getEtag: () => () => 'this is an etag',
}) })
); );
@ -273,6 +279,7 @@ describe('processRequest', () => {
Promise.resolve({ Promise.resolve({
getSource: () => 'this is the first source', getSource: () => 'this is the first source',
getSourceMap: () => {}, getSourceMap: () => {},
getSourceMapString: () => 'this is the source map',
getEtag: () => () => 'this is an etag', getEtag: () => () => 'this is an etag',
}) })
) )
@ -280,6 +287,7 @@ describe('processRequest', () => {
Promise.resolve({ Promise.resolve({
getSource: () => 'this is the rebuilt source', getSource: () => 'this is the rebuilt source',
getSourceMap: () => {}, getSourceMap: () => {},
getSourceMapString: () => 'this is the source map',
getEtag: () => () => 'this is an etag', getEtag: () => () => 'this is an etag',
}) })
); );
@ -434,6 +442,7 @@ describe('processRequest', () => {
entryFile: 'path/to/foo.js', entryFile: 'path/to/foo.js',
inlineSourceMap: false, inlineSourceMap: false,
minify: false, minify: false,
generateSourceMaps: false,
hot: false, hot: false,
runModule: false, runModule: false,
sourceMapUrl: '/path/to/foo.map?dev=false&runModule=false', sourceMapUrl: '/path/to/foo.map?dev=false&runModule=false',

9
packager/react-packager/src/Server/index.js поставляемый
Просмотреть файл

@ -744,15 +744,11 @@ class Server {
debug('Finished response'); debug('Finished response');
log(createActionEndEntry(requestingBundleLogEntry)); log(createActionEndEntry(requestingBundleLogEntry));
} else if (requestType === 'map') { } else if (requestType === 'map') {
let sourceMap = p.getSourceMap({ const sourceMap = p.getSourceMapString({
minify: options.minify, minify: options.minify,
dev: options.dev, dev: options.dev,
}); });
if (typeof sourceMap !== 'string') {
sourceMap = JSON.stringify(sourceMap);
}
mres.setHeader('Content-Type', 'application/json'); mres.setHeader('Content-Type', 'application/json');
mres.end(sourceMap); mres.end(sourceMap);
log(createActionEndEntry(requestingBundleLogEntry)); log(createActionEndEntry(requestingBundleLogEntry));
@ -945,8 +941,7 @@ class Server {
'entryModuleOnly', 'entryModuleOnly',
false, false,
), ),
/* $FlowFixMe: missing defaultVal */ generateSourceMaps: this._getBoolOptionFromQuery(urlObj.query, 'babelSourcemap', false),
generateSourceMaps: this._getBoolOptionFromQuery(urlObj.query, 'babelSourcemap'),
assetPlugins, assetPlugins,
}; };
} }

Просмотреть файл

@ -11,8 +11,11 @@
'use strict'; 'use strict';
import type {RawMapping} from '../Bundler/source-map';
import type {MixedSourceMap} from './SourceMap'; import type {MixedSourceMap} from './SourceMap';
type SourceMapOrMappings = MixedSourceMap | Array<RawMapping>;
type Metadata = { type Metadata = {
dependencyPairs?: Array<[mixed, {path: string}]>, dependencyPairs?: Array<[mixed, {path: string}]>,
preloaded?: boolean, preloaded?: boolean,
@ -28,7 +31,7 @@ class ModuleTransport {
virtual: ?boolean; virtual: ?boolean;
meta: ?Metadata; meta: ?Metadata;
polyfill: ?boolean; polyfill: ?boolean;
map: ?MixedSourceMap; map: ?SourceMapOrMappings;
constructor(data: { constructor(data: {
name: string, name: string,
@ -39,7 +42,7 @@ class ModuleTransport {
virtual?: ?boolean, virtual?: ?boolean,
meta?: ?Metadata, meta?: ?Metadata,
polyfill?: ?boolean, polyfill?: ?boolean,
map?: ?MixedSourceMap, map?: ?SourceMapOrMappings,
}) { }) {
this.name = data.name; this.name = data.name;

Просмотреть файл

@ -17,7 +17,7 @@ export type SourceMap = BabelSourceMap;
export type CombinedSourceMap = { export type CombinedSourceMap = {
version: number, version: number,
file: string, file?: string,
sections: Array<{ sections: Array<{
offset: {line: number, column: number}, offset: {line: number, column: number},
map: MixedSourceMap, map: MixedSourceMap,

Просмотреть файл

@ -373,16 +373,6 @@ class Module {
isPolyfill() { isPolyfill() {
return false; return false;
} }
toJSON() {
return {
hash: this.hash(),
isJSON: this.isJSON(),
isAsset: this.isAsset(),
type: this.type,
path: this.path,
};
}
} }
Module._globalCacheRetries = 4; Module._globalCacheRetries = 4;

Просмотреть файл

@ -13,11 +13,14 @@
const babel = require('babel-core'); const babel = require('babel-core');
const externalHelpersPlugin = require('babel-plugin-external-helpers'); const externalHelpersPlugin = require('babel-plugin-external-helpers');
const fs = require('fs'); const fs = require('fs');
const makeHMRConfig = require('babel-preset-react-native/configs/hmr'); const generate = require('babel-generator').default;
const resolvePlugins = require('babel-preset-react-native/lib/resolvePlugins');
const inlineRequiresPlugin = require('babel-preset-fbjs/plugins/inline-requires'); const inlineRequiresPlugin = require('babel-preset-fbjs/plugins/inline-requires');
const json5 = require('json5'); const json5 = require('json5');
const makeHMRConfig = require('babel-preset-react-native/configs/hmr');
const path = require('path'); const path = require('path');
const resolvePlugins = require('babel-preset-react-native/lib/resolvePlugins');
const {compactMapping} = require('./react-packager/src/Bundler/source-map');
/** /**
* Return a memoized function that checks for the existence of a * Return a memoized function that checks for the existence of a
@ -70,8 +73,8 @@ function buildBabelConfig(filename, options) {
const babelRC = getBabelRC(options.projectRoots); const babelRC = getBabelRC(options.projectRoots);
const extraConfig = { const extraConfig = {
code: false,
filename, filename,
sourceFileName: filename,
}; };
let config = Object.assign({}, babelRC, extraConfig); let config = Object.assign({}, babelRC, extraConfig);
@ -103,13 +106,20 @@ function transform(src, filename, options) {
try { try {
const babelConfig = buildBabelConfig(filename, options); const babelConfig = buildBabelConfig(filename, options);
const result = babel.transform(src, babelConfig); const {ast} = babel.transform(src, babelConfig);
const result = generate(ast, {
comments: false,
compact: false,
filename,
sourceFileName: filename,
sourceMaps: true,
}, src);
return { return {
ast: result.ast, ast,
code: result.code, code: result.code,
map: result.map, filename,
filename: filename, map: options.generateSourceMaps ? result.map : result.rawMappings.map(compactMapping),
}; };
} finally { } finally {
process.env.BABEL_ENV = OLD_BABEL_ENV; process.env.BABEL_ENV = OLD_BABEL_ENV;