类库是否可以有App.config文件?

时间:2011-01-27 13:41:19

标签: c# winforms app-config

以下是我的解决方案目前的样子:

enter image description here

在Tutomentor.Branding项目中,我想在App.config文件中保存品牌信息,如名称,颜色等。

在Tutomentor.Data项目中,当我添加实体.edmx模型文件时创建了App.config。

这可能吗?有什么建议吗?

部署时,输出会将这些App.config文件组合成一个吗?

7 个答案:

答案 0 :(得分:45)

不,类库可以保存设置文件,但它们的值将在应用程序配置中定义(web.config,app.config ...)。

这是因为配置设置覆盖功能。

您需要在应用程序的app.config或web.config(WPF,SL,ASP.NET ...)中声明程序集的配置部分,并为在中定义的特定数量的设置定义值。正确的装配设置。

编辑: 将设置文件添加到项目中并添加具有应用程序范围的设置,您的程序集将具有以下内容:

<?xml version="1.0" encoding="utf-8" ?>
<configuration>
    <configSections>
        <sectionGroup name="applicationSettings" type="System.Configuration.ApplicationSettingsGroup, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" >
            <section name="Assembly1.Settings1" type="System.Configuration.ClientSettingsSection, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" requirePermission="false" />
        </sectionGroup>
    </configSections>
    <applicationSettings>
        <Assembly1.Settings1>
            <setting name="settingA" serializeAs="String">
                <value>a value</value>
            </setting>
        </Assembly1.Settings1>
    </applicationSettings>
</configuration> 

现在您需要转到您的应用程序,并且需要复制粘贴节组,节声明以及设置值的定义。就这样。

答案 1 :(得分:38)

虽然这是一个较旧的主题,但它确实是另一种看法。

您似乎可能希望以不同的方式查看问题。

本质上的类库应该是可移植的。因此,任何所需的配置都应该传递给类,而不是驻留在库中。像连接字符串这样的东西本质上是暂时的,因此将它们放在拥有的应用程序中是有意义的。

使用库中包含的方法时,您可以将任何所需信息作为方法签名的一部分传递,或者作为类中的公共属性传递。我建议您为配置项创建公共属性,并在实例化类时传递它们。

现在,您对DLL的app.config没有任何问题,因此DLL可以真正移植。

答案 2 :(得分:6)

只需创建自己的XML文件,将其命名为appConfig.xml或类似内容,让您的类库使用System.Xml而不是System.Configuration读取文件,并将文件与您的dll一起打包。

答案 3 :(得分:4)

来自库app.config的任何特定配置,您必须手动输入您的exe配置文件。

答案 4 :(得分:1)

您可以添加设置文件,该文件将自动生成app.config文件。 Visual C# Items

并且可以以表格形式添加具有指定数据类型的键值对。 然后通过调用Settings.Default访问这些值。[KEY]

可以推荐:https://www.technical-recipes.com/2018/creating-a-user-settings-class-library-for-your-c-project/

答案 5 :(得分:0)

只需使用此公共配置来处理类lib中的服务注入;

public void ConfigureServices(IServiceCollection services)
        {
            services.AddDbContext<AppDBContext>(options =>
            {
                options.UseSqlServer(Configuration.GetConnectionString("DefaultConnection"),
                    assembly => assembly.MigrationsAssembly(typeof(AppDBContext).Assembly.FullName));
            });

            services.AddScoped<IUsersRepository, UsersRepository>();

            services.AddCors(o => o.AddPolicy("MyPolicy", builder =>
            {
                builder.AllowAnyOrigin()
                       .AllowAnyMethod()
                       .AllowAnyHeader();
            }));

            // configure strongly typed settings objects
            var appSettingsSection = Configuration.GetSection("AppSettings");
            services.Configure<AppSettings>(appSettingsSection);

            // configure jwt authentication
            var appSettings = appSettingsSection.Get<AppSettings>();
            var key = Encoding.ASCII.GetBytes(appSettings.Secret);
            services.AddAuthentication(x =>
            {
                x.DefaultAuthenticateScheme = JwtBearerDefaults.AuthenticationScheme;
                x.DefaultChallengeScheme = JwtBearerDefaults.AuthenticationScheme;
            })
            .AddJwtBearer(x =>
            {
                x.RequireHttpsMetadata = false;
                x.SaveToken = true;
                x.TokenValidationParameters = new TokenValidationParameters
                {
                    ValidateIssuerSigningKey = true,
                    IssuerSigningKey = new SymmetricSecurityKey(key),
                    ValidateIssuer = false,
                    ValidateAudience = false
                };
            });
            services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_2);
        }

        // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
        public void Configure(IApplicationBuilder app, IHostingEnvironment env)
        {
            if (env.IsDevelopment())
            {
                app.UseDeveloperExceptionPage();
            }
            else
            {
                // The default HSTS value is 30 days. You may want to change this for production scenarios, see https://aka.ms/aspnetcore-hsts.
                app.UseHsts();
            }
            app.UseCors("MyPolicy");
            app.UseHttpsRedirection();
            app.UseAuthentication();
            app.UseMvc();

        }

appsettingjson文件:

{
      "Logging": {
        "LogLevel": {
          "Default": "Warning"
        }
      },
      "ConnectionStrings": {
        "DefaultConnection": "server=.;database=TestAPP;User ID=yener1;password=yener1;"
      },
      "AppSettings": {
        "Secret": "REPLACE THIS WITH YOUR OWN SECRET, IT CAN BE ANY STRING"
      },
      "AllowedHosts": "*"

}

//评论

  public static class Hasher
    {
        public static string ToEncrypt<T>(this T value)
        {
            using (var sha256 = SHA256.Create())
            {
                // Send a sample text to hash.  
                var hashedBytes = sha256.ComputeHash(Encoding.UTF8.GetBytes(value.ToString()));
                // Get the hashed string.  
                return BitConverter.ToString(hashedBytes).Replace("-", "").ToLower();
            }
        }
    }
public class AppDBContext : DbContext
{
    public AppDBContext(DbContextOptions options)
        : base(options)
    {
    }
    protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
    {
        base.OnConfiguring(optionsBuilder);
    }

    protected override void OnModelCreating(ModelBuilder builder)
    {
        base.OnModelCreating(builder);
    }

    public DbSet<Users> Users { get; set; }
//BLL
    public class UsersRepository : IUsersRepository
    {
        private readonly AppDBContext _context;
        public UsersRepository(AppDBContext context)
        {
            _context = context;
        }
        public async Task<IEnumerable<Users>> GetUsers()
        {
            return await _context.Users.ToListAsync();
        }


[AllowAnonymous]
        [HttpPost("authenticate")]
        public IActionResult Authenticate([FromBody]UserDto userDto)
        {
            var user = _userService.Authenticate(userDto.Username, userDto.Password);

            if (user == null)
                return BadRequest("Username or password is incorrect");

            var tokenHandler = new JwtSecurityTokenHandler();
            var key = Encoding.ASCII.GetBytes(_appSettings.Secret);
            var tokenDescriptor = new SecurityTokenDescriptor
            {
                Subject = new ClaimsIdentity(new Claim[] 
                {
                    new Claim(ClaimTypes.Name, user.Id.ToString())
                }),
                Expires = DateTime.UtcNow.AddDays(7),
                SigningCredentials = new SigningCredentials(new SymmetricSecurityKey(key), SecurityAlgorithms.HmacSha256Signature)
            };
            var token = tokenHandler.CreateToken(tokenDescriptor);
            var tokenString = tokenHandler.WriteToken(token);

            // return basic user info (without password) and token to store client side
            return Ok(new {
                Id = user.Id,
                Username = user.Username,
                FirstName = user.FirstName,
                LastName = user.LastName,
                Token = tokenString
            });
        }

答案 6 :(得分:-1)

类库不能拥有自己的app.config,但是如果您从app.config中的类库中为exe文件定义设置,那么类库应该能够找到那些.. < / p>

我有点不确定,但我不认为它会自动合并它们我想我必须手动做!