write a program that asks the user for a file name and a string to search for. the program should search the file for every occurrence of a specfied string. when the string is found, the line that contains it should be displayed. after all the occurrences have been located, the program should report the number of times the string appeared in the file.

Respuesta :

Just use grep command to look for such pattern supplied either by Pattern parameter in the given file, writing each line that matches to standard output.

What is the program?

The program which asks the user for filename and to search for a string is :

#include <iostream>

#include <fstream>

#include <string>

using namespace std;

int main()

{

string fileName,

    buffer,

    search;

int count = 0;  

cout << "Enter the name of a file: ";

cin  >> fileName;

fstream file(fileName, ios::in);

if (!file)

{

 cout << "Error opening file.\n";

 return 0;

}

cout << "Enter a string to search for in the file \""<< fileName << "\".\n";

cin  >> search;

cout << "\nString: " << search << endl;

cout << "All lines in file that contain the string:\n";

file.seekg(0, ios::beg);

while (!file.fail())

{

 getline(file, buffer);

 if (buffer.find(search,0) < buffer.length())

 {

  cout << buffer << endl;

  count++;

 }

}

cout << "Numer of times the string appeared in file: " << count << endl;

       file.close();

return 0;

}

To learn more about CPP program refer to :

https://brainly.com/question/13441075

#SPJ4