我的应用中有目录组件和购物车服务。我想将目录(存储在JSON中的对象数组)中的产品添加到 Cart 。
因此,当我添加/删除产品时,我需要动态更改我的购物车。 出于这个原因,我试图使用 {BehaviorSubject} 。
购物车服务:
import { Injectable } from '@angular/core';
import { BehaviorSubject } from 'rxjs/BehaviorSubject';
@Injectable()
export class CartService {
public cart = new BehaviorSubject(null);//my globally available Cart
}
目录组件:
import { Component, OnInit } from '@angular/core';
import { CatalogService } from './catalog.service';
import { CartService } from '../cart/cart.service';//my globally available Cart imported to the current component
@Component({
selector: 'catalog',
templateUrl: './catalog.component.html',
styleUrls: ['./catalog.component.scss']
})
export class CatalogComponent implements OnInit {
catalog: any;
image: any;
title: string;
description: string;
prod: any;
visible: boolean;
constructor(public catalogService: CatalogService, public cartService: CartService){ }
ngOnInit(){
this.catalogService.getCatalogItems().subscribe(
(data) => this.catalog = data
);
}
toCart(prod){
this.cartService.cart.subscribe((val) => {
console.log(val);
});
this.cartService.cart.push(prod);//I want to add new product to the Cart by this
}
}
那么,我该怎样做才能通过 BehaviorSubject 全局使用我的购物车?
答案 0 :(得分:1)
事情是流式传输购物车的全部内容。因此,我们应该在某个特定时刻记录购物车中的所有物品。 因此,每次将项目添加到购物车时,我们都会通过购物车$ .next() - (不推送)发送新的流值。
从错误中可以看出,BehaviourSubject没有推送方法。
import { Injectable } from '@angular/core';
import { BehaviorSubject } from 'rxjs/BehaviorSubject';
@Injectable()
export class CartService {
public cart$ = new BehaviorSubject(null);//my globally available Cart
private cartAr:Product[] = [];
public addToCart(prod:Product)
{
this.cartAr.push(prod);
this.cart$.next(this.cartAr);
}
}
//--------Component----------
import { Component, OnInit } from '@angular/core';
import { CatalogService } from './catalog.service';
import { CartService } from '../cart/cart.service';//my globally available Cart imported to the current component
@Component({
selector: 'catalog',
templateUrl: './catalog.component.html',
styleUrls: ['./catalog.component.scss']
})
export class CatalogComponent implements OnInit {
catalog: any;
image: any;
title: string;
description: string;
prod: any;
visible: boolean;
constructor(public catalogService: CatalogService, public cartService: CartService){ }
ngOnInit(){
this.catalogService.getCatalogItems().subscribe(
(data) => this.catalog = data
);
}
toCart(prod){
this.cartService.cart$.subscribe((val) => {
console.log(val);
});
this.cartService.addToCart(prod);
}
}
答案 1 :(得分:0)
toCart(prod){
// missing `this.`
// vv
this.cartService.cart.subscribe((val) => {
console.log(val);
});
this.cartService.cart.push(prod);//I want to add new product to the Cart by this
}