web-dev-qa-db-ja.com

C#の文字列の「Word」の後に文字列を取得する必要があります

私はC#で文字列を持っているので、文字列内の特定の単語「コード」を見つけ、単語「コード」の後に残りの文字列を取得する必要があります。

文字列は

「エラーの説明、コード:-1」

したがって、上記の文字列でWord codeを見つけなければならず、エラーコードを取得する必要があります。私は正規表現を見てきましたが、今では明確に理解されています。簡単な方法はありますか?

36
Narayan
string toBeSearched = "code : ";
string code = myString.Substring(myString.IndexOf(toBeSearched) + toBeSearched.Length);

このようなもの?

おそらくcode :...が見つからない場合に対処する必要があります.

string toBeSearched = "code : ";
int ix = myString.IndexOf(toBeSearched);

if (ix != -1) 
{
    string code = myString.Substring(ix + toBeSearched.Length);
    // do something here
}
82
xanatos
var code = myString.Split(new [] {"code"}, StringSplitOptions.None)[1];
// code = " : -1"

分割する文字列を微調整できます-"code : "を使用すると、例を使用して、返される配列の2番目のメンバー([1])に"-1"が含まれます。

16
Oded

より簡単な方法(唯一のキーワードが "code"の場合)は次のとおりです。

string ErrorCode = yourString.Split(new string[]{"code"}, StringSplitOptions.None).Last();
10
Nogard

indexOf()関数を使用します

string s = "Error description, code : -1";
int index = s.indexOf("code");
if(index != -1)
{
  //DO YOUR LOGIC
  string errorCode = s.Substring(index+4);
}
2
asifsid88

このコードをプロジェクトに追加します

  public static class Extension {
        public static string TextAfter(this string value ,string search) {
            return  value.Substring(value.IndexOf(search) + search.Length);
        }
  }

次に使用する

"code : string text ".TextAfter(":")
1
string originalSting = "This is my string";
string texttobesearched = "my";
string dataAfterTextTobeSearch= finalCommand.Split(new string[] { texttobesearched     }, StringSplitOptions.None).Last();
if(dataAfterTextobeSearch!=originalSting)
{
    //your action here if data is found
}
else
{
    //action if the data being searched was not found
}
0
user3488501
string founded = FindStringTakeX("UID:   994zxfa6q", "UID:", 9);


string FindStringTakeX(string strValue,string findKey,int take,bool ignoreWhiteSpace = true)
    {
        int index = strValue.IndexOf(findKey) + findKey.Length;

        if (index >= 0)
        {
            if (ignoreWhiteSpace)
            {
                while (strValue[index].ToString() == " ")
                {
                    index++;
                }
            }

            if(strValue.Length >= index + take)
            {
                string result = strValue.Substring(index, take);

                return result;
            }


        }

        return string.Empty;
    }
0
Caner LENGER