Guida Essenziale all'Integrazione di Angular e Signal

Marco Pollacci 17/04/2024 - BolognaJS
Hello Folks!
me Marco Pollacci Senior Software Developer @GELLIFY
qr

Partiamo dall’inizio…Signal?

so-confused
“Signals are the primary means of managing state in your Solid application. They provide a way to store and update values, and are the foundation of reactivity in Solid. Signals can be used to represent any kind of state in your application, such as the current user, the current page, or the current theme. This can be any value, including primitive values such as strings and numbers, or complex values such as objects and arrays. ” https://docs.solidjs.com/concepts/signals

🙌 Signal 🙌


    import {signal} from '@angular/core';
    //...
    export class AppComponent {
      myFirstSignal = signal<number> (1);

      constructor() {
      console.log('My first signal: ', this.myFirstSignal());
      // Output: My first signal: 1
    }
  

🤑 Consumer 🤑

🙌 Signal Consumer 🙌

🧮 computed() 🧮

🙌 Signal Computed 🙌

computed() 👨‍💻

    import {signal, computed} from '@angular/core';
    //...
    export class AppComponent {
        myFirstSignal = signal<number> (1);
     runs = 0;
     myFirstComputedSignal = computed(() => {
          runs++;
          return myFirstSignal() * 2;
        });
      
      constructor() {
     console.log('My computed signal: ', this.myFirstComputedSignal());
        // Output: My computed signal: 2
        console.log('Number of runs: ', this.runs);
        // Output: Number of runs: 1 <-- 1 because the computed signal as been read once
        
     this.myFirstComputedSignal();
        console.log('Number of runs: ', this.runs);
        // Output: Number of runs: 1 <-- still 1 because the value of the signal hasn't changed
        
     this.myFirstSignal.set(2);
        console.log('Number of runs: ', this.runs);
        // Output: Number of runs: 1 <-- because the computed signal as not read again
        
     console.log('My second computed signal: ', this.myFirstComputedSignal());
        // Output: My second computed signal: 4
        console.log('Number of runs: ', this.runs);
        // Output: Number of runs: 2 <-- because the computed signal as been read again
        
        }
      }
  

💥 effect() 💥

effect() 👨‍💻


    @Component({...})
    export class AppComponent {
      readonly count = signal(0);
      constructor() {
        // Register a new effect.
        effect(() => {
          console.log(`The count is: ${this.count()})`);
        });
    }
  }
  

important!

Se si utilizza effect() fuori dal costruttore, va usato l' Injector

    @Component({...})
    export class AppComponent {
      readonly count = signal(0);
      constructor(private injector: Injector) {}

      myBeautifulFunction(): void {
        effect(() => {
          console.log(`The count is: ${this.count()})`);
        }, {injector: this.injector});
      }
  }
  
Ma, c'è un modo per leggere un signal senza generare una dipendenza dallo stesso usando effect() e computed()? 🧐 ...Si...(¬_¬) ...ma fatelo il meno possibile ৻( •̀ ᗜ •́ ৻)

untracked() 👨‍💻


    effect(() => {
      console.log(`User set to `${currentUser()}` and the counter is ${counter()}`);
    });
    
    effect(() => {
      console.log(`User set to `${currentUser()}` and the counter is ${untracked(counter)}`);
    });
    
  
This example logs a message when either currentUser or counter changes. However, if the effect should only run when currentUser changes, then the read of counter is only incidental and changes to counter shouldn't log a new message. You can prevent a signal read from being tracked by calling its getter with untracked: untracked is also useful when an effect needs to invoke some external code which shouldn't be treated as a dependency untracked può essere usato nello stesso modo anche su computed

Observable vs Signal

Observable vs Signal
  • ☝️Gli observable non sono obbligati ad emettere un valore alla creazione
  • ☝️Gli observable possono emettere i valori in maniera sincrona ed asincrona
  • ☝️Gli observable hanno il concetto di stato “complete”
  • ☝️Signal ha sempre almeno un valore dalla sua creazione
  • ☝️Signal non emette nulla se non la notifica di un cambio di valore, che deve essere “pulled” dal consumer
  • ☝️Signal non presenta il concetto di stato complete
Observable vs Signal

    //signal
    const $v = computed(() => $foo() * $bar());

    //rxjs
    const v$ = combineLatest([foo$, bar$]).pipe(
          map(([foo, bar]) => foo * bar)
    );
  
Observable vs Signal

    //signal
    const $v = computed(() => $foo() * $bar());

    //rxjs
    const v$ = combineLatest([foo$, bar$]).pipe(
          map(([foo, bar]) => foo * bar)
    );
  
  • ✔ combineLatest non emette nulla, finché almeno uno dei due observable non ha almeno un valore
  • ✔ Computed garantisce il “glitch-free”; ad ogni cambio di valore non viene emesso alcunché se non una semplice notifica, che previene l’esecuzione indesiderata del codice
Observable vs Signal

    //signal
    const $v = computed(() => $foo() ?? $bar() ?? 0);

    //rxjs
    const v$ = merge(foo$, bar$).pipe(
        map ((val) => val ?? 0)
    );
  
Observable vs Signal

      //signal
      const $v = computed(() => $foo() ?? $bar() ?? 0);

      //rxjs
      const v$ = merge(foo$, bar$).pipe(
          map ((val) => val ?? 0)
      );
  
  • ✔ La differenza in questo caso è che merge() quando uno degli observable passati è completo, continuerà a emettere valori solo dagli observable non completi e ignorerà gli altri.
    Comportamento che computed non ha non avendo il concetto di “complete”
🔄 Observable --> Signal 🔄
Angular mette a disposizione una funzione specifica per convertire gli Observale esistenti in Signal:
toSignal()

👨‍💻


    @Component({
      standalone: true,
      template:`{{ counter() }}`,
    })
    export class FooComponent { 
      counter$ = interval(1000);
      counter  = toSignal(this.counter$);
   }
  
toSignal code

👨‍💻


    @Component({
      standalone: true,
      template:`{{ counter() }}`,
    })
    export class FooComponent {
      counter$ = interval(1000);
      counter =  toSignal(this.counter$, { initialValue: 0 });
   }
  
toSignal code with initialValue

Signal: esempi di utilizzo

Todo List

    //..
    export class AppComponent {
       newTaskInputTitle = ''
      toDoList = signal<ToDoListInterface[]>([]);
      
      addTask() {
        this.toDoList.update((oldList) => [
          ...oldList,
          {
            id: this.toDoList.length + 1,
            completed: false,
            title: this.newTaskInputTitle,
          },
        ]);
    }

    <div>
      <ul>
        @for (task of toDoList(); track $index) {
          <li>{{ task.title }}</li>
        } @empty {
          <li>No tasks</li>
        }
      </ul>
      <p>Total Task: {{ toDoList().length }}</p>
      <div>
        <p>Add new Task</p>
        <input [(ngModel)]="newTaskInput" type="text" />
        <button [disabled]="!newTaskInput" (click)="addTask()">Add_task</button>
      </div>
    </div>
  

In sinergia con gli Observable

⚙️ Signal ed Observable possono essere usati insieme in modo efficiente ⚙️ Ma...in che modo? 🤔 Utilizziamoli insieme al client http di Angular! fallout boy

👨‍💻


    //..
    export class AppService {
   private _userSignal = signal<UserInterface>({ /* some initial value... */ });
   userSignal = computed(() => this._userSignal);
   constructor(private http: HttpClient) {}
      fetchUser() {
        this.http
          .get<UserInterface>("https://...")
          .subscribe((user) => {
        this._userSignal.set(user);
          });
      }
    }
  
La scelta di utilizzare computed è per evitare che venga modificato il valore dall’esterno del service

👨‍💻


    @Component({
      /* ... */
    })
    export class AppComponent {
      userServiceSignal = this.appService.userSignal();

      constructor(private appService: AppService) {}

      fetchUser(): void {
        this.appService.fetchUser();
      }
    }
  

👨‍💻


    <h1>User Profile</h1>
    @if (userServiceSignal().id !== 0) {
      <h3>{{ userServiceSignal().name }}</h3>
      <p>{{ userServiceSignal().email }}</p>
    } @else {
      <button (click)="fetchUser()">Fetch User</button>
    }
  
Altro? 🤔 Con RxJS ed i websocket! fallout boy

Service 👨‍💻


    //..
    export class ChatService {
      private _messagesSignal = signal<string[]>([]);
      messagesSignal = computed(() => this._messagesSignal);
      private socket$ = webSocket<string>("ws://localhost:3000");
      constructor() {
        this.socket$.subscribe((message) => {
          return this._messagesSignal.update((messages) => [...messages, message]);
        });
      }
      sendMessage(msg: string) {
        this.socket$.next(msg);
      }
    }
  

Component 👨‍💻


    //..
    export class ChatComponent {
      message = '';
      messageReceived = this.chatService.messagesSignal();
      constructor(private chatService: ChatService) {}

      sendMessage() {
        this.chatService.sendMessage(this.message);
        this.message = '';
      }
    }

  

Template 👨‍💻


        <ul>
          @for (message of messageReceived(); track $index) {
          <li>{{ message }}</li>
          } @empty {
          <li>No messages</li>
          }
          <input [(ngModel)]="message" />
          <button [disabled]="!message" (click)="sendMessage()">Send</button>
        </ul>
      
Altro? 🤔 Altro! cool meme gif

Ogni tipo di operazione sincrona può essere effettuata con i signal 📡

🙌 Ad esempio 🙌

Ultime novità

Signal Input

Some code 👨‍💻

 
    export class InputComponent {
      firstName = input<string>();
      // required inputs
      lastName = input.required<string>();
    }
   
    <app-input lastName="Doe"></app-input>   
E’ possibile effettuare operazioni di trasformazione alla ricezione dell’input tramite la proprietà transform
🧙‍♂️

Some code 👨‍💻

 
    export class InputComponent {
      firstName = input<number, string>(0, {
        alias: "first",
        transform: (value) => value.length,
      });
    }
  
    <app-input first="Marco" /> 
    // Output 5 
  
Signal-based queries
🔎
viewChild / viewChildren
contentChild / contentChildren

Some code 👨‍💻

 @Component({
      template: `<h1>SomeComponent</h1>
        <app-input lastName="Pollacci" />`,
      imports: [InputComponent],
    })
    export class SomeComponent {
    childComponent = viewChild(InputComponent);
    constructor() {
        effect(() => console.log(this.childComponent()!.LastName()));
        // Output: Pollacci
      }
    }
Signal Model Input

Sono un tipo speciale di input che consentono a un componente di propagare nuovi valori al componente padre


    import {Component, model, input} from '@angular/core';
    @Component({...})
    export class CustomCheckbox {
      // This is a model input.
      checked = model(false);

      // This is a standard input.
      disabled = input(false);
    }
  
Sono in tutto e per tutto uguali agli input (possono essere usati in funzioni computed ed effect)
Signal Model Input

Two way binding


    @Component({
      // ...
      // `checked` is a model input.
      // The parenthesis-inside-square-brackets syntax creates a two-way binding
      template: '<custom-checkbox [(checked)]="isAdmin" />',
    })
    export class UserProfile {
      protected isAdmin = false;
    }
  
Signal Model Input

Angular crea automaticamente un output che viene usato come suffisso "Change"


    @Directive({...})
    export class CustomCheckbox {
      // This automatically creates an output named "checkedChange".
      // Can be subscribed to using `(checkedChange)="handler()"` in the template.
      checked = model(false);
    }
  
❗ Principali differenze ❗
thatsall

You can see this slide on

qrcode https://marcopollacci.github.io/angular-signal/
Thank you again!
me Marco Pollacci Senior Software Developer @GELLIFY
qr