230k views
2 votes
Password requirements. C++

A website requires that passwords only contain alphabetic characters or numbers. For each character in codeWord that is not an alphabetic character or number, replace the character with 'z'.
Ex: If the input is 0xS
#include
using namespace std;

int main() {
string codeWord;
unsigned int i;

cin >> codeWord;

/* Your code goes here */

cout << "Valid password: " << codeWord << endl;

return 0;
}

1 Answer

4 votes

Answer:

Here is the pseudocode for the given problem:

Get the codeWord from the user input.

Initialize an empty string newCodeWord.

For each character c in codeWord do the following:

a. If c is an alphabetic character or a number, append it to newCodeWord.

b. Else, append 'z' to newCodeWord.

Update the value of codeWord to be equal to newCodeWord.

Output the message "Valid password: " followed by the updated value of codeWord.

Here is the pseudocode in code format:

string codeWord, newCodeWord = "";

int i;

cin >> codeWord;

for (i = 0; i < codeWord.length(); i++) {

if (isalnum(codeWord[i])) { // check if the character is alphabetic or a number

newCodeWord += codeWord[i];

}

else {

newCodeWord += 'z';

}

}

codeWord = newCodeWord;

cout << "Valid password: " << codeWord << endl;

Step-by-step explanation:

Note that isalnum() is a standard library function in C++ that returns true if the character passed to it is alphabetic or a number.

User Gabriel Pellegrino
by
7.5k points