@speclynx/apidom-datamodel
v4.0.5
Published
Data model primitives for ApiDOM.
Downloads
9,539
Readme
@speclynx/apidom-datamodel
@speclynx/apidom-datamodel provides the foundational data model primitives for ApiDOM.
It contains the core element classes, namespace system, and serialization utilities
that form the basis for all ApiDOM structures.
The data model is based on SpecLynx-flavored Refract specification 0.7.0, a recursive data structure for expressing complex structures, relationships, and metadata.
Installation
You can install this package via npm CLI by running the following command:
$ npm install @speclynx/apidom-datamodelPrimitive Elements
Primitive elements are the building blocks of ApiDOM. Each element has:
element- Type identifier (e.g., 'string', 'object', 'array')content- The element's valuemeta- Metadata (id, classes, title, description, links)attributes- Element-specific propertiesstyle- Optional format-specific style information for round-trip preservation (e.g.,{ yaml: { scalarStyle: 'DoubleQuoted' } })
Element
Base class that all ApiDOM elements extend.
import { Element } from '@speclynx/apidom-datamodel';
const element = new Element('content');
element.element = 'custom';
element.meta.set('id', 'unique-id');
element.attributes.set('attr', 'value');Additionally, convenience attributes are exposed on every element as shortcuts for common meta properties:
id(string) - Shortcut for.meta.get('id')classes(string[]) - Shortcut for.meta.get('classes')links(ArrayElement) - Shortcut for.meta.get('links')
import { StringElement } from '@speclynx/apidom-datamodel';
const element = new StringElement('hello');
element.id = 'greeting';
element.classes = ['important', 'message'];
element.id; // => 'greeting'
element.classes; // => ['important', 'message']StringElement
Represents a string value.
import { StringElement } from '@speclynx/apidom-datamodel';
const str = new StringElement('hello');
str.toValue(); // => 'hello'
str.length; // => 5NumberElement
Represents a numeric value.
import { NumberElement } from '@speclynx/apidom-datamodel';
const num = new NumberElement(42);
num.toValue(); // => 42BooleanElement
Represents a boolean value.
import { BooleanElement } from '@speclynx/apidom-datamodel';
const bool = new BooleanElement(true);
bool.toValue(); // => trueNullElement
Represents a null value.
import { NullElement } from '@speclynx/apidom-datamodel';
const nil = new NullElement();
nil.toValue(); // => nullArrayElement
Represents an ordered collection of elements.
import { ArrayElement } from '@speclynx/apidom-datamodel';
const arr = new ArrayElement([1, 2, 3]);
arr.length; // => 3
arr.get(0).toValue(); // => 1
arr.push(4);
arr.map((item) => item.toValue()); // => [1, 2, 3, 4]
arr.filter((item) => item.toValue() > 2); // => ArraySlice with 3, 4ObjectElement
Represents a collection of key-value pairs.
import { ObjectElement } from '@speclynx/apidom-datamodel';
const obj = new ObjectElement({ name: 'John', age: 30 });
obj.get('name').toValue(); // => 'John'
obj.set('email', '[email protected]');
obj.keys(); // => ['name', 'age', 'email']
obj.values(); // => ['John', 30, '[email protected]']
obj.hasKey('name'); // => trueObjectElement supports generics for typed key-value pairs:
import { ObjectElement, StringElement, NumberElement } from '@speclynx/apidom-datamodel';
const typed = new ObjectElement<StringElement, NumberElement>({ a: 1, b: 2 });MemberElement
Represents a key-value pair within an ObjectElement.
import { MemberElement } from '@speclynx/apidom-datamodel';
const member = new MemberElement('key', 'value');
member.key.toValue(); // => 'key'
member.value.toValue(); // => 'value'Higher-Order Elements
RefElement
Represents a reference to another element by ID.
import { RefElement, StringElement } from '@speclynx/apidom-datamodel';
const target = new StringElement('referenced');
target.id = 'target-id';
const ref = new RefElement('target-id');
ref.toValue(); // => 'target-id'LinkElement
Represents a hyperlink.
import { LinkElement } from '@speclynx/apidom-datamodel';
const link = new LinkElement();
link.relation = 'self';
link.href = 'https://example.com';ParseResultElement
Represents the result of parsing a document. It contains the parsed API element and any annotations (errors, warnings) produced during parsing.
import { ParseResultElement, ObjectElement, AnnotationElement } from '@speclynx/apidom-datamodel';
import { toValue } from '@speclynx/apidom-core';
const parseResult = new ParseResultElement();
// Add the parsed result
const api = new ObjectElement({ openapi: '3.1.0' });
api.classes.push('result');
parseResult.push(api);
// Add annotations
const warning = new AnnotationElement('Deprecated feature used');
warning.classes.push('warning');
parseResult.push(warning);
// Access the result
parseResult.result; // => ObjectElement
parseResult.isEmpty; // => false
// Iterate over annotations
for (const annotation of parseResult.annotations) {
console.log(toValue(annotation));
}AnnotationElement
Represents metadata about the parsing process, such as errors, warnings, or informational messages.
import { AnnotationElement } from '@speclynx/apidom-datamodel';
// Create a warning annotation
const warning = new AnnotationElement('Multiple documents found, using first');
warning.classes.push('warning');
// Create an error annotation
const error = new AnnotationElement('Invalid syntax at line 10');
error.classes.push('error');
// Annotations can have a code for programmatic identification
error.code = 'INVALID_SYNTAX';Source Maps
Source maps track the original source position of each element in the parsed document. Position properties are stored directly on elements (not nested in a separate object):
startLine- Zero-based line number where the element beginsstartCharacter- Zero-based column number where the element beginsstartOffset- Zero-based character offset from the start of the documentendLine- Zero-based line number where the element endsendCharacter- Zero-based column number where the element endsendOffset- Zero-based character offset where the element ends
All position values use UTF-16 code units, making them compatible with:
- Language Server Protocol (LSP)
- JavaScript string indexing
- TextDocument APIs
Accessing Source Positions
import { StringElement } from '@speclynx/apidom-datamodel';
const element = new StringElement('hello');
element.startLine = 0;
element.startCharacter = 5;
element.startOffset = 5;
element.endLine = 0;
element.endCharacter = 12;
element.endOffset = 12;
console.log(element.startLine); // => 0
console.log(element.startOffset); // => 5SourceMapElement
SourceMapElement is a transitive element that stores source positions as a compact
VLQ-encoded string. It provides utilities for transferring and serializing source positions.
Transferring Source Positions
Use SourceMapElement.transfer() to copy position properties between any compatible shapes
(elements, AST nodes, or plain objects with position properties):
import { SourceMapElement, StringElement } from '@speclynx/apidom-datamodel';
const source = new StringElement('source');
source.startLine = 1;
source.startCharacter = 2;
source.startOffset = 10;
source.endLine = 1;
source.endCharacter = 8;
source.endOffset = 16;
const target = new StringElement('target');
SourceMapElement.transfer(source, target);
console.log(target.startLine); // => 1
console.log(target.startOffset); // => 10Creating from Source
Use SourceMapElement.from() to create a source map from any object with position properties.
Returns undefined if any position property is not a number:
import { SourceMapElement, StringElement } from '@speclynx/apidom-datamodel';
const element = new StringElement('hello');
element.startLine = 0;
element.startCharacter = 0;
element.startOffset = 0;
element.endLine = 0;
element.endCharacter = 5;
element.endOffset = 5;
const sourceMap = SourceMapElement.from(element);
// sourceMap.content => 'sm1:AAAAKA' (VLQ-encoded positions)Applying to Target
Use sourceMap.applyTo() to decode VLQ content and apply position properties to any target object:
import { SourceMapElement, StringElement } from '@speclynx/apidom-datamodel';
const sourceMap = new SourceMapElement('sm1:AAAAKA');
const target = new StringElement('target');
sourceMap.applyTo(target);
console.log(target.startLine); // => 0
console.log(target.endOffset); // => 5SourceMapShape Interface
The SourceMapShape interface defines the shape for objects with source position properties:
import type { SourceMapShape } from '@speclynx/apidom-datamodel';
interface SourceMapShape {
startLine?: number;
startCharacter?: number;
startOffset?: number;
endLine?: number;
endCharacter?: number;
endOffset?: number;
}This enables SourceMapElement.transfer() to work with any compatible object, not just elements.
Extending Elements
You can create custom element types by extending the primitive elements. This is useful for creating semantic elements that represent specific data structures.
Creating a Custom Element
import { ObjectElement, StringElement } from '@speclynx/apidom-datamodel';
class PersonElement extends ObjectElement {
constructor(content, meta, attributes) {
super(content, meta, attributes);
this.element = 'person';
}
get name() {
return this.get('name');
}
set name(value) {
this.set('name', value);
}
get email() {
return this.get('email');
}
set email(value) {
this.set('email', value);
}
}
const person = new PersonElement({ name: 'John', email: '[email protected]' });
person.element; // => 'person'
person.name.toValue(); // => 'John'
person.email.toValue(); // => '[email protected]'Registering Custom Elements
To use custom elements with serialization and namespace features, register them:
import { Namespace } from '@speclynx/apidom-datamodel';
const namespace = new Namespace();
namespace.register('person', PersonElement);
// Now PersonElement will be used when deserializing 'person' elements
const serialiser = namespace.serialiser;
const refracted = { element: 'person', content: [] };
const element = serialiser.deserialise(refracted); // => PersonElementRefraction
The refract function converts JavaScript values to ApiDOM elements.
import { refract } from '@speclynx/apidom-datamodel';
refract('hello'); // => StringElement('hello')
refract(42); // => NumberElement(42)
refract(true); // => BooleanElement(true)
refract(null); // => NullElement()
refract([1, 2, 3]); // => ArrayElement([NumberElement(1), NumberElement(2), NumberElement(3)])
refract([1, undefined, 3]); // => ArrayElement([NumberElement(1), NullElement(), NumberElement(3)])
refract({ a: 'b' }); // => ObjectElement({ a: StringElement('b') })
refract({ a: undefined }); // => ObjectElement({ a: undefined }) - undefined values are preservedNamespace
The Namespace class provides a registry for element classes and handles element detection and conversion.
import { Namespace } from '@speclynx/apidom-datamodel';
const namespace = new Namespace();
// Convert JavaScript values to elements
namespace.toElement('hello'); // => StringElement('hello')
namespace.toElement(42); // => NumberElement(42)
// Register custom element classes
class CustomElement extends namespace.Element {
element = 'custom';
}
namespace.register('custom', CustomElement);
// Get element class by name
const ElementClass = namespace.getElementClass('custom'); // => CustomElementExtending Namespace
You can register custom detection functions:
import { Namespace, Element } from '@speclynx/apidom-datamodel';
class DateElement extends Element {
element = 'date';
}
const namespace = new Namespace();
namespace.register('date', DateElement);
namespace.detect((value) => value instanceof Date, DateElement);
namespace.toElement(new Date()); // => DateElementCreating Namespace Plugins
It is possible to create plugin modules that define elements for custom namespaces.
Plugin modules should export a namespace function that takes an options object
containing an existing namespace to which you can add your elements:
import { Namespace } from '@speclynx/apidom-datamodel';
// Define your plugin module (normally done in a separate file)
const plugin = {
namespace: (options) => {
const base = options.base;
const ArrayElement = base.getElementClass('array');
// Register custom elements
base.register('category', ArrayElement);
return base;
}
};
// Create namespace and load the plugin
const namespace = new Namespace();
namespace.use(plugin);
// Now 'category' element is available
const CategoryElement = namespace.getElementClass('category');Plugins can also define a load function for additional initialization:
const plugin = {
namespace: (options) => {
// Register elements
},
load: (options) => {
// Additional initialization after namespace setup
}
};Serialization
The namespace provides serialization methods:
import { Namespace, ObjectElement } from '@speclynx/apidom-datamodel';
const namespace = new Namespace();
const obj = new ObjectElement({ key: 'value' });
// Serialize to refract format
const refracted = namespace.toRefract(obj);
// => { element: 'object', content: [...] }
// Deserialize from refract format
const element = namespace.fromRefract(refracted);
// => ObjectElement({ key: 'value' })JSON Serialiser
Direct serialization without namespace:
import { JSONSerialiser, ObjectElement } from '@speclynx/apidom-datamodel';
const serialiser = new JSONSerialiser();
const obj = new ObjectElement({ a: 1 });
// Serialize
const json = serialiser.serialise(obj);
// => { element: 'object', content: [...] }
// Deserialize
const element = serialiser.deserialise(json);
// => ObjectElement({ a: 1 })Element Operations
Freezing
Elements can be frozen for immutability. Freezing also sets up parent references:
import { ObjectElement } from '@speclynx/apidom-datamodel';
const obj = new ObjectElement({ a: 1 });
obj.freeze();
obj.isFrozen; // => true
obj.get('a').parent === obj.getMember('a'); // => trueEquality
Elements support deep equality checking:
import { ArrayElement } from '@speclynx/apidom-datamodel';
const arr1 = new ArrayElement([1, 2, 3]);
const arr2 = new ArrayElement([1, 2, 3]);
arr1.equals([1, 2, 3]); // => true
arr1.equals(arr2.toValue()); // => trueCreating References
Elements with IDs can create references to themselves:
import { ObjectElement } from '@speclynx/apidom-datamodel';
const obj = new ObjectElement({ data: 'value' });
obj.id = 'my-object';
const ref = obj.toRef();
ref.toValue(); // => 'my-object'ObjectSlice
ObjectSlice is a utility for working with filtered object members:
import { ObjectElement } from '@speclynx/apidom-datamodel';
const obj = new ObjectElement({ a: 1, b: 2, c: 3 });
const slice = obj.filter((value) => value.toValue() > 1);
slice.keys(); // => ['b', 'c']
slice.values(); // => [2, 3]KeyValuePair
Internal structure used by MemberElement to store key-value pairs:
import { KeyValuePair, StringElement, NumberElement } from '@speclynx/apidom-datamodel';
const pair = new KeyValuePair();
pair.key = new StringElement('name');
pair.value = new NumberElement(42);
pair.toValue(); // { key: 'name', value: 42 }Cloning
Functions for creating shallow and deep copies of ApiDOM elements.
Shallow cloning
Creates a shallow clone of an ApiDOM element. The element itself is cloned, but content references are shared. Meta and attributes are deep cloned to preserve semantic information.
import { ObjectElement, cloneShallow } from '@speclynx/apidom-datamodel';
const objectElement = new ObjectElement({ a: 'b' });
const objectElementShallowClone = cloneShallow(objectElement);Deep cloning
Creates a deep clone of an ApiDOM element. All nested elements are recursively cloned. Handles cycles by memoizing visited objects.
import { ObjectElement, cloneDeep } from '@speclynx/apidom-datamodel';
const objectElement = new ObjectElement({ a: 'b' });
const objectElementDeepClone = cloneDeep(objectElement);