web-dev-qa-db-ja.com

クラスライブラリにApp.configファイルを含めることはできますか?

現在、私のソリューションは次のようになっています。

enter image description here

Tutomentor.Brandingプロジェクトでは、名前、色などのブランド情報をApp.configファイルに保存したいと思います。

Tutomentor.Dataプロジェクトでは、エンティティ.edmxモデルファイルを追加したときにApp.configが作成されました。

これは可能ですか?推奨事項はありますか?

デプロイ時に、これらのApp.configファイルを単一のファイルに結合しますか?

45
delete

いいえ、クラスライブラリは設定ファイルを保持できますが、それらの値はアプリケーション構成(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> 

次に、アプリケーションに移動し、セクショングループ、セクション宣言、および設定値の定義をコピーして貼り付ける必要があります。それで全部です。

46

これは古いスレッドですが、別の外観を保証します。

別の方法で問題を確認することもできます。

クラスライブラリは本来、移植性があると想定されています。したがって、必要な構成は、ライブラリに常駐するのではなく、クラスに渡す必要があります。接続文字列のようなものは本質的に一時的なものであるため、所有アプリケーションに接続することは理にかなっています。

ライブラリに含まれるメソッドを利用する場合、必要な情報をメソッドの署名の一部として、またはクラスのパブリックプロパティとして渡します。構成アイテムのパブリックプロパティを作成し、クラスをインスタンス化するときにそれらを渡すことをお勧めします。

これで、DLLのapp.configに問題はなくなり、DLLは本当に移植可能になりました。

41
Joseph Korinek

独自のXMLファイルを作成し、appConfig.xmlまたは同様の名前を付け、クラスライブラリにSystem.ConfigurationではなくSystem.Xmlを使用してファイルを読み取らせ、dllとともにファイルをパッケージ化します。

6
MPO

ライブラリapp.configの特定の構成は、exe構成ファイルに手動で配置する必要があります。

4
saku

この共通の構成を使用して、クラスlibのサービスのd.injectionを処理します。

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
            });
        }
0

App.configファイルを自動的に生成する設定ファイルを追加できます。 Visual C# Items

また、指定されたデータ型の表形式でキーと値のペアを追加できます。次に、Settings.Default。[KEY]を呼び出して値にアクセスします

参照できます: https://www.technical-recipes.com/2018/creating-a-user-settings-class-library-for-your-c-project/

0
Roger Fernandes