How to use upcast method in mountebank

Best JavaScript code snippet using mountebank

conversion.js

Source:conversion.js Github

copy

Full Screen

1/**2 * @license Copyright (c) 2003-2020, CKSource - Frederico Knabben. All rights reserved.3 * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-oss-license4 */5/**6 * @module engine/conversion/conversion7 */8import CKEditorError from '@ckeditor/ckeditor5-utils/src/ckeditorerror';9import UpcastHelpers from './upcasthelpers';10import DowncastHelpers from './downcasthelpers';11/**12 * A utility class that helps add converters to upcast and downcast dispatchers.13 *14 * We recommend reading the {@glink framework/guides/architecture/editing-engine Editing engine architecture} guide first to15 * understand the core concepts of the conversion mechanisms.16 *17 * An instance of the conversion manager is available in the18 * {@link module:core/editor/editor~Editor#conversion `editor.conversion`} property19 * and by default has the following groups of dispatchers (i.e. directions of conversion):20 *21 * * `downcast` (editing and data downcasts)22 * * `editingDowncast`23 * * `dataDowncast`24 * * `upcast`25 *26 * # One-way converters27 *28 * To add a converter to a specific group, use the {@link module:engine/conversion/conversion~Conversion#for `for()`}29 * method:30 *31 * // Add a converter to editing downcast and data downcast.32 * editor.conversion.for( 'downcast' ).elementToElement( config ) );33 *34 * // Add a converter to the data pipepline only:35 * editor.conversion.for( 'dataDowncast' ).elementToElement( dataConversionConfig ) );36 *37 * // And a slightly different one for the editing pipeline:38 * editor.conversion.for( 'editingDowncast' ).elementToElement( editingConversionConfig ) );39 *40 * See {@link module:engine/conversion/conversion~Conversion#for `for()`} method documentation to learn more about41 * available conversion helpers and how to use your custom ones.42 *43 * # Two-way converters44 *45 * Besides using one-way converters via the `for()` method, you can also use other methods available in this46 * class to add two-way converters (upcast and downcast):47 *48 * * {@link module:engine/conversion/conversion~Conversion#elementToElement `elementToElement()`} &ndash;49 * Model element to view element and vice versa.50 * * {@link module:engine/conversion/conversion~Conversion#attributeToElement `attributeToElement()`} &ndash;51 * Model attribute to view element and vice versa.52 * * {@link module:engine/conversion/conversion~Conversion#attributeToAttribute `attributeToAttribute()`} &ndash;53 * Model attribute to view element and vice versa.54 */55export default class Conversion {56 /**57 * Creates a new conversion instance.58 *59 * @param {module:engine/conversion/downcastdispatcher~DowncastDispatcher|60 * Array.<module:engine/conversion/downcastdispatcher~DowncastDispatcher>} downcastDispatchers61 * @param {module:engine/conversion/upcastdispatcher~UpcastDispatcher|62 * Array.<module:engine/conversion/upcastdispatcher~UpcastDispatcher>} upcastDispatchers63 */64 constructor( downcastDispatchers, upcastDispatchers ) {65 /**66 * Maps dispatchers group name to ConversionHelpers instances.67 *68 * @private69 * @member {Map.<String,module:engine/conversion/conversionhelpers~ConversionHelpers>}70 */71 this._helpers = new Map();72 // Define default 'downcast' & 'upcast' dispatchers groups. Those groups are always available as two-way converters needs them.73 this._downcast = Array.isArray( downcastDispatchers ) ? downcastDispatchers : [ downcastDispatchers ];74 this._createConversionHelpers( { name: 'downcast', dispatchers: this._downcast, isDowncast: true } );75 this._upcast = Array.isArray( upcastDispatchers ) ? upcastDispatchers : [ upcastDispatchers ];76 this._createConversionHelpers( { name: 'upcast', dispatchers: this._upcast, isDowncast: false } );77 }78 /**79 * Define an alias for registered dispatcher.80 *81 * const conversion = new Conversion(82 * [ dataDowncastDispatcher, editingDowncastDispatcher ],83 * upcastDispatcher84 * );85 *86 * conversion.addAlias( 'dataDowncast', dataDowncastDispatcher );87 *88 * @param {String} alias An alias of a dispatcher.89 * @param {module:engine/conversion/downcastdispatcher~DowncastDispatcher|90 * module:engine/conversion/upcastdispatcher~UpcastDispatcher} dispatcher Dispatcher which should have an alias.91 */92 addAlias( alias, dispatcher ) {93 const isDowncast = this._downcast.includes( dispatcher );94 const isUpcast = this._upcast.includes( dispatcher );95 if ( !isUpcast && !isDowncast ) {96 /**97 * Trying to register and alias for a dispatcher that nas not been registered.98 *99 * @error conversion-add-alias-dispatcher-not-registered100 */101 throw new CKEditorError(102 'conversion-add-alias-dispatcher-not-registered: ' +103 'Trying to register and alias for a dispatcher that nas not been registered.',104 this105 );106 }107 this._createConversionHelpers( { name: alias, dispatchers: [ dispatcher ], isDowncast } );108 }109 /**110 * Provides a chainable API to assign converters to conversion dispatchers group.111 *112 * If the given group name has not been registered, the113 * {@link module:utils/ckeditorerror~CKEditorError `conversion-for-unknown-group` error} is thrown.114 *115 * You can use conversion helpers available directly in the `for()` chain or your custom ones via116 * the {@link module:engine/conversion/conversionhelpers~ConversionHelpers#add `add()`} method.117 *118 * # Using bulit-in conversion helpers119 *120 * The `for()` chain comes with a set of conversion helpers which you can use like this:121 *122 * editor.conversion.for( 'downcast' )123 * .elementToElement( config1 ) // Adds an element-to-element downcast converter.124 * .attributeToElement( config2 ); // Adds an attribute-to-element downcast converter.125 *126 * editor.conversion.for( 'upcast' )127 * .elementToAttribute( config3 ); // Adds an element-to-attribute upcast converter.128 *129 * Refer to the documentation of built-in conversion helpers to learn about their configuration options.130 *131 * * downcast (model-to-view) conversion helpers:132 *133 * * {@link module:engine/conversion/downcasthelpers~DowncastHelpers#elementToElement `elementToElement()`},134 * * {@link module:engine/conversion/downcasthelpers~DowncastHelpers#attributeToElement `attributeToElement()`},135 * * {@link module:engine/conversion/downcasthelpers~DowncastHelpers#attributeToAttribute `attributeToAttribute()`}.136 * * {@link module:engine/conversion/downcasthelpers~DowncastHelpers#markerToElement `markerToElement()`}.137 * * {@link module:engine/conversion/downcasthelpers~DowncastHelpers#markerToHighlight `markerToHighlight()`}.138 *139 * * upcast (view-to-model) conversion helpers:140 *141 * * {@link module:engine/conversion/upcasthelpers~UpcastHelpers#elementToElement `elementToElement()`},142 * * {@link module:engine/conversion/upcasthelpers~UpcastHelpers#elementToAttribute `elementToAttribute()`},143 * * {@link module:engine/conversion/upcasthelpers~UpcastHelpers#attributeToAttribute `attributeToAttribute()`}.144 * * {@link module:engine/conversion/upcasthelpers~UpcastHelpers#elementToMarker `elementToMarker()`}.145 *146 * # Using custom conversion helpers147 *148 * If you need to implement a nontypical converter, you can do so by calling:149 *150 * editor.conversion.for( direction ).add( customHelper );151 *152 * The `.add()` method takes exactly one parameter, which is a function. This function should accept one parameter that153 * is a dispatcher instance. The function should add an actual converter to the passed dispatcher instance.154 *155 * Example:156 *157 * editor.conversion.for( 'upcast' ).add( dispatcher => {158 * dispatcher.on( 'element:a', ( evt, data, conversionApi ) => {159 * // Do something with a view <a> element.160 * } );161 * } );162 *163 * Refer to the documentation of {@link module:engine/conversion/upcastdispatcher~UpcastDispatcher}164 * and {@link module:engine/conversion/downcastdispatcher~DowncastDispatcher} to learn how to write165 * custom converters.166 *167 * @param {String} groupName The name of dispatchers group to add the converters to.168 * @returns {module:engine/conversion/downcasthelpers~DowncastHelpers|module:engine/conversion/upcasthelpers~UpcastHelpers}169 */170 for( groupName ) {171 if ( !this._helpers.has( groupName ) ) {172 /**173 * Trying to add a converter to an unknown dispatchers group.174 *175 * @error conversion-for-unknown-group176 */177 throw new CKEditorError( 'conversion-for-unknown-group: Trying to add a converter to an unknown dispatchers group.', this );178 }179 return this._helpers.get( groupName );180 }181 /**182 * Sets up converters between the model and the view that convert a model element to a view element (and vice versa).183 * For example, the model `<paragraph>Foo</paragraph>` is `<p>Foo</p>` in the view.184 *185 * // A simple conversion from the `paragraph` model element to the `<p>` view element (and vice versa).186 * editor.conversion.elementToElement( { model: 'paragraph', view: 'p' } );187 *188 * // Override other converters by specifying a converter definition with a higher priority.189 * editor.conversion.elementToElement( { model: 'paragraph', view: 'div', converterPriority: 'high' } );190 *191 * // View specified as an object instead of a string.192 * editor.conversion.elementToElement( {193 * model: 'fancyParagraph',194 * view: {195 * name: 'p',196 * classes: 'fancy'197 * }198 * } );199 *200 * // Use `upcastAlso` to define other view elements that should also be converted to a `paragraph` element.201 * editor.conversion.elementToElement( {202 * model: 'paragraph',203 * view: 'p',204 * upcastAlso: [205 * 'div',206 * {207 * // Any element with the `display: block` style.208 * styles: {209 * display: 'block'210 * }211 * }212 * ]213 * } );214 *215 * // `upcastAlso` set as callback enables a conversion of a wide range of different view elements.216 * editor.conversion.elementToElement( {217 * model: 'heading',218 * view: 'h2',219 * // Convert "headling-like" paragraphs to headings.220 * upcastAlso: viewElement => {221 * const fontSize = viewElement.getStyle( 'font-size' );222 *223 * if ( !fontSize ) {224 * return null;225 * }226 *227 * const match = fontSize.match( /(\d+)\s*px/ );228 *229 * if ( !match ) {230 * return null;231 * }232 *233 * const size = Number( match[ 1 ] );234 *235 * if ( size > 26 ) {236 * // Returned value can be an object with the matched properties.237 * // These properties will be "consumed" during the conversion.238 * // See `engine.view.Matcher~MatcherPattern` and `engine.view.Matcher#match` for more details.239 *240 * return { name: true, styles: [ 'font-size' ] };241 * }242 *243 * return null;244 * }245 * } );246 *247 * `definition.model` is a `String` with a model element name to convert from or to.248 * See {@link module:engine/conversion/conversion~ConverterDefinition} to learn about other parameters.249 *250 * @param {module:engine/conversion/conversion~ConverterDefinition} definition The converter definition.251 */252 elementToElement( definition ) {253 // Set up downcast converter.254 this.for( 'downcast' ).elementToElement( definition );255 // Set up upcast converter.256 for ( const { model, view } of _getAllUpcastDefinitions( definition ) ) {257 this.for( 'upcast' )258 .elementToElement( {259 model,260 view,261 converterPriority: definition.converterPriority262 } );263 }264 }265 /**266 * Sets up converters between the model and the view that convert a model attribute to a view element (and vice versa).267 * For example, a model text node with `"Foo"` as data and the `bold` attribute is `<strong>Foo</strong>` in the view.268 *269 * // A simple conversion from the `bold=true` attribute to the `<strong>` view element (and vice versa).270 * editor.conversion.attributeToElement( { model: 'bold', view: 'strong' } );271 *272 * // Override other converters by specifying a converter definition with a higher priority.273 * editor.conversion.attributeToElement( { model: 'bold', view: 'b', converterPriority: 'high' } );274 *275 * // View specified as an object instead of a string.276 * editor.conversion.attributeToElement( {277 * model: 'bold',278 * view: {279 * name: 'span',280 * classes: 'bold'281 * }282 * } );283 *284 * // Use `config.model.name` to define the conversion only from a given node type, `$text` in this case.285 * // The same attribute on different elements may then be handled by a different converter.286 * editor.conversion.attributeToElement( {287 * model: {288 * key: 'textDecoration',289 * values: [ 'underline', 'lineThrough' ],290 * name: '$text'291 * },292 * view: {293 * underline: {294 * name: 'span',295 * styles: {296 * 'text-decoration': 'underline'297 * }298 * },299 * lineThrough: {300 * name: 'span',301 * styles: {302 * 'text-decoration': 'line-through'303 * }304 * }305 * }306 * } );307 *308 * // Use `upcastAlso` to define other view elements that should also be converted to the `bold` attribute.309 * editor.conversion.attributeToElement( {310 * model: 'bold',311 * view: 'strong',312 * upcastAlso: [313 * 'b',314 * {315 * name: 'span',316 * classes: 'bold'317 * },318 * {319 * name: 'span',320 * styles: {321 * 'font-weight': 'bold'322 * }323 * },324 * viewElement => {325 * const fontWeight = viewElement.getStyle( 'font-weight' );326 *327 * if ( viewElement.is( 'span' ) && fontWeight && /\d+/.test() && Number( fontWeight ) > 500 ) {328 * // Returned value can be an object with the matched properties.329 * // These properties will be "consumed" during the conversion.330 * // See `engine.view.Matcher~MatcherPattern` and `engine.view.Matcher#match` for more details.331 *332 * return {333 * name: true,334 * styles: [ 'font-weight' ]335 * };336 * }337 * }338 * ]339 * } );340 *341 * // Conversion from and to a model attribute key whose value is an enum (`fontSize=big|small`).342 * // `upcastAlso` set as callback enables a conversion of a wide range of different view elements.343 * editor.conversion.attributeToElement( {344 * model: {345 * key: 'fontSize',346 * values: [ 'big', 'small' ]347 * },348 * view: {349 * big: {350 * name: 'span',351 * styles: {352 * 'font-size': '1.2em'353 * }354 * },355 * small: {356 * name: 'span',357 * styles: {358 * 'font-size': '0.8em'359 * }360 * }361 * },362 * upcastAlso: {363 * big: viewElement => {364 * const fontSize = viewElement.getStyle( 'font-size' );365 *366 * if ( !fontSize ) {367 * return null;368 * }369 *370 * const match = fontSize.match( /(\d+)\s*px/ );371 *372 * if ( !match ) {373 * return null;374 * }375 *376 * const size = Number( match[ 1 ] );377 *378 * if ( viewElement.is( 'span' ) && size > 10 ) {379 * // Returned value can be an object with the matched properties.380 * // These properties will be "consumed" during the conversion.381 * // See `engine.view.Matcher~MatcherPattern` and `engine.view.Matcher#match` for more details.382 *383 * return { name: true, styles: [ 'font-size' ] };384 * }385 *386 * return null;387 * },388 * small: viewElement => {389 * const fontSize = viewElement.getStyle( 'font-size' );390 *391 * if ( !fontSize ) {392 * return null;393 * }394 *395 * const match = fontSize.match( /(\d+)\s*px/ );396 *397 * if ( !match ) {398 * return null;399 * }400 *401 * const size = Number( match[ 1 ] );402 *403 * if ( viewElement.is( 'span' ) && size < 10 ) {404 * // Returned value can be an object with the matched properties.405 * // These properties will be "consumed" during the conversion.406 * // See `engine.view.Matcher~MatcherPattern` and `engine.view.Matcher#match` for more details.407 *408 * return { name: true, styles: [ 'font-size' ] };409 * }410 *411 * return null;412 * }413 * }414 * } );415 *416 * The `definition.model` parameter specifies which model attribute should be converted from or to. It can be a `{ key, value }` object417 * describing the attribute key and value to convert or a `String` specifying just the attribute key (then `value` is set to `true`).418 * See {@link module:engine/conversion/conversion~ConverterDefinition} to learn about other parameters.419 *420 * @param {module:engine/conversion/conversion~ConverterDefinition} definition The converter definition.421 */422 attributeToElement( definition ) {423 // Set up downcast converter.424 this.for( 'downcast' ).attributeToElement( definition );425 // Set up upcast converter.426 for ( const { model, view } of _getAllUpcastDefinitions( definition ) ) {427 this.for( 'upcast' )428 .elementToAttribute( {429 view,430 model,431 converterPriority: definition.converterPriority432 } );433 }434 }435 /**436 * Sets up converters between the model and the view that convert a model attribute to a view attribute (and vice versa).437 * For example, `<image src='foo.jpg'></image>` is converted to `<img src='foo.jpg'></img>` (the same attribute key and value).438 * This type of converters is intended to be used with {@link module:engine/model/element~Element model element} nodes.439 * To convert text attributes {@link module:engine/conversion/conversion~Conversion#attributeToElement `attributeToElement converter`}440 * should be set up.441 *442 * // A simple conversion from the `source` model attribute to the `src` view attribute (and vice versa).443 * editor.conversion.attributeToAttribute( { model: 'source', view: 'src' } );444 *445 * // Attribute values are strictly specified.446 * editor.conversion.attributeToAttribute( {447 * model: {448 * name: 'image',449 * key: 'aside',450 * values: [ 'aside' ]451 * },452 * view: {453 * aside: {454 * name: 'img',455 * key: 'class',456 * value: [ 'aside', 'half-size' ]457 * }458 * }459 * } );460 *461 * // Set the style attribute.462 * editor.conversion.attributeToAttribute( {463 * model: {464 * name: 'image',465 * key: 'aside',466 * values: [ 'aside' ]467 * },468 * view: {469 * aside: {470 * name: 'img',471 * key: 'style',472 * value: {473 * float: 'right',474 * width: '50%',475 * margin: '5px'476 * }477 * }478 * }479 * } );480 *481 * // Conversion from and to a model attribute key whose value is an enum (`align=right|center`).482 * // Use `upcastAlso` to define other view elements that should also be converted to the `align=right` attribute.483 * editor.conversion.attributeToAttribute( {484 * model: {485 * key: 'align',486 * values: [ 'right', 'center' ]487 * },488 * view: {489 * right: {490 * key: 'class',491 * value: 'align-right'492 * },493 * center: {494 * key: 'class',495 * value: 'align-center'496 * }497 * },498 * upcastAlso: {499 * right: {500 * styles: {501 * 'text-align': 'right'502 * }503 * },504 * center: {505 * styles: {506 * 'text-align': 'center'507 * }508 * }509 * }510 * } );511 *512 * The `definition.model` parameter specifies which model attribute should be converted from and to.513 * It can be a `{ key, [ values ], [ name ] }` object or a `String`, which will be treated like `{ key: definition.model }`.514 * The `key` property is the model attribute key to convert from and to.515 * The `values` are the possible model attribute values. If `values` is not set, the model attribute value will be the same as the516 * view attribute value.517 * If `name` is set, the conversion will be set up only for model elements with the given name.518 *519 * The `definition.view` parameter specifies which view attribute should be converted from and to.520 * It can be a `{ key, value, [ name ] }` object or a `String`, which will be treated like `{ key: definition.view }`.521 * The `key` property is the view attribute key to convert from and to.522 * The `value` is the view attribute value to convert from and to. If `definition.value` is not set, the view attribute value will be523 * the same as the model attribute value.524 * If `key` is `'class'`, `value` can be a `String` or an array of `String`s.525 * If `key` is `'style'`, `value` is an object with key-value pairs.526 * In other cases, `value` is a `String`.527 * If `name` is set, the conversion will be set up only for model elements with the given name.528 * If `definition.model.values` is set, `definition.view` is an object that assigns values from `definition.model.values`529 * to `{ key, value, [ name ] }` objects.530 *531 * `definition.upcastAlso` specifies which other matching view elements should also be upcast to the given model configuration.532 * If `definition.model.values` is set, `definition.upcastAlso` should be an object assigning values from `definition.model.values`533 * to {@link module:engine/view/matcher~MatcherPattern}s or arrays of {@link module:engine/view/matcher~MatcherPattern}s.534 *535 * **Note:** `definition.model` and `definition.view` form should be mirrored, so the same types of parameters should536 * be given in both parameters.537 *538 * @param {Object} definition The converter definition.539 * @param {String|Object} definition.model The model attribute to convert from and to.540 * @param {String|Object} definition.view The view attribute to convert from and to.541 * @param {module:engine/view/matcher~MatcherPattern|Array.<module:engine/view/matcher~MatcherPattern>} [definition.upcastAlso]542 * Any view element matching `definition.upcastAlso` will also be converted to the given model attribute. `definition.upcastAlso`543 * is used only if `config.model.values` is specified.544 */545 attributeToAttribute( definition ) {546 // Set up downcast converter.547 this.for( 'downcast' ).attributeToAttribute( definition );548 // Set up upcast converter.549 for ( const { model, view } of _getAllUpcastDefinitions( definition ) ) {550 this.for( 'upcast' )551 .attributeToAttribute( {552 view,553 model554 } );555 }556 }557 /**558 * Creates and caches conversion helpers for given dispatchers group.559 *560 * @private561 * @param {Object} options562 * @param {String} options.name Group name.563 * @param {Array.<module:engine/conversion/downcastdispatcher~DowncastDispatcher|564 * module:engine/conversion/upcastdispatcher~UpcastDispatcher>} options.dispatchers565 * @param {Boolean} options.isDowncast566 */567 _createConversionHelpers( { name, dispatchers, isDowncast } ) {568 if ( this._helpers.has( name ) ) {569 /**570 * Trying to register a group name that has already been registered.571 *572 * @error conversion-group-exists573 */574 throw new CKEditorError( 'conversion-group-exists: Trying to register a group name that has already been registered.', this );575 }576 const helpers = isDowncast ? new DowncastHelpers( dispatchers ) : new UpcastHelpers( dispatchers );577 this._helpers.set( name, helpers );578 }579}580/**581 * Defines how the model should be converted from and to the view.582 *583 * @typedef {Object} module:engine/conversion/conversion~ConverterDefinition584 *585 * @property {*} [model] The model conversion definition. Describes the model element or model attribute to convert. This parameter differs586 * for different functions that accept `ConverterDefinition`. See the description of the function to learn how to set it.587 * @property {module:engine/view/elementdefinition~ElementDefinition|Object} view The definition of the view element to convert from and588 * to. If `model` describes multiple values, `view` is an object that assigns these values (`view` object keys) to view element definitions589 * (`view` object values).590 * @property {module:engine/view/matcher~MatcherPattern|Array.<module:engine/view/matcher~MatcherPattern>} [upcastAlso]591 * Any view element matching `upcastAlso` will also be converted to the model. If `model` describes multiple values, `upcastAlso`592 * is an object that assigns these values (`upcastAlso` object keys) to {@link module:engine/view/matcher~MatcherPattern}s593 * (`upcastAlso` object values).594 * @property {module:utils/priorities~PriorityString} [converterPriority] The converter priority.595 */596// Helper function that creates a joint array out of an item passed in `definition.view` and items passed in597// `definition.upcastAlso`.598//599// @param {module:engine/conversion/conversion~ConverterDefinition} definition600// @returns {Array} Array containing view definitions.601function* _getAllUpcastDefinitions( definition ) {602 if ( definition.model.values ) {603 for ( const value of definition.model.values ) {604 const model = { key: definition.model.key, value };605 const view = definition.view[ value ];606 const upcastAlso = definition.upcastAlso ? definition.upcastAlso[ value ] : undefined;607 yield* _getUpcastDefinition( model, view, upcastAlso );608 }609 } else {610 yield* _getUpcastDefinition( definition.model, definition.view, definition.upcastAlso );611 }612}613function* _getUpcastDefinition( model, view, upcastAlso ) {614 yield { model, view };615 if ( upcastAlso ) {616 upcastAlso = Array.isArray( upcastAlso ) ? upcastAlso : [ upcastAlso ];617 for ( const upcastAlsoItem of upcastAlso ) {618 yield { model, view: upcastAlsoItem };619 }620 }...

Full Screen

Full Screen

upcastdispatcher.d.ts

Source:upcastdispatcher.d.ts Github

copy

Full Screen

1import { Emitter, EmitterMixinDelegateChain } from '@ckeditor/ckeditor5-utils/src/emittermixin';2import EventInfo from '@ckeditor/ckeditor5-utils/src/eventinfo';3import { PriorityString } from '@ckeditor/ckeditor5-utils/src/priorities';4import Element from '../model/element';5import Node from '../model/node';6import Position from '../model/position';7import Range from '../model/range';8import Schema, { SchemaContextDefinition } from '../model/schema';9import Writer from '../model/writer';10import ViewDocumentFragment from '../view/documentfragment';11import ViewElement from '../view/element';12import ViewText from '../view/text';13import ViewConsumable from './viewconsumable';14export type ViewItem = ViewElement | ViewText | ViewDocumentFragment;15export interface UpcastConversionData<T extends ViewItem = ViewItem> {16 modelCursor: Position;17 modelRange: Range;18 viewItem: T;19}20export interface UpcastConversionApi {21 consumable: ViewConsumable;22 schema: Schema;23 store: Record<string, any>;24 writer: Writer;25 convertChildren(26 viewItem: ViewItem,27 positionOrElement: Position | Element,28 ): {29 modelRange: Range;30 modelCursor: Position;31 };32 convertItem(33 viewItem: ViewItem,34 modelCursor: Position,35 ): {36 modelRange: Range;37 modelCursor: Position;38 };39 getSplitParts(element: Element): Element[];40 safeInsert(node: Node, position: Position): boolean;41 splitToAllowedParent(42 position: Position,43 node: Node,44 ): null | {45 position: Position;46 cursorParent: Element;47 };48 updateConversionResult(element: Element, data: UpcastConversionData): void;49}50export interface UpcastEventDataTypes {51 element: UpcastConversionData<ViewElement>;52 text: UpcastConversionData<ViewText>;53 documentFragment: UpcastConversionData<ViewDocumentFragment>;54}55export type UpcastEventArgs<K extends string = string> = K extends keyof UpcastEventDataTypes56 ? [UpcastEventDataTypes[K], UpcastConversionApi]57 : K extends 'viewCleanup'58 ? [ViewDocumentFragment | ViewElement]59 : K extends `element:${infer N}`60 ? [UpcastConversionData<ViewElement & { name: N }>, UpcastConversionApi]61 : K extends `${infer NS}:${string}`62 ? NS extends keyof UpcastEventDataTypes63 ? [UpcastEventDataTypes[NS], UpcastConversionApi]64 : any[]65 : any[];66export type UpcastDispatcherCallback<N extends string, S extends Emitter = Emitter> = (67 info: EventInfo<S, N>,68 ...args: UpcastEventArgs<N>69) => void;70export default class UpcastDispatcher implements Emitter {71 constructor(conversionApi?: Partial<UpcastConversionApi>);72 conversionApi: UpcastConversionApi;73 convert(viewItem: ViewItem, writer: Writer, context?: SchemaContextDefinition): ViewDocumentFragment;74 on<N extends string>(75 event: N,76 callback: UpcastDispatcherCallback<N, this>,77 options?: { priority?: number | PriorityString | undefined },78 ): void;79 once<N extends string>(80 event: N,81 callback: UpcastDispatcherCallback<N, this>,82 options?: { priority?: number | PriorityString | undefined },83 ): void;84 off<N extends string>(event: N, callback?: UpcastDispatcherCallback<N, this>): void;85 listenTo<S extends Emitter, N extends string>(86 emitter: S,87 event: N,88 callback: UpcastDispatcherCallback<N, S>,89 options?: { priority?: number | PriorityString | undefined },90 ): void;91 stopListening<N extends string, S extends Emitter>(92 emitter?: S,93 event?: N,94 callback?: UpcastDispatcherCallback<N, S>,95 ): void;96 fire<N extends string>(eventOrInfo: N | EventInfo, ...args: UpcastEventArgs<N>): any;97 delegate(...events: string[]): EmitterMixinDelegateChain;98 stopDelegating(event?: string, emitter?: Emitter): void;...

Full Screen

Full Screen

is.js

Source:is.js Github

copy

Full Screen

1import test from 'ava';2import sinon from 'sinon';3import Upcast from '../main';4test.beforeEach(t => {5 t.context.upcast = Upcast;6 sinon.stub(t.context.upcast, 'type');7 t.context.upcast.type.withArgs('foo').returns('type1');8 t.context.upcast.type.withArgs('bar').returns('type2');9});10test.afterEach.always(t => t.context.upcast.type.restore());11test('should be a function', t => {12 const {upcast} = t.context;13 t.true(typeof upcast.is === 'function');14});15test('should utilise the type function', t => {16 const {upcast} = t.context;17 upcast.is('foo', 'type1');18 t.true(upcast.type.calledOnce);19});20test('should return true when called with the correct type', t => {21 const {upcast} = t.context;22 t.true(upcast.is('foo', 'type1'));23});24test('should return false when called with the incorrect type', t => {25 const {upcast} = t.context;26 t.false(upcast.is('bar', 'type1'));27});28test('should throw when called with a non-string type', t => {29 const {upcast} = t.context;30 t.throws(() => {31 upcast.is('bar', 123);32 }, /invalid argument: type/i);33});34test('should resolve type aliases', t => {35 const {upcast} = t.context;36 upcast.type.withArgs([]).returns('array');37 upcast.alias.seq = 'array';38 t.true(upcast.is([], 'seq'));...

Full Screen

Full Screen

Using AI Code Generation

copy

Full Screen

1const mb = require('mountebank');2mb.create({3}).then(function (imposter) {4 console.log('Imposter started on port ' + imposter.port);5 return imposter.post('/test', {6 headers: {7 },8 body: {9 }10 });11}).then(function (stub) {12 console.log('Stub created', stub);13}).catch(function (error) {14 console.error(error);15});16const mb = require('mountebank');17const assert = require('assert');18const request = require('request');19describe('test', function () {20 before(function (done) {21 mb.create({22 }).then(function (imposter) {23 console.log('Imposter started on port ' + imposter.port);24 return imposter.post('/test', {25 headers: {26 },27 body: {28 }29 });30 }).then(function (stub) {31 console.log('Stub created', stub);32 }).catch(function (error) {33 console.error(error);34 });35 });36 after(function (done) {37 mb.stopAll().then(function () {38 console.log('All imposters stopped');39 });40 });41 it('should return 200', function (done) {42 assert.equal(response.statusCode, 200);43 done();44 });45 });46});

Full Screen

Using AI Code Generation

copy

Full Screen

1const mb = require('mountebank');2mb.start({3}).then(() => {4 console.log('Mountebank started');5 return mb.create({6 stubs: [{7 predicates: [{8 equals: {9 }10 }],11 responses: [{12 is: {13 headers: {14 },15 body: {16 }17 }18 }]19 }]20 });21}).then(() => {22 console.log('Stub created');23}).catch(error => {24 console.error('Error creating stub', error.message);25});26const request = require('request-promise');27const expect = require('chai').expect;28const mb = require('mountebank');29describe('Test REST API', () => {30 it('Should return 200', () => {31 return request({32 }).then(response => {33 expect(response.name).to.equal('test');34 });35 });36});

Full Screen

Using AI Code Generation

copy

Full Screen

1var mb = require('mountebank');2var imposter = {3 {4 {5 equals: {6 }7 }8 {9 is: {10 headers: {11 },12 }13 }14 }15};16mb.create(imposter).then(function () {17 console.log('Imposter created');18});19var mb = require('mountebank');20var imposter = {21 {22 {23 equals: {24 }25 }26 {27 is: {28 headers: {29 },30 }31 }32 }33};34mb.create(imposter).then(function () {35 console.log('Imposter created');36});37var mb = require('mountebank');38var imposter = {39 {40 {41 equals: {42 }43 }44 {45 is: {46 headers: {47 },48 }49 }50 }51};52mb.create(imposter).then(function () {53 console.log('Imposter created');54});55var mb = require('mountebank');56var imposter = {57 {58 {59 equals: {60 }61 }62 {63 is: {

Full Screen

Using AI Code Generation

copy

Full Screen

1const mb = require('mountebank');2const port = 2525;3const imposter = {port, protocol: 'http', stubs: [{responses: [{is: {body: 'Hello World'}}]}]};4mb.create(url, imposter).then(() => {5 console.log(`created imposter on port ${port}`);6 return mb.get(url, port);7}).then(() => {8 console.log(`got imposter on port ${port}`);9 return mb.upcast(url, port, {protocol: 'https'});10}).then(() => {11 console.log(`upcast imposter on port ${port}`);12 return mb.del(url, port);13}).then(() => {14 console.log(`deleted imposter on port ${port}`);15}).catch(error => {16 console.error(`Error: ${error.message}`);17});18const mb = require('mountebank');19const port = 2525;20const imposter = {port, protocol: 'https', stubs: [{responses: [{is: {body: 'Hello World'}}]}]};21mb.create(url, imposter).then(() => {22 console.log(`created imposter on port ${port}`);23 return mb.get(url, port);24}).then(() => {25 console.log(`got imposter on port ${port}`);26 return mb.downcast(url, port, {protocol: 'http'});27}).then(() => {28 console.log(`downcast imposter on port ${port}`);29 return mb.del(url, port);30}).then(() => {31 console.log(`deleted imposter on port ${port}`);32}).catch(error => {33 console.error(`Error: ${error.message}`);34});35const mb = require('mountebank');36const port = 2525;37const imposter = {port, protocol: 'http', stubs: [{responses: [{is: {body: 'Hello World'}}]}]};38mb.create(url, imposter).then(() => {39 console.log(`created imposter on port ${port}`);40 return mb.verify(url, port, 'Hello World');41}).then(() => {42 console.log(`verified imposter on

Full Screen

Using AI Code Generation

copy

Full Screen

1const mb = require('mountebank');2const imposters = require('./imposters.json');3mb.create({port: 2525, pidfile: 'mb.pid', logfile: 'mb.log'})4 .then(imposters => mb.upsert(imposters))5 .then(() => mb.start())6 .then(() => console.log('Imposters created and started!'))7 .catch(console.error);8{9 {10 {11 {12 "is": {13 "headers": {14 },15 }16 }17 }18 }19}20const mb = require('mountebank');21const imposters = require('./imposters.json');22mb.create({port: 2525, pidfile: 'mb.pid', logfile: 'mb.log'})23 .then(imposters => mb.upsert(imposters))24 .then(() => mb.start())25 .then(() => console.log('Imposters created and started!'))26 .catch(console.error);27{28 {29 {30 {31 "is": {32 "headers": {33 },34 }35 }36 }37 }38}39const mb = require('mountebank');40const imposters = require('./imposters.json');41mb.create({port: 2525, pidfile: 'mb.pid', logfile: 'mb.log'})42 .then(imposters => mb.upsert(imposters))43 .then(() => mb.start())44 .then(() => console

Full Screen

Using AI Code Generation

copy

Full Screen

1var mb = require('mountebank'),2 assert = require('assert');3mb.create({4}).then(function (server) {5 server.addImposter({6 {7 {8 equals: {9 }10 }11 {12 is: {13 headers: {14 },15 body: JSON.stringify({status: 'ok'})16 }17 }18 }19 }).then(function (imposter) {20 return imposter.delete();21 }).then(function () {22 return server.del();23 }).then(function () {24 });25});

Full Screen

Using AI Code Generation

copy

Full Screen

1var mb = require('mountebank');2var fs = require('fs');3var Q = require('q');4var request = require('request');5var path = require('path');6var util = require('util');7var assert = require('assert');8var _ = require('lodash');9var imposter = {10 {11 {12 equals: {13 }14 }15 {16 is: {17 headers: {18 },19 body: JSON.stringify({ message: 'hello world' })20 }21 }22 }23};24mb.create({ port: 2525, pidfile: 'mb.pid', logfile: 'mb.log' }, function (error, mb) {25 if (error) {26 console.log('error: ' + error);27 }28 else {29 console.log('mb running on port: ' + mb.port);30 mb.post('/imposters', imposter, function (error, response) {31 if (error) {32 console.log('error: ' + error);33 }34 else {35 console.log('imposter running on port: ' + imposter.port);36 if (error) {37 console.log('error: ' + error);38 }39 else {40 console.log('response: ' + response.statusCode);41 console.log('body: ' + body);42 }43 });44 }45 });46 }47});

Full Screen

Using AI Code Generation

copy

Full Screen

1const mb = require('mountebank');2const { createImposter } = mb;3const { createStub } = mb;4const imposter = createImposter(2525, { protocol: 'http' });5const stub = createStub({ responses: [{ is: { body: 'Hello World!' } }] });6imposter.addStub(stub);7imposter.upcast().then(() => console.log('Imposter created!'));8const mb = require('mountebank');9const { createImposter } = mb;10const { createStub } = mb;11const imposter = createImposter(2525, { protocol: 'http' });12const stub = createStub({ responses: [{ is: { body: 'Hello World!' } }] });13imposter.addStub(stub);14imposter.create().then(() => console.log('Imposter created!'));15(node:15128) UnhandledPromiseRejectionWarning: Unhandled promise rejection (rejection id: 1): Error: Unable to create imposter: 400 - {"errors":["Invalid imposter format: should have required property 'protocol'"]}16const mb = require('mountebank');17const { createImposter } = mb;18const { createStub } = mb;19const imposter = createImposter(2525, { protocol: 'http' });

Full Screen

Using AI Code Generation

copy

Full Screen

1var mb = require('mountebank');2var imposter = mb.create({ port: 2525, allowInjection: true, debug: true, pidfile: 'mb.pid' });3imposter.upcast({4 stubs: [{5 responses: [{6 is: {7 headers: { 'Content-Type': 'text/html' },8 }9 }]10 }]11});12var mb = require('mountebank');13var imposter = mb.create({ port: 2525, allowInjection: true, debug: true, pidfile: 'mb.pid' });14imposter.upcast({15 stubs: [{16 responses: [{17 is: {18 headers: { 'Content-Type': 'text/html' },19 }20 }]21 }]22});23var mb = require('mountebank');24var imposter = mb.create({ port: 2525, allowInjection: true, debug: true, pidfile: 'mb.pid' });25imposter.upcast({26 stubs: [{27 responses: [{28 is: {29 headers: { 'Content-Type': 'text/html' },30 }31 }]32 }]33});34var mb = require('mountebank');35var imposter = mb.create({ port: 2525, allowInjection: true, debug: true, pidfile: 'mb.pid' });36imposter.upcast({37 stubs: [{38 responses: [{39 is: {40 headers: { 'Content-Type': 'text/html' },41 }42 }]43 }]44});

Full Screen

Automation Testing Tutorials

Learn to execute automation testing from scratch with LambdaTest Learning Hub. Right from setting up the prerequisites to run your first automation test, to following best practices and diving deeper into advanced test scenarios. LambdaTest Learning Hubs compile a list of step-by-step guides to help you be proficient with different test automation frameworks i.e. Selenium, Cypress, TestNG etc.

LambdaTest Learning Hubs:

YouTube

You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.

Run mountebank automation tests on LambdaTest cloud grid

Perform automation testing on 3000+ real desktop and mobile devices online.

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful