功能齐全的代码:
#include <iostream>
#include <string>
using namespace std;
string RemoveAllAstericks(string);
void RemoveSingleAsterick(string&, int);
bool IsDigit(char);
int main()
{
string myString = "hey this is a string * this string is awesome 97 * 3 = 27 * this string is cool";
string newString = RemoveAllAstericks(myString);
cout << "Original: " << myString << "\n";
cout << "Modified: " << newString << endl;
system("pause");
return 0;
}
string RemoveAllAstericks(string s)
{
int len = s.size();
int pos;
for(int i = 0; i < len; i++)
{
if(s[i] != '*')
continue;
pos = i - 1;
char cBefore = s[pos];
while(cBefore == ' ')
{
pos--;
cBefore = s[pos];
}
pos = i + 1;
char cAfter = s[pos];
while(cAfter == ' ')
{
pos++;
cAfter = s[pos];
}
if( IsDigit(cBefore) && IsDigit(cAfter) )
RemoveSingleAsterick(s, i);
}
return s;
}
void RemoveSingleAsterick(string& s, int i)
{
s[i] = ' '; // Replaces * with a space, but you can do whatever you want
}
bool IsDigit(char c)
{
return (c <= 57 && c >= 48);
}
顶级概览:
代码搜索字符串,直到遇到*
. 然后,它查看 . 之前 AND 之后的第一个非空白字符*
。如果两个字符都是数字,则代码确定这是一个乘法运算,并删除星号。否则,将被忽略。
如果您想了解其他详细信息,请参阅这篇文章的修订历史。
重要笔记:
- 您应该认真考虑在字符串上添加边界检查(即不要尝试访问小于
0
或大于的索引len
- 如果您担心括号,则将检查空格的条件更改为也检查括号。
- 检查每个字符是否都是数字是个坏主意。至少,它需要两个逻辑检查(参见我的
IsDigit()
函数)。(我的代码检查“*”,这是一种逻辑操作。)但是,发布的一些建议经过深思熟虑。不要使用正则表达式来检查字符是否为数字。
由于您在问题中提到了效率,并且我没有足够的代表点来评论其他答案:
检查 '0' '1' '2' ... 的 switch 语句意味着每个不是数字的字符都必须经过 10 次逻辑运算。恕我直言,由于schar
映射到int
s,请检查边界(char <= '9' && char >= '0')