我有字符串,每个字符串都包含一个 RowKey 值,如下所示:
data-RowKey=029
这在每个文件中只发生一次。有什么方法可以通过 C# 函数获取数字,还是我必须自己编写某种选择。我有一个队友建议使用 linq,但我不确定这是否适用于字符串,我不知道如何使用它。
更新:
抱歉,我将其从文件更改为字符串。
我有字符串,每个字符串都包含一个 RowKey 值,如下所示:
data-RowKey=029
这在每个文件中只发生一次。有什么方法可以通过 C# 函数获取数字,还是我必须自己编写某种选择。我有一个队友建议使用 linq,但我不确定这是否适用于字符串,我不知道如何使用它。
更新:
抱歉,我将其从文件更改为字符串。
Linq 在这里并不能真正帮助您。使用正则表达式提取数字:
data-Rowkey=(\d+)
更新:
Regex r = new Regex(@"data-Rowkey=(\d+)");
string abc = //;
Match match = r.Match(abc);
if (match.Success)
{
string rowKey = match.Groups[1].Value;
}
代码:
public string ExtractRowKey(string filePath)
{
Regex r = new Regex(@"data-Rowkey=(\d+)");
using (StreamReader reader = new StreamReader(filePath))
{
string line;
while ((line = reader.ReadLine()) != null)
{
Match match = r.Match(line);
if (match.Success) return match.Groups[1].Value;
}
}
}
Regex g = new Regex(@"data-RowKey=(?<Value>\d+)");
using (StreamReader r = new StreamReader("myFile.txt"))
{
string line;
while ((line = r.ReadLine()) != null)
{
Match m = g.Match(line);
if (m.Success)
{
string v = m.Groups["Value"].Value;
// ...
}
}
}
假设以下
以下是代码片段
var fileNames = Directory.GetFiles("rootDirPath");
var tuples = new List<Tuple<String, int>>();
foreach(String fileName in fileNames)
{
String fileData =File.ReadAllText(fileName) ;
int index = fileData.IndexOf("data-RowKey=");
if(index >=0)
{
String numberStr = fileData.Substring(index+12,3);// ASSUMING data-RowKey is always found, and number length is always 3
int number = 0;
int.TryParse(numberStr, out number);
tuples.Add(Tuple.Create(fileName, number));
}
}
假设它在文件中只存在一次,否则我什至会抛出异常:
String rowKey = null;
try
{
rowKey = File.ReadLines(path)
.Where(l => l.IndexOf("data-RowKey=") > -1)
.Select(l => l.Substring(12 + l.IndexOf("data-RowKey=")))
.Single();
}
catch (InvalidOperationException) {
// you might want to log this exception instead
throw;
}
编辑:使用字符串的简单方法,第一次出现的长度始终为 3:
rowKey = text.Substring(12 + text.IndexOf("data-RowKey="), 3);