How to use baseArb method in fast-check-monorepo

Best JavaScript code snippet using fast-check-monorepo

webhooks.spec.ts

Source:webhooks.spec.ts Github

copy

Full Screen

1import request from "supertest";2import { Server } from "http";3import express from "express";4import nock from "nock";5import sinon from "sinon";6import _ from "lodash";7import { expect } from "chai";8import { Record } from "magda-typescript-common/src/generated/registry/api";9import {10 arbFlatMap,11 lcAlphaNumStringArbNe,12 recordArb13} from "magda-typescript-common/src/test/arbitraries";14import jsc from "magda-typescript-common/src/test/jsverify";15import MinionOptions from "../MinionOptions";16import minion from "../index";17import fakeArgv from "./fakeArgv";18import makePromiseQueryable from "./makePromiseQueryable";19import baseSpec from "./baseSpec";20baseSpec(21 "webhooks",22 (23 expressApp: () => express.Express,24 expressServer: () => Server,25 listenPort: () => number,26 beforeEachProperty: () => void27 ) => {28 doWebhookTest("should work synchronously", false);29 doWebhookTest("should work asynchronously", true);30 function doWebhookTest(caption: string, async: boolean) {31 it(caption, () => {32 const batchResultsArb = jsc.suchthat(33 jsc.array(jsc.bool),34 (array) => array.length <= 535 );36 const recordWithSuccessArb = (mightFail: boolean) =>37 jsc.record({38 record: recordArb,39 success: mightFail ? jsc.bool : jsc.constant(true)40 });41 const recordsWithSuccessArrArb = (success: boolean) => {42 const baseArb = jsc.array(recordWithSuccessArb(!success));43 return success44 ? baseArb45 : jsc.suchthat(baseArb, (combined) =>46 combined.some(({ success }) => !success)47 );48 };49 type Batch = {50 /** Each record in the batch and whether it should succeed when51 * onRecordFound is called */52 records: { record: Record; success: boolean }[];53 /** Whether the overall batch should succeed - to succeed, every record54 * should succeed, to fail then at least one record should fail. */55 overallSuccess: boolean;56 };57 const batchArb = arbFlatMap<boolean[], Batch[]>(58 batchResultsArb,59 (batchResults) => {60 const batchArb = batchResults.map((overallSuccess) =>61 recordsWithSuccessArrArb(overallSuccess).smap(62 (records) => ({ records, overallSuccess }),63 ({ records }) => records64 )65 );66 return batchArb.length > 067 ? jsc.tuple(batchArb)68 : jsc.constant([]);69 },70 (batches) =>71 batches.map(({ overallSuccess }) => overallSuccess)72 );73 /** Global hook id generator - incremented every time we create another hook */74 let lastHookId = 0;75 return jsc.assert(76 jsc.forall(77 batchArb,78 lcAlphaNumStringArbNe,79 lcAlphaNumStringArbNe,80 jsc.integer(1, 10),81 jsc.bool,82 (83 recordsBatches,84 domain,85 jwtSecret,86 concurrency,87 enableMultiTenant88 ) => {89 beforeEachProperty();90 const registryDomain = "example";91 const registryUrl = `http://${registryDomain}.com:80`;92 const registryScope = nock(registryUrl);93 const tenantDomain = "tenant";94 const tenantUrl = `http://${tenantDomain}.com:80`;95 const tenantScope = nock(tenantUrl);96 const userId =97 "b1fddd6f-e230-4068-bd2c-1a21844f1598";98 /** All records in all the batches */99 const flattenedRecords = _.flatMap(100 recordsBatches,101 (batch) => batch.records102 );103 /** Error thrown when the call is *supposed* to fail */104 const fakeError = new Error(105 "Fake-ass testing error"106 );107 (fakeError as any).ignore = true;108 const internalUrl = `http://${domain}.com`;109 const options: MinionOptions = {110 argv: fakeArgv({111 internalUrl,112 registryUrl,113 enableMultiTenant,114 tenantUrl,115 jwtSecret,116 userId,117 listenPort: listenPort()118 }),119 id: "id",120 aspects: [],121 optionalAspects: [],122 writeAspectDefs: [],123 async,124 express: expressApp,125 concurrency: concurrency,126 onRecordFound: sinon127 .stub()128 .callsFake((foundRecord: Record) => {129 const match = flattenedRecords.find(130 ({ record: thisRecord }) => {131 return (132 thisRecord.id ===133 foundRecord.id134 );135 }136 );137 return match.success138 ? Promise.resolve()139 : Promise.reject(fakeError);140 })141 };142 registryScope.get(/\/hooks\/.*/).reply(200, {143 url: internalUrl + "/hook",144 config: {145 aspects: [],146 optionalAspects: [],147 includeEvents: false,148 includeRecords: true,149 includeAspectDefinitions: false,150 dereference: true151 }152 });153 registryScope.post(/\/hooks\/.*/).reply(201, {});154 tenantScope.get("/tenants").reply(200, []);155 return minion(options)156 .then(() =>157 Promise.all(158 recordsBatches.map((batch) => {159 lastHookId++;160 if (async) {161 // If we're running async then we expect that there'll be a call to the registry162 // telling it to give more events.163 registryScope164 .post(165 `/hooks/${options.id}/ack`,166 {167 succeeded:168 batch.overallSuccess,169 lastEventIdReceived: lastHookId,170 // Deactivate if not successful.171 ...(batch.overallSuccess172 ? {}173 : {174 active: false175 })176 }177 )178 .reply(201);179 }180 // Send the hook payload to the minion181 const test = request(182 expressServer()183 )184 .post("/hook")185 .set(186 "Content-Type",187 "application/json"188 )189 .send({190 records: batch.records.map(191 ({ record }) => record192 ),193 deferredResponseUrl: `${registryUrl}/hooks/${lastHookId}`,194 lastEventId: lastHookId195 })196 .expect((response: any) => {197 if (198 response.status !==199 201 &&200 response.status !== 500201 ) {202 console.log(response);203 }204 })205 // The hook should only return 500 if it's failed synchronously.206 .expect(207 async ||208 batch.overallSuccess209 ? 201210 : 500211 )212 .expect((response: any) => {213 expect(214 !!response.body215 .deferResponse216 ).to.equal(async);217 });218 const queryable = makePromiseQueryable(219 test220 );221 expect(queryable.isFulfilled()).to222 .be.false;223 return queryable.then(() =>224 batch.records.forEach(225 ({ record }) =>226 expect(227 (options.onRecordFound as sinon.SinonStub).calledWith(228 record229 )230 )231 )232 );233 })234 )235 )236 .then(() => {237 registryScope.done();238 return true;239 });240 }241 ),242 {}243 );244 });245 }246 }...

Full Screen

Full Screen

AnyArbitraryBuilder.ts

Source:AnyArbitraryBuilder.ts Github

copy

Full Screen

1import { Arbitrary } from '../../../check/arbitrary/definition/Arbitrary';2import { stringify } from '../../../utils/stringify';3import { array } from '../../array';4import { oneof } from '../../oneof';5import { tuple } from '../../tuple';6import { bigInt } from '../../bigInt';7import { date } from '../../date';8import { float32Array } from '../../float32Array';9import { float64Array } from '../../float64Array';10import { int16Array } from '../../int16Array';11import { int32Array } from '../../int32Array';12import { int8Array } from '../../int8Array';13import { uint16Array } from '../../uint16Array';14import { uint32Array } from '../../uint32Array';15import { uint8Array } from '../../uint8Array';16import { uint8ClampedArray } from '../../uint8ClampedArray';17import { sparseArray } from '../../sparseArray';18import { keyValuePairsToObjectMapper, keyValuePairsToObjectUnmapper } from '../mappers/KeyValuePairsToObject';19import { QualifiedObjectConstraints } from '../helpers/QualifiedObjectConstraints';20import { arrayToMapMapper, arrayToMapUnmapper } from '../mappers/ArrayToMap';21import { arrayToSetMapper, arrayToSetUnmapper } from '../mappers/ArrayToSet';22import { objectToPrototypeLessMapper, objectToPrototypeLessUnmapper } from '../mappers/ObjectToPrototypeLess';23import { letrec } from '../../letrec';24import { SizeForArbitrary } from '../helpers/MaxLengthFromMinLength';25import { uniqueArray } from '../../uniqueArray';26import { createDepthIdentifier, DepthIdentifier } from '../helpers/DepthContext';27/** @internal */28function mapOf<T, U>(29 ka: Arbitrary<T>,30 va: Arbitrary<U>,31 maxKeys: number | undefined,32 size: SizeForArbitrary | undefined,33 depthIdentifier: DepthIdentifier34) {35 return uniqueArray(tuple(ka, va), {36 maxLength: maxKeys,37 size,38 comparator: 'SameValueZero',39 selector: (t) => t[0],40 depthIdentifier,41 }).map(arrayToMapMapper, arrayToMapUnmapper);42}43/** @internal */44function dictOf<U>(45 ka: Arbitrary<string>,46 va: Arbitrary<U>,47 maxKeys: number | undefined,48 size: SizeForArbitrary | undefined,49 depthIdentifier: DepthIdentifier50) {51 return uniqueArray(tuple(ka, va), {52 maxLength: maxKeys,53 size,54 selector: (t) => t[0],55 depthIdentifier,56 }).map(keyValuePairsToObjectMapper, keyValuePairsToObjectUnmapper);57}58/** @internal */59function setOf<U>(60 va: Arbitrary<U>,61 maxKeys: number | undefined,62 size: SizeForArbitrary | undefined,63 depthIdentifier: DepthIdentifier64) {65 return uniqueArray(va, { maxLength: maxKeys, size, comparator: 'SameValueZero', depthIdentifier }).map(66 arrayToSetMapper,67 arrayToSetUnmapper68 );69}70/** @internal */71// eslint-disable-next-line @typescript-eslint/ban-types72function prototypeLessOf(objectArb: Arbitrary<object>) {73 return objectArb.map(objectToPrototypeLessMapper, objectToPrototypeLessUnmapper);74}75/** @internal */76function typedArray(constraints: { maxLength: number | undefined; size: SizeForArbitrary }) {77 return oneof(78 int8Array(constraints),79 uint8Array(constraints),80 uint8ClampedArray(constraints),81 int16Array(constraints),82 uint16Array(constraints),83 int32Array(constraints),84 uint32Array(constraints),85 float32Array(constraints),86 float64Array(constraints)87 );88}89/** @internal */90export function anyArbitraryBuilder(constraints: QualifiedObjectConstraints): Arbitrary<unknown> {91 const arbitrariesForBase = constraints.values;92 const depthSize = constraints.depthSize;93 const depthIdentifier = createDepthIdentifier();94 const maxDepth = constraints.maxDepth;95 const maxKeys = constraints.maxKeys;96 const size = constraints.size;97 const baseArb = oneof(98 ...arbitrariesForBase,99 ...(constraints.withBigInt ? [bigInt()] : []),100 ...(constraints.withDate ? [date()] : [])101 );102 return letrec((tie) => ({103 anything: oneof(104 { maxDepth, depthSize, depthIdentifier },105 baseArb, // Final recursion case106 tie('array'),107 tie('object'),108 ...(constraints.withMap ? [tie('map')] : []),109 ...(constraints.withSet ? [tie('set')] : []),110 ...(constraints.withObjectString ? [tie('anything').map((o) => stringify(o))] : []),111 // eslint-disable-next-line @typescript-eslint/ban-types112 ...(constraints.withNullPrototype ? [prototypeLessOf(tie('object') as Arbitrary<object>)] : []),113 ...(constraints.withTypedArray ? [typedArray({ maxLength: maxKeys, size })] : []),114 ...(constraints.withSparseArray115 ? [sparseArray(tie('anything'), { maxNumElements: maxKeys, size, depthIdentifier })]116 : [])117 ),118 // String keys119 keys: constraints.withObjectString120 ? oneof(121 { arbitrary: constraints.key, weight: 10 },122 { arbitrary: tie('anything').map((o) => stringify(o)), weight: 1 }123 )124 : constraints.key,125 // anything[]126 array: array(tie('anything'), { maxLength: maxKeys, size, depthIdentifier }),127 // Set<anything>128 set: setOf(tie('anything'), maxKeys, size, depthIdentifier),129 // Map<key, anything> | Map<anything, anything>130 map: oneof(131 mapOf(tie('keys') as Arbitrary<string>, tie('anything'), maxKeys, size, depthIdentifier),132 mapOf(tie('anything'), tie('anything'), maxKeys, size, depthIdentifier)133 ),134 // {[key:string]: anything}135 object: dictOf(tie('keys') as Arbitrary<string>, tie('anything'), maxKeys, size, depthIdentifier),136 })).anything;...

Full Screen

Full Screen

Using AI Code Generation

copy

Full Screen

1const arb = baseArb();2const arb = baseArb();3const exec = require('child_process').exec;4const test1 = exec('node test1.js');5const test2 = exec('node test2.js');6const test3 = exec('node test3.js');7const test4 = exec('node test4.js');8test1.stdout.on('data', function(data) {9 console.log(data);10});11test1.stderr.on('data', function(data) {12 console.log(data);13});14test2.stdout.on('data', function(data) {15 console.log(data);16});17test2.stderr.on('data', function(data) {18 console.log(data);19});20test3.stdout.on('data', function(data) {21 console.log(data);22});23test3.stderr.on('data', function(data) {24 console.log(data);25});26test4.stdout.on('data', function(data) {27 console.log(data);28});29test4.stderr.on('data', function(data) {30 console.log(data);31});32const arb = baseArb();33const arb = baseArb();34const arb = baseArb();35const arb = baseArb();

Full Screen

Using AI Code Generation

copy

Full Screen

1const { baseArb } = require('fast-check');2const { baseArb: baseArb2 } = require('fast-check-monorepo');3console.log(baseArb);4console.log(baseArb2);5const { baseArb } = require('fast-check-monorepo');6const { baseArb: baseArb2 } = require('fast-check');7console.log(baseArb);8console.log(baseArb2);9const { baseArb } = require('fast-check');10const { baseArb: baseArb2 } = require('fast-check');11console.log(baseArb);12console.log(baseArb2);13const { baseArb } = require('fast-check-monorepo');14const { baseArb: baseArb2 } = require('fast-check-monorepo');15console.log(baseArb);16console.log(baseArb2);17const { baseArb } = require('fast-check-monorepo');18const { baseArb: baseArb2 } = require('fast-check-monorepo');19console.log(baseArb);20console.log(baseArb2);21const { baseArb } = require('fast-check-monorepo');22const { baseArb: baseArb2 } = require('fast-check-monorepo');23console.log(baseArb);24console.log(baseArb2);25const { baseArb } = require('fast-check-monorepo');26const { baseArb: baseArb2 } = require('fast-check-monorepo');27console.log(baseArb);28console.log(baseArb2);29const { baseArb } = require('fast-check-monorepo');30const { baseArb: baseAr

Full Screen

Using AI Code Generation

copy

Full Screen

1var baseArb = require("fast-check-monorepo").baseArb;2console.log(baseArb().generate().value);3var baseArb = require("fast-check-monorepo").baseArb;4console.log(baseArb().generate().value);5var baseArb = require("fast-check-monorepo").baseArb;6console.log(baseArb().generate().value);7var baseArb = require("fast-check-monorepo").baseArb;8console.log(baseArb().generate().value);9var baseArb = require("fast-check-monorepo").baseArb;10console.log(baseArb().generate().value);11var baseArb = require("fast-check-monorepo").baseArb;12console.log(baseArb().generate().value);13var baseArb = require("fast-check-monorepo").baseArb;14console.log(baseArb().generate().value);15var baseArb = require("fast-check-monorepo").baseArb;16console.log(baseArb().generate().value);17var baseArb = require("fast-check-monorepo").baseArb;18console.log(baseArb().generate().value);19var baseArb = require("fast-check-monorepo").baseArb;20console.log(baseArb().generate().value);21var baseArb = require("fast

Full Screen

Using AI Code Generation

copy

Full Screen

1const baseArb = require('fast-check-monorepo/lib/arbitrary/baseArb.js');2const fc = require('fast-check');3const { baseArb } = require('fast-check-monorepo/lib/arbitrary/baseArb.js');4describe('test 3', () => {5 it('should pass', () => {6 fc.assert(7 fc.property(fc.nat(), fc.nat(), (a, b) => {8 return a + b === baseArb(a, b);9 })10 );11 });12});13const baseArb = require('fast-check-monorepo/lib/arbitrary/baseArb.js');14const fc = require('fast-check');15const { baseArb } = require('fast-check-monorepo/lib/arbitrary/baseArb.js');16describe('test 4', () => {17 it('should pass', () => {18 fc.assert(19 fc.property(fc.nat(), fc.nat(), (a, b) => {20 return a + b === baseArb(a, b);21 })22 );23 });24});25const baseArb = require('fast-check-monorepo/lib/arbitrary/baseArb.js');26const fc = require('fast-check');27const { baseArb } = require('fast-check-monorepo/lib/arbitrary/baseArb.js');28describe('test 5', () => {29 it('should pass', () => {30 fc.assert(31 fc.property(fc.nat(), fc.nat(), (a, b) => {32 return a + b === baseArb(a, b);33 })34 );35 });36});37const baseArb = require('fast-check-monorepo/lib/arbitrary/baseArb.js');38const fc = require('fast-check');39const { baseArb } = require('fast-check-monorepo/lib/arbitrary/baseArb.js');40describe('test 6', () => {41 it('should pass', () => {42 fc.assert(43 fc.property(fc.nat(), fc.nat(), (a, b) => {44 return a + b === baseArb(a, b

Full Screen

Using AI Code Generation

copy

Full Screen

1const { baseArb } = require("fast-check-monorepo");2const arb = baseArb();3console.log(arb.sample());4console.log(arb.sample());5console.log(arb.sample());6console.log(arb.sample());7console.log(arb.sample());8const { baseArb } = require("fast-check-monorepo");9const arb = baseArb();10console.log(arb.sample());11console.log(arb.sample());12console.log(arb.sample());

Full Screen

Using AI Code Generation

copy

Full Screen

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

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