Abhijeet
Abhijeet

Reputation: 13856

What is correct way to a remove few characters at the end of string C#

Consider the following code, what is the correct way to a remove the last two <br/> tags from the end of string in C#? I have followed very naive method, to achieve this. Can you please suggest improvements.

List<string> MessageList; // populated from data source
Label lblHtmlOutput = new Label();
StringBuilder sb = new StringBuilder();
foreach (var item in MessageList)
{
    sb.Append(item + "<br/><br/>");
}
sb.Remove(sb.Length - 11, sb.Length - 1);

Upvotes: 2

Views: 327

Answers (2)

Henk Holterman
Henk Holterman

Reputation: 273179

Don't insert them in the first place:

    List<string> MessageList; // populated from data source
    Label lblHtmlOutput = new Label();
    //StringBuilder sb = new StringBuilder();
    //foreach (var item in MessageList)
    //{
    //    sb.Append(item + "<br/><br/>");
    //}
    //sb.Remove(sb.Length - 11, sb.Length - 1);
    string list = string.Join("<br/><br/>", MessageList);

Upvotes: 5

Scott
Scott

Reputation: 1876

Don't add them in the first place. Use something like:

String.Join("<br/><br/>", MessageList);

Upvotes: 14

Related Questions