-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
0 parents
commit b8b3497
Showing
17 changed files
with
7,815 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,6 @@ | ||
/.build/ | ||
/.vscode/ | ||
/dist/ | ||
/node_modules/ | ||
|
||
*.tgz |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,13 @@ | ||
/.build/ | ||
/.vscode/ | ||
|
||
/test/ | ||
|
||
/etc/build.bash | ||
/etc/mjs-resolver.cjs | ||
|
||
/jest.config.mjs | ||
/prettier.config.cjs | ||
/rollup.config.mjs | ||
|
||
*.tgz |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,18 @@ | ||
© 2023 Yuri Zemskov | ||
|
||
Permission is hereby granted, free of charge, to any person obtaining a copy of | ||
this software and associated documentation files (the “Software”), to deal in | ||
the Software without restriction, including without limitation the rights to | ||
use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of | ||
the Software, and to permit persons to whom the Software is furnished to do so, | ||
subject to the following conditions: | ||
|
||
The above copyright notice and this permission notice shall be included in all | ||
copies or substantial portions of the Software. | ||
|
||
THE SOFTWARE IS PROVIDED “AS IS”, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR | ||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS | ||
FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR | ||
COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER | ||
IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN | ||
CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,229 @@ | ||
# μXML | ||
|
||
Minimal and fast non-validating SAX-like XML reader. | ||
|
||
- When to use it: | ||
- You just need to communicate with XML-based API. | ||
- You just need to read XML-based configs or whatever. | ||
- You don’t care of ill-formed or invalid markup. | ||
- You don’t care of comments and processing instructions. | ||
- You don’t care of source locations. | ||
- When **NOT** to use it: | ||
- You need to parse HTML, SVG, JSX, templates, etc. | ||
- You need to validate, debug, or format XML. | ||
- You need to handle comments and/or processing instructions. | ||
- You need to read XML streamingly. | ||
|
||
## Usage | ||
|
||
```bash | ||
yarn add microxml | ||
``` | ||
|
||
```bash | ||
npm install microxml | ||
``` | ||
|
||
```typescript | ||
import { fast_xml, FastBackend } from 'microxml'; | ||
|
||
class ExampleBackend implements FastBackend { | ||
/** A table of entity definitions. */ | ||
defs = new Map([ | ||
['foo', '"&bar;"'], | ||
['bar', '<baz/>'], | ||
]); | ||
|
||
/** Handle `<?xml...?>` and `<!DOCTYPE>`. */ | ||
async head(text: string) { | ||
console.log('prolog %o', text); | ||
} | ||
|
||
otag(tag: string, attrs: Map<string, string>) { | ||
console.log('opening tag %o %o', tag, attrs); | ||
} | ||
|
||
ctag(tag: string) { | ||
console.log('closing tag %o', tag); | ||
} | ||
|
||
text(text: string) { | ||
console.log('text %o', text); | ||
} | ||
} | ||
|
||
const src = ` | ||
<?xml version="1.0" encoding="UTF-8"?> | ||
<!DOCTYPE example> | ||
<test a="&foo;"> | ||
&foo; | ||
</test> | ||
`; | ||
|
||
fast_xml(src, new ExampleBackend()); | ||
``` | ||
|
||
## Features and non-features | ||
|
||
- <span id="br1"></span> The fastest[¹](#fn1). | ||
- <span id="br2"></span> The smallest[¹](#fn1) (≈1.5kB minified, **no gzip**). | ||
- ~~The smartest.~~ | ||
- ~~The strongest.~~ | ||
- Unlike many others, **DOES** reparse entity replacements: | ||
- With `x`=`<b>&y;</b>`, `y`=`"<c/>"`: | ||
- `<a>&x;</a>`≡`<a><b>"<c/>"</b></a>`, | ||
- `<a b="&x;" />`≡`<a b='<b>"<c/>"</b>'/>`. | ||
- May or may not explode in your face at ill-formed code. | ||
- May or may not explode in your face at invalid code. | ||
- Doesn’t parse `<?xml...?>` and `<!DOCTYPE>` declarations. | ||
- But the `async head(text: string)` hook may do the trick. | ||
- Doesn’t parse HTML. | ||
- Doesn’t parse SVG. | ||
- Doesn’t parse JSX. | ||
- Doesn’t parse templates. | ||
- Doesn’t handle boolean and unquoted attributes `<a b c=d>`. | ||
- Doesn’t handle references without the trailing semicolon `&wtf`. | ||
- Doesn’t handle tags without the name `<></>`. | ||
- Doesn’t handle tags like `<script>` and `<style>`. | ||
- Doesn’t handle void tags differently. | ||
- Doesn’t read streaming inputs. | ||
- Doesn’t report source locations. | ||
- Doesn’t report errors. | ||
- Doesn’t trim nor collapse whitespace. | ||
- But merges adjacent text chunks. | ||
- Silently ignores comments and processing instructions. | ||
- Silently ignores undefined entities. | ||
- Silently ignores text before the first tag. | ||
- Silently ignores text after the last tag. | ||
- Silently aborts at EOF-terminated attributes and attribute lists. | ||
- Silently aborts at expansion of unterminated attribute lists. | ||
|
||
--- | ||
|
||
1. <span id="fn1"></span> [[↑]](#br1), [[↑]](#br2) Probably. | ||
|
||
## API | ||
|
||
### `fast_xml(src, impl)` | ||
|
||
Read an XML document using the provided implementation. | ||
|
||
**Arguments:** | ||
|
||
- `src: string` — the XML document source string. | ||
- `impl: FastBackend` — the backend to use. | ||
|
||
**Return:** | ||
|
||
- `Promise<void>` — a promise that resolves on error or document end. | ||
|
||
### `FastBackend` | ||
|
||
A backend that provides entities table and token hooks. | ||
|
||
All the properties and hooks are assumed to be mutable. | ||
|
||
All the hooks are called as methods, so it’s safe to use `this` in them. | ||
|
||
### `defs` | ||
|
||
The entity definitions table. | ||
|
||
**Type:** | ||
|
||
- `Map<string, string>`, | ||
- `undefined`. | ||
|
||
Keys are entity names without leading `&` and trailing `;`. | ||
|
||
Values are replacements, that are allowed to include markup and other | ||
references. When an entity is referenced in the markup mode, its replacement | ||
will be reparsed as markup with both tags, comments, entity references, etc. | ||
handled as usual. When an entity is referenced in an attribute value, everything | ||
except other references is ignored, including `["']` delimiters that normally | ||
terminate the attribute value. | ||
|
||
When filling the table from `<!DOCTYPE>` and/or external DTDs, be careful to | ||
expand numeric references and parametric entities `%...;` **before** adding | ||
entries to the table. | ||
|
||
The table is never consulted for numeric and predefined entities: | ||
|
||
- `&#...;`, | ||
- `&#x...;`, | ||
- `<`, | ||
- `>`, | ||
- `&`, | ||
- `'`, | ||
- `"`. | ||
|
||
The table is assumed to be mutable, so it’s safe to update or completely replace | ||
it anytime you want. | ||
|
||
### `head(head)` | ||
|
||
XML prolog hook. | ||
|
||
Triggered even if there is no prolog, or it doesn’t include the `<?xml...?>` or | ||
`<!DOCTYPE>` declaration. | ||
|
||
Use it to parse the XML declaration and doctype. | ||
|
||
The hook can return promise we’ll await, so you can do some async stuff here. | ||
|
||
**Arguments:** | ||
|
||
- `head: string` — the XML prolog text. | ||
|
||
**Return:** | ||
|
||
- `any` — anything you want, possibly awaitable. | ||
|
||
### `otag(tag, attrs)` | ||
|
||
Opening tag hook. Also triggered for void tags. | ||
|
||
**Arguments:** | ||
|
||
- `tag: string` — the tag name. | ||
- `attrs: Map<string, string>` — the attributes map. | ||
|
||
**Return:** | ||
|
||
- `any` — the return value is ignored. | ||
|
||
### `ctag(tag)` | ||
|
||
Closing tag hook. For void tags, triggered immediately after the `otag` hook. | ||
|
||
**Arguments:** | ||
|
||
- `tag: string` — the tag name. | ||
|
||
**Return:** | ||
|
||
- `any` — the return value is ignored. | ||
|
||
### `text(text)` | ||
|
||
Plain text hook. | ||
|
||
Triggered immediately before `otag` or `ctag` with all pending plain text and | ||
<nobr>`<![CDATA[...]]>`</nobr> chunks merged, and only if the merged text is | ||
non-empty. | ||
|
||
For example, when parsing a document like | ||
<nobr>`<a>b<!--x-->c<?y?>d<![CDATA[e]]>f</a>`</nobr>, we’ll only trigger `text` | ||
once with the `bcdef` argument. | ||
|
||
**Arguments:** | ||
|
||
- `text: string` — the plain text string. | ||
|
||
**Return:** | ||
|
||
- `any` — the return value is ignored. | ||
|
||
## License | ||
|
||
MIT © 2023 Yuri Zemskov |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,14 @@ | ||
#!/usr/bin/env bash | ||
|
||
npm run compile | ||
|
||
cp ./.build/*.{mts,mts.map} ./dist/ | ||
|
||
cp ./dist/index.d.mts ./dist/index.d.ts | ||
cp ./dist/index.d.mts.map ./dist/index.d.ts.map | ||
|
||
cp ./dist/index.d.mts ./dist/index.d.cts | ||
cp ./dist/index.d.mts.map ./dist/index.d.cts.map | ||
|
||
sed -i 's/index\.d\.mts\.map/index.d.ts.map/' ./dist/index.d.ts | ||
sed -i 's/index\.d\.mts\.map/index.d.cts.map/' ./dist/index.d.cts |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,13 @@ | ||
const MJS = /\.mjs$/; | ||
|
||
module.exports = (path, options) => { | ||
const resolver = options.defaultResolver; | ||
|
||
if (MJS.test(path)) { | ||
try { | ||
return resolver(path.replace(MJS, '.mts'), options); | ||
} catch {} | ||
} | ||
|
||
return resolver(path, options); | ||
}; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,90 @@ | ||
{ | ||
"compilerOptions": { | ||
"allowJs": false, | ||
"checkJs": false, | ||
"composite": false, | ||
"incremental": true, | ||
"noEmit": false, | ||
"noEmitOnError": true, | ||
"emitDeclarationOnly": false, | ||
"isolatedModules": false, | ||
"preserveWatchOutput": true, | ||
"pretty": true, | ||
"noErrorTruncation": true, | ||
"assumeChangesOnlyAffectDirectDependencies": false, | ||
"disableReferencedProjectLoad": false, | ||
"disableSolutionSearching": false, | ||
"disableSourceOfProjectReferenceRedirect": false, | ||
"disableSizeLimit": false, | ||
"target": "esnext", | ||
"downlevelIteration": true, | ||
"useDefineForClassFields": true, | ||
"preserveConstEnums": false, | ||
"preserveValueImports": false, | ||
"experimentalDecorators": false, | ||
"emitDecoratorMetadata": false, | ||
"jsx": "react-jsx", | ||
"jsxImportSource": "react", | ||
"declaration": true, | ||
"declarationMap": true, | ||
"removeComments": false, | ||
"sourceMap": true, | ||
"inlineSources": true, | ||
"noImplicitUseStrict": false, | ||
"alwaysStrict": true, | ||
"newLine": "lf", | ||
"emitBOM": false, | ||
"stripInternal": false, | ||
"module": "nodenext", | ||
"lib": [ | ||
"esnext" | ||
], | ||
"moduleResolution": "nodenext", | ||
"moduleDetection": "auto", | ||
"moduleSuffixes": [ | ||
"" | ||
], | ||
"esModuleInterop": true, | ||
"allowSyntheticDefaultImports": true, | ||
"importsNotUsedAsValues": "remove", | ||
"resolveJsonModule": true, | ||
"importHelpers": true, | ||
"noEmitHelpers": false, | ||
"forceConsistentCasingInFileNames": true, | ||
"maxNodeModuleJsDepth": 0, | ||
"noLib": false, | ||
"noResolve": false, | ||
"allowUmdGlobalAccess": false, | ||
"skipLibCheck": true, | ||
"skipDefaultLibCheck": false, | ||
"preserveSymlinks": false, | ||
"strict": true, | ||
"noImplicitAny": true, | ||
"noImplicitThis": true, | ||
"strictBindCallApply": true, | ||
"strictFunctionTypes": true, | ||
"strictNullChecks": true, | ||
"strictPropertyInitialization": true, | ||
"exactOptionalPropertyTypes": true, | ||
"useUnknownInCatchVariables": true, | ||
"keyofStringsOnly": false, | ||
"noStrictGenericChecks": false, | ||
"noFallthroughCasesInSwitch": true, | ||
"noImplicitOverride": true, | ||
"noImplicitReturns": true, | ||
"noPropertyAccessFromIndexSignature": true, | ||
"noUncheckedIndexedAccess": true, | ||
"noUnusedLocals": true, | ||
"noUnusedParameters": true, | ||
"allowUnreachableCode": true, | ||
"allowUnusedLabels": true, | ||
"suppressExcessPropertyErrors": false, | ||
"suppressImplicitAnyIndexErrors": false, | ||
"diagnostics": false, | ||
"extendedDiagnostics": false, | ||
"traceResolution": false, | ||
"explainFiles": false, | ||
"listFiles": false, | ||
"listEmittedFiles": false | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,9 @@ | ||
export default { | ||
testMatch: ['**/test/*.mts'], | ||
testPathIgnorePatterns: ['/build/', '/node_modules/'], | ||
resolver: '<rootDir>/etc/mjs-resolver.cjs', | ||
transform: { | ||
'\\.mts$': ['ts-jest', { useESM: true }], | ||
}, | ||
moduleFileExtensions: ['js', 'mts'], | ||
}; |
Oops, something went wrong.
b8b3497
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
В пакете карп в пакете