我编写了一个根据给定查询过滤掉对象数组的管道。它工作得很好,但我想做的是直接向此管道添加去抖功能,而不是将其添加到输入的keyup事件中,如果可能的话。
我一直在寻找解决方案,但似乎找不到任何与我正在寻找的具体相关的东西。
import {Pipe, PipeTransform} from '@angular/core';
@Pipe({
name: 'filterBy'
})
export class FilterByPipe implements PipeTransform {
transform(value: any, args: string[]): any[] {
if (!args[0]) {
return value;
}
else if (value) {
return value.filter(item => {
// TODO: Allow args[1] to be null, therefore searching in all object properties
if ((typeof item[args[1]] === 'string' || item[args[1]] instanceof String) && (item[args[1]].toLowerCase().indexOf(args[0].toLowerCase()) !== -1)) {
return true;
}
});
}
}
}
关于如何在此管道中实现此功能的任何想法?
答案 0 :(得分:1)
debounce或delay函数是异步的,在这种情况下,您需要从管道返回promise或observable并使用异步管道。我创建了一个简单的示例,向您展示如何使用observable来实现。
@Pipe({
name: 'myfilter'
})
export class MyFilterPipe implements PipeTransform {
transform(items, filterBy) {
const filteredItems = items.filter(item => item.title.indexOf(filterBy.title) !== -1);
return Observable.of(filteredItems).delay(1000);
}
}
@Component({
selector: 'my-app',
template: `
<div>
<ul>
<li *ngFor="let item of items | myfilter:filterBy | async">
{{item.title}}
</li>
</ul>
<input type="text" (input)="filter($event)">
</div>
`,
})
export class App {
filterBy;
constructor() {
this.filterBy = {title: 'hello world'};
this.items = [{title: 'hello world'}, {title: 'hello kitty'}, {title: 'foo bar'}];
}
filter($event) {
this.filterBy = {title: $event.target.value}
}
}
答案 1 :(得分:0)
让我们想象一下文本字段执行“按类型搜索”的方案。工作。为了记录有意义的搜索文本,组件应该等到键入结束。
设置管道执行延迟时间的正确方法应如下所示(参见代码中的注释):
import { Pipe, PipeTransform } from '@angular/core';
@Pipe({
name: 'searchFilter'
})
export class SearchFilterPipe implements PipeTransform {
//-----
// 1
// ----
//hold a timeout handle on class scope
private timeoutHandle: number = -1;
constructor(private dbLogger: DbLogService) {
}
transform(items: any, value?: any): any {
if (!items) return [];
//-----
// 2
// ----
//clear time out handle on every pipe call
//so that only handles created earlier than
// 1000ms would execute
window.clearTimeout(this.timeoutHandle);
//-----
// 3
// ----
//create time out handle on every pipe call
this.timeoutHandle = window.setTimeout(() => {
//-----
// 4
// ----
//if there is no further typing,
//then this timeout handle made the way to here:
console.log("search triggered with value: " + value);
}, 1000);
return items.filter(it => it["name"].toLowerCase().indexOf(value.trim().toLowerCase()) !== -1);
}
}