Reputation: 1538
I'm using AngularFire2, trying to get lists out of lists. A nested *ngFor within an *ngFor doesn't show on the view...
app.componnent
...
constructor(private _af: AngularFire) {
this.lists = this._af.database.list(this._API_URL);
}
...
app.component.html
<div *ngFor="let list of lists | async">
{{sublist.name}}<br/> <!-- I can see you -->
<!--******* I can't see you **********-->
<div *ngFor="let rootword of list.rootwords">
{{rootword.word}} {{rootword.total}}
</div>
</div>
Example of Firebase
maindb
|_list1
| |_name: 'List 1"
| |_rootwords
| |_apple
| | |_word: 'apple'
| | |_total: 4
| |
| |_banana
| | |_word: 'banana'
| | |_total: 2
| |_carpet
| | |_word: 'carpet'
| | |_total: 21
|
|_list2
|_name: "List 2"
|_rootwords
|_elephant
| |_word: 'elephant'
| |_total: 4
|_sloth
|_word: 'sloth
|_total: 5
How do you nest an ngFor in an ngFor with firebase.list ?? Do I need to map or filter? Does AngularFire2 have a way to convert the inner object to an array?
All suggestions appreciated!
Upvotes: 3
Views: 1008
Reputation: 58400
You can replace the rootwords
object with an array using the map
opererator and Array.prototype.reduce
, like this:
import 'rxjs/add/operator/map';
constructor(private _af: AngularFire) {
this.lists = this._af.database
.list(this._API_URL)
// Use map the map operator to replace each item in the list:
.map(list => list.map(item => ({
// Map to a new item with all of the item's properties:
...item,
// And replace the rootwords with an array:
rootwords: Object.keys(item.rootwords)
// Use reduce to build an array of values:
.reduce((acc, key) => [...acc, item.rootwords[key]], [])
})
));
}
Or, without the spread syntax:
import 'rxjs/add/operator/map';
constructor(private _af: AngularFire) {
this.lists = this._af.database
.list(this._API_URL)
.map(list => list.map(item => {
var copy = Object.assign({}, item);
copy.rootwords = Object.keys(item.rootwords).reduce((acc, key) => {
acc.push(item.rootwords[key]);
return acc;
}, []);
return copy;
}));
}
Upvotes: 2