


Pass manual injector to the toSignal function to avoid outside Context Injection error
Required signal input can not be used in the constructor or field initializer because the value is unavailable. To access the value, my solution is to watch the signal change in effect, make an HTTP request to the server, and set the signal's value. There are many discussions on not using the effect, and I must find other solutions to remove it.
Required signal inputs are accessible in the ngOnInit and ngOnChanges lifecycle methods. However, toSignal throws errors in them because they are outside the injection context. It can be fixed in two ways:
- Pass the manual injector to the toSignal function
- Execute the toSignal function in the callback function of runInInjectionContext.
Use signal input in effect (To be changed later)
import { Component, effect, inject, Injector, input, signal } from '@angular/core'; import { getPerson, Person } from './star-war.api'; import { StarWarPersonComponent } from './star-war-person.component'; @Component({ selector: 'app-star-war', standalone: true, imports: [StarWarPersonComponent], template: ` <p>Jedi Id: {{ jedi() }}</p> <app-star-war-person [person]="fighter()" kind="Jedi Fighter" />`, }) export class StarWarComponent { // required signal input jedi = input.required<number>(); injector = inject(Injector); fighter = signal<Person | undefined>(undefined); constructor() { effect((OnCleanup) => { const sub = getPerson(this.jedi(), this.injector) .subscribe((result) => this.fighter.set(result)); OnCleanup(() => sub.unsubscribe()); }); } }
The code changes are the following:
- Create a StarWarService to call the API and return the Observable
- The StarWarComponent implements the OnInit interface.
- Use the inject function to inject the Injector of the component
- In ngOnInit, call the StarWar API using the required signal input and create a signal from the Observable. To avoid the error, pass the manual injector to the toSignal function.
- In ngOnInit, the runInInjectionContext function calls the toSignal function in the context of the injector.
Create StarWarService
export type Person = { name: string; height: string; mass: string; hair_color: string; skin_color: string; eye_color: string; gender: string; films: string[]; }
import { HttpClient } from "@angular/common/http"; import { inject, Injectable } from "@angular/core"; import { catchError, Observable, of, tap } from "rxjs"; import { Person } from "./person.type"; const URL = 'https://swapi.dev/api/people'; @Injectable({ providedIn: 'root' }) export class StarWarService { private readonly http = inject(HttpClient); getData(id: number): Observable<Person | undefined> { return this.http.get<Person>(`${URL}/${id}`).pipe( tap((data) => console.log('data', data)), catchError((err) => { console.error(err); return of(undefined); })); } }
Create a StarWarService with a getData method to call the StarWar API to retrieve a person. The result is an Observable of a person or undefined.
Required Signal Input
import { Component, input } from '@angular/core'; @Component({ selector: 'app-star-war', standalone: true, template: ` <p>Jedi Id: {{ jedi() }}</p> <p>Sith Id: {{ sith() }}</p> `, }) export class StarWarComponent implements OnInit { // required signal input jedi = input.required<number>(); // required signal input sith = input.required<number>(); ngOnInit(): void {} }
Both jedi and sith are required signal inputs; therefore, I cannot use them in the constructor or call toSignal with the service to initialize fields.
I implement the OnInit interface and access both signal inputs in the ngOnInit method.
Prepare the App Component
import { Component, VERSION } from '@angular/core'; import { StarWarComponent } from './star-war.component'; @Component({ selector: 'app-root', standalone: true, imports: [StarWarComponent], template: ` <app-star-war [jedi]="1" [sith]="4" /> <app-star-war [jedi]="10" [sith]="44" />`, }) export class App {}
App component has two instances of StarWarComponent. The jedi id of the first instance is 1 and the id of the second instance is 10. The sith id of the instances are 4 and 44 respectively.
Pass manual injector to toSignal to query a jedi fighter
export class StarWarComponent implements OnInit { // required signal input jedi = input.required<number>(); starWarService = inject(StarWarService); injector = inject(Injector); light!: Signal<Person | undefined>; }
In the StarWarComponent component, I inject the StarWarService and the component's injector. Moreover, I declare a light Signal to store the result returned from the toSignal function.
interface ToSignalOptions<T> { initialValue?: unknown; requireSync?: boolean; injector?: Injector; manualCleanup?: boolean; rejectErrors?: boolean; equal?: ValueEqualityFn<T>; }
The ToSignalOptions option has an injector property. When using the toSignal function outside the injection context, I can pass the component's injector to the option.
export class StarWarComponent implements OnInit { // required signal input jedi = input.required<number>(); starWarService = inject(StarWarService); injector = inject(Injector); light!: Signal<Person | undefined>; ngOnInit(): void { this.light = toSignal(this.starWarService.getData(this.jedi()), { injector: this.injector }); } }
In the ngOnInit method, I call the service to obtain an Observable, and use the toSignal function to create a signal. The second argument is an option with the component's injector.
<app-star-war-person [person]="light()" kind="Jedi Fighter" />
Next, I pass the light signal to the StarWarPersonComponent component to display the details of a Jedi fighter.
runInInjectionContext executes toSignal in the component’s injector
export class StarWarComponent implements OnInit { // required signal input sith = input.required<number>(); starWarService = inject(StarWarService); injector = inject(Injector); evil!: Signal<Person | undefined>; ngOnInit(): void { // this also works runInInjectionContext(this.injector, () => { this.evil = toSignal(this.starWarService.getData(this.sith())); }) } }
I declare an evil Signal to store the result returned from the toSignal function. The first argument of the runInInjectionContext is the component's injector. The second argument is a callback function that executes the toSignal function and assigns the person to the evil variable.
<app-star-war-person [person]="evil()" kind="Sith Lord" />
Next, I pass the evil signal to the StarWarPersonComponent component to display the details of the Sith Lord.
If a component has required signal inputs, I can access the values in the ngOnInit or ngOnChanges to make HTTP requests or other operations. Then, I don't need to create an effect to watch the required signals and call the backend.
Conclusions:
- Required signal input cannot be called in the constructor because the value is unavailable at that time.
- The required signal inputs can be used in the ngOnInit or ngOnChanges methods.
- toSignal throws errors in the ngOnInit and ngOnChanges methods because it runs outside of the injection context
- Pass the manual injector to the injector option of ToSignalOptions
- Call the toSignal function in the callback function of runInInjectionContext function.
This wraps up day 33 of the ironman challenge.
References:
- toSignal official documentation: https://angular.dev/guide/signals/rxjs-interop#injection-context
- ToSignalOptions: https://angular.dev/api/core/rxjs-interop/ToSignalOptions#
- RunInInjectionContext: https://angular.dev/api/core/rxjs-interop/ToSignalOptions#
- GitHub Issue: https://github.com/angular/angular/issues/50947
- Stackblitz Demo: https://stackblitz.com/edit/stackblitz-starters-xsitft?file=src%2Fstar-war.component.ts
以上是Pass manual injector to the toSignal function to avoid outside Context Injection error的详细内容。更多信息请关注PHP中文网其他相关文章!

热AI工具

Undresser.AI Undress
人工智能驱动的应用程序,用于创建逼真的裸体照片

AI Clothes Remover
用于从照片中去除衣服的在线人工智能工具。

Undress AI Tool
免费脱衣服图片

Clothoff.io
AI脱衣机

Video Face Swap
使用我们完全免费的人工智能换脸工具轻松在任何视频中换脸!

热门文章

热工具

记事本++7.3.1
好用且免费的代码编辑器

SublimeText3汉化版
中文版,非常好用

禅工作室 13.0.1
功能强大的PHP集成开发环境

Dreamweaver CS6
视觉化网页开发工具

SublimeText3 Mac版
神级代码编辑软件(SublimeText3)

Python更适合初学者,学习曲线平缓,语法简洁;JavaScript适合前端开发,学习曲线较陡,语法灵活。1.Python语法直观,适用于数据科学和后端开发。2.JavaScript灵活,广泛用于前端和服务器端编程。

JavaScript在Web开发中的主要用途包括客户端交互、表单验证和异步通信。1)通过DOM操作实现动态内容更新和用户交互;2)在用户提交数据前进行客户端验证,提高用户体验;3)通过AJAX技术实现与服务器的无刷新通信。

JavaScript在现实世界中的应用包括前端和后端开发。1)通过构建TODO列表应用展示前端应用,涉及DOM操作和事件处理。2)通过Node.js和Express构建RESTfulAPI展示后端应用。

理解JavaScript引擎内部工作原理对开发者重要,因为它能帮助编写更高效的代码并理解性能瓶颈和优化策略。1)引擎的工作流程包括解析、编译和执行三个阶段;2)执行过程中,引擎会进行动态优化,如内联缓存和隐藏类;3)最佳实践包括避免全局变量、优化循环、使用const和let,以及避免过度使用闭包。

Python和JavaScript在社区、库和资源方面的对比各有优劣。1)Python社区友好,适合初学者,但前端开发资源不如JavaScript丰富。2)Python在数据科学和机器学习库方面强大,JavaScript则在前端开发库和框架上更胜一筹。3)两者的学习资源都丰富,但Python适合从官方文档开始,JavaScript则以MDNWebDocs为佳。选择应基于项目需求和个人兴趣。

Python和JavaScript在开发环境上的选择都很重要。1)Python的开发环境包括PyCharm、JupyterNotebook和Anaconda,适合数据科学和快速原型开发。2)JavaScript的开发环境包括Node.js、VSCode和Webpack,适用于前端和后端开发。根据项目需求选择合适的工具可以提高开发效率和项目成功率。

C和C 在JavaScript引擎中扮演了至关重要的角色,主要用于实现解释器和JIT编译器。 1)C 用于解析JavaScript源码并生成抽象语法树。 2)C 负责生成和执行字节码。 3)C 实现JIT编译器,在运行时优化和编译热点代码,显着提高JavaScript的执行效率。

Python更适合数据科学和自动化,JavaScript更适合前端和全栈开发。1.Python在数据科学和机器学习中表现出色,使用NumPy、Pandas等库进行数据处理和建模。2.Python在自动化和脚本编写方面简洁高效。3.JavaScript在前端开发中不可或缺,用于构建动态网页和单页面应用。4.JavaScript通过Node.js在后端开发中发挥作用,支持全栈开发。
