Validators in a single file
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 | interface StringValidator { isAcceptable(s: string): boolean; } let lettersRegexp = /^[A-Za-z]+$/; let numberRegexp = /^[0-9]+$/; class LettersOnlyValidator implements StringValidator { isAcceptable(s: string) { return lettersRegexp.test(s); } } class ZipCodeValidator implements StringValidator { isAcceptable(s: string) { return s.length === 5 && numberRegexp.test(s); } } // Some samples to try let strings = [ "Hello" , "98052" , "101" ]; // Validators to use let validators: { [s: string]: StringValidator; } = {}; validators[ "ZIP code" ] = new ZipCodeValidator(); validators[ "Letters only" ] = new LettersOnlyValidator(); // Show whether each string passed each validator for (let s of strings) { for (let name in validators) { let isMatch = validators[name].isAcceptable(s); console.log(` '${ s }' ${ isMatch ? "matches" : "does not match" } '${ name }' .`); } } |
Please login to continue.