web-dev-qa-db-fra.com

Comment obtenir les quatre derniers caractères d'une chaîne en C #?

Supposons que j'ai une chaîne:

string mystring = "34234234d124";

Je veux obtenir les quatre derniers caractères de cette chaîne qui est "d124". Je peux utiliser SubString, mais cela nécessite quelques lignes de code.

Est-il possible d'obtenir ce résultat dans une expression avec C #?

278
KentZhou
mystring.Substring(Math.Max(0, mystring.Length - 4)); //how many lines is this?

Si vous êtes certain que la longueur de votre chaîne est d'au moins 4, elle est encore plus courte:

mystring.Substring(mystring.Length - 4);
371
Armen Tsirunyan

Vous pouvez utiliser un méthode d'extension :

public static class StringExtension
{
    public static string GetLast(this string source, int tail_length)
    {
       if(tail_length >= source.Length)
          return source;
       return source.Substring(source.Length - tail_length);
    }
}

Et puis appelez:

string mystring = "34234234d124";
string res = mystring.GetLast(4);
201
Stecya

Ok, donc je vois que c'est un vieux post, mais pourquoi réécrivons-nous le code qui est déjà fourni dans le framework?

Je suggérerais que vous ajoutiez une référence au framework DLL "Microsoft.VisualBasic"

using Microsoft.VisualBasic;
//...

string value = Strings.Right("34234234d124", 4);
44
RJ Programmer
string mystring = "34234234d124";
mystring = mystring.Substring(mystring.Length-4)
28
Cem

Tout ce que tu dois faire est..

String result = mystring.Substring(mystring.Length - 4);
27
thestar

Utiliser Substring est en fait assez court et lisible:

 var result = mystring.Substring(mystring.Length - Math.Min(4, mystring.Length));
 // result == "d124"
26
dtb

Vous pouvez simplement utiliser la méthode Substring de C #. Par ex.

string str = "1110000";
string lastFourDigits = str.Substring((str.Length - 4), 4);

Il retournera le résultat 0000.

16
Amit Kumawat

Voici une autre alternative qui ne devrait pas trop mal fonctionner (à cause de exécution différée ):

new string(mystring.Reverse().Take(4).Reverse().ToArray());

Bien qu'une méthode d'extension à cet effet mystring.Last(4) soit clairement la solution la plus propre, bien qu'un peu plus de travail soit nécessaire.

16
Andre Luus

Une solution simple serait:

string mystring = "34234234d124";
string last4 = mystring.Substring(mystring.Length - 4, 4);
11
Anees Deen
mystring = mystring.Length > 4 ? mystring.Substring(mystring.Length - 4, 4) : mystring;
7
Michael Burggraf

C'est juste ça:

int count = 4;
string sub = mystring.Substring(mystring.Length - count, count);
6
Daniel DiPaolo

Par rapport à certaines réponses précédentes, la principale différence est que ce morceau de code prend en compte le fait que la chaîne d'entrée est:

  1. Nul
  2. Plus long que ou correspondant à la longueur demandée
  3. Plus court que la longueur demandée.

C'est ici:

public static class StringExtensions
{
    public static string Right(this string str, int length)
    {
        return str.Substring(str.Length - length, length);
    }

    public static string MyLast(this string str, int length)
    {
        if (str == null)
            return null;
        else if (str.Length >= length)
            return str.Substring(str.Length - length, length);
        else
            return str;
    }
}
6
Marcelo Finki

Définition:

public static string GetLast(string source, int last)
{
     return last >= source.Length ? source : source.Substring(source.Length - last);
}

Usage:

GetLast("string of", 2);

Résultat:

de

3
Erçin Dedeoğlu

Utilisez un Last<T> générique. Cela fonctionnera avec N'IMPORTE QUELLE IEnumerable, y compris la chaîne.

public static IEnumerable<T> Last<T>(this IEnumerable<T> enumerable, int nLastElements)
{
    int count = Math.Min(enumerable.Count(), nLastElements);
    for (int i = enumerable.Count() - count; i < enumerable.Count(); i++)
    {
        yield return enumerable.ElementAt(i);
    }
}

Et un spécifique pour string:

public static string Right(this string str, int nLastElements)
{
    return new string(str.Last(nLastElements).ToArray());
}
3
Adrian Carneiro

Cela n'échouera pour aucune chaîne de longueur.

string mystring = "34234234d124";
string last4 = Regex.Match(mystring, "(?!.{5}).*").Value;
// last4 = "d124"
last4 = Regex.Match("d12", "(?!.{5}).*").Value;
// last4 = "d12"

C'est probablement une surcharge pour la tâche en cours, mais si une validation supplémentaire est nécessaire, elle peut éventuellement être ajoutée à l'expression régulière.

Edit: Je pense que cette regex serait plus efficace:

@".{4}\Z"
3
agent-j

J'ai concocté du code modifié à partir de diverses sources pour obtenir les résultats souhaités et en faire beaucoup plus. J'ai autorisé les valeurs int négatives, les valeurs int supérieures à la longueur de la chaîne, et l'index final étant inférieur à l'index de début. Dans ce dernier cas, la méthode retourne une sous-chaîne en ordre inverse. Il y a beaucoup de commentaires, mais laissez-moi savoir si quelque chose n'est pas clair ou si vous êtes fou. Je jouais avec ça pour voir à quoi tout ce que je pouvais utiliser.

    /// <summary>
    /// Returns characters slices from string between two indexes.
    /// 
    /// If start or end are negative, their indexes will be calculated counting 
    /// back from the end of the source string. 
    /// If the end param is less than the start param, the Slice will return a 
    /// substring in reverse order.
    /// 
    /// <param name="source">String the extension method will operate upon.</param>
    /// <param name="startIndex">Starting index, may be negative.</param>
    /// <param name="endIndex">Ending index, may be negative).</param>
    /// </summary>
    public static string Slice(this string source, int startIndex, int endIndex = int.MaxValue)
    {
        // If startIndex or endIndex exceeds the length of the string they will be set 
        // to zero if negative, or source.Length if positive.
        if (source.ExceedsLength(startIndex)) startIndex = startIndex < 0 ? 0 : source.Length;
        if (source.ExceedsLength(endIndex)) endIndex = endIndex < 0 ? 0 : source.Length;

        // Negative values count back from the end of the source string.
        if (startIndex < 0) startIndex = source.Length + startIndex;
        if (endIndex < 0) endIndex = source.Length + endIndex;         

        // Calculate length of characters to slice from string.
        int length = Math.Abs(endIndex - startIndex);
        // If the endIndex is less than the startIndex, return a reversed substring.
        if (endIndex < startIndex) return source.Substring(endIndex, length).Reverse();

        return source.Substring(startIndex, length);
    }

    /// <summary>
    /// Reverses character order in a string.
    /// </summary>
    /// <param name="source"></param>
    /// <returns>string</returns>
    public static string Reverse(this string source)
    {
        char[] charArray = source.ToCharArray();
        Array.Reverse(charArray);
        return new string(charArray);
    }

    /// <summary>
    /// Verifies that the index is within the range of the string source.
    /// </summary>
    /// <param name="source"></param>
    /// <param name="index"></param>
    /// <returns>bool</returns>
    public static bool ExceedsLength(this string source, int index)
    {
        return Math.Abs(index) > source.Length ? true : false;
    }

Donc, si vous avez une chaîne du type "Ceci est une méthode d'extension", voici quelques exemples et résultats à attendre.

var s = "This is an extension method";
// If you want to slice off end characters, just supply a negative startIndex value
// but no endIndex value (or an endIndex value >= to the source string length).
Console.WriteLine(s.Slice(-5));
// Returns "ethod".
Console.WriteLine(s.Slice(-5, 10));
// Results in a startIndex of 22 (counting 5 back from the end).
// Since that is greater than the endIndex of 10, the result is reversed.
// Returns "m noisnetxe"
Console.WriteLine(s.Slice(2, 15));
// Returns "is is an exte"

Espérons que cette version est utile à quelqu'un. Il fonctionne comme d'habitude si vous n'utilisez pas de nombres négatifs et fournit des valeurs par défaut pour les paramètres hors limites.

1
Irish
string var = "12345678";

if (var.Length >= 4)
{
    var = var.substring(var.Length - 4, 4)
}

// result = "5678"
1
Eidan

en supposant que vous vouliez les chaînes entre une chaîne qui se trouve à 10 caractères du dernier caractère et que vous n'avez besoin que de 3 caractères.

Disons StreamSelected = "rtsp://72.142.0.230:80/SMIL-CHAN-273/4CIF-273.stream"

Dans ce qui précède, je dois extraire le "273" que je vais utiliser dans la requête de base de données.

        //find the length of the string            
        int streamLen=StreamSelected.Length;

        //now remove all characters except the last 10 characters
        string streamLessTen = StreamSelected.Remove(0,(streamLen - 10));   

        //extract the 3 characters using substring starting from index 0
        //show Result is a TextBox (txtStreamSubs) with 
        txtStreamSubs.Text = streamLessTen.Substring(0, 3);
1
Shinn_33