我有一个字符串中的以下行:
colors numResults="100" totalResults="6806926"
我想从上面的字符串中提取值6806926
怎么可能?
到目前为止,我已经使用StringReader逐行读取整个字符串。 那我该怎么办?
答案 0 :(得分:2)
我确信还有一个正则表达式,但这个string
方法也应该有效:
string xmlLine = "[<colors numResults=\"100\" totalResults=\"6806926\">]";
string pattern = "totalResults=\"";
int startIndex = xmlLine.IndexOf(pattern);
if(startIndex >= 0)
{
startIndex += pattern.Length;
int endIndex = xmlLine.IndexOf("\"", startIndex);
if(endIndex >= 0)
{
string token = xmlLine.Substring(startIndex,endIndex - startIndex);
// if you want to calculate with it
int totalResults = int.Parse( token );
}
}
答案 1 :(得分:0)
您可以使用Linq2Xml读取,numResults和totalResults是属性,<colors numResults="100" totalResults="6806926">
是元素,因此您只需通过n {{1}获取它}。
答案 2 :(得分:0)
考虑这是在Mytext of string type variable
中现在
Mytext.Substring(Mytext.indexof("totalResults="),7);
//函数indexof将返回值start的点, //和7是您想要提取的字符长度
我正在使用类似的........
答案 3 :(得分:0)
此函数会将字符串拆分为键值对列表,然后您可以根据需要提取
static List<KeyValuePair<string, string>> getItems(string s)
{
var retVal = new List<KeyValuePair<String, string>>();
var items = s.Split(' ');
foreach (var item in items.Where(x => x.Contains("=")))
{
retVal.Add(new KeyValuePair<string, string>( item.Split('=')[0], item.Split('=')[1].Replace("\"", "") ));
}
return retVal;
}
答案 4 :(得分:0)
您可以使用正则表达式:
string input = "colors numResults=\"100\" totalResults=\"6806926\"";
string pattern = "totalResults=\"(?<results>\\d+?)\"";
Match result = new Regex(pattern).Match(input);
Console.WriteLine(result.Groups["results"]);
请务必将其包括在内:
using System.Text.RegularExpressions;