我有一个txt文件作为字符串,我需要找到两个字符之间的单词和Ltrim
/ Rtrim
其他所有内容。它可能必须是有条件的,因为两个字符可能会根据字符串而改变。
示例:
car= (data between here I want) ;
car = (data between here I want) </value>
代码:
int pos = st.LastIndexOf("car=", StringComparison.OrdinalIgnoreCase);
if (pos >= 0)
{
server = st.Substring(0, pos);..............
}
答案 0 :(得分: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;
}
有了这个,你可以使用
string valueToFind = sourceString.Between("car=", "</value>")
你也可以试试这个:
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 "";
}
这样你可以给出多个结束标记(它们的顺序很重要)
string valueToFind = sourceString.Between("car=", ";", "</value>")
答案 1 :(得分: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;