在閱讀本文章以前,你能夠先閱讀:函數
Microsoft.Extensions.DependencyInjection是.NET Core內置依賴注入模塊。this
首先,在Startup.ConfigureServices方法中,將Knife,Actor註冊到服務容器中。spa
public void ConfigureServices(IServiceCollection services) { services.AddTransient<Actor>(); services.AddTransient<Knife>(); services.AddControllers(); services.AddSwaggerGen(c => { c.SwaggerDoc("v1", new OpenApiInfo { Title = "Example.DependencyInjection.WebApi", Version = "v1" }); }); }
而後,增長HomeController,執行actor.Kill。調試
using Microsoft.AspNetCore.Mvc; using System; namespace Autofac.WebApi.Controllers { [Route("[controller]")] [ApiController] public class HomeController : Controller { private readonly Actor actor; public HomeController(Actor actor) { this.actor = actor ?? throw new ArgumentNullException(nameof(actor)); } [HttpGet] public string Get() { return actor.Kill(); } } }
啓動調試,讓咱們來看看輸出結果:code
小明用刀殺怪
首先,分別建三個表明生命週期的類,MySingletonService,MyScopedService,MyTransientService。生命週期
namespace Example.DependencyInjection.WebApi { public class MySingletonService { } public class MyScopedService { } public class MyTransientService { } }
而後,在Startup.ConfigureServices方法中,將MySingletonService,MyScopedService,MyTransientService註冊到服務容器中。作用域
services.AddSingleton<MySingletonService, MySingletonService>(); services.AddScoped<MyScopedService, MyScopedService>(); services.AddTransient<MyTransientService, MyTransientService>();
最後,HomeController增長GetServiceLifetime方法。string
[Route("ServiceLifetime")] [HttpGet] public List<string> GetServiceLifetime([FromServices] MySingletonService singleton1, [FromServices] MySingletonService singleton2, [FromServices] MyScopedService scoped1, [FromServices] MyScopedService scoped2, [FromServices] MyTransientService transient1, [FromServices] MyTransientService transient2) { var s = new List<string>(); s.Add($"singleton1:{singleton1.GetHashCode()}"); s.Add($"singleton2:{singleton2.GetHashCode()}"); s.Add($"scoped1:{scoped1.GetHashCode()}"); s.Add($"scoped2:{scoped2.GetHashCode()}"); s.Add($"transient1:{transient1.GetHashCode()}"); s.Add($"transient2:{transient2.GetHashCode()}"); return s; }
啓動調試,執行兩遍,讓咱們來看看輸出結果: 第一遍:it
[ "singleton1:65122748", "singleton2:65122748", "scoped1:52786977", "scoped2:52786977", "transient1:16782441", "transient2:16991442" ]
第二遍:io
[ "singleton1:65122748", "singleton2:65122748", "scoped1:56140151", "scoped2:56140151", "transient1:1997173", "transient2:54718731" ]
從結果咱們發現:
注意例子中,咱們使用經過 [FromServices] 注入的,另外咱們也能夠選擇經過 controller 構造函數注入,這是在 controller 中有兩種依賴注入的實例的獲取方式。