Question

How do I strip all punctuation from a string in vb.net? I really do not want to do stringname.Replace("$", "") for every single bit of punctuation, though it would work.

How do i do this quickly and efficiently?

Other than coding something that codes this for me....

Était-ce utile?

La solution

You can use a regular expression to match anything that you want to remove:

str = Regex.Replace(str, "[^A-Za-z]+", String.Empty);

[^...] is a negative set that matches any character that is not in the set. You can just put any character there that you want to keep.

Autres conseils

Quick example using a positive regex match. Simply place the characters you want removed in it:

          Imports System.Text.RegularExpressions
          Dim foo As String = "The, Quick brown fox. Jumped over the Lazy Dog!" 
          Console.WriteLine(Regex.Replace(foo,"[!,.\"'?]+", String.Empty))

If you want a non-regex solution, you could try something like this:

Dim stringname As String = "^^^%%This,,,... is $$my** original(((( stri____ng."

Dim sb As New StringBuilder
Dim c As Char

For Each c In stringname
    If Not (Char.IsSymbol(c) OrElse Char.IsPunctuation(c)) Then
        sb.Append(c)
    End If
Next

Console.WriteLine(sb.ToString)

Output is "This is my original string".

Licencié sous: CC-BY-SA avec attribution
Non affilié à StackOverflow
scroll top