如何在没有正则表达式的情况下在C中实现有效的全字符串替换?

前端之家收集整理的这篇文章主要介绍了如何在没有正则表达式的情况下在C中实现有效的全字符串替换?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
也许我忽略了一些明显的东西,但我想知道在C中实现全字串替换的最快方法是什么.起初我考虑简单地将空格连接到搜索词,但这不考虑字符串边界或标点符号.

这是我目前对(非全字)替换的抽象:

  1. void Replace(wstring& input,wstring find,wstring replace_with) {
  2. if (find.empty() || find == replace_with || input.length() < find.length()) {
  3. return;
  4. }
  5. for (size_t pos = input.find(find);
  6. pos != wstring::npos;
  7. pos = input.find(find,pos)) {
  8.  
  9. input.replace(pos,find.length(),replace_with);
  10. pos += replace_with.length();
  11. }
  12. }

如果我只考虑空格作为单词边界,我可以通过比较搜索字符串的开头和结尾与查找字符串来覆盖字符串边界,然后用一个替换(L”找到L”)来实现这一点. ….但我想知道是否有一个更优雅的解决方案,有效地包括标点符号.

让我们考虑一个单词是由空格或标点符号分隔的任何字符集合(为了保持简单,让我们说吧!“#$%&'(*),– ./ at minimal – 恰好对应于( c> 31&& c< 48)). 在我的应用程序中,我必须在一个相当大的短字符串数组上调用函数,其中可能包含各种Unicode,我不想拆分新单词.我还想避免包含任何外部库,但STL很好. 不使用正则表达式的目的是减少开销的承诺,以及适合于在大型数据集上执行此特定任务的快速函数的目标.

我认为你可以这样做,既可以进行全字匹配,又可以有效地进行.关键是:

>使用’std :: isalpha’检测“全字”边界,这应该与Unicode&任何语言环境.
>通过创建一个单独的“输出”字符串替换“out of place”,在处理结束时将其与“input”交换,而不是在“input”字符串本身上“就地”完成工作.

这是我对你的功能的看法:

  1. #include <cctype> // isalpha
  2. #include <ciso646> // or,not
  3. #include <string> // wstring
  4.  
  5. using std::size_t;
  6. using std::wstring;
  7.  
  8. /// @brief Do a "find and replace" on a string.
  9. /// @note This function does "whole-word" matching.
  10. /// @param[in,out] input_string The string to operate on.
  11. /// @param[in] find_string The string to find in the input.
  12. /// @param[in] replace_string The string to replace 'find_string'
  13. /// with in the input.
  14. void find_and_replace( wstring& input_string,const wstring& find_string,const wstring& replace_string )
  15. {
  16. if( find_string.empty()
  17. or find_string == replace_string
  18. or input_string.length() < find_string.length() )
  19. {
  20. return;
  21. }
  22.  
  23. wstring output_string;
  24. output_string.reserve( input_string.length() );
  25. size_t last_pos = 0u;
  26. for( size_t new_pos = input_string.find( find_string );
  27. new_pos != wstring::npos;
  28. new_pos = input_string.find( find_string,new_pos ) )
  29. {
  30. bool did_replace = false;
  31. if( ( new_pos == 0u
  32. or not std::isalpha( input_string.at( new_pos - 1u ) ) )
  33. and ( new_pos + find_string.length() == input_string.length()
  34. or not std::isalpha( input_string.at( new_pos + find_string.length() ) ) ) )
  35. {
  36. output_string.append( input_string,last_pos,new_pos - last_pos );
  37. output_string.append( replace_string );
  38. did_replace = true;
  39. }
  40. new_pos += find_string.length();
  41. if( did_replace )
  42. {
  43. last_pos = new_pos;
  44. }
  45. }
  46. output_string.append( input_string,input_string.length() - last_pos );
  47.  
  48. input_string.swap( output_string );
  49. }

附:我不确定’replace_all’在你的初始例子中试图完成什么,所以为了清楚起见,我把它从我的解决方案中删除了.

P.P.S.使用Regex-es,这段代码会更清晰.你能依靠C TR1或C 2011功能吗?它们提供标准的“正则表达式”库.

猜你在找的正则表达式相关文章