我创建了从文本文件中读取的程序并删除了特殊字符。我似乎无法更好地编写if语句。请帮忙。我在网上搜索了正确的代码语句,但是他们拥有所有高级代码语句。我正在学习的这本书有最后一章(第14章),其中包含字符串和文件打开和关闭代码。我尝试创建一个特殊字符数组,但没有工作。请帮帮我!
int main()
{
string paragraph = "";
string curChar = "";
string fileName = "";
int subscript=0;
int numWords=0;
ifstream inFile; //declaring the file variables in the implement
ofstream outFile;
cout << "Please enter the input file name(C:\owner\Desktop\para.txt): " << endl;
cin >> fileName;
inFile.open(fileName, ios::in); //opening the user entered file
//if statement for not finding the file
if(inFile.fail())
{
cout<<"error opening the file.";
}
else
{
getline(inFile,paragraph);
cout<<paragraph<<endl<<endl;
}
numWords=paragraph.length();
while (subscript < numWords)
{
curChar = paragraph.substr(subscript, 1);
if(curChar==","||curChar=="."||curChar==")"
||curChar=="("||curChar==";"||curChar==":"||curChar=="-"
||curChar=="\""||curChar=="&"||curChar=="?"||
curChar=="%"||curChar=="$"||curChar=="!"||curChar==" ["||curChar=="]"||
curChar=="{"||curChar=="}"||curChar=="_"||curChar==" <"||curChar==">"
||curChar=="/"||curChar=="#"||curChar=="*"||curChar=="_"||curChar=="+"
||curChar=="=")
{
paragraph.erase(subscript, 1);
numWords-=1;
}
else
subscript+=1;
}
cout<<paragraph<<endl;
inFile.close();
答案 0 :(得分:3)
您可能希望查看strchr
函数,该函数在字符串中搜索给定字符:
include <string.h>
char *strchr (const char *s, int c);
strchr函数定位第一次出现的c(转换为char) s指向的字符串。终止空字符被认为是其中的一部分 字符串。
strchr函数返回指向定位字符的指针,如果是,则返回空指针 字符串中不会出现字符。
类似的东西:
if (strchr (",.();:-\"&?%$![]{}_<>/#*_+=", curChar) != NULL) ...
您必须将curChar
声明为char
而不是string
并使用:
curChar = paragraph[subscript];
而不是:
curChar = paragraph.substr(subscript, 1);
但它们是相对较小的变化,因为您声明的目标是I want to change the if statement into [something] more meaningful and simple
,我认为您会发现这是实现目标的一种非常好的方法。
答案 1 :(得分:1)
在<cctype>
标题中,我们有像isalnum(c)
这样的函数,如果c是一个字母数字字符isdigit(c)
等,则返回true ...我认为你要找的条件是
if(isgraph(c) && !isalnum(c))
但是c必须是char
,而不是std::string
(从技术上讲,c必须是int
,但转换是隐式的:) hth
P.S。这不是最好的主意,但如果你想继续坚持使用std::string
来curChar
,那么c就是char c = curChar[0]
答案 2 :(得分:0)
因为你正在学习c ++,所以我将向你介绍c ++迭代器的擦除方法。
for (string::iterator it = paragraph.begin();
it != paragraph.end();
++it)
while (it != paragraph.end() && (*it == ',' || *it == '.' || ....... ))
it = paragraph.erase(it);
首先,尝试使用iterator
。这不会给你带来最佳性能,但它的概念可以帮助你使用其他c ++结构。
if(curChar==","||curChar=="."||curChar==")" ......
其次,单引号'
和双引号"
不同。您将'
用于char
。