文件格式

POS ID         PosScore NegScore    SynsetTerms                          Gloss
a   00001740    0.125   0           able#1"                              able to swim"; "she was able to program her computer";
a   00002098    0       0.75        unable#1                            "unable to get to town without a car";
a   00002312    0       0           dorsal#2 abaxial#1                  "the abaxial surface of a leaf is the underside or side facing away from the stem"
a   00002843    0       0           basiscopic#1                         facing or on the side toward the base
a   00002956    0       0.23        abducting#1 abducent#1               especially of muscles; drawing away from the midline of the body or from an adjacent part
a   00003131    0       0           adductive#1 adducting#1 adducent#1   especially of muscles;


在此文件中,我要提取(ID,PosScore,NegScore和SynsetTerms)字段。 (ID,PosScore,NegScore)字段数据提取很容易,并且我将以下代码用于这些字段的数据。

Regex expression = new Regex(@"(\t(\d+)|(\w+)\t)");

var results = expression.Matches(input);
foreach (Match match in results)
{

    Console.WriteLine(match);
}
Console.ReadLine();


并给出了正确的结果,但是Filed SynsetTerms产生了一个问题,因为某些行包含两个或多个单词,因此如何组织单词并与之相对(PosScore和NegScore)。

例如,在第五行中,有两个单词abducting#1abducent#1,但是两者的分数相同。

因此,获得Word及其分数的行的正则表达式将是什么,例如:

  Word                PosScore          NegScore
  abducting#1         0                 0.23
  abducent#1          0                 0.23

最佳答案

非正则表达式,字符串拆分版本可能更容易:

var data =
   lines.Split(new[] {Environment.NewLine}, StringSplitOptions.RemoveEmptyEntries)
        .Skip(1)
        .Select(line => line.Split('\t'))
        .SelectMany(parts => parts[4].Split().Select(word => new
            {
                ID = parts[1],
                Word = word,
                PosScore = decimal.Parse(parts[2]),
                NegScore = decimal.Parse(parts[3])
            }));

09-15 12:16