webpack/lib/NormalModule.js

761 lines
19 KiB
JavaScript
Raw Normal View History

2013-01-31 01:49:25 +08:00
/*
MIT License http://www.opensource.org/licenses/mit-license.php
Author Tobias Koppers @sokra
*/
2018-07-30 23:08:51 +08:00
2017-02-11 11:16:18 +08:00
"use strict";
2013-01-31 01:49:25 +08:00
2018-07-30 23:08:51 +08:00
const { getContext, runLoaders } = require("loader-runner");
const asyncLib = require("neo-async");
2018-11-12 21:13:55 +08:00
const { SyncHook } = require("tapable");
const {
CachedSource,
OriginalSource,
RawSource,
SourceMapSource
} = require("webpack-sources");
2018-11-12 21:13:55 +08:00
const Compilation = require("./Compilation");
2017-02-12 21:08:41 +08:00
const Module = require("./Module");
2017-02-11 11:16:18 +08:00
const ModuleBuildError = require("./ModuleBuildError");
const ModuleError = require("./ModuleError");
2018-07-30 23:08:51 +08:00
const ModuleParseError = require("./ModuleParseError");
2017-02-11 11:16:18 +08:00
const ModuleWarning = require("./ModuleWarning");
2018-07-30 23:08:51 +08:00
const WebpackError = require("./WebpackError");
2018-09-26 15:14:44 +08:00
const compareLocations = require("./compareLocations");
const {
concatComparators,
compareSelect,
keepOriginalOrder
} = require("./util/comparators");
const createHash = require("./util/createHash");
const contextify = require("./util/identifier").contextify;
2018-10-09 20:30:59 +08:00
const makeSerializable = require("./util/makeSerializable");
2017-02-11 11:16:18 +08:00
2018-07-30 23:08:51 +08:00
/** @typedef {import("webpack-sources").Source} Source */
/** @typedef {import("./ChunkGraph")} ChunkGraph */
/** @typedef {import("./Compilation")} Compilation */
2018-07-30 23:08:51 +08:00
/** @typedef {import("./DependencyTemplates")} DependencyTemplates */
2018-07-20 22:24:35 +08:00
/** @typedef {import("./Module").LibIdentOptions} LibIdentOptions */
2018-09-26 15:14:44 +08:00
/** @typedef {import("./Module").NeedBuildContext} NeedBuildContext */
/** @typedef {import("./Module").SourceContext} SourceContext */
/** @typedef {import("./RequestShortener")} RequestShortener */
/** @typedef {import("./RuntimeTemplate")} RuntimeTemplate */
2018-07-30 23:08:51 +08:00
/** @typedef {import("./util/createHash").Hash} Hash */
2018-07-11 19:05:13 +08:00
const EARLY_RETURN_ERROR = new Error("flags early return is not an error");
2018-11-07 21:03:25 +08:00
/**
* @param {string | Buffer} input the input
* @returns {string} the converted string
*/
const asString = input => {
if (Buffer.isBuffer(input)) {
return input.toString("utf-8");
}
2018-11-07 21:03:25 +08:00
return input;
2017-11-08 18:32:05 +08:00
};
2018-11-07 21:03:25 +08:00
/**
* @param {string | Buffer} input the input
* @returns {Buffer} the converted buffer
*/
const asBuffer = input => {
if (!Buffer.isBuffer(input)) {
return Buffer.from(input, "utf-8");
2017-10-30 20:56:57 +08:00
}
2018-11-07 21:03:25 +08:00
return input;
2017-10-30 20:56:57 +08:00
};
class NonErrorEmittedError extends WebpackError {
constructor(error) {
super();
this.name = "NonErrorEmittedError";
this.message = "(Emitted value instead of an instance of Error) " + error;
Error.captureStackTrace(this, this.constructor);
}
}
2018-10-25 16:49:51 +08:00
makeSerializable(
NonErrorEmittedError,
"webpack/lib/NormalModule",
"NonErrorEmittedError"
);
2018-04-28 00:53:07 +08:00
/**
* @typedef {Object} CachedSourceEntry
* @property {TODO} source the generated source
2018-04-28 00:53:07 +08:00
* @property {string} hash the hash value
*/
2018-11-12 21:13:55 +08:00
/**
* @typedef {Object} NormalModuleCompilationHooks
* @property {SyncHook<object, NormalModule>} loader
*/
/** @type {WeakMap<Compilation, NormalModuleCompilationHooks>} */
const compilationHooksMap = new WeakMap();
2017-02-11 11:16:18 +08:00
class NormalModule extends Module {
2018-11-12 21:13:55 +08:00
/**
* @param {Compilation} compilation the compilation
* @returns {NormalModuleCompilationHooks} the attached hooks
*/
static getCompilationHooks(compilation) {
if (!(compilation instanceof Compilation)) {
throw new TypeError(
"The 'compilation' argument must be an instance of Compilation"
);
}
let hooks = compilationHooksMap.get(compilation);
if (hooks === undefined) {
hooks = {
loader: new SyncHook(["loaderContext", "module"])
};
compilationHooksMap.set(compilation, hooks);
}
return hooks;
}
constructor({
type,
request,
userRequest,
rawRequest,
loaders,
resource,
matchResource,
parser,
generator,
resolveOptions
}) {
2018-01-31 04:40:44 +08:00
super(type, getContext(resource));
// Info from Factory
2018-11-07 21:03:25 +08:00
/** @type {string} */
2017-02-11 11:16:18 +08:00
this.request = request;
2018-11-07 21:03:25 +08:00
/** @type {string} */
2017-02-11 11:16:18 +08:00
this.userRequest = userRequest;
2018-11-07 21:03:25 +08:00
/** @type {string} */
2017-02-11 11:16:18 +08:00
this.rawRequest = rawRequest;
2018-11-07 21:03:25 +08:00
/** @type {boolean} */
2017-10-30 20:56:57 +08:00
this.binary = type.startsWith("webassembly");
2017-02-11 11:16:18 +08:00
this.parser = parser;
this.generator = generator;
2017-02-11 11:16:18 +08:00
this.resource = resource;
this.matchResource = matchResource;
2017-02-11 11:16:18 +08:00
this.loaders = loaders;
2018-11-07 21:03:25 +08:00
if (resolveOptions !== undefined) {
this.resolveOptions = resolveOptions;
}
// Info from Build
2018-11-07 21:03:25 +08:00
/** @type {WebpackError=} */
2017-02-11 11:16:18 +08:00
this.error = null;
2018-11-07 21:03:25 +08:00
/** @private @type {Source=} */
2017-02-11 11:16:18 +08:00
this._source = null;
2018-11-07 21:03:25 +08:00
/** @private @type {string} */
this._buildHash = "";
2018-11-07 21:03:25 +08:00
/** @type {number=} */
this.buildTimestamp = undefined;
2018-04-28 00:53:07 +08:00
/** @private @type {Map<string, CachedSourceEntry>} */
this._cachedSources = new Map();
2017-12-07 00:26:02 +08:00
// Cache
this._lastSuccessfulBuildMeta = {};
this._forceBuild = true;
2018-11-12 16:15:06 +08:00
// TODO refactor this -> options object filled from Factory
this.useSourceMap = false;
2017-02-11 11:16:18 +08:00
}
/**
* @returns {string} a unique identifier of the module
*/
2017-02-11 11:16:18 +08:00
identifier() {
return this.request;
}
/**
* @param {RequestShortener} requestShortener the request shortener
* @returns {string} a user readable identifier of the module
*/
2017-02-11 11:16:18 +08:00
readableIdentifier(requestShortener) {
return requestShortener.shorten(this.userRequest);
}
2018-07-20 22:24:35 +08:00
/**
* @param {LibIdentOptions} options options
* @returns {string | null} an identifier for library inclusion
*/
2017-02-11 11:16:18 +08:00
libIdent(options) {
2017-02-14 17:38:47 +08:00
return contextify(options.context, this.userRequest);
2017-02-11 11:16:18 +08:00
}
/**
* @returns {string | null} absolute path which should be used for condition matching (usually the resource path)
*/
2017-02-11 11:16:18 +08:00
nameForCondition() {
const resource = this.matchResource || this.resource;
const idx = resource.indexOf("?");
if (idx >= 0) return resource.substr(0, idx);
return resource;
2017-02-11 11:16:18 +08:00
}
2013-01-31 01:49:25 +08:00
/**
* Assuming this module is in the cache. Update the (cached) module with
* the fresh module from the factory. Usually updates internal references
* and properties.
* @param {Module} module fresh module
* @returns {void}
*/
2018-03-28 22:19:15 +08:00
updateCacheModule(module) {
2018-10-09 20:30:59 +08:00
super.updateCacheModule(module);
const m = /** @type {NormalModule} */ (module);
this.request = m.request;
this.userRequest = m.userRequest;
this.rawRequest = m.rawRequest;
this.parser = m.parser;
this.generator = m.generator;
this.resource = m.resource;
this.matchResource = m.matchResource;
this.loaders = m.loaders;
2018-03-28 22:19:15 +08:00
}
2018-11-07 21:03:25 +08:00
/**
* @param {string} name the asset name
* @param {string} content the content
* @param {string | TODO} sourceMap an optional source map
* @returns {Source} the created source
*/
createSourceForAsset(name, content, sourceMap) {
2018-02-25 09:00:20 +08:00
if (!sourceMap) {
return new RawSource(content);
}
2018-02-25 09:00:20 +08:00
if (typeof sourceMap === "string") {
return new OriginalSource(content, sourceMap);
}
return new SourceMapSource(content, name, sourceMap);
}
createLoaderContext(resolver, options, compilation, fs) {
const requestShortener = compilation.runtimeTemplate.requestShortener;
2017-02-11 11:16:18 +08:00
const loaderContext = {
version: 2,
2018-02-25 09:00:20 +08:00
emitWarning: warning => {
if (!(warning instanceof Error)) {
warning = new NonErrorEmittedError(warning);
}
2018-03-02 17:57:46 +08:00
const currentLoader = this.getCurrentLoader(loaderContext);
this.warnings.push(
new ModuleWarning(warning, {
from: requestShortener.shorten(currentLoader.loader)
2018-03-02 17:57:46 +08:00
})
);
2017-02-11 11:16:18 +08:00
},
2018-02-25 09:00:20 +08:00
emitError: error => {
if (!(error instanceof Error)) {
error = new NonErrorEmittedError(error);
}
2018-03-02 17:57:46 +08:00
const currentLoader = this.getCurrentLoader(loaderContext);
this.errors.push(
new ModuleError(error, {
from: requestShortener.shorten(currentLoader.loader)
2018-03-02 17:57:46 +08:00
})
);
2017-02-11 11:16:18 +08:00
},
2017-02-12 21:08:41 +08:00
resolve(context, request, callback) {
2017-12-31 23:23:45 +08:00
resolver.resolve({}, context, request, {}, callback);
2017-02-11 11:16:18 +08:00
},
emitFile: (name, content, sourceMap) => {
if (!this.buildInfo.assets) {
this.buildInfo.assets = Object.create(null);
}
2018-02-25 09:00:20 +08:00
this.buildInfo.assets[name] = this.createSourceForAsset(
name,
content,
sourceMap
);
},
rootContext: options.context,
webpack: true,
sourceMap: !!this.useSourceMap,
_module: this,
_compilation: compilation,
_compiler: compilation.compiler,
2018-02-25 09:00:20 +08:00
fs: fs
2017-02-11 11:16:18 +08:00
};
2018-11-12 21:13:55 +08:00
NormalModule.getCompilationHooks(compilation).loader.call(
loaderContext,
this
);
if (options.loader) {
Object.assign(loaderContext, options.loader);
}
return loaderContext;
}
getCurrentLoader(loaderContext, index = loaderContext.loaderIndex) {
2018-03-02 17:57:46 +08:00
if (
this.loaders &&
this.loaders.length &&
index < this.loaders.length &&
index >= 0 &&
this.loaders[index]
2018-03-02 17:57:46 +08:00
) {
return this.loaders[index];
2018-03-02 17:57:46 +08:00
}
return null;
}
2018-11-07 21:03:25 +08:00
/**
* @param {string | Buffer} content the content
* @param {string | Buffer} resourceBuffer TODO
* @param {string | TODO} sourceMap an optional source map
* @returns {Source} the created source
*/
createSource(content, resourceBuffer, sourceMap) {
if (Buffer.isBuffer(content)) {
// @ts-ignore
// TODO We need to fix @types/webpack-sources to allow RawSource to take a Buffer | string
return new RawSource(content);
}
// if there is no identifier return raw source
2018-02-25 09:00:20 +08:00
if (!this.identifier) {
2018-11-07 21:03:25 +08:00
return new RawSource(content);
}
// from here on we assume we have an identifier
const identifier = this.identifier();
2018-02-25 09:00:20 +08:00
if (this.useSourceMap && sourceMap) {
2018-11-07 21:03:25 +08:00
return new SourceMapSource(content, identifier, sourceMap);
}
2018-11-07 21:03:25 +08:00
return new OriginalSource(content, identifier);
}
doBuild(options, compilation, resolver, fs, callback) {
2018-02-25 09:00:20 +08:00
const loaderContext = this.createLoaderContext(
resolver,
options,
compilation,
fs
);
runLoaders(
{
resource: this.resource,
loaders: this.loaders,
context: loaderContext,
readResource: fs.readFile.bind(fs)
},
(err, result) => {
if (result) {
this.buildInfo.cacheable = result.cacheable;
this.buildInfo.fileDependencies = new Set(result.fileDependencies);
this.buildInfo.contextDependencies = new Set(
result.contextDependencies
);
}
2018-02-25 09:00:20 +08:00
if (err) {
2018-06-05 19:41:00 +08:00
if (!(err instanceof Error)) {
err = new NonErrorEmittedError(err);
}
2018-03-02 17:57:46 +08:00
const currentLoader = this.getCurrentLoader(loaderContext);
const error = new ModuleBuildError(err, {
from:
currentLoader &&
compilation.runtimeTemplate.requestShortener.shorten(
currentLoader.loader
)
2018-03-02 17:57:46 +08:00
});
2018-02-25 09:00:20 +08:00
return callback(error);
}
2018-02-25 09:00:20 +08:00
const resourceBuffer = result.resourceBuffer;
const source = result.result[0];
const sourceMap = result.result.length >= 1 ? result.result[1] : null;
const extraInfo = result.result.length >= 2 ? result.result[2] : null;
if (!Buffer.isBuffer(source) && typeof source !== "string") {
const currentLoader = this.getCurrentLoader(loaderContext, 0);
const err = new Error(
`Final loader (${
currentLoader
? compilation.runtimeTemplate.requestShortener.shorten(
currentLoader.loader
)
: "unknown"
}) didn't return a Buffer or String`
2018-02-25 09:00:20 +08:00
);
const error = new ModuleBuildError(err);
2018-02-25 09:00:20 +08:00
return callback(error);
}
2013-01-31 01:49:25 +08:00
2018-02-25 09:00:20 +08:00
this._source = this.createSource(
this.binary ? asBuffer(source) : asString(source),
resourceBuffer,
sourceMap
);
this._ast =
typeof extraInfo === "object" &&
extraInfo !== null &&
extraInfo.webpackAST !== undefined
? extraInfo.webpackAST
: null;
return callback();
2017-02-11 11:16:18 +08:00
}
2018-02-25 09:00:20 +08:00
);
}
2015-07-13 06:20:09 +08:00
2018-11-07 21:03:25 +08:00
/**
* @param {WebpackError} error the error
* @returns {void}
*/
markModuleAsErrored(error) {
2018-02-26 10:48:51 +08:00
// Restore build meta from successful build to keep importing state
2017-12-07 00:26:02 +08:00
this.buildMeta = Object.assign({}, this._lastSuccessfulBuildMeta);
this.error = error;
2018-11-07 21:03:25 +08:00
this.errors.push(error);
2018-02-25 09:00:20 +08:00
this._source = new RawSource(
"throw new Error(" + JSON.stringify(this.error.message) + ");"
);
2017-11-03 18:12:45 +08:00
this._ast = null;
}
applyNoParseRule(rule, content) {
2017-02-11 13:59:58 +08:00
// must start with "rule" if rule is a string
2018-02-25 09:00:20 +08:00
if (typeof rule === "string") {
return content.indexOf(rule) === 0;
2017-02-11 13:59:58 +08:00
}
2017-06-03 08:28:54 +08:00
2018-02-25 09:00:20 +08:00
if (typeof rule === "function") {
2017-06-03 08:28:54 +08:00
return rule(content);
}
2017-02-11 13:59:58 +08:00
// we assume rule is a regexp
return rule.test(content);
2017-02-11 13:59:58 +08:00
}
// check if module should not be parsed
// returns "true" if the module should !not! be parsed
// returns "false" if the module !must! be parsed
2017-02-16 05:01:09 +08:00
shouldPreventParsing(noParseRule, request) {
2017-02-11 13:59:58 +08:00
// if no noParseRule exists, return false
// the module !must! be parsed.
2018-02-25 09:00:20 +08:00
if (!noParseRule) {
2017-02-11 13:59:58 +08:00
return false;
}
// we only have one rule to check
2018-02-25 09:00:20 +08:00
if (!Array.isArray(noParseRule)) {
2017-02-11 13:59:58 +08:00
// returns "true" if the module is !not! to be parsed
return this.applyNoParseRule(noParseRule, request);
}
2018-02-25 09:00:20 +08:00
for (let i = 0; i < noParseRule.length; i++) {
2017-02-11 13:59:58 +08:00
const rule = noParseRule[i];
// early exit on first truthy match
// this module is !not! to be parsed
2018-02-25 09:00:20 +08:00
if (this.applyNoParseRule(rule, request)) {
2017-02-11 13:59:58 +08:00
return true;
}
}
// no match found, so this module !should! be parsed
return false;
}
_initBuildHash(compilation) {
const hash = createHash(compilation.outputOptions.hashFunction);
if (this._source) {
hash.update("source");
2018-11-07 21:03:25 +08:00
this._source.updateHash(/** @type {TODO} */ (hash));
}
hash.update("meta");
hash.update(JSON.stringify(this.buildMeta));
2018-05-03 00:08:36 +08:00
this._buildHash = hash.digest("hex");
}
/**
* @param {TODO} options TODO
* @param {Compilation} compilation the compilation
* @param {TODO} resolver TODO
* @param {TODO} fs the file system
* @param {function(WebpackError=): void} callback callback function
* @returns {void}
*/
2017-02-11 11:16:18 +08:00
build(options, compilation, resolver, fs, callback) {
this.buildTimestamp = Date.now();
this._forceBuild = false;
2017-02-11 11:16:18 +08:00
this._source = null;
2017-11-03 18:12:45 +08:00
this._ast = null;
this._buildHash = "";
2017-02-11 11:16:18 +08:00
this.error = null;
this.errors.length = 0;
this.warnings.length = 0;
this.dependencies.length = 0;
this.blocks.length = 0;
this.buildMeta = {};
this.buildInfo = {
cacheable: false,
fileDependencies: new Set(),
2018-02-25 09:00:20 +08:00
contextDependencies: new Set()
};
2018-02-25 09:00:20 +08:00
return this.doBuild(options, compilation, resolver, fs, err => {
2018-04-28 00:53:07 +08:00
this._cachedSources.clear();
2017-02-11 13:59:58 +08:00
// if we have an error mark module as failed and exit
2018-02-25 09:00:20 +08:00
if (err) {
this.markModuleAsErrored(err);
this._initBuildHash(compilation);
return callback();
}
2017-02-11 13:59:58 +08:00
// check if this module should !not! be parsed.
// if so, exit here;
const noParseRule = options.module && options.module.noParse;
2018-02-25 09:00:20 +08:00
if (this.shouldPreventParsing(noParseRule, this.request)) {
this._initBuildHash(compilation);
2017-02-11 13:59:58 +08:00
return callback();
2017-02-11 11:16:18 +08:00
}
2017-02-11 13:59:58 +08:00
const handleParseError = e => {
const source = this._source.source();
const error = new ModuleParseError(source, e);
this.markModuleAsErrored(error);
this._initBuildHash(compilation);
return callback();
};
const handleParseResult = result => {
this.dependencies.sort(
concatComparators(
compareSelect(a => a.loc, compareLocations),
keepOriginalOrder(this.dependencies)
)
);
this._lastSuccessfulBuildMeta = this.buildMeta;
this._initBuildHash(compilation);
return callback();
};
2017-02-11 11:16:18 +08:00
try {
2018-02-25 09:00:20 +08:00
const result = this.parser.parse(
this._ast || this._source.source(),
{
current: this,
module: this,
compilation: compilation,
options: options
},
(err, result) => {
if (err) {
handleParseError(err);
} else {
handleParseResult(result);
}
}
2018-02-25 09:00:20 +08:00
);
if (result !== undefined) {
// parse is sync
handleParseResult(result);
}
2018-02-25 09:00:20 +08:00
} catch (e) {
handleParseError(e);
2017-02-11 11:16:18 +08:00
}
2015-07-13 06:20:09 +08:00
});
2013-01-31 01:49:25 +08:00
}
2015-07-13 06:20:09 +08:00
2018-07-11 19:05:13 +08:00
/**
* @param {ChunkGraph} chunkGraph the chunk graph
2018-07-11 19:05:13 +08:00
* @param {DependencyTemplates} dependencyTemplates dependency templates
* @returns {string} hash
*/
getHashDigest(chunkGraph, dependencyTemplates) {
const hash = chunkGraph.getModuleHash(this);
const dtHash = dependencyTemplates.getHash();
return `${hash}-${dtHash}`;
2017-02-13 19:09:16 +08:00
}
2017-02-11 11:16:18 +08:00
/**
* @param {SourceContext} sourceContext source context
* @returns {Source} generated source
*/
source({
dependencyTemplates,
runtimeTemplate,
moduleGraph,
chunkGraph,
type = "javascript"
}) {
const hashDigest = this.getHashDigest(chunkGraph, dependencyTemplates);
2018-04-28 00:53:07 +08:00
const cacheEntry = this._cachedSources.get(type);
if (cacheEntry !== undefined && cacheEntry.hash === hashDigest) {
// We can reuse the cached source
2018-04-28 00:53:07 +08:00
return cacheEntry.source;
}
2017-02-16 05:01:09 +08:00
const source = this.generator.generate(this, {
2018-02-25 09:00:20 +08:00
dependencyTemplates,
2018-04-28 00:53:07 +08:00
runtimeTemplate,
moduleGraph,
chunkGraph,
2018-04-28 00:53:07 +08:00
type
});
const cachedSource = new CachedSource(source);
2018-04-28 00:53:07 +08:00
this._cachedSources.set(type, {
source: cachedSource,
hash: hashDigest
});
// TODO remove cast when webpack-sources types are fixed
// CachedSource is not a Source?
2018-08-16 19:12:41 +08:00
const fixedSource = /** @type {TODO} */ (cachedSource);
return fixedSource;
2013-01-31 01:49:25 +08:00
}
/**
* @returns {Source | null} the original source for the module before webpack transformation
*/
originalSource() {
return this._source;
}
/**
* @returns {void}
*/
invalidateBuild() {
this._forceBuild = true;
}
2018-07-25 18:38:34 +08:00
/**
2018-09-26 15:14:44 +08:00
* @param {NeedBuildContext} context context info
* @param {function(WebpackError=, boolean=): void} callback callback function, returns true, if the module needs a rebuild
* @returns {void}
2018-07-25 18:38:34 +08:00
*/
needBuild({ fileSystemInfo }, callback) {
// build if enforced
2018-09-26 15:14:44 +08:00
if (this._forceBuild) return callback(null, true);
2018-09-26 15:14:44 +08:00
// always try to build in case of an error
if (this.error) return callback(null, true);
2018-09-26 15:14:44 +08:00
// always build when module is not cacheable
if (!this.buildInfo.cacheable) return callback(null, true);
2017-11-06 23:41:26 +08:00
// Check timestamps of all dependencies
2018-09-26 15:14:44 +08:00
// Missing timestamp -> need build
// Timestamp bigger than buildTimestamp -> need build
asyncLib.parallel(
[
callback =>
asyncLib.each(
this.buildInfo.fileDependencies,
(file, callback) => {
fileSystemInfo.getFileTimestamp(file, (err, info) => {
if (err) return callback(err);
if (!info || info.safeTime >= this.buildTimestamp)
return callback(EARLY_RETURN_ERROR);
callback();
});
},
callback
),
callback =>
asyncLib.each(
this.buildInfo.contextDependencies,
(context, callback) => {
fileSystemInfo.getContextTimestamp(context, (err, info) => {
if (err) return callback(err);
if (!info || info.safeTime >= this.buildTimestamp)
return callback(EARLY_RETURN_ERROR);
callback();
});
},
callback
)
],
err =>
err === EARLY_RETURN_ERROR ? callback(null, true) : callback(err, false)
);
2017-02-11 11:16:18 +08:00
}
2013-01-31 01:49:25 +08:00
/**
* @returns {number} the estimated size of the module
*/
2017-02-11 11:16:18 +08:00
size() {
return this._source ? this._source.size() : -1;
}
/**
* @param {Hash} hash the hash used to track dependencies
* @param {ChunkGraph} chunkGraph the chunk graph
* @returns {void}
*/
updateHash(hash, chunkGraph) {
hash.update(this._buildHash);
super.updateHash(hash, chunkGraph);
2017-02-11 11:16:18 +08:00
}
2018-10-09 20:30:59 +08:00
serialize(context) {
const { write } = context;
// constructor
write(this.type);
write(this.resource);
// deserialize
write(this._source);
write(this._buildHash);
write(this.buildTimestamp);
write(this.error);
write(this._cachedSources);
write(this._lastSuccessfulBuildMeta);
write(this._forceBuild);
super.serialize(context);
}
static deserialize(context) {
const { read } = context;
const obj = new NormalModule({
type: read(),
resource: read(),
// will be filled by updateCacheModule
request: null,
userRequest: null,
rawRequest: null,
loaders: null,
matchResource: null,
parser: null,
generator: null,
resolveOptions: null
});
obj.deserialize(context);
return obj;
}
deserialize(context) {
const { read } = context;
this._source = read();
this._buildHash = read();
this.buildTimestamp = read();
this.error = read();
this._cachedSources = read();
this._lastSuccessfulBuildMeta = read();
this._forceBuild = read();
super.deserialize(context);
}
2017-02-11 11:16:18 +08:00
}
2018-10-09 20:30:59 +08:00
makeSerializable(NormalModule, "webpack/lib/NormalModule");
2017-02-11 11:16:18 +08:00
module.exports = NormalModule;