You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
66 lines
2.1 KiB
66 lines
2.1 KiB
"use strict";
|
|
|
|
const { ParserError } = require("../util/errors");
|
|
|
|
let TEXT_REGEXP = /\.(txt|htm|html|md|xml|js|min|map|css|scss|less|svg)$/i;
|
|
|
|
module.exports = {
|
|
/**
|
|
* The order that this parser will run, in relation to other parsers.
|
|
*
|
|
* @type {number}
|
|
*/
|
|
order: 300,
|
|
|
|
/**
|
|
* Whether to allow "empty" files (zero bytes).
|
|
*
|
|
* @type {boolean}
|
|
*/
|
|
allowEmpty: true,
|
|
|
|
/**
|
|
* The encoding that the text is expected to be in.
|
|
*
|
|
* @type {string}
|
|
*/
|
|
encoding: "utf8",
|
|
|
|
/**
|
|
* Determines whether this parser can parse a given file reference.
|
|
* Parsers that return true will be tried, in order, until one successfully parses the file.
|
|
* Parsers that return false will be skipped, UNLESS all parsers returned false, in which case
|
|
* every parser will be tried.
|
|
*
|
|
* @param {object} file - An object containing information about the referenced file
|
|
* @param {string} file.url - The full URL of the referenced file
|
|
* @param {string} file.extension - The lowercased file extension (e.g. ".txt", ".html", etc.)
|
|
* @param {*} file.data - The file contents. This will be whatever data type was returned by the resolver
|
|
* @returns {boolean}
|
|
*/
|
|
canParse (file) {
|
|
// Use this parser if the file is a string or Buffer, and has a known text-based extension
|
|
return (typeof file.data === "string" || Buffer.isBuffer(file.data)) && TEXT_REGEXP.test(file.url);
|
|
},
|
|
|
|
/**
|
|
* Parses the given file as text
|
|
*
|
|
* @param {object} file - An object containing information about the referenced file
|
|
* @param {string} file.url - The full URL of the referenced file
|
|
* @param {string} file.extension - The lowercased file extension (e.g. ".txt", ".html", etc.)
|
|
* @param {*} file.data - The file contents. This will be whatever data type was returned by the resolver
|
|
* @returns {string}
|
|
*/
|
|
parse (file) {
|
|
if (typeof file.data === "string") {
|
|
return file.data;
|
|
}
|
|
else if (Buffer.isBuffer(file.data)) {
|
|
return file.data.toString(this.encoding);
|
|
}
|
|
else {
|
|
throw new ParserError("data is not text", file.url);
|
|
}
|
|
}
|
|
};
|
|
|