Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
February 28, 2021 03:32 am GMT

Creating a Web API with Azure Functions, Azure Cosmos DB MongoDB API and C

In this tutorial, well build a Web API using Azure Functions that stores data in Azure Cosmos DB with MongoDB API in C#

image

Azure Cosmos DB is a globally distributed, multi-model, NoSQL database service that allows us to build highly available and scalable applications. Cosmos DB supports applications that use Document model data through its SQL API and MongoDB API.

Ive been meaning to produce more content on Cosmos DBs Mongo API, so in this article, Im going to be developing a Serverless API in Azure Functions that uses a Cosmos DB MongoDB API account. This article has been loosely based on this fantastic tutorial on creating a Web API with ASP.NET Core and MongoDB.

By the end of this article, youll know how to create a Cosmos DB account that uses the MongoDB API. Youll also know how to create a simple CRUD Web API in C# that interacts with a Mongo DB API account.

If you want to see the whole code before diving into the article, you can check it out on my GitHub here.

What youll need to follow along with this article:

  • Visual Studio 2019 with the Azure Development workload.
  • Azure Subscription.
  • Postman.

How does Azure Cosmos DB support a MongoDB API?

Azure Cosmos DB implements the wire protocol for MongoDB, allowing us to use client drivers and tools that were used to, but allow us to host our data in Azure Cosmos DB.

This is great if we already have applications that use MongoDB. We can change our applications to use Azure Cosmos DB without having to make significant changes to our codebase. We can also gain the benefits of Azure Cosmos DB, such as Turnkey distribution and elastic scalability in both throughput and storage.

Setting up an Account with the MongoDB API

Lets set up our Cosmos DB account. Login to Azure and click on Create a resource. Look for Azure Cosmos DB and click New.
On the Create Azure Cosmos DB Account page, provide the following configuration:

  • Resource Group Resource groups in Azure are a logical collection of resources. For this tutorial, you can create a new one or add your account to an existing one.
  • Account Name This will be the name of your account. It needs to be unique across Azure, so make it a good one :)API Azure Cosmos DB is a multi-model database, but when we create a Cosmos DB account, we can only pick one API and that will be the API for the lifetime of the account. Since this is a Mongo DB API tutorial, pick the Azure Cosmos DB for MongoDB API option.
  • Location Where we want to provision the account. Ive chosen Australia East as thats the datacenter close to me, but pick a datacenter close to you.
  • Capacity Mode In a nutshell, this is how throughput will be provisioned in this account. I have written articles on how throughput works in Cosmos DB if you are interested, but for now choose Serverless (still in preview at time of writing).
  • Account Type Choose production
  • Version This is the version of the MongoDB wire protocol that the account will support. Choose 3.6
  • Availability Zones Disable this for now.

You configuration should look like the figure below:

Click Review+Create, then Create to create your Cosmos DB account. Feel free to grab a cup of tea while you wait.
Once our account is set up, we can create our Database and collection we need for this tutorial. In the original blog post, we would create our Database and Collection via the Mongo Shell. But to keep things simple, we can do this in the portal.

In your Cosmos DB account, head into your Data Explorer and click New Collection. Enter BookstoreDB as your database name and Books as your collection name. We are then asked to choose a shard key.

Sharding in Mongo DB is a method for distributing data across multiple machines. If youve used the SQL API in Azure Cosmos DB, this is similar to a Partition Key. Essential this shard will help your application scale in terms of both throughput and storage through horizontal scaling.

For this tutorial, Im going to pick the category as the shard key. Click OK to create your database and collection.

We now have our Database, collection and account all set up. We just need one more thing before setting up, our connection string. Click on Connection String and copy the PRIMARY CONNECTION STRING value. Save this for later.

Creating our Function Application.

Lets head into Visual Studio and create our Serverless API. Open Visual Studio and click Create a new project.

image

Choose Azure Functions as our template to create the project. (Make sure C# is the selected language).

Call this project CosmosBooksApi, store the project in a location of your choice and click create:

Select Azure Functions v3 (.NET Core) as our Runtime and create an empty project with no triggers:

Before we start creating any of our Functions, we need to install the MongoDB.Driver package. To do this, right click your project and select Manage NuGet Packages. In the Browse section, type in MongoDB.Driver and install the latest stable version.

Once thats installed, lets create a Startup.cs file that will instantiate our MongoClient:

Since v2 of Azure Functions, we have support for Dependency Injection. This will help us instantiate our MongoClient as a Singleton, so we can share our MongoClient amongst all of our Functions rather than creating a new instance of our client every time we want to invoke our Functions.

Lets go through this class. To register our services, we need to add components to a IFunctionsHostBuilder instance, which we pass as a parameter in our Configure method.

In order to use this method, we need to add the FunctionsStartup assembly attribute to the Startup class itself.

We then create a new configuration of type IConfiguration. All this does is pick up configuration for the Function application from a local.settings.json file. We then add the IConfiguration service as a Singleton.

We can then set up our MongoClient. We start off by setting our connection string by passing in our PRIMARY CONNECTION STRING from earlier as a MongoUrl() object. Save this in your local.settings.json file. For reference, this is what my file looks like:

We can then pass the key of the setting (ConnectionString) into our MongoUrl object.

We then need to enable SSL by using the Tls12 protocol in the SslSettings for our MongoClientSettings. This is required by Azure Cosmos DB to connect to our MongoDB API account.

Once weve set up our MongoClientSettings, we can just pass this into our MongoClient object, which we set up as a Singleton Service.

Now we need to create a basic class to represent our Book model. Lets write the following:

In this class, we have properties for the Books Id, name, price, category and author. The Id property has been annotated with the BsonId property to indicate that this will be the documents primary key. We have also annotated the Id property with [BsonRepresentation(BsonType.ObjectId)] to pass our id as type string, rather than ObjectId. Mongo will handle the conversion from string to ObjectId for us.

The rest of our properties have been annotated with [BsonElement()]. This will determine how our properties look within our collection.

Now were going to create a service that will that handle the logic that works with our Cosmos DB account. Lets define an interface called IBookService.cs.

This is just a simple CRUD interface that defines the contract that our service should implement. Now lets implement this interface:

Ive injected my dependencies to my MongoClient and IConfiguration, then I create my database and collection so I can perform operations against them. Lets explore the different methods one by one.

InsertOneAsync This will insert a single document into our IMongoCollection asynchronously. Here, we pass in the document we want to persist, this case being the Book object. We could also pass in some custom options (InsertOneOptions) and a CancellationToken. Were not returning anything here expect the result of the insert operation Task.

FindAsync This will find a document that matches our filter asynchronously. Here, we use a lambda expression to find a book with the same id that we have provided in the method. We then use Linq to return the matching book.

DeleteOneAsync This will delete a single document that matches our expression asynchronously. Again, we use a lambda expression to find the book we wish to delete. We dont return anything except the result of the operation.

ReplaceOneAsync This will replace a single document asynchronously.

So weve created our MongoClient and have a basic CRUD service that we can use to interact with our Cosmos DB account. Were now ready to start creating our Functions.

For this tutorial we will create the following functions:

  • CreateBook
  • DeleteBook
  • GetAllBooks
  • GetBookById
  • UpdateBook

To create a new Function, we right-click our solution file and select Add New Azure Function. We should see a pop-up like this. Select Http Trigger and select Anonymous as the Functions Authorization level.

Lets start with our CreateBook function. Here is the code:

Here we are injecting our IBookService and our ILogger into the function. We invoke this Function by making a post request to the /Book Route. We take the incoming HttpRequest and Deserialize it into a Book object. We then insert the Book into our Books collection. If were successful, we get a 201 response (Created). If not, well throw a 500 response.

Its a bit of a dramatic response code. We would want to throw a different code if there was a bad request of if our Cosmos DB account is unavailable, but for this basic example it will suffice.

Now lets take a look at the DeleteBook function:

This time, we pass in an id to our Function (/Book/id) to find the Book that we want to delete from our collection. We first look for the book using IBookService method .GetBook(id). If we the book doesnt exist, the Function will throw a 404 (not found) response.

If we can find the book, we then pass this book into our RemoveBook(book) method to delete the book from our collection in Cosmos DB. If successful, we return a 204 response.

Here is the code for the GetAllBooks function:

In this function, we simply make a GET request to the /Books route. This Function will call the .GetBooks() method on our IBookService to retrieve all the books in our collection. If there are no books, we throw 404. If there are books returned to us, the function will return these as an array back to the user.

Our GetBookById function is similar to our GetAllBooks function, but this time we pass the id of the Book that we want to return to us:

We also pass an id to our UpdateBook function. We first make a call to our .GetBook(id) method to find the book we want to update. Once weve found the book, we then read the incoming request and deserialize it into a Book object. We then use the deserialized request to update our Book object and then pass this object into out .UpdateBook() method along with the id that we used to invoke the Function.

Testing our Function

Now that weve finished coding up our Functions, lets spin it up and test it! Press F5 to start running our function locally. Give it a second to spin up and you should see the following endpoints for each of our Functions.

As you can see, our functions are running on localhost. We can use Postman to test these endpoints.

Lets start with our CreateBook Function. Copy and Paste the endpoint for the Function into Postman. Set the request method to POST and click on the body tab. We need to send our request as a JSON payload, so set it to JSON and add the following body:

{  "BookName" : "Computer Science: Distilled",  "Price": 11.99,  "Category": "Technology",  "Author": "Wladston Ferreira Filho"}
Enter fullscreen mode Exit fullscreen mode

Your Postman request should look like this:

Hit Send to send the request. We should get the following response (201).

We can view the document in our Cosmos DB account to make sure that we added the document to our account, which it has:

Insert a couple more books before moving on. We will now try to retrieve all the books in our collection using the GetAllBooks Function. Clear the JSON payload from the Body and change the request method to GET. Hit Send to make the request:

We should get a response like this:

image

Here we have all the books in our collection returned back to us as a JSON array. Now, lets test our GetBookById Function. In the response of our GetAllBooks function, grab an id and add it as a parameter in your route. Keep the body clear and keep the GET request method. All that has changed here is that we are looking for a specific book by using its Id.

image

Hit Send to make the request. We should have the book object returned to us like so:

image

Now lets remove this book from our Cosmos DB collection. Change your request method to DELETE in Postman and hit Send.

image

We should get the following response:

image

Checking our Collection in Azure Cosmos DB, we can see that the book is no longer there:

image

Finally, lets try updating a book. Lets take the following book in our collection:

{  "id": "603ae1b621786dd7fd92d5c0",  "bookName": "The Dark Net",  "price": 18.99,  "category": "Technology",  "author": "Jamie Bartlett"}
Enter fullscreen mode Exit fullscreen mode

Grab the id and use it as a parameter to our UpdateBook function. Change the method to a PUT request and add the following body to our request:

{  "bookName": "The Dark Net v2",  "price": 11.99,  "author": "Jamie Bartlett"}
Enter fullscreen mode Exit fullscreen mode

We send this body as a JSON payload. Hit Send to update this Book document.

image

We should get the following response.

image

We can also verify that the document has updated successfully in our Cosmos DB account.

image

Conclusion

In this tutorial, we built an CRUD Web API using Azure Functions that manages books in a Cosmos DB Mongo API account. While this was a simple tutorial, hopefully you can see that if youve already built applications using MongoDB as a datastore, you can easily change to Azure Cosmos DB without making drastic changes to your code base.

If you want to download the full code, check it out on my GitHub (If you notice anything wrong and want to help fix it, please feel free to make a PR!)

If you have any questions, please feel to comment below or reach out to me via Twitter.


Original Link: https://dev.to/willvelida/creating-a-web-api-with-azure-functions-azure-cosmos-db-mongodb-api-and-c-6ob

Share this article:    Share on Facebook
View Full Article

Dev To

An online community for sharing and discovering great ideas, having debates, and making friends

More About this Source Visit Dev To