-
-
Notifications
You must be signed in to change notification settings - Fork 336
Expand file tree
/
Copy pathpassword-validator.test.js
More file actions
82 lines (60 loc) · 2.13 KB
/
password-validator.test.js
File metadata and controls
82 lines (60 loc) · 2.13 KB
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
/*
Password Validation
Write a program that should check if a password is valid
and returns a boolean
To be valid, a password must:
- Have at least 5 characters.
- Have at least one English uppercase letter (A-Z)
- Have at least one English lowercase letter (a-z)
- Have at least one number (0-9)
- Have at least one of the following non-alphanumeric symbols: ("!", "#", "$", "%", ".", "*", "&")
- Must not be any previous password in the passwords array.
You must breakdown this problem in order to solve it. Find one test case first and get that working
*/
const isValidPassword = require("./password-validator");
test("password is valid when it meets all rules", () => {
// Arrange
const password = "Ab1!c";
// Act
const result = isValidPassword(password);
// Assert
expect(result).toEqual(true);
});
test("password is invalid when it is shorter than 5 characters", () => {
const password = "A1!a";
const result = isValidPassword(password);
expect(result).toEqual(false);
});
test("password is invalid when it has no uppercase letter", () => {
const password = "abcde1!";
const result = isValidPassword(password);
expect(result).toEqual(false);
});
test("password is invalid when it has no lowercase letter", () => {
const password = "ABCDE1!";
const result = isValidPassword(password);
expect(result).toEqual(false);
});
test("password is invalid when it has no number", () => {
const password = "Abcde!";
const result = isValidPassword(password);
expect(result).toEqual(false);
});
test("password is invalid when it has no required symbol", () => {
const password = "Abcde1";
const result = isValidPassword(password);
expect(result).toEqual(false);
});
test("password is invalid when it has been used before", () => {
const password = "Password1!";
const result = isValidPassword(password);
expect(result).toEqual(false);
});
test("password is invalid when no password is provided", () => {
const result = isValidPassword();
expect(result).toEqual(false);
});
test("password is invalid when the value is not a string", () => {
const result = isValidPassword(12345);
expect(result).toEqual(false);
});