web-dev-qa-db-fra.com

Comment supprimer une partie définie d'une chaîne?

J'ai cette chaîne: "NT-DOM-NV\MTA" Comment puis-je supprimer la première partie: "NT-DOM-NV \" Pour que cela ait pour résultat: "MTA"

Comment est-ce possible avec RegEx?

14
SamekaTV

vous pouvez utiliser

str = str.SubString (10); // to remove the first 10 characters.
str = str.Remove (0, 10); // to remove the first 10 characters
str = str.Replace ("NT-DOM-NV\\", ""); // to replace the specific text with blank

// to delete anything before \

int i = str.IndexOf('\\');
if (i >= 0) str = str.SubString(i+1);
39
Fun Mun Pieng

Étant donné que "\" apparaît toujours dans la chaîne

var s = @"NT-DOM-NV\MTA";
var r = s.Substring(s.IndexOf(@"\") + 1);
// r now contains "MTA"
10
Mikael Östberg
string.TrimStart(what_to_cut); // Will remove the what_to_cut from the string as long as the string starts with it.  

"asdasdfghj".TrimStart("asd" ); donnera "fghj".
"qwertyuiop".TrimStart("qwerty"); donnera "uiop"


public static System.String CutStart(this System.String s, System.String what)
{
    if (s.StartsWith(what))
        return s.Substring(what.Length);
    else
        return s;
}

"asdasdfghj".CutStart("asd" ); va maintenant donner "asdfghj".
"qwertyuiop".CutStart("qwerty"); donnera toujours "uiop"

5
Vercas

S'il y a toujours une seule barre oblique inverse, utilisez ceci:

string result = yourString.Split('\\').Skip(1).FirstOrDefault();

S'il peut y avoir plusieurs et que vous voulez seulement avoir la dernière partie, utilisez ceci:

string result = yourString.SubString(yourString.LastIndexOf('\\') + 1);
4
Daniel Hilgarth

Essayer

string string1 = @"NT-DOM-NV\MTA";
string string2 = @"NT-DOM-NV\";

string result = string1.Replace( string2, "" );
1
Øyvind Bråthen
 string s = @"NT-DOM-NV\MTA";
 s = s.Substring(10,3);
0
agradl

Vous pouvez utiliser cette méthode d'extension:

public static String RemoveStart(this string s, string text)
{
    return s.Substring(s.IndexOf(s) + text.Length, s.Length - text.Length);
}

Dans votre cas, vous pouvez l'utiliser comme suit:

string source = "NT-DOM-NV\MTA";
string result = source.RemoveStart("NT-DOM-NV\"); // result = "MTA"

Remarque: Utilisez not utilisez la méthode TrimStart car elle pourrait réduire un ou plusieurs caractères plus loin ( voir ici ).

0
Jacob
Regex.Replace(@"NT-DOM-NV\MTA", @"(?:[^\\]+\\)?([^\\]+)", "$1")

essayez ici .

0
Paolo Mazzoni