I am trying to filter an array that is being reindexed on-the-fly.
I would like to have a single input field that matches strings on multiple properties.
<paper-input value="{{val}}" placeholder="Filter Cards"></paper-input>
<template is="dom-repeat" items="[[restructure(data)]]" initial-count="2" filter="{{filter(val, data)}}">
<card-items data="[[item]]" items="[[item.items]]" links="false"></card-items>
</template>
...
This function restructures the data to be formatted for a card layout.
returnInvoices(data) {
let newData = [];
for (let i = 0; i < data.length; i++) {
let noOrder = data[i].noOrder;
if (!newData[noOrder]) {
newData[noOrder] = {
idMaster: data[i].idMaster,
itemId: data[i].itemId,
description: data[i].description,
noOrder: noOrder,
items: []
};
}
newData[noOrder].items.push('{' +
'"idMaster":"' + data[i].idMaster + '",' +
'"itemId":"' + data[i].itemId + '"}');
}
return newData.filter(val => val).sort((a, b) => {return b.noInvoice - a.noInvoice}) // reindex array
}
I would like this function to return objects in the array whom have properties that match a string.
filter(val, data) {
if (!val) return null;
else {
val = val.toLowerCase();
// not sure what to do here
// would like to filter on all object properties (from data)
return data[0];
}
}
...
Example
if(val == 1) return data[0] & data[1];
if(val == 'Item') return data[0] & data[2];
For data array
let data = [
{"itemId": "1", "description": "Nice Item", "noOrder": 123},
{"itemId": "2", "description": "Good Product", "noOrder": 123},
{"itemId": "3", "description": "Fine Item", "noOrder": 444}
}
...
How can I filter strings on all 3 properties?
How can I use the filter as an intermediate function to the restructuring?
The documentation for dom-repeat's filter property includes following statements:
And the Array.filter is documented as
So from your filter func just return
true
if any of the properties matches input andfalse
otherwise, something likeNow to trigger the filtering you must observe the properties which trigger filtering, ie your html would be like
BTW why do you push items into newData as strings? Why not as objects, ie
and I think you can lose the
newData.filter(val => val)
step...