How to use alphaNumericArb method in fast-check-monorepo

Best JavaScript code snippet using fast-check-monorepo

domain.ts

Source:domain.ts Github

copy

Full Screen

1import { array } from './array';2import {3 buildLowerAlphaArbitrary,4 buildLowerAlphaNumericArbitrary,5} from './_internals/builders/CharacterRangeArbitraryBuilder';6import { option } from './option';7import { stringOf } from './stringOf';8import { tuple } from './tuple';9import { Arbitrary } from '../check/arbitrary/definition/Arbitrary';10import { filterInvalidSubdomainLabel } from './_internals/helpers/InvalidSubdomainLabelFiIter';11import { resolveSize, relativeSizeToSize, Size, SizeForArbitrary } from './_internals/helpers/MaxLengthFromMinLength';12import { adapter, AdapterOutput } from './_internals/AdapterArbitrary';13import { safeJoin, safeSlice, safeSplit, safeSubstring } from '../utils/globals';14/** @internal */15function toSubdomainLabelMapper([f, d]: [string, [string, string] | null]): string {16 return d === null ? f : `${f}${d[0]}${d[1]}`;17}18/** @internal */19function toSubdomainLabelUnmapper(value: unknown): [string, [string, string] | null] {20 if (typeof value !== 'string' || value.length === 0) {21 throw new Error('Unsupported');22 }23 if (value.length === 1) {24 return [value[0], null];25 }26 return [value[0], [safeSubstring(value, 1, value.length - 1), value[value.length - 1]]];27}28/** @internal */29function subdomainLabel(size: Size) {30 const alphaNumericArb = buildLowerAlphaNumericArbitrary([]);31 const alphaNumericHyphenArb = buildLowerAlphaNumericArbitrary(['-']);32 // Rq: maxLength = 61 because max length of a label is 63 according to RFC 103433 // and we add 2 characters to this generated value34 // According to RFC 1034 (confirmed by RFC 1035):35 // <label> ::= <letter> [ [ <ldh-str> ] <let-dig> ]36 // <ldh-str> ::= <let-dig-hyp> | <let-dig-hyp> <ldh-str>37 // <let-dig-hyp> ::= <let-dig> | "-"38 // <letter> ::= any one of the 52 alphabetic characters A through Z in upper case and a through z in lower case39 // <digit> ::= any one of the ten digits 0 through 940 // "The labels must follow the rules for ARPANET host names. They must start with a letter, end with a letter or digit, and have as interior41 // characters only letters, digits, and hyphen. There are also some restrictions on the length. Labels must be 63 characters or less."42 // But RFC 1123 relaxed the constraint:43 // "The syntax of a legal Internet host name was specified in RFC-952[DNS:4]. One aspect of host name syntax is hereby changed: the44 // restriction on the first character is relaxed to allow either a letter or a digit. Host software MUST support this more liberal syntax."45 return tuple(46 alphaNumericArb,47 option(tuple(stringOf(alphaNumericHyphenArb, { size, maxLength: 61 }), alphaNumericArb))48 )49 .map(toSubdomainLabelMapper, toSubdomainLabelUnmapper)50 .filter(filterInvalidSubdomainLabel);51}52/** @internal */53function labelsMapper(elements: [string[], string]): string {54 return `${safeJoin(elements[0], '.')}.${elements[1]}`;55}56/** @internal */57function labelsUnmapper(value: unknown): [string[], string] {58 if (typeof value !== 'string') {59 throw new Error('Unsupported type');60 }61 const lastDotIndex = value.lastIndexOf('.');62 return [safeSplit(safeSubstring(value, 0, lastDotIndex), '.'), safeSubstring(value, lastDotIndex + 1)];63}64/** @internal */65function labelsAdapter(labels: [string[], string]): AdapterOutput<[string[], string]> {66 // labels[0].length is always >=167 const [subDomains, suffix] = labels;68 let lengthNotIncludingIndex = suffix.length;69 for (let index = 0; index !== subDomains.length; ++index) {70 lengthNotIncludingIndex += 1 + subDomains[index].length;71 // Required by RFC 1034:72 // To simplify implementations, the total number of octets that represent73 // a domain name (i.e., the sum of all label octets and label lengths) is limited to 255.74 // It seems that this restriction has been relaxed in modern web browsers.75 if (lengthNotIncludingIndex > 255) {76 return { adapted: true, value: [safeSlice(subDomains, 0, index), suffix] };77 }78 }79 return { adapted: false, value: labels };80}81/**82 * Constraints to be applied on {@link domain}83 * @remarks Since 2.22.084 * @public85 */86export interface DomainConstraints {87 /**88 * Define how large the generated values should be (at max)89 * @remarks Since 2.22.090 */91 size?: Exclude<SizeForArbitrary, 'max'>;92}93/**94 * For domains95 * having an extension with at least two lowercase characters96 *97 * According to {@link https://www.ietf.org/rfc/rfc1034.txt | RFC 1034},98 * {@link https://www.ietf.org/rfc/rfc1035.txt | RFC 1035},99 * {@link https://www.ietf.org/rfc/rfc1123.txt | RFC 1123} and100 * {@link https://url.spec.whatwg.org/ | WHATWG URL Standard}101 *102 * @param constraints - Constraints to apply when building instances (since 2.22.0)103 *104 * @remarks Since 1.14.0105 * @public106 */107export function domain(constraints: DomainConstraints = {}): Arbitrary<string> {108 const resolvedSize = resolveSize(constraints.size);109 const resolvedSizeMinusOne = relativeSizeToSize('-1', resolvedSize);110 // A list of public suffixes can be found here: https://publicsuffix.org/list/public_suffix_list.dat111 // our current implementation does not follow this list and generate a fully randomized suffix112 // which is probably not in this list (probability would be low)113 const alphaNumericArb = buildLowerAlphaArbitrary([]);114 const publicSuffixArb = stringOf(alphaNumericArb, { minLength: 2, maxLength: 63, size: resolvedSizeMinusOne });115 return (116 // labels have between 1 and 63 characters117 // domains are made of dot-separated labels and have up to 255 characters so that are made of up-to 128 labels118 adapter(119 tuple(120 array(subdomainLabel(resolvedSize), { size: resolvedSizeMinusOne, minLength: 1, maxLength: 127 }),121 publicSuffixArb122 ),123 labelsAdapter124 ).map(labelsMapper, labelsUnmapper)125 );...

Full Screen

Full Screen

property.ts

Source:property.ts Github

copy

Full Screen

1import * as fc from "fast-check"2import { Content, isTagContent, isTextContents, joinTexts, Tag } from "../types"3function AlphabetArbitrary(alphabet: string) {4 return fc.integer(0, alphabet.length - 1).map((i) => alphabet[i])5}6function oneOutOf(n: number) {7 return fc.integer(1, n).map((i) => i === n)8}9const visibleAsciiArb = AlphabetArbitrary(10 "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789!\"#$%&'()*+,-./:;<=>?@[\\]^_`{|}~",11)12const alphaArb = AlphabetArbitrary("abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ")13const alphanumericArb = AlphabetArbitrary("abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789")14const textArb = fc.stringOf(15 fc.frequency(16 { arbitrary: fc.constant("\\"), weight: 1 },17 { arbitrary: fc.constant("{"), weight: 3 },18 { arbitrary: fc.constant("}"), weight: 3 },19 { arbitrary: fc.constant(":"), weight: 2 },20 { arbitrary: fc.constant("\n"), weight: 1 },21 { arbitrary: visibleAsciiArb, weight: 12 },22 ),23)24const nameArb = fc25 .tuple(fc.stringOf(alphaArb, { minLength: 1 }), fc.array(fc.stringOf(alphanumericArb, { minLength: 1 })))26 .map(([s1, ss]) => [s1].concat(ss).join(" "))27export const tagArb: fc.Memo<Tag> = fc.memo((n) =>28 fc29 .record({30 isQuoted: oneOutOf(10),31 isAttribute: oneOutOf(3),32 name: nameArb,33 attributes:34 n > 1 ? fc.array(tagArb(n - 1).map((tag) => ({ ...tag, isAttribute: true }))) : fc.constant([]),35 isLiteral: oneOutOf(4),36 contents: contentsArb(n - 1),37 })38 .map((tag) => ({39 ...tag,40 isLiteral: tag.isLiteral && isTextContents(tag.contents),41 })),42)43export const contentsArb: fc.Memo<Content[]> = fc.memo((n) =>44 n > 1 ? fc.array(fc.oneof(textArb, tagArb(n - 1))).map(joinTexts) : fc.array(textArb, { maxLength: 1 }),45)46function shrinkArray<T>(shrinkElement: (element: T) => fc.Stream<T>, array: readonly T[]): fc.Stream<T[]> {47 if (array.length === 0) return fc.Stream.nil()48 const x = array[0]49 const xs = array.slice(1)50 return fc.Stream.of(xs)51 .join(shrinkElement(x).map((y) => [y].concat(xs)))52 .join(shrinkArray(shrinkElement, xs))53}54function shrinkTag(tag: Tag): fc.Stream<Tag> {55 let stream = fc.Stream.nil<Tag>()56 if (tag.contents.length > 0) {57 stream = stream.join(58 tag.contents59 .filter(isTagContent)60 .map((ctag) => ({ ...ctag, isQuoted: tag.isQuoted, isAttribute: tag.isAttribute }))61 .values(),62 )63 }64 if (tag.attributes.length > 0) {65 stream = stream.join(tag.attributes.values())66 }67 if (tag.contents.length > 0 && !tag.isLiteral) {68 stream = stream.join(shrinkContents(tag.contents).map((contents) => ({ ...tag, contents })))69 }70 if (tag.attributes.length > 0) {71 stream = stream.join(shrinkArray(shrinkTag, tag.attributes).map((attributes) => ({ ...tag, attributes })))72 }73 return stream74}75function shrinkContent(content: Content): fc.Stream<Content> {76 return typeof content === "string" ? fc.Stream.nil() : shrinkTag(content)77}78function shrinkContents(contents: readonly Content[]) {79 return shrinkArray(shrinkContent, contents).map(joinTexts)80}81export function assertProperty<T>(82 arbitrary: fc.Arbitrary<T>,83 predicate: (arg: T) => boolean,84 logger: (arg: T) => void,85) {86 fc.assert(fc.property(arbitrary, predicate), assertOptions(logger))87}88export function assertAsyncProperty<T>(89 arbitrary: fc.Arbitrary<T>,90 predicate: (arg: T) => Promise<boolean>,91 logger: (arg: T) => Promise<void>,92) {93 fc.assert(fc.asyncProperty(arbitrary, predicate), assertOptions(logger))94}95function assertOptions<T>(logger: (arg: T) => void) {96 return {97 reporter(details) {98 reportDetails(details, logger)99 },100 }101}102function reportDetails<A extends T[], T>(details: fc.RunDetails<A>, logger: (arg: T) => void) {103 if (details.failed) {104 console.log(105 `Failed after ${details.numRuns} tests and ${details.numShrinks} shrinks with seed ${details.seed}.`,106 )107 if (details.counterexample !== null && details.counterexample.length > 0) {108 logger(details.counterexample[0])109 }110 }...

Full Screen

Full Screen

Using AI Code Generation

copy

Full Screen

1const fc = require("fast-check");2const alphaNumericArb = require("fast-check-monorepo").alphaNumericArb;3fc.assert(4 fc.property(alphaNumericArb(), (s) => {5 console.log(s);6 return true;7 })8);

Full Screen

Using AI Code Generation

copy

Full Screen

1const { alphaNumericArb } = require('fast-check');2const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');3const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');4const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');5const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');6const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');7const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');8const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');9const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');10const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');11const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');12const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');13const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');14const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');15const { alphaNumericArb } = require('fast-check/lib/arbitrary/alphaNumericArbitrary.js');16const { alphaNumericArb } = require('fast-check/lib/arbitrary/

Full Screen

Using AI Code Generation

copy

Full Screen

1const fc = require('fast-check');2const alphaNumericArb = require('fast-check-monorepo').alphaNumericArb;3const alphaNumericString = fc.sample(alphaNumericArb(), 1);4console.log(alphaNumericString);5const fc = require('fast-check');6const alphaNumericArb = require('fast-check-monorepo').alphaNumericArb;7const alphaNumericString = fc.sample(alphaNumericArb(), 1);8console.log(alphaNumericString);9const fc = require('fast-check');10const alphaNumericArb = require('fast-check-monorepo').alphaNumericArb;11const alphaNumericString = fc.sample(alphaNumericArb(), 1);12console.log(alphaNumericString);13const fc = require('fast-check');14const alphaNumericArb = require('fast-check-monorepo').alphaNumericArb;15const alphaNumericString = fc.sample(alphaNumericArb(), 1);16console.log(alphaNumericString);17const fc = require('fast-check');18const alphaNumericArb = require('fast-check-monorepo').alphaNumericArb;19const alphaNumericString = fc.sample(alphaNumericArb(), 1);20console.log(alphaNumericString);21const fc = require('fast-check');22const alphaNumericArb = require('fast-check-monorepo').alphaNumericArb;23const alphaNumericString = fc.sample(alphaNumericArb(), 1);24console.log(alphaNumericString);25const fc = require('fast-check');26const alphaNumericArb = require('fast-check

Full Screen

Using AI Code Generation

copy

Full Screen

1const alphaNumericArb = require('fast-check').alphaNumericArb;2const fc = require('fast-check');3const assert = require('assert');4const alphaNumericArb = fc.alphaNumericArb();5fc.assert(fc.property(alphaNumericArb, (s) => {6 assert(typeof s === 'string');7 assert(s.length > 0);8 assert(s.split('').every((c) => {9 const code = c.charCodeAt(0);10 }));11}));12const alphaNumericArb = require('fast-check').alphaNumericArb;13const fc = require('fast-check');14const assert = require('assert');15const alphaNumericArb = fc.alphaNumericArb();16fc.assert(fc.property(alphaNumericArb, (s) => {17 assert(typeof s === 'string');18 assert(s.length > 0);19 assert(s.split('').every((c) => {20 const code = c.charCodeAt(0);21 }));22}));23const alphaNumericArb = require('fast-check').alphaNumericArb;24const fc = require('fast-check');25const assert = require('assert');26const alphaNumericArb = fc.alphaNumericArb();27fc.assert(fc.property(alphaNumericArb, (s) => {28 assert(typeof s === 'string');29 assert(s.length > 0);30 assert(s.split('').every((c) => {31 const code = c.charCodeAt(0);

Full Screen

Using AI Code Generation

copy

Full Screen

1const fc = require('fast-check');2 .stringOf(fc.alphaNumeric(), { minLength: 1 })3 .filter((str) => str.length > 0);4fc.assert(5 fc.property(alphaNumericArb, (str) => {6 console.log(str);7 return true;8 })9);

Full Screen

Using AI Code Generation

copy

Full Screen

1const { alphaNumericArb } = require('fast-check');2const alphaArb = alphaNumericArb();3const alphaStrings = alphaArb.sample(5);4console.log(alphaStrings);5const { alphaNumericArb } = require('fast-check');6const alphaArb = alphaNumericArb(10);7const alphaStrings = alphaArb.sample(5);8console.log(alphaStrings);9const { alphaNumericArb } = require('fast-check');10const alphaArb = alphaNumericArb(10);11const alphaStrings = alphaArb.sample(5);12console.log(alphaStrings);

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 fast-check-monorepo 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