Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to remove all white space from the beginning or end of a string?

People also ask

How do you remove whitespace at the end of a string?

To remove whitespace characters from the beginning or from the end of a string only, you use the trimStart() or trimEnd() method.

Which removes all leading white spaces from string?

The lstrip() method will remove leading whitespaces, newline and tab characters on a string beginning.

Which method is used to remove whitespace from both ends of a string?

trim() method removes the leading and trailing spaces present in the string.


String.Trim() returns a string which equals the input string with all white-spaces trimmed from start and end:

"   A String   ".Trim() -> "A String"

String.TrimStart() returns a string with white-spaces trimmed from the start:

"   A String   ".TrimStart() -> "A String   "

String.TrimEnd() returns a string with white-spaces trimmed from the end:

"   A String   ".TrimEnd() -> "   A String"

None of the methods modify the original string object.

(In some implementations at least, if there are no white-spaces to be trimmed, you get back the same string object you started with:

csharp> string a = "a"; csharp> string trimmed = a.Trim(); csharp> (object) a == (object) trimmed; returns true

I don't know whether this is guaranteed by the language.)


take a look at Trim() which returns a new string with whitespace removed from the beginning and end of the string it is called on.


string a = "   Hello   ";
string trimmed = a.Trim();

trimmed is now "Hello"


use the String.Trim() function.

string foo = "   hello ";
string bar = foo.Trim();

Console.WriteLine(bar); // writes "hello"

Use String.Trim method.


String.Trim() removes all whitespace from the beginning and end of a string. To remove whitespace inside a string, or normalize whitespace, use a Regular Expression.


Trim() Removes all leading and trailing white-space characters from the current string. Trim(Char) Removes all leading and trailing instances of a character from the current string. Trim(Char[]) Removes all leading and trailing occurrences of a set of characters specified in an array from the current string.

Look at the following example that I quoted from Microsoft's documentation page.

char[] charsToTrim = { '*', ' ', '\''};
string banner = "*** Much Ado About Nothing ***";
string result = banner.Trim(charsToTrim);
Console.WriteLine("Trimmmed\n   {0}\nto\n   '{1}'", banner, result);

// The example displays the following output:
//       Trimmmed
//          *** Much Ado About Nothing ***
//       to
//          'Much Ado About Nothing'