mrd
mrd

Reputation: 2183

String split// manipulation

string keywords = "heard";
string strText = "Have you not heard!! what I said?"
string[] words = strText.Split(' ');
string result = "";

for (int i = 0; i < words.Length; i++)
{
   if (words[i].Contains(keywords))
    result += "<span>" + words[i] + "</span>" + " ";
   else
    result += words[i] + " ";
}

I get following output:

Have you not <span>heard!!</span> what I said?

Desired output:

Have you not <span>heard</span>!! what I said?

Can someone guide how can I get the desired output. The strText can only be split with a space.

Upvotes: 0

Views: 66

Answers (2)

Sergey Berezovskiy
Sergey Berezovskiy

Reputation: 236208

Use String.Replace

var result = strText.Replace(keywords, "<span>" + keywords + "</span>");

If you have many keywords to replace, then just do replacement in a loop:

string[] keywords = { "heard", "said" };
string result = "Have you not heard!! what I said?";

foreach(var keyword in keywords)
    result = result.Replace(keyword, "<span>" + keyword + "</span>");

Alternative solution is regular expression replacement:

string keywords = "heard|said";
string result = "Have you not heard!! what I said?";
result = Regex.Replace(result, keywords, m => "<span>" + m.Value + "</span>");

Upvotes: 2

Andreas
Andreas

Reputation: 116

Why are you even looping through all words? This will give you the same:

        string strText = "Have you not heard!! what I said?";
        string newText = strText.Replace("heard", "<span>heard</span>");

Upvotes: 0

Related Questions