-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathaa-validator.js
134 lines (129 loc) · 4.83 KB
/
aa-validator.js
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
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
angular.module("aanimals.services.validator", []).
factory("Validator", function() {
var builtins = {
number: function(value) {
return (
typeof value !== "number" ||
isNaN(value) ?
"Please enter a number" :
null
);
},
positive: function(value) {
return (
parseFloat(value) < 0 ?
"Please enter a positive number" :
null
);
},
email: function(value) {
return (
typeof value !== "string" ||
value.length < 6 || // [email protected]
value.split("@").length !== 2 ||
value.split(".").length <= 1 ?
"Please enter a valid email address" :
null
);
},
minlength: function(value, min) {
return (
value === undef ||
("" + value).length < min ?
"Must be at least " + min + " characters long" :
null
);
},
maxlength: function(value, max) {
return (
value === undef ||
("" + value).length > max ?
"Must be at most " + max + " characters long" :
null
);
}
},
undef = (function(undef) { return undef; })();
return function($scope) {
var tests = [];
function runTest(test) {
if (
typeof test.test === "string" &&
builtins[test.test.split(":")[0]] !== undef
) {
var arguments = test.test.split(":");
arguments[0] = $scope[test.key];
return builtins[test.test].apply(arguments);
} else if (typeof test.test === "function") {
return test.test($scope[key]);
} else if (test.test.regexp instanceof RegExp) {
return (
test.test.regexp.test($scope[key]) ?
test.test.message :
null
);
} else {
throw {
error: "Malformed test, must be builtin, function or regexp",
test: test
};
}
}
return {
/**
* Adds a new builtin that can be used with all instances of
* Validator
*
* @param String name of new builtin
* @param function func to run to test for error
*/
addBuiltin: function(name, func) {
if (typeof func !== "function") {
throw {
error: "Malformed builtin, must be a function",
builtin: {
name: name,
func: func
}
};
}
builtins[name] = func;
},
/**
* Adds a new test to test against a key
**/
addTest: function(key, test) {
tests.push({
key: key,
test: test
});
return this;
},
clearTests: function(key) {
if (key) {
tests = tests.filter(function(test) {
return test.key !== key;
});
} else {
tests = [];
}
return this;
},
getErrors: function(key) {
return tests.map(function(test) {
return runTest(test);
}).filter(function(value) {
return value;
});
},
getError: function(key) {
var errors = this.getErrors(key);
if (errors.length > 0) {
return errors[0];
} else {
return null;
}
}
}
}
});