ASP.NET Core Controllerで次のような日付を取得します。
public class MyController:Controller{
public IActionResult Test(DateTime date) {
}
}
フレームワークは日付を解析できますが、英語形式のみです。日付パラメータとして04.12.2017を渡すと、2017年12月4日を意味します。これは英語の日付として解析されるため、日付オブジェクトは2017年4月12日の値です。 this 記事と this のみを使用してドイツ語を追加しようとしましたが、成功しませんでした。
ASP.NET Coreが正しいドイツ語形式で日付を自動的に解析するために何をする必要がありますか?
UpdateRequestLocalizationOptionsを設定しようとしました
services.Configure<RequestLocalizationOptions>(opts =>
{
var supportedCultures = new[]
{
new CultureInfo("de-DE"),
};
opts.DefaultRequestCulture = new RequestCulture("de-DE");
// Formatting numbers, dates, etc.
opts.SupportedCultures = supportedCultures;
// UI strings that we have localized.
opts.SupportedUICultures = supportedCultures;
});
まだ動かない。 example.com/Test?date=12.04.2017を呼び出して、デバッガでこれを取得しました。
public IActionResult Test(DateTime date) {
string dateString = date.ToString("d"); // 04.12.2016
string currentDateString = DateTime.Now.ToString("d"); // 14.01.2016
return Ok();
}
同じ問題がありました。リクエスト本文にDateTimeを渡すことは正常に機能しますが(Jsonコンバーターがこのスタッフを処理するため)、クエリ文字列にDateTimeをパラメーターとして渡すには、いくつかの文化的な問題があります。
「すべての要求の文化を変更する」アプローチは好きではありませんでした。これは、他のタイプの解析に影響を与える可能性があるためです。これは望ましくありません。
したがって、私の選択は、IModelBinderを使用してデフォルトのDateTimeモデルバインディングをオーバーライドすることでした。 https://docs.Microsoft.com/en-us/aspnet/core/mvc/advanced/custom-model-binding
私がしたこと:
1)カスタムバインダーを定義します( 'out'パラメーターのc#7構文が使用されます):
public class DateTimeModelBinder : IModelBinder
{
public Task BindModelAsync(ModelBindingContext bindingContext)
{
if (bindingContext == null)
throw new ArgumentNullException(nameof(bindingContext));
// Try to fetch the value of the argument by name
var modelName = bindingContext.ModelName;
var valueProviderResult = bindingContext.ValueProvider.GetValue(modelName);
if (valueProviderResult == ValueProviderResult.None)
return Task.CompletedTask;
bindingContext.ModelState.SetModelValue(modelName, valueProviderResult);
var dateStr = valueProviderResult.FirstValue;
// Here you define your custom parsing logic, i.e. using "de-DE" culture
if (!DateTime.TryParse(dateStr, new CultureInfo("de-DE"), DateTimeStyles.None, out DateTime date))
{
bindingContext.ModelState.TryAddModelError(bindingContext.ModelName, "DateTime should be in format 'dd.MM.yyyy HH:mm:ss'");
return Task.CompletedTask;
}
bindingContext.Result = ModelBindingResult.Success(date);
return Task.CompletedTask;
}
}
2)バインダーのプロバイダーを定義します。
public class DateTimeModelBinderProvider : IModelBinderProvider
{
public IModelBinder GetBinder(ModelBinderProviderContext context)
{
if (context == null)
{
throw new ArgumentNullException(nameof(context));
}
if (context.Metadata.ModelType == typeof(DateTime) ||
context.Metadata.ModelType == typeof(DateTime?))
{
return new DateTimeModelBinder();
}
return null;
}
}
3)最後に、ASP.NET Coreで使用されるプロバイダーを登録します。
services.AddMvc(options =>
{
options.ModelBinderProviders.Insert(0, new DateTimeModelBinderProvider());
});
これで、DateTimeが期待どおりに解析されます。
応答の日付をフォーマットしたいので、ConfigureServicesメソッドで次のことを行いました。
services.AddMvc()
.AddJsonOptions(options =>
{
options.SerializerSettings.DateFormatString = "mm/dd/yy, dddd";
});
お役に立てば幸いです。
MVCは常に、ルートデータとクエリ文字列(URLに含まれるパラメーター)にInvariantCulture
を使用しています。その背後にある理由は、ローカライズされたアプリケーションのURLはユニバーサルでなければならないということです。それ以外の場合、1つのURLはユーザーロケールに応じて異なるデータを提供できます。
クエリを置き換え、ValueProviderFactoriesを現在のカルチャを尊重する独自のものにルーティングすることができます(またはmethod="POST"
フォームで)
public class CustomValueProviderFactory : IValueProviderFactory
{
public Task CreateValueProviderAsync(ValueProviderFactoryContext context)
{
if (context == null)
{
throw new ArgumentNullException(nameof(context));
}
var query = context.ActionContext.HttpContext.Request.Query;
if (query != null && query.Count > 0)
{
var valueProvider = new QueryStringValueProvider(
BindingSource.Query,
query,
CultureInfo.CurrentCulture);
context.ValueProviders.Add(valueProvider);
}
return Task.CompletedTask;
}
}
services.AddMvc(opts => {
// 2 - Index QueryStringValueProviderFactory
opts.ValueProviderFactories[2] = new CustomValueProviderFactory();
})
追伸それは合理的な動作ですが、ドキュメントがこの非常に重要なことを扱っていない理由がわかりません。
日時にカスタムTypeConverter
を使用することを検討してください( Source ):
using System;
using System.ComponentModel;
using System.Globalization;
using System.Drawing;
public class DeDateTimeConverter : TypeConverter {
// Overrides the CanConvertFrom method of TypeConverter.
// The ITypeDescriptorContext interface provides the context for the
// conversion. Typically, this interface is used at design time to
// provide information about the design-time container.
public override bool CanConvertFrom(ITypeDescriptorContext context,
Type sourceType) {
if (sourceType == typeof(string)) {
return true;
}
return base.CanConvertFrom(context, sourceType);
}
// Overrides the ConvertFrom method of TypeConverter.
public override object ConvertFrom(ITypeDescriptorContext context,
CultureInfo culture, object value) {
if (value is string) {
if (DateTime.TryParse(((string)value), new CultureInfo("de-DE") /*or use culture*/, DateTimeStyles.None, out DateTime date))
return date;
}
return base.ConvertFrom(context, culture, value);
}
}
プロパティでTypeConverter
属性を使用します。
[TypeConverter(typeof(DeDateTimeConverter))]
public DateTime CustomDateTime { get; set; }
更新
私の経験と この回答 と@zdeněkコメントのおかげで、TypeConverter属性は機能せず、TypeConverterをStartup.cs
に登録する必要があります。
TypeDescriptor.AddAttributes(typeof(DateTime), new TypeConverterAttribute(typeof(DeDateTimeConverter)));
ジェネリックStatusCodeメソッドを使用してこの呼び出しを行うことを気にしない場合は、次のようなことができます。
internal IActionResult CreateResponse(int code, object content = null)
{
Type t = content?.GetType();
bool textContent = t == typeof(string) || t == typeof(bool);
//
JsonSerializerSettings dateFormatSettings = new JsonSerializerSettings
{
DateFormatString = myDateFormat
};
string bodyContent = content == null || string.IsNullOrWhiteSpace(content + "")
? null
: textContent
? content + ""
: JsonConvert.SerializeObject(content, dateFormatSettings);
ObjectResult or = base.StatusCode(code, bodyContent);
string mediaType =
!textContent
? "application/json"
: "text/plain";
or.ContentTypes.Add(new MediaTypeHeaderValue(mediaType));
return or;
}
これを基本クラスに追加して、次のように呼び出すことができます。
return base.CreateResponse(StatusCodes.Status200OK, new { name = "My Name", age = 23});
独自のOk、BadRequestなどのメソッドを作成するかどうかはあなた次第ですが、私にとってはこれが機能し、他の人に役立つことを願っています。リクエストのほとんどがGETである場合、デフォルトのintコード= 200でさえできます。このコードは、文字列、ブール値、またはカスタムオブジェクトのいずれかで応答することを前提としていますが、Type.GetTypeInfo()。IsPrimitiveをチェックし、さらにdecimal、string、DateTime、TimeSpan、DateTimeOffsetのチェックを行うことで、すべてのプリミティブを簡単に処理できます、またはGuid。
私は同じ問題を抱えていた広告がほとんど怒った。私はすべてをサックなしで試しました。最初に、私の問題の一部を解決する回避策を見つけました。
回避策:
string data1
string horainicio
string horafim
var ageData = new AgendaData();
var user = await _userManager.GetUserAsync(User);
string usuario = user.Id;
int empresa = user.IdEmpresa;
int Idprospect = Convert.ToInt32(prospect);
int minutos = 0;
var tipoAgenda = TipoAgenda.Contato;
var provider = CultureInfo.InvariantCulture;
provider = new CultureInfo("en-US");
string formato = "dd/MM/yyyy HH:mm";
var dataInicio = DateTime.ParseExact(data1 + " " + horainicio, formato, provider);
var dataFim = DateTime.ParseExact(data1 + " " + horafim, formato, provider);
var dataAlerta = dataInicio.AddMinutes(-minutos);
しかし、この方法では、不変文化をすべての日付時刻に設定する必要があります。 startup.csのconfigureでカルチャを設定するソリューションが見つかりました。
startup.csにカルチャを設定
public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory, CRMContext context)
{
loggerFactory.AddConsole(Configuration.GetSection("Logging"));
loggerFactory.AddDebug();
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
app.UseDatabaseErrorPage();
app.UseBrowserLink();
}
else
{
app.UseExceptionHandler("/Home/Error");
}
//Fixar Cultura para en-US
RequestLocalizationOptions localizationOptions = new RequestLocalizationOptions
{
SupportedCultures = new List<CultureInfo> { new CultureInfo("en-US") },
SupportedUICultures = new List<CultureInfo> { new CultureInfo("en-US") },
DefaultRequestCulture = new RequestCulture("en-US")
};
app.UseRequestLocalization(localizationOptions);
app.UseStaticFiles();
app.UseIdentity();
// Add external authentication middleware below. To configure them please see https://go.Microsoft.com/fwlink/?LinkID=532715
app.UseMvc(routes =>
{
routes.MapRoute(
name: "default",
template: "{controller=Home}/{action=Index}/{id?}");
});
context.Database.EnsureCreated();
}
これがお役に立てば幸いです。
web.config
でカルチャを手動で設定してみてください
<configuration>
<system.web>
<globalization culture="de-DE" uiCulture="de-DE"/>
</system.web>
</configuration>
編集:これがCoreであることに気付いたので、StartUp.Configureでこれを行うことができます:
var cultureInfo = new CultureInfo("de-DE");
CultureInfo.DefaultThreadCurrentCulture = cultureInfo;
CultureInfo.DefaultThreadCurrentUICulture = cultureInfo;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Options;
using System.Globalization;
using Microsoft.AspNetCore.Localization;
namespace coreweb
{
public class Startup
{
public Startup(IHostingEnvironment env)
{
var builder = new ConfigurationBuilder()
.SetBasePath(env.ContentRootPath)
.AddJsonFile("appsettings.json", optional: true, reloadOnChange: true)
.AddJsonFile($"appsettings.{env.EnvironmentName}.json", optional: true)
.AddEnvironmentVariables();
if (env.IsDevelopment())
{
// This will Push telemetry data through Application Insights pipeline faster, allowing you to view results immediately.
builder.AddApplicationInsightsSettings(developerMode: true);
}
Configuration = builder.Build();
}
public IConfigurationRoot Configuration { get; }
// This method gets called by the runtime. Use this method to add services to the container.
public void ConfigureServices(IServiceCollection services)
{
// ... previous configuration not shown
services.AddMvc();
services.Configure<RequestLocalizationOptions>(
opts =>
{
var supportedCultures = new[]
{
new CultureInfo("de-DE"),
};
opts.DefaultRequestCulture = new RequestCulture("de-DE");
// Formatting numbers, dates, etc.
opts.SupportedCultures = supportedCultures;
// UI strings that we have localized.
opts.SupportedUICultures = supportedCultures;
});
}
// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory)
{
loggerFactory.AddConsole(Configuration.GetSection("Logging"));
loggerFactory.AddDebug();
// app.UseApplicationInsightsRequestTelemetry();
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
app.UseBrowserLink();
}
else
{
app.UseExceptionHandler("/Home/Error");
}
// app.UseApplicationInsightsExceptionTelemetry();
app.UseStaticFiles();
var options = app.ApplicationServices.GetService<IOptions<RequestLocalizationOptions>>();
app.UseRequestLocalization(options.Value);
app.UseMvc(routes =>
{
routes.MapRoute(
name: "default",
template: "{controller=Home}/{action=Index}/{id?}");
});
}
}
}