Step 1: Set up Prerequisites
Set up the following one of the required pre-requisites to perform the CRUD operation in the Azure Cosmos DB
- Azure Subscription OR
- Azure Cosmos DB Emulator
Azure Subscription
To create the Azure cloud Cosmos DB account, you need an active Azure subscription. When you create the Cosmos DB account on the cloud, the Azure Cosmos DB Serverless account provides the first 1000 RU and 25 GB of storage for free per subscription.Refer to the following link to learn the basics and how to create the Azure Cosmos DB account.
Azure Cosmos DB Emulator (offline)
As explained, the first approach requires an active Azure subscription as well as an active internet connection, which is not feasible for everyone who just wants to explore or learn about the Azure Cosmos DB.
To overcome the preceding issue, we can use the Azure Cosmos DB capabilities and features using the Azure Cosmos DB Emulator without an active Azure subscription or an active internet connection.
The Azure Cosmos DB Emulator currently does not have support for all the NoSQL APIs, but it will support the most commonly used NoSQL APIs, such as the SQL API and Mongo DB API, and in the future it may also support all the Cosmos DB APIs.
The following is the link to download the Azure Cosmos DB Emulator.
After clicking on the link, the official Microsoft documentation website gets opened, from which you can find and install the latest version of the Azure Cosmos DB Emulator.
Step 2: Create Azure Cosmos DB
- The ID and Department properties should be part of your backend input while inserting or updating the records; otherwise, you will get the exceptions.
Step 3: Create ASP.NET Core web api Project
- Start then All Programs and select "Microsoft Visual Studio".
- Once the Visual Studio Opens, Then click on Continue Without Code.
- Then Go to Visual Studio Menu, click on File => New Project then choose ASP.NET Core Web Api Project Template.
- Then define the project name, location of the project, then click on the next button.
- On the next screen, provide the additional details: framework, authentication type, and check the Enable Open API Support checkbox as shown below.
The preceding steps will create the ASP.NET Core Web API application and solution explorer. It will look like what is shown in the following image.
Step 4: Add Microsoft.Azure.Cosmos Nuget Package Reference
The Microsoft.Azure.Cosmos is the the latest nuget package to interact with the Azure cosmos DB. The Microsoft.Azure.Cosmos supports the basic to custom and complex database operations, follow the following steps to add the Nuget package.- Right click on the Solution Explorer, find Manage NuGet Package Manager and click on it
- After as shown into the image and type in search box Microsoft.Azure.Cosmos
- Select Microsoft.Azure.Cosmos as shown into the image,
- Choose version of Microsoft.Azure.Cosmos library and click on install button
Step 5:Create the Model Class
- First, delete the default model class, which is created outside the folder structure, so we can start from scratch.
- Next, create the folder named Model by right clicking on the solution explorer.
- Create the model class Employee Model by right clicking on the Model folder, as shown in the following image
namespace EmployeeManagement.Model { public class EmployeeModel { public string? id { get; set; } public string? Name { get; set; } public string? Country { get; set; } public string? City { get; set; } public string? Department { get; set; } public string? Designation { get; set; } public DateTime? JoiningDate { get; set; } } }
Step 6: Add the Controller
Create the Empty API Controller class EmployeeController by right clicking on the Controller folder as shown in the following image.After adding the model class and API controller class, the solution explorer will look like the following:
- Define the following route at controller level, so that we can add the multiple Get, Post, Put, or Delete and avoid the name ambiguity exception.
    [ApiController]
    [Route("[api/[controller]/[action]]")]
    public class EmployeeController : ControllerBase
    {}
- Declare the following variable and set the Azure Cosmos DB configuration by copying the details from step 2.
    [ApiController]
    [Route("api/[controller]/[action]")]
    public class EmployeeController : ControllerBase
    {
       
        // Cosmos DB details, In real use cases, these details should be configured in secure configuraion file.
        private readonly string CosmosDBAccountUri = "https://localhost:8081/";
        private readonly string CosmosDBAccountPrimaryKey = "C2y6yDjf5/R+ob0N8A7Cgv30VRDJIWEHLM+4QDU5DE2nQ9nDuVTqobD4b8mGGyPMbIZnqyMsEcaGQy67XIw/Jw==";
        private readonly string CosmosDbName = "EmployeeManagementDB";
        private readonly string CosmosDbContainerName = "Employees";
}
Step 7: Create Method to Add Employee
[HttpPost] public async Task<IActionResult> AddEmployee(EmployeeModel employee) { try { var container = ContainerClient(); var response = await container.CreateItemAsync(employee, new PartitionKey(employee.Department)); return Ok(response); } catch (Exception ex) { return BadRequest(ex.Message); } }
As explained in step 2, we are passing the ID and Department as a partition key as part of the employee input payload while adding the employee details. These parameters must be part of the input parameter payload.
Step 8: Create Method to Get Employees
[HttpGet] public async Task<IActionResult> GetEmployeeDetails() { try { var container = ContainerClient(); var sqlQuery = "SELECT * FROM c"; QueryDefinition queryDefinition = new QueryDefinition(sqlQuery); FeedIterator<EmployeeModel> queryResultSetIterator = container.GetItemQueryIterator<EmployeeModel>(queryDefinition); List<EmployeeModel> employees = new List<EmployeeModel>(); while (queryResultSetIterator.HasMoreResults) { FeedResponse<EmployeeModel> currentResultSet = await queryResultSetIterator.ReadNextAsync(); foreach (EmployeeModel employee in currentResultSet) { employees.Add(employee); } } return Ok(employees); } catch (Exception ex) { return BadRequest(ex.Message); } }
Step 9: Create Method to Get Employee by ID
        [HttpGet]
        public async Task<IActionResult> GetEmployeeDetailsById(string employeeId,string partitionKey)
        {
            try
            {
                var container = ContainerClient();
                ItemResponse<EmployeeModel> response = await container.ReadItemAsync<EmployeeModel>(employeeId, new PartitionKey(partitionKey));
                return Ok(response.Resource);
            }
            catch (Exception ex)
            {
                return BadRequest(ex.Message);
            }
        }
Step 10: Create Method to Update Employee
       [HttpPut]
        public async Task<IActionResult> UpdateEmployee(EmployeeModel emp,string partitionKey)
        {
            try
            {
                var container = ContainerClient();
                ItemResponse<EmployeeModel> res = await container.ReadItemAsync<EmployeeModel>(emp.id, new PartitionKey(partitionKey));
                //Get Existing Item
                var existingItem = res.Resource;
                //Replace existing item values with new values 
                existingItem.Name = emp.Name;
                existingItem.Country = emp.Country;
                existingItem.City = emp.City;
                existingItem.Department = emp.Department;
                existingItem.Designation = emp.Designation;
              var updateRes=  await container.ReplaceItemAsync(existingItem, emp.id, new PartitionKey(partitionKey));
                return Ok(updateRes.Resource);
            }
            catch (Exception ex)
            {
                return BadRequest(ex.Message);
            }
          
        }
Step 11: Create Method to Delete Employee
        [HttpDelete]
        public async Task<IActionResult> DeleteEmployee(string empId, string partitionKey)
        {
            try
            {
                var container = ContainerClient();
               var response= await container.DeleteItemAsync<EmployeeModel>(empId, new PartitionKey(partitionKey));
                return Ok(response.StatusCode);
            }
            catch (Exception ex)
            {
                return BadRequest(ex.Message);
            }
        }
    }
using EmployeeManagement.Model; using Microsoft.AspNetCore.Mvc; using Microsoft.Azure.Cosmos; namespace EmployeeManagement.Controllers { [ApiController] [Route("api/[controller]/[action]")] public class EmployeeController : ControllerBase { // Cosmos DB details, In real use cases, these details should be configured in secure configuraion file. private readonly string CosmosDBAccountUri = "https://localhost:8081/"; private readonly string CosmosDBAccountPrimaryKey = "C2y6yDjf5/R+ob0N8A7Cgv30VRDJIWEHLM+4QDU5DE2nQ9nDuVTqobD4b8mGGyPMbIZnqyMsEcaGQy67XIw/Jw=="; private readonly string CosmosDbName = "EmployeeManagementDB"; private readonly string CosmosDbContainerName = "Employees"; /// <summary> /// Commom Container Client, you can also pass the configuration paramter dynamically. /// </summary> /// <returns> Container Client </returns> private Container ContainerClient() { CosmosClient cosmosDbClient = new CosmosClient(CosmosDBAccountUri, CosmosDBAccountPrimaryKey); Container containerClient = cosmosDbClient.GetContainer(CosmosDbName, CosmosDbContainerName); return containerClient; } [HttpPost] public async Task<IActionResult> AddEmployee(EmployeeModel employee) { try { var container = ContainerClient(); var response = await container.CreateItemAsync(employee, new PartitionKey(employee.Department)); return Ok(response); } catch (Exception ex) { return BadRequest(ex.Message); } } [HttpGet] public async Task<IActionResult> GetEmployeeDetails() { try { var container = ContainerClient(); var sqlQuery = "SELECT * FROM c"; QueryDefinition queryDefinition = new QueryDefinition(sqlQuery); FeedIterator<EmployeeModel> queryResultSetIterator = container.GetItemQueryIterator<EmployeeModel>(queryDefinition); List<EmployeeModel> employees = new List<EmployeeModel>(); while (queryResultSetIterator.HasMoreResults) { FeedResponse<EmployeeModel> currentResultSet = await queryResultSetIterator.ReadNextAsync(); foreach (EmployeeModel employee in currentResultSet) { employees.Add(employee); } } return Ok(employees); } catch (Exception ex) { return BadRequest(ex.Message); } } [HttpGet] public async Task<IActionResult> GetEmployeeDetailsById(string employeeId,string partitionKey) { try { var container = ContainerClient(); ItemResponse<EmployeeModel> response = await container.ReadItemAsync<EmployeeModel>(employeeId, new PartitionKey(partitionKey)); return Ok(response.Resource); } catch (Exception ex) { return BadRequest(ex.Message); } } [HttpPut] public async Task<IActionResult> UpdateEmployee(EmployeeModel emp,string partitionKey) { try { var container = ContainerClient(); ItemResponse<EmployeeModel> res = await container.ReadItemAsync<EmployeeModel>(emp.id, new PartitionKey(partitionKey)); //Get Existing Item var existingItem = res.Resource; //Replace existing item values with new values existingItem.Name = emp.Name; existingItem.Country = emp.Country; existingItem.City = emp.City; existingItem.Department = emp.Department; existingItem.Designation = emp.Designation; var updateRes= await container.ReplaceItemAsync(existingItem, emp.id, new PartitionKey(partitionKey)); return Ok(updateRes.Resource); } catch (Exception ex) { return BadRequest(ex.Message); } } [HttpDelete] public async Task<IActionResult> DeleteEmployee(string empId, string partitionKey) { try { var container = ContainerClient(); var response= await container.DeleteItemAsync<EmployeeModel>(empId, new PartitionKey(partitionKey)); return Ok(response.StatusCode); } catch (Exception ex) { return BadRequest(ex.Message); } } } }
Now, we have all the code and required configuration to work with Azure CosmosDB in our sample application.
Step 12: Run the ASP.NET Core API Application
Now press Keyboard F5 or the Visual Studio Run button to run the application. After running the application, the following screen will be shown in the browser with swagger UI having all the methods which we have created in our ASP.NET core web API, as shown in the following screenshot:Step 13: Azure Cosmos DB CRUD Demo
Add Employees
Get List of Employees and Employee by Id
Update the Employee
Delete the Employee by Id
Summary
Related Articles
- Creating Azure Cosmos DB Using Azure Portal
- Now Azure Cosmos DB Free Tier Supports 25 GB Storage and 1000 Ru/s
- Now Azure Cosmos DB Support Partial Document Update
- Bind DropDownList Using ViewBag In ASP.NET Core
- How to Create ASP.NET Core Web Application
- Running ASP.NET Core Web Application in Docker Container
- How To Deploy ASP.NET Core Application On Docker Linux Container














Post a Comment