在字符串中查找两个值之间的单词

use*_*690 3 .net c# string substring indexof

我有一个txt文件作为字符串,我需要找到两个字符和Ltrim/或Rtrim其他所有字之间的单词.它可能必须是有条件的,因为两个字符可能会根据字符串而改变.

例:

car= (data between here I want) ;
car =  (data between here I want) </value>
Run Code Online (Sandbox Code Playgroud)

码:

int pos = st.LastIndexOf("car=", StringComparison.OrdinalIgnoreCase);

if (pos >= 0)
{
     server = st.Substring(0, pos);..............
}
Run Code Online (Sandbox Code Playgroud)

Mar*_*rco 15

这是我使用的一个简单的扩展方法:

public static string Between(this string src, string findfrom, string findto)
{
    int start = src.IndexOf(findfrom);
    int to = src.IndexOf(findto, start + findfrom.Length);
    if (start < 0 || to < 0) return "";
    string s = src.Substring(
                   start + findfrom.Length, 
                   to - start - findfrom.Length);
    return s;
}
Run Code Online (Sandbox Code Playgroud)

有了它,你可以使用

string valueToFind = sourceString.Between("car=", "</value>")
Run Code Online (Sandbox Code Playgroud)

你也可以试试这个:

public static string Between(this string src, string findfrom, 
                             params string[] findto)
{
    int start = src.IndexOf(findfrom);
    if (start < 0) return "";
    foreach (string sto in findto)
    {
        int to = src.IndexOf(sto, start + findfrom.Length);
        if (to >= 0) return
            src.Substring(
                       start + findfrom.Length,
                       to - start - findfrom.Length);
    }
    return "";
}
Run Code Online (Sandbox Code Playgroud)

有了它,你可以给出多个结束标记(它们的顺序很重要)

string valueToFind = sourceString.Between("car=", ";", "</value>")
Run Code Online (Sandbox Code Playgroud)


Fra*_*cis 13

你可以使用正则表达式

var input = "car= (data between here I want) ;";
var pattern = @"car=\s*(.*?)\s*;"; // where car= is the first delimiter and ; is the second one
var result = Regex.Match(input, pattern).Groups[1].Value;
Run Code Online (Sandbox Code Playgroud)