In this article I will explain with an example, how to read (get) value from AppSettings.json file inside Startup.cs class in .Net Core and ASP.Net Core MVC.
Microsoft has replaced System.Configuration class with IConfiguration interface in .Net Core 2.0.
 
 
What is IConfiguration
The IConfiguration is an interface for .Net Core 2.0.
The IConfiguration interface need to be injected as dependency in the Controller and then later used throughout the Controller.
The IConfiguration interface is used to read Settings and Connection Strings from AppSettings.json file.
 
 
Namespaces
You will need to import the following namespace.
using Microsoft.Extensions.Configuration;
 
 
Adding the AppSettings.json file
In order to add AppSettings.json file, right click on the Project in Solution Explorer. Then click Add, then New Item and then choose App Settings File option (shown below) and click Add button.
.Net Core: Read (Get) value from AppSettings.json inside Startup.cs
 
Once the File is created, it will have a DefaultConnection, below that a new AppSettings entry is added.
{
 "ConnectionStrings": {
    "DefaultConnection": "Server=(localdb)\\MSSQLLocalDB;Database=_CHANGE_ME;Trusted_Connection=True;MultipleActiveResultSets=true"
 },
 "AppSettings": {
    "AppName": "Test App",
    "Site""ASPSnippets"
 }
}
 
 
Reading value from AppSettings.json file inside Startup class
In the below example, the IConfiguration is injected in the Startup class and assigned to the private property Configuration.
Then inside the ConfigureServices method, the AppSettings are read from the AppSettings.json file using the GetSection function.
public class Startup
{
    public Startup(IConfiguration configuration)
    {
        Configuration = configuration;
    }
 
    public IConfiguration Configuration { get; }
 
    // This method gets called by the runtime. Use this method to add services to the container.
    // For more information on how to configure your application, visit https://go.microsoft.com/fwlink/?LinkID=398940
    public void ConfigureServices(IServiceCollection services)
    {
        services.AddMvc();
        string appName = this.Configuration.GetSection("AppSettings")["AppName"];
        string site = this.Configuration.GetSection("AppSettings")["Site"];
    }
 
    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IHostingEnvironment env)
    {
        app.UseMvc(routes =>
        {
            routes.MapRoute(
                name: "default",
                template: "{controller=Home}/{action=Index}/{id?}");
        });
    }
}
 
 
Screenshot
.Net Core: Read (Get) value from AppSettings.json inside Startup.cs
 
 
Downloads