我正在使用Visual Studio,NuGet包MoreLinq用于我的以下解决方案。
我希望检索的文件的示例内容,该文件还包含其他不相关的数据:
...
#define HELLO
#include "hello.h"
code
#define BYE
#include "hello.h"
...
我对解决方案的尝试,几乎完全符合我的需求。但只有几乎,我可以看到为什么,这是合乎逻辑的:
var files = from file in Directory.EnumerateFiles(path, ".", SearchOption.AllDirectories).Where(s => s.EndsWith(".c") || s.EndsWith(".h"))
from line in File.ReadLines(file)
.SkipWhile(l => l.TrimStart() != ("#define HELLO"))
.TakeUntil(l => l.TrimStart() == ("#define BYE"))
.ToList()
select new
{
File = file,
Line = line
};
foreach (var f in files)
{
sotredLines.Add(f.Line.Trim());
}
此时,我的解决方案将给我以下结果:
#define HELLO
#include "hello.h"
code
#define BYE
如果您没有注意到,它缺少我也想检索的最后一行 ->#include"hello.h"。我解决这个问题的尝试是将以下行添加到代码中
...
.SkipWhile(l => l.TrimStart() != ("#define HELLO"))
.TakeUntil(l => l.TrimStart() == ("#define BYE"))
.TakeUntil(l => l.TrimStart() == ("#include "hello.h""))
...
但这(如预期的那样(仅返回以下结果:
#define HELLO
#include "hello.h"
完全忽略其余想要的信息。因为#include"hello.h">多次出现,并且它停止在找到的第一个
。我只想从提到的文件中检索这些行,而不会丢失其中一行:
#define HELLO
#include "hello.h"
code
#define BYE
#include "hello.h"
有关解决方案,同时仍使用 Linq,请参阅下面的 @Freggar 答案。
您可以在TakeUntil
中设置一个标志,表明您已经过#define BYE
:
bool byeFlag = false;
var p = from line in File.ReadLines(file)
.SkipWhile(l => l.TrimStart() != ("#define HELLO"))
.TakeUntil(l =>
{
bool ret = byeFlag;
if (l.TrimStart() == "#define BYE")
{
byeFlag = true;
}
return ret;
})
.ToList()
select new
{
File = file,
Line = line
};
但如前所述,也许 LINQ 并不是您尝试执行的操作的最佳工具。也许像 ANTLR 这样的解析器更适合这项工作?