LibJS: Implement RegExp.prototype.match with RegExpExec abstraction

This commit is contained in:
Timothy Flynn 2021-07-07 13:18:52 -04:00 committed by Linus Groh
commit b6b5adb47d
Notes: sideshowbarker 2024-07-18 10:07:38 +09:00
2 changed files with 46 additions and 9 deletions

View file

@ -4,3 +4,38 @@ test("basic functionality", () => {
expect("hello friends".match(/hello/)).not.toBeNull();
expect("hello friends".match(/enemies/)).toBeNull();
});
test("override exec with function", () => {
let calls = 0;
let re = /test/;
let oldExec = re.exec.bind(re);
re.exec = function (...args) {
++calls;
return oldExec(...args);
};
expect("test".match(re)).not.toBeNull();
expect(calls).toBe(1);
});
test("override exec with bad function", () => {
let calls = 0;
let re = /test/;
re.exec = function (...args) {
++calls;
return 4;
};
expect(() => {
"test".match(re);
}).toThrow(TypeError);
expect(calls).toBe(1);
});
test("override exec with non-function", () => {
let re = /test/;
re.exec = 3;
expect("test".match(re)).not.toBeNull();
});