我有两个组件和2个服务连接到它们。
首先是ProductComponent
:
@Component({
selector: 'app-product',
templateUrl: './product.component.html',
styleUrls: ['./product.component.css'],
providers: [ProductService, CartService]
})
export class ProductComponent implements OnInit {
private products;
private numberOfItems = 0;
constructor(private productService: ProductService, private cartService: CartService) {
}
ngOnInit() {
this.loadProducts();
}
loadProducts() {
this.productService.getProducts().subscribe(data => this.products = data);
}
addProductToCard(product: Product) {
this.cartService.addProduct(product);
this.numberOfItems = this.cartService.getCartLength();
}
}
我在这里使用CartService
我保存了我想买的产品。所有这些都添加到cart
列表中,该列表在CartService
:
@Injectable()
export class CartService {
private cart: Product[] = [];
constructor() {
}
addProduct(product: Product) {
this.cart.push(product);
}
getCart() {
return this.cart;
}
getTotalPrice() {
const totalPrice = this.cart.reduce((sum, cardItem) => {
return sum += cardItem.price, sum;
}, 0);
return totalPrice;
}
getCartLength() {
return this.cart.length;
}
}
export interface Product {
id: number;
name: string;
description: string;
price: number;
amount: number;
}
现在我想在cart
中使用这个填充的CartComponent
列表:
@Component({
selector: 'app-card',
templateUrl: './card.component.html',
styleUrls: ['./card.component.css']
})
export class CartComponent implements OnInit {
private cart;
constructor(private cartService: CartService) {
}
ngOnInit() {
this.cart = this.cartService.getCart();
console.log(this.cart.length);
}
}
但那里是空的。我知道可能我注入了新的CartService
,而不是我在ProductComponent
中使用的那个。我的问题是如何在CartService
中使用CartComponent
中的同一个ProductComponent
实例?或者如何在这两种服务之间共享数据?也许我应该使用缓存,但我希望还有其他方法可以解决这个问题。
修改
我在h addToProduct()
中添加了html:
<div class="basket">
On your cart {{numberOfItems}} items
<p><a routerLink="/cart">Go to cart</a></p>
<router-outlet></router-outlet>
</div>
<table class="table table-striped">
<thead class="thead-inverse">
<tr>
<th>#</th>
<th>Name</th>
<th>Desc</th>
<th>Price</th>
<th>Amount</th>
</tr>
</thead>
<tbody *ngFor="let product of products">
<tr>
<th scope="row">{{product.id}}</th>
<td>{{product.name}}</td>
<td>{{product.description}}</td>
<td>{{product.price}}</td>
<td>{{product.amount}}</td>
<button type="button" class="btn btn-success" (click)="addProductToCard(product)">Add to cart</button>
</tr>
</tbody>
</table>
答案 0 :(得分:1)
如果要在两个组件中获得相同的CartService
实例,则必须将其注册为模块级提供程序,而不是单个组件的提供程序。
答案 1 :(得分:0)
在服务之间共享数据是更好的方法。而是使用类似于Redux的ngrx / store包。