How to remove all non-alphanumeric characters from a string except dashes (-) in C#

2 Answers

0 votes
using System;
 
class Program
{
    static void Main()
    {
        string s = "-c#-  >>-progr{123}amm.. #$ing-";
         
        char[] arr = s.ToCharArray();
 
        arr = Array.FindAll<char>(arr, (ch => (char.IsLetterOrDigit(ch) 
                                           || ch == '-')));
                                         
        s = new string(arr);
         
        Console.WriteLine(s);
    }
}
 
 
/*
run:
 
-c--progr123amming-
 
*/

 



answered Feb 6, 2019 by avibootz
0 votes
using System;
using System.Text.RegularExpressions;
 
class Program
{
    static void Main()
    {
        string s = "-c#-  >>-progr{123}amm.. #$ing-";

        Regex rgx = new Regex("[^a-zA-Z0-9-]");
        s = rgx.Replace(s, "");
         
        Console.WriteLine(s);
    }
}
 
 
/*
run:
 
-c--progr123amming-
 
*/

 



answered Feb 6, 2019 by avibootz
...