173k views
4 votes
Write a function called isStrongPassword() in script.js that has a single password parameter. The function should return true only if all the following conditions are true:

The password is at least 8 characters long.
The password does not contain the string "password". Hint: Use indexOf() to search for "password".
The password contains at least one uppercase character. Hint: Call the string method charCodeAt(index) to get the Unicode value of each character in the password. If a character code is between 65 and 90 (the Unicode values for A and Z), then an uppercase character is found.
If any of the above conditions are false, isStrongPassword() should return false.
Below are example calls to isStrongPassword():
isStrongPassword("Qwerty"); // false - Too short
isStrongPassword("passwordQwerty") // false - Contains "password"
isStrongPassword("qwerty123") // false - No uppercase characters
isStrongPassword("Qwerty123") // true

User Rylab
by
8.0k points

1 Answer

3 votes

Final answer:

To write the isStrongPassword() function, you can check the length of the password, search for the string 'password', and check if there is at least one uppercase character. If all conditions are met, return true; otherwise, return false.

Step-by-step explanation:

To write the isStrongPassword() function, you can follow these steps:

  1. Check if the password length is at least 8 characters using the length property of the string.
  2. Use the indexOf() method to check if the password contains the string 'password'. If the index is greater than or equal to 0, it means the string 'password' is present.
  3. Iterate over each character of the password using a loop and check if the character code falls between 65 and 90 using the charCodeAt() method. If any character satisfies this condition, it means there is at least one uppercase character.
  4. If all the above conditions are met, return true. Otherwise, return false.

Here is an example implementation of the isStrongPassword() function:

function isStrongPassword(password) {
if (password.length < 8) {
return false;
}
if (password.indexOf('password') >= 0) {
return false;
}
for (let i = 0; i < password.length; i++) {
const charCode = password.charCodeAt(i);
if (charCode >= 65 && charCode <= 90) {
return true;
}
}
return false;
}

User Ksusha
by
8.2k points