Property based checking. Like QuickCheck.
Install the module with: npm install jsverify
var jsc = require("jsverify");
// forall (f : bool -> bool) (b : bool), f (f (f b)) = f(b).
var boolFnAppliedThrice =
jsc.forall("bool -> bool", "bool", function (f, b) {
return f(f(f(b))) === f(b);
});
jsc.assert(boolFnAppliedThrice);
// OK, passed 100 testsUsage with mocha
Using jsverify with mocha is easy, just define the properties and use jsverify.assert.
Starting from version 0.4.3 you can write your specs without any boilerplate:
describe("sort", function () {
jsc.property("idempotent", "array nat", function (arr) {
return _.isEqual(sort(sort(arr)), sort(arr));
});
});You can also provide --jsverifyRngState state command line argument, to run tests with particular random generator state.
$ mocha examples/nat.js
1) natural numbers are less than 90:
Error: Failed after 49 tests and 1 shrinks. rngState: 074e9b5f037a8c21d6; Counterexample: 90;
$ mocha examples/nat.js --grep 'are less than' --jsverifyRngState 074e9b5f037a8c21d6
1) natural numbers are less than 90:
Error: Failed after 1 tests and 1 shrinks. rngState: 074e9b5f037a8c21d6; Counterexample: 90;
Errorneous case is found with first try.
Usage with jasmine
Check jasmineHelpers.js and jasmineHelpers2.js for jasmine 1.3 and 2.0 respectively.
Testing shows the presence, not the absence of bugs.
Edsger W. Dijkstra
To show that propositions hold, we need to construct proofs. There are two extremes: proof by example (unit tests) and formal (machine-checked) proof. Property-based testing is somewhere in between. We formulate propositions, invariants or other properties we believe to hold, but only test it to hold for numerous (randomly generated) values.
Types and function signatures are written in Coq/Haskell influented style:
C# -style List<T> filter(List<T> v, Func<T, bool> predicate) is represented by
filter(v: array T, predicate: T -> bool): array T in our style.
Methods and objects live in jsc object, e.g. shrink.bless method is used by
var jsc = require("jsverify");
var foo = jsc.shrink.bless(...);Methods starting with .dot are prototype methods:
var arb = jsc.nat;
var arb2 = jsc.nat.smap(f, g);jsverify can operate with both synchronous and asynchronous-promise properties.
Generally every property can be wrapped inside functor,
for now in either identity or promise functor, for synchronous and promise properties respectively.
-
forall(arbs: arbitrary a ..., userenv: (map arbitrary)?, prop : a -> property): propertyProperty constructor
-
check (prop: property, opts: checkoptions?): resultRun random checks for given
prop. Ifpropis promise based, result is also wrapped in promise.Options:
opts.tests- test count to run, default 100opts.size- maximum size of generated values, default 50opts.quiet- do notconsole.logopts.rngState- state string for the rng
The
resultistrueif check succeeds, otherwise it's an object with various fields:counterexample- an input for which property fails.tests- number of tests run before failing case is foundshrinks- number of shrinks performedexc- an optional exception thrown by property functionrngState- random number generator's state before execution of the property
-
assert(prop: property, opts: checkoptions?) : voidSame as
check, but throw exception if property doesn't hold. -
property(name: string, ...)Assuming there is globally defined
it, the same as:it(name, function () { jsc.assert(jsc.forall(...)); }
You can use
propertyto write facts too:jsc.property("+0 === -0", function () { return +0 === -0; });
-
compile(desc: string, env: typeEnv?): arbitrary aCompile the type describiption in provided type environment, or default one.
-
sampler(arb: arbitrary a, genSize: nat = 10): (sampleSize: nat?) -> aCreate a sampler for a given arbitrary with an optional size. Handy when used in a REPL:
> jsc = require('jsverify') // or require('./lib/jsverify') w/in the project ... > jsonSampler = jsc.sampler(jsc.json, 4) [Function] > jsonSampler() 0.08467432763427496 > jsonSampler() [ [ [] ] ] > jsonSampler() '' > sampledJson(2) [-0.4199344692751765, false] -
`throws(block: () -> a, error: class?, message: string?): bool
Executes nullary function
block. Returnstrueifblockthrows. See assert.throws
generator ais a function(size: nat) -> a.showis a functiona -> string.shrinkis a functiona -> [a], returning smaller values.arbitrary ais a triple of generator, shrink and show functions.{ generator: nat -> a, shrink : a -> array a, show: a -> string }
We chose to respresent generators and shrinks by functions, yet we would like to have additional methods on them. Thus we bless objects with additional properties.
Usually you don't need to bless anything explicitly, as all combinators return blessed values.
See perldoc for bless.
There is a small DSL to help with forall. For example the two definitions below are equivalent:
var bool_fn_applied_thrice = jsc.forall("bool -> bool", "bool", check);
var bool_fn_applied_thrice = jsc.forall(jsc.fn(jsc.bool()), jsc.bool(), check);The DSL is based on a subset of language recognized by typify-parser:
- identifiers are fetched from the predefined environment.
- applications are applied as one could expect:
"array bool"is evaluated tojsc.array(jsc.bool). - functions are supported:
"bool -> bool"is evaluated tojsc.fn(jsc.bool). - square brackets are treated as a shorthand for the array type:
"[nat]"is evaluated tojsc.array(jsc.nat). - union:
"bool | nat"is evaluated tojsc.sum([jsc.bool, jsc.nat]).- Note
oneofcannot be shrinked, because the union is untagged, we don't know which shrink to use.
- Note
- conjunction:
"bool & nat"is evaluated tojsc.tuple(jsc.bool, jsc.nat). - anonymous records:
"{ b: bool; n: nat }"is evaluated tojsc.record({ n: jsc.bool, n: jsc.nat }). - EXPERIMENTAL: recursive types:
"rec list -> unit | (nat & list)".
-
.smap(f: a -> b, g: b -> a, newShow: (b -> string)?): arbitrary bTransform
arbitrary aintoarbitrary b. For example:gshould be a right inverse off, but doesn't need to be complete inverse. i.e. i.e.fdoesn't need to be invertible, only surjective.var positiveIntegersArb = nat.smap( function (x) { return x + 1; }, function (x) { return x - 1; });
var setNatArb = jsc.array(jsc.nat).smap(_.uniq, _.identity);
Right inverse means that f(g(y)) = y for all y in Y. Here Y is a type of arrays of unique natural numbers. For them
_.uniq(_.identity(y)) = _.uniq(y) = y
Opposite: g(f(x)) for all x in X, doesn't need to hold. X is arrays of natural numbers:
_.identity(_uniq([0, 0])) = [0]] != [0, 0]
We need an inverse for shrinking, and there right inverse is enough. We can always pull back
smapped value and shrink the preimage, and map or push forward shrinked preimages again. -
bless(arb: {...}): arbitrary aBless almost arbitrary structure to be proper arbitrary. Note: this function mutates argument.
var arbTokens = jsc.bless({ generator: function () { switch (jsc.random(0, 2)) { case 0: return "foo"; case 1: return "bar"; case 2: return "quux"; } } });
-
integer: arbitrary integer -
integer(maxsize: nat): arbitrary integer -
integer(minsize: integer, maxsize: integer): arbitrary integerIntegers, ℤ
-
nat: arbitrary nat -
nat(maxsize: nat): arbitrary natNatural numbers, ℕ (0, 1, 2...)
-
number: arbitrary number -
number(maxsize: number): arbitrary number -
number(min: number, max: number): arbitrary numberJavaScript numbers, "doubles", ℝ.
NaNandInfinityare not included. -
uint8: arbitrary nat -
uint16: arbitrary nat -
uint32: arbitrary nat -
int8: arbitrary integer -
int16: arbitrary integer -
int32: arbitrary integer -
bool: arbitrary boolBooleans,
trueorfalse. -
datetime: arbitrary datetimeRandom datetime
-
elements(args: array a): arbitrary aRandom element of
argsarray. -
falsy: arbitrary *Generates falsy values:
false,null,undefined,"",0, andNaN. -
constant(x: a): arbitrary aReturns an unshrinkable arbitrary that yields the given object.
-
nonshrink(arb: arbitrary a): arbitrary aNon shrinkable version of arbitrary
arb. -
unit: arbitrary () -
either(arbA: arbitrary a, arbB : arbitrary b): arbitrary (either a b) -
pair(arbA: arbitrary a, arbB : arbitrary b): arbitrary (pair a b)If not specified
aandbare equal tovalue(). -
tuple(arbs: (arbitrary a, arbitrary b...)): arbitrary (a, b...) -
sum(arbs: (arbitrary a, arbitrary b...)): arbitrary (a | b ...) -
dict(arb: arbitrary a): arbitrary (dict a)Generates a JavaScript object with properties of type
A. -
array(arb: arbitrary a): arbitrary (array a) -
nearray(arb: arbitrary a): arbitrary (array a) -
json: arbitrary jsonJavaScript Objects: boolean, number, string, array of
jsonvalues or object withjsonvalues. -
oneof(gs : array (arbitrary a)...) : arbitrary aRandomly uses one of the given arbitraries.
-
record(spec: { key: arbitrary a... }, userenv: env?): arbitrary { key: a... }Generates a javascript object with given record spec.
-
generator.record(gen: { key: generator a... }): generator { key: a... } -
shrink.record(shrs: { key: shrink a... }): shrink { key: a... }
-
char: arbitrary char— Single character -
asciichar: arbitrary char— Single ascii character (0x20-0x7e inclusive, no DEL) -
string: arbitrary string -
nestring: arbitrary string— Generates strings which are not empty. -
asciistring: arbitrary string -
asciinestring: arbitrary string
fn(arb: arbitrary a): arbitrary (b -> a)fun(arb: arbitrary a): arbitrary (b -> a)
generator.small(gen: generator a): generator asmall(arb: arbitrary a): arbitrary a
Create a generator (abitrary) which will generate smaller values, i.e. generator's size parameter is decreased logarithmically.
jsc.property("small array of small natural numbers", "small (array nat)", function (arr) {
return Array.isArray(arr);
});
jsc.property("small array of normal natural numbers", "(small array) nat", function (arr) {
return Array.isArray(arr);
});A generator function, generator a, is a function (size: nat) -> a, which generates a value of given size.
Generator combinators are auto-curried:
var xs = jsc.generator.array(jsc.nat.generator, 1); // ≡
var ys = jsc.generator.array(jsc.nat.generator)(1);In purely functional approach generator a would be explicitly stateful computation:
(size: nat, rng: randomstate) -> (a, randomstate).
JSVerify uses an implicit random number generator state,
but the value generation is deterministic (tests reproduceable),
if the primitives from random module are used.
-
generator.bless(f: nat -> a): generator aBless function with
.mapand.flatmapproperties. -
.map(f: a -> b): generator bMap
generator aintogenerator b. For example:positiveIntegersGenerator = nat.generator.map( function (x) { return x + 1; });
-
.flatmap(f: a -> generator b): generator bMonadic bind for generators. Also
flatMapversion is supported. -
generator.constant(x: a): generator a -
generator.combine(gen: generator a..., f: a... -> b): generator b -
generator.oneof(gens: list (generator a)): generator a -
generator.recursive(genZ: generator a, genS: generator a -> generator a): generator a -
generator.pair(genA: generator a, genB: generator b): generator (a, b) -
generator.either(genA: generator a, genB: generator b): generator (either a b) -
generator.unit: generator ()unitis an empty tuple, i.e. empty array in JavaScript representation. This is useful as a building block. -
generator.tuple(gens: (generator a, generator b...)): generator (a, b...) -
generator.sum(gens: (generator a, generator b...)): generator (a | b...) -
generator.array(gen: generator a): generator (array a) -
generator.nearray(gen: generator a): generator (array a) -
generator.dict(gen: generator a): generator (dict a)
A shrink function, shrink a, is a function a -> [a], returning an array of smaller values.
Shrink combinators are auto-curried:
var xs = jsc.shrink.array(jsc.nat.shrink, [1]); // ≡
var ys = jsc.shrink.array(jsc.nat.shrink)([1]);-
shrink.bless(f: a -> [a]): shrink aBless function with
.smapproperty. -
.smap(f: a -> b, g: b -> a): shrink bTransform
shrink aintoshrink b. For example:positiveIntegersShrink = nat.shrink.smap( function (x) { return x + 1; }, function (x) { return x - 1; });
-
shrink.noop: shrink a -
shrink.pair(shrA: shrink a, shrB: shrink b): shrink (a, b) -
shrink.either(shrA: shrink a, shrB: shrink b): shrink (either a b) -
shrink.tuple(shrs: (shrink a, shrink b...)): shrink (a, b...) -
shrink.sum(shrs: (shrink a, shrink b...)): shrink (a | b...) -
shrink.array(shr: shrink a): shrink (array a) -
shrink.nearray(shr: shrink a): shrink (nearray a)
-
show.def(x : a): stringCurrently implemented as
JSON.stringify. -
show.pair(showA: a -> string, showB: b -> string, x: (a, b)): string -
show.either(showA: a -> string, showB: b -> string, e: either a b): string -
show.tuple(shrinks: (a -> string, b -> string...), x: (a, b...)): string -
show.sum(shrinks: (a -> string, b -> string...), x: (a | b ...)): string -
show.array(shrink: a -> string, x: array a): string
-
random(min: int, max: int): intReturns random int from
[min, max]range inclusively.getRandomInt(2, 3) // either 2 or 3
-
random.number(min: number, max: number): numberReturns random number from
[min, max)range.
-
either.left(value: a): either a b -
either.right(value: b): either a b -
either.either(l: a -> x, r: b -> x): x -
either.isEqual(other: either a b): boolTODO: add
eqoptional parameter -
either.bimap(f: a -> c, g: b -> d): either c deither.bimap(compose(f, g), compose(h, i)) ≡ either.bimap(g, i).bimap(f, h);
-
either.first(f: a -> c): either c beither.first(f) ≡ either.bimap(f, utils.identity)
-
either.second(g: b -> d): either a deither.second(g) === either.bimap(utils.identity, g)
Utility functions are exposed (and documented) only to make contributions to jsverify more easy. The changes here don't follow semver, i.e. there might be backward-incompatible changes even in patch releases.
Use underscore.js, lodash, ramda, lazy.js or some other utility belt.
-
utils.isEqual(x: json, y: json): boolEquality test for
jsonobjects. -
utils.isApproxEqual(x: a, y: b, opts: obj): boolTests whether two objects are approximately and optimistically equal. Returns
falseonly if they are distinguisable not equal. This function works with cyclic data.Takes optional 'opts' parameter with properties:
fnEqual- whether all functions are considered equal (default: yes)depth- how deep to recurse until treating as equal (default: 5)
-
utils.force(x: a | () -> a) : aEvaluate
xas nullary function, if it is one. -
utils.merge(x... : obj): objMerge two objects, a bit like
_.extend({}, x, y).
Does JSC originate with JSCheck?
A: Yes
smap requires an inverse function, which isn't always practical. Is this complexity related to shrinking?
A: Yes. We don't want to give an easy-to-use interface which forgets shrinking altogether. Note, that right inverse is enough, which is most likely easy to write, even complete inverse doesn't exist.
README.mdis generated from the source with ljsjsverify.standalone.jsis also generated by the build process- Before creating a pull request run
make test, yet travis will do it for you.
-
0.7.1 — 2015-08-24 — jsc.throws
- Add
jsc.throws#133
- Add
-
0.7.0 — 2015-08-23 — More experiments
jsc.sum- generate arbitrary sum types (generalisation of either) #125- BREAKING CHANGE: bar (
|) in DSL generatesjsc.sum
- BREAKING CHANGE: bar (
- experimental support of recursive types in DSL (especially no shrinking yet) #109 #126
- fail early when
jsc.forallis given zero generators #128 jsc.jsonhas shrink #122- non-true non-function results from properties are treated as exceptions #127
-
0.6.3 — 2015-07-27 — Bug fixes
-
0.6.2 &madsh; 2015-07-13 — Trampolines
-
0.6.1 — 2015-07-13 — Bug fixes
- Print stacktrace of catched exceptions
maxsize = 0for numeric generators works- Issue with non-parametric jsc.property returning property.
-
0.6.0 — 2015-06-19 — Minor but major release!
- added
jsc.utils.isApproxEqual
- added
-
0.6.0-beta.2 — 2015-05-31 — Beta!
- Fix issue #113 - Shrink of tuple with arrays failed.
-
0.6.0-beta.1 — 2015-05-04 — Beta!
- FAQ section
- Improved
smapdocumentation flatmapis alsoflatMap- Fix function arbitrary
smallarbitrariesjsc.generator.record- Thanks to @peterjoel for reporting issues
-
0.6.0-alpha.6 — 2015-04-25 — Fix issues #98
- Documentation imporovements
- Fix issue #98 - error while generating
int32values
-
0.6.0-alpha.5 — 2015-04-23 — Fix issue #99
- Documentation improvements
- Fix issue #99 (
suchthatshrink)
-
0.6.0-alpha.4 — 2015-04-26 — Fix issue #87
- jsc.property didn't fail with asynchronous properties
- thanks @Ezku for reporting
-
0.6.0-alpha.3 — 2015-04-24 — promise shrink fixed
-
0.6.0-alpha.2 — 2015-04-24 — jsc.bless
- Added
jsc.bless
- Added
-
0.6.0-alpha.1 — 2015-04-22 — Preview
- Using lazy sequences for shrink results
- Breaking changes:
jsc.maprenamed tojsc.dictjsc.valueremoved, usejsc.jsonjsc.string()removed, usejsc.stringshrink.isomaprenamed toshrink.smap
-
0.5.3 — 2015-04-21 — More algebra
unitandeitherarbitrariesarbitrary.smapto help creating compound data
-
0.5.2 — 2015-04-10 —
show.def-change -
0.5.1 — 2015-02-19 — Dependencies bump
- We also work on 0.12 and iojs!
-
0.5.0 — 2014-12-24 — Merry Chrismas 2014!
- Documention cleanup
-
0.5.0-beta.2 — 2014-12-21 — Beta 2!
- Pair & tuple related code cleanup
- Update
CONTRIBUTING.md - Small documentation type fixes
- Bless
jsc.elementsshrink
-
0.5.0-beta.1 — 2014-12-20 — Beta!
blessdon't close over (usesthis)- Cleanup generator module
- Other code cleanup here and there
-
0.4.6 — 2014-11-30 — better shrinks & recursive
-
0.4.5 — 2014-11-22 — stuff
generator.combine&.flatmapnat,integer,number& andstringact as objects too
-
0.4.4 — 2014-11-22 — new generators
- New generators:
nearray,nestring generator.constant- zero-ary
jsc.property(it ∘ assert) jsc.sampler
- New generators:
-
0.4.3 — 2014-11-08 — jsc.property
-
0.4.2 — 2014-11-03 — User environments for DSL
- User environments for DSL
- Generator prototype
map, and shrink prototypeisomap - JSON generator works with larger sizes
-
0.4.1 Move to own organization in GitHub
-
0.4.0 — 2014-10-27 — typify-dsl & more arbitraries. Changes from 0.3.6:
- DSL for
forallandsuchthat - new primitive arbitraries
oneofbehaves as in QuickCheck (BREAKING CHANGE)elementsis new name of oldoneof- Other smaller stuff under the hood
- DSL for
-
0.4.0-beta.4 generator.oneof
-
0.4.0-beta.3 Expose shrink and show modules
-
0.4.0-beta.2 Move everything around
- Better looking README.md!
-
0.4.0-beta.1 Beta!
- Dev Dependencies update
-
0.4.0-alpha8 oneof & record -dsl support
- also
jsc.compile - record is shrinkable!
- also
-
0.4.0-alpha7 oneof & record
-
0.4.0-alpha6 more primitives
- int8, int16, int32, uint8, uint16, uint32
- char, asciichar and asciistring
- value → json
- use eslint
-
0.4.0-alpha5 move david to be devDependency
-
0.4.0-alpha4 more typify
suchchatsupports typify dsloneof→elementsto be in line with QuickCheck- Added versions of examples using typify dsl
-
0.4.0-alpha3 David, npm-freeze and jscs
-
0.4.0-alpha2 Fix typo in readme
-
0.4.0-alpha1 typify
-
DSL for
forallvar bool_fn_applied_thrice = jsc.forall("bool -> bool", "bool", check);
-
generator arguments, which are functions are evaluated. One can now write:
jsc.forall(jsc.nat, check) // previously had to be jsc.nat()
-
-
0.3.6 map generator
-
0.3.5 Fix forgotten rngState in console output
-
0.3.4 Dependencies update
-
0.3.3 Dependencies update
-
0.3.2
fun→fn -
0.3.1 Documentation typo fixes
-
0.3.0 Major changes
- random generate state handling
--jsverifyRngStateparameter value used when run on node- karma tests
- use make
- dependencies update
-
0.2.0 Use browserify
-
0.1.4 Mocha test suite
- major cleanup
-
0.1.3 gen.show and exception catching
-
0.1.2 Added jsc.assert
-
0.1.1 Use grunt-literate
-
0.1.0 Usable library
-
0.0.2 Documented preview
-
0.0.1 Initial preview
- Wikipedia - QuickCheck
- Haskell - QuickCheck Introduction
- Erlang - QuviQ
- Erlang - triq
- Scala - ScalaCheck
- Clojure - test.check
- Python - Hypothesis
The MIT License (MIT)
Copyright (c) 2013-2015 Oleg Grenrus
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.