モデルシグナルによる双方向バインディングを学習したので、Angularサービスでシグナルを使用する方法を見ていきましょう。サービスは複数のコンポーネント間でリアクティブな状態を共有するのに最適であり、シグナルは自動的な変更検知とクリーンなリアクティブパターンを提供することで、これをさらに強力にします。
このアクティビティでは、カート表示コンポーネントが状態の変化に自動的に反応できるように、シグナルを使用してカートストアを作成する方法を学習します。
-
カートストアシグナルを追加する
cart-store.tsでカートの状態をリアクティブにするために、読み取り専用シグナルと計算済みシグナルを追加します。// Add the computed importimport {Injectable, signal, computed} from '@angular/core';// Then add these signals to the class:// Readonly signalsreadonly cartItems = this.items.asReadonly();// Computed signalsreadonly totalQuantity = computed(() => { return this.items().reduce((sum, item) => sum + item.quantity, 0);});readonly totalPrice = computed(() => { return this.items().reduce((sum, item) => sum + item.price * item.quantity, 0);});これらのシグナルにより、コンポーネントはカートデータと計算された合計にリアクティブにアクセスできます。
asReadonly()メソッドは外部コードがカートアイテムを直接変更するのを防ぎ、computed()はソースシグナルが変更されたときに自動的に更新される派生状態を作成します。 -
数量更新メソッドを完成させる
cart-display.tsのカート表示コンポーネントは、すでにテンプレートでカートストアシグナルを使用しています。カートアイテムを変更するための数量更新メソッドを完成させます。increaseQuantity(id: string) { const items = this.cartStore.cartItems(); const currentItem = items.find((item) => item.id === id); if (currentItem) { this.cartStore.updateQuantity(id, currentItem.quantity + 1); }}decreaseQuantity(id: string) { const items = this.cartStore.cartItems(); const currentItem = items.find((item) => item.id === id); if (currentItem && currentItem.quantity > 1) { this.cartStore.updateQuantity(id, currentItem.quantity - 1); }}これらのメソッドは、
cartItems()を使用して現在のカート状態を読み取り、ストアのメソッドを通じて数量を更新します。シグナルが変更されるとUIは自動的に更新されます! -
メインアプリケーションコンポーネントを更新する
app.tsのメインアプリケーションコンポーネントを更新して、カートサービスを使用し、カートコンポーネントを表示します。import {Component, inject} from '@angular/core';import {CartStore} from './cart-store';import {CartDisplay} from './cart-display';@Component({ selector: 'app-root', imports: [CartDisplay], template: ` <div class="shopping-app"> <header> <h1>Signals with Services Demo</h1> <div class="cart-badge"> Cart: {{ cartStore.totalQuantity() }} items (\${{ cartStore.totalPrice() }}) </div> </header> <main> <cart-display></cart-display> </main> </div> `, styleUrl: './app.css',})export class App { cartStore = inject(CartStore);}
すばらしい!サービスでシグナルを使用する方法を学びました。覚えておくべき主要な概念は次のとおりです。
- サービスレベルシグナル: サービスはシグナルを使用してリアクティブな状態を管理できます
- 依存性の注入:
inject()を使用して、コンポーネントでシグナルを持つサービスにアクセスします - サービス内の計算済みシグナル: 自動的に更新される派生状態を作成します
- 読み取り専用シグナル: 外部からの変更を防ぐために、シグナルの読み取り専用バージョンを公開します
次のレッスンでは、ディレクティブでシグナルを使用する方法について学習します!