Интеграция OData с CosmosDB не возвращает ожидаемый результат

#asp.net-core #odata #asp.net-core-webapi

#asp.net-core #odata #asp.net-core-webapi

Вопрос:

Я создал приложение .NET Core 3.1 WebAPI, которое подключается к Azure Cosmos Db. WebAPI правильно возвращает данные из CosmosDB. Когда я попытался интегрировать OData в это решение и попытался запросить данные с помощью метода Select, он не вернул ожидаемый результат.

Ниже приведен мой код:

StartUp.cs

 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.
        public void ConfigureServices(IServiceCollection services)
        {
            services.AddOData();
            services.AddControllersWithViews();
            services.AddSingleton<ICosmosDbService>(InitializeCosmosClientInstanceAsync(Configuration.GetSection("CosmosDb")).GetAwaiter().GetResult());
        }

        // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
        public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
        {
            if (env.IsDevelopment())
            {
                app.UseDeveloperExceptionPage();
            }
            else
            {
                app.UseExceptionHandler("/Home/Error");
                // 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.UseHttpsRedirection();
            app.UseStaticFiles();

            app.UseRouting();

            app.UseAuthorization();

            app.UseEndpoints(endpoints =>
            {
                endpoints.MapControllerRoute(
                   name: "default",
                   pattern: "{controller=ToDo}/{action=Index}/{id?}");

                endpoints.EnableDependencyInjection();
                endpoints.Select().Filter().OrderBy().Expand();
            });
        }

    }
 

Контроллер WebAPI:

     [Produces("application/json")]
    [Route("api/[controller]")]
    [ApiController]
    public class ItemsController : ControllerBase
    {
        private readonly ICosmosDbService _cosmosDbService;
        public ItemsController(ICosmosDbService cosmosDbService)
        {
            _cosmosDbService = cosmosDbService;
        }

        // GET: api/<ItemsController>
        [HttpGet]
        [EnableQuery()]
        public async Task<IEnumerable<Item>> Get()
        {
            return await _cosmosDbService.GetItemsAsync("SELECT * FROM c");
        }
   }
 

Когда я пытаюсь получить данные с помощью вызова API (https://localhost:44357/api/items ), я получаю ожидаемый результат:

[{«id»:»5f4f5d02-9217-4591- 8f8c-2af9fe7d9ae4″, «имя»: «Щетка», «описание»: «Чистите зубы каждый вечер», «завершено»: true, «Ключ раздела»: null},{«id»: «6a5edfe3-9c84-4398-bed4-963dbb4a42e3″,»name»:»Упражнения», «description»:»Вечером в спортзал»,»завершено»: true,»PartitionKey»: null}]

Но когда я пытаюсь использовать метод OData (https://localhost:44357/api/items ?$select=name), я не получаю ожидаемого результата. Вместо этого я получаю это:

[{«instance»:null,»container»:{},»modelID»:»7c0ae376-1666-46f8-886f-9bf758824063″,»untypedInstance»:null,»instanceType»:null,»useInstanceForProperties»:false},{«instance»:null,»container»:{},»ModelID»: «7c0ae376-1666-46f8-886f-9bf758824063», «untypedInstance»: null,»instanceType»:null,»useInstanceFor enter code here Properties»:false}]

Есть идеи, почему это так?

Ответ №1:

Существует несовместимая ситуация с сериализатором JSON в Asp.Net 3.1. Постарайтесь AddNewtonsoftJson .

 services.AddControllers(mvcOptions =>
           mvcOptions.EnableEndpointRouting = false)
       .AddNewtonsoftJson();