133k views
0 votes
Write a c++ program that asks the user to enter the names of two input text files: f1name and f2name. Open file f1 for reading and f2 for writing. Read lines from f1. Use this midterm.txt as f1. Write to and to f2 and screen the number of times each letter of your first name (in English) is repeated in the file. Write a function containsChar to check if a character is in your name. This one is written

User Sinisag
by
7.1k points

1 Answer

7 votes

Final answer:

The question asks for a C++ program to read from one file, count occurrences of the user's first name's letters, and write the results to another file and the screen. A function named containsChar is needed to aid in the letter-counting process. The provided program code achieves this task through the use of file streams and character counting.

Step-by-step explanation:

The subject of this question is a C++ programming task that involves file handling and string manipulation. The task requires writing a C++ program that prompts the user to enter the names of two text files: one for input and one for output. The program should read from the input file, count the number of times each letter of the user’s first name appears, and both display the result on the screen and write it to the output file. A function named containsChar should also be defined to check if a character is a part of the user's name. Here’s an example of how the C++ program might look:

Program Example

#include
#include
#include

bool containsChar(const std::string& name, char c) {
return name.find(c) != std::string::npos;
}

int main() {
std::string f1name, f2name, name = "YourFirstName";
std::cout << "Enter the name of the input file: ";
std::cin >> f1name;
std::cout << "Enter the name of the output file: ";
std::cin >> f2name;

std::ifstream inputFile(f1name);
std::ofstream outputFile(f2name);

if (!inputFile.is_open() || !outputFile.is_open()) {
std::cerr << "Error opening files!" << std::endl;
return 1;
}

std::string line;
int count[256] = {0};

while (getline(inputFile, line)) {
for (char c : line) {
if (containsChar(name, c)) {
count[c]++;
}
}
}

for (int i = 0; i < 256; ++i) {
if (count[i] > 0 && containsChar(name, i)) {
std::cout << (char)i << ":" << count[i] << '\\';
outputFile << (char)i << ":" << count[i] << '\\';
}
}

inputFile.close();
outputFile.close();

return 0;
}

The program uses the ifstream class to read from the input file and the ofstream class to write to the output file. The containsChar function is used to help count the letters of the user's first name that appear in the input file.

User Cassis
by
7.5k points