如何使用c#替换第一次出现的字符串中的单词

时间:2014-08-05 09:51:25

标签: c# regex string replace

如何使用c#

替换首次出现的字符串中的单词

例如

string s= "hello my name is hello my name hello";

hello替换为x

output should be string news = "hello my name is x my name x";

我试着做得很好

string originalStr = "hello my hello ditch hello";
        string temp = "hello";
        string str = originalStr.Substring(0, originalStr.IndexOf(temp) + temp.Length);
        originalStr = str + originalStr.Substring(str.Length).Replace(temp, "x");

我可以为上面的代码使用Regex表达式吗?

3 个答案:

答案 0 :(得分:4)

这将用于一般模式:

var matchPattern = Regex.Escape("llo");
var replacePattern = string.Format("(?<={0}.*){0}", matchPattern);
var regex = new Regex(replacePattern);
var newText = regex.Replace("hello llo llo", "x");

如果您只想匹配和替换整个单词,请相应地编辑您的模式:

var matchPattern = @"\b" + Regex.Escape("hello") + @"\b";

答案 1 :(得分:2)

试试这个:

string pat = "hello";
string tgt = "x";
string tmp = s.Substring(s.IndexOf(pat)+pat.Length);
s = s.Replace(tmp, tmp.Replace(pat,tgt));

tmp是在第一次出现要替换的模式(pat)结束后开始的原始字符串的子字符串。然后,我们将pat替换为此子字符串中的所需值(tgt),并使用此更新值替换原始字符串中的子字符串。

Demo

答案 2 :(得分:1)

你需要正则表达式吗?您可以使用这个小LINQ查询和String.Join

int wordCount = 0;
var newWords = s.Split()
    .Select(word => word != "hello" || ++wordCount == 1 ? word : "x");
string newText = string.Join(" ", newWords);

但请注意,这将用空格替换所有空格(甚至制表符或换行符)。