为什么过滤器不适用于字符串列表

时间:2019-05-27 10:29:21

标签: filter d

我正在尝试编写代码以读取文本文件并过滤掉同时包含两个搜索项的行:

import std.stdio;
import std.string; 
import std.file : readText;
import std.algorithm; 

void main(){
    string[] srchitems = ["second", "pen"];  // to search file text for lines which have both these; 
    auto alltext = readText("testing.txt");
    auto alllist = alltext.split("\n");  
    foreach(str; srchitems){
        alllist = alllist.filter!(a => a.indexOf(str) >= 0);    // not working ;
    }
    writeln(alllist); 
}

但是,它不起作用并显示此错误:

$ rdmd soq_filter.d 
soq_filter.d(11): Error: cannot implicitly convert expression filter(alllist) of type FilterResult!(__lambda1, string[]) to string[]
Failed: ["/usr/bin/dmd", "-v", "-o-", "soq_filter.d", "-I."]

下面的强制转换行也不起作用:

    alllist = cast(string[]) alllist.filter!(a => a.indexOf(str) >= 0);     // not working ;

错误:

Error: cannot cast expression filter(alllist) of type FilterResult!(__lambda1, string[]) to string[]

问题出在哪里,如何解决?谢谢。

1 个答案:

答案 0 :(得分:2)

您已经发现,filter的返回值不是数组,而是自定义范围。 filter的返回值实际上是一个惰性范围,因此,如果仅使用前几个项目,则只会计算这些项目。要将惰性范围转换为数组,您将需要使用std.array.array

import std.array : array;
alllist = alllist.filter!(a => a.indexOf(str) >= 0).array;

对于您而言,这似乎很好。但是,通过稍微重组代码,可以找到一种更惯用的解决方案:

import std.stdio;
import std.string;
import std.file : readText;
import std.algorithm;
import std.array;

void main() {
    string[] srchitems = ["second", "pen"];
    auto alltext = readText("testing.txt");
    auto alllist = alltext.split("\n");
    auto results = alllist.filter!(a => srchitems.any!(b => a.indexOf(b) >= 0));
    writeln(results);
}

在上面的代码中,我们直接使用filter的结果,而不是将其转换为数组。