.NET HELP

OData C# (How It Works For Developers)

Published August 13, 2024
Share:

The Open Data Protocol (OData) simplifies building and consuming RESTful APIs in Microsoft .NET development. It offers a standardized approach to querying and manipulating data through familiar CRUD (Create, Read, Update, Delete) operations. This article explores how Open Data Protocol streamlines API development in .NET, providing examples and highlighting its key benefits. To explore more about OData, you can check the source code of the OData C# in GitHub.

OData C# (How It Works For Developers): Figure 1 - OData C#- Data access protocol

Introduction

OData follows standard practices for building RESTful web APIs, using URLs and HTTP verbs like GET and POST to define operations. It represents data using an Entity Data Model (EDM) and JSON or AtomPub for message encoding. While OData simplifies API development compared to GraphQL, it may offer fewer advanced features.

OData C# (How It Works For Developers): Figure 2 - OData

Benefits of Using OData in .NET

  • Standardization: OData enforces a consistent way to define entity data models, handle requests, and format responses. This reduces development complexity and simplifies client application integration.
  • Rich Query Capabilities: OData supports a uniform way of querying data to perform CRUD operations, filtering ($filter), sorting (Ascending Order/ Descending Order)($orderby), and paging ($top,$skip) functionalities, allowing clients to retrieve specific data sets efficiently.
  • Improved Developer Experience: The .NET libraries for OData streamline API development. Developers can leverage pre-built components for routing, query handling, and data serialization, reducing code duplication and development time.
  • Interoperability: OData-compliant clients from various platforms can seamlessly interact with your .NET-based OData service, promoting broader application integration.

Getting Started with OData in the .NET Framework

The .NET libraries for OData enhance developer experience by facilitating efficient ways to manipulate data sets. It simplifies building and consuming RESTful APIs in .NET development. It offers a standardized approach to querying and manipulating data through familiar CRUD operations (Create, Read, Update, Delete).

Setting Up OData in .NET Projects

Start by opening your new project in Visual Studio. Then, navigate to the Solution Explorer, right-click on your project, and select "Manage NuGet Packages". Here, search for Microsoft.AspNetCore.OData and install it. The current OData version is 8.2.5.

To install OData in the NuGet Package Manager Console, use the following command.

Install-Package Microsoft.AspNetCore.OData
Install-Package Microsoft.AspNetCore.OData
IRON VB CONVERTER ERROR developers@ironsoftware.com
VB   C#

OData C# (How It Works For Developers): Figure 3 - Install OData

Example: Creating an OData Service in ASP.NET Core

Let's create a simple OData model class in an ASP.NET Core application. In the following code, the below class will expose a list of services that can be queried using the OData syntax.

public class Service
{
    public int Id { get; set; } 
    public string FirstName { get; set; }
    public decimal Price { get; set; }
}
public class Service
{
    public int Id { get; set; } 
    public string FirstName { get; set; }
    public decimal Price { get; set; }
}
IRON VB CONVERTER ERROR developers@ironsoftware.com
VB   C#

Description of the code

The ODataModelBuilder class represents a basic data structure in C# for managing a service. It includes three adding properties. Here the property names are: Id: An integer identifier for the service. FirstName: A string representing the first name associated with the service. Price: A decimal value indicating the price of the service. This class can be used as a building block for creating more complex service-related functionality in .NET development. We may also use Collection property or navigation properties based on the scenario.

Here's how you can set up an OData controller in an ASP.NET Core application in Visual Studio to expose a list of services via a standardized OData endpoint. The following example demonstrates a basic implementation using a static list of services and enabling OData query functionalities in Web API:

using DemoOData.Models;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.OData.Query;
using Microsoft.AspNetCore.OData.Routing.Controllers;
namespace DemoOData.Controllers
{
    [Route("odata/[controller]")]
    public class ServiceController : ODataController
    {
        private static readonly List<Service> Products = new List<Service>
        {
            new Service { Id = 1, FirstName = "Laptop", Price = 6239.9M },
            new Service { Id = 2, FirstName= "Smartphone", Price = 2585.9M }
        };
        [HttpGet]
        [EnableQuery]
        public IActionResult Get() => Ok(Products);
    }
}
using DemoOData.Models;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.OData.Query;
using Microsoft.AspNetCore.OData.Routing.Controllers;
namespace DemoOData.Controllers
{
    [Route("odata/[controller]")]
    public class ServiceController : ODataController
    {
        private static readonly List<Service> Products = new List<Service>
        {
            new Service { Id = 1, FirstName = "Laptop", Price = 6239.9M },
            new Service { Id = 2, FirstName= "Smartphone", Price = 2585.9M }
        };
        [HttpGet]
        [EnableQuery]
        public IActionResult Get() => Ok(Products);
    }
}
IRON VB CONVERTER ERROR developers@ironsoftware.com
VB   C#

Description of the code

The provided code defines an ODataController named ServiceController in an ASP.NET Core application, enabling querying and manipulating data using the OData protocol. It routes requests to "odata/Service" and serves a static list of Service objects, including a laptop and a smartphone. The Get method, decorated with [EnableQuery], allows clients to perform OData queries (filtering, sorting, paging) on the Products list, returning the results as an IActionResult for HTTP GET requests.

Register OData Services in the Program.cs

To integrate OData into a .NET 6 application, we need to install and configure the necessary OData packages. This involves defining the OData model, setting up the OData middleware, and configuring services to support OData features such as filtering, ordering, and expansion.

using DemoOData.Models;
using Microsoft.AspNetCore.OData;
using Microsoft.OData.Edm;
using Microsoft.OData.ModelBuilder;
var builder = WebApplication.CreateBuilder(args);
// Add services to the container.
builder.Services.AddControllers();
// Learn more about configuring Swagger/OpenAPI at https://aka.ms/aspnetcore/swashbuckle
builder.Services.AddEndpointsApiExplorer();
builder.Services.AddSwaggerGen();
static IEdmModel GetEdmModel()
{
    ODataConventionModelBuilder builder = new ODataConventionModelBuilder();
    builder.EntitySet<Service>("Services");
    return builder.GetEdmModel();
}
builder.Services.AddControllers()
    .AddOData(options => options
        .AddRouteComponents("odata", GetEdmModel())
        .Select()
        .Filter()
        .OrderBy()
        .SetMaxTop(20)
        .Count()
        .Expand()
    );
using DemoOData.Models;
using Microsoft.AspNetCore.OData;
using Microsoft.OData.Edm;
using Microsoft.OData.ModelBuilder;
var builder = WebApplication.CreateBuilder(args);
// Add services to the container.
builder.Services.AddControllers();
// Learn more about configuring Swagger/OpenAPI at https://aka.ms/aspnetcore/swashbuckle
builder.Services.AddEndpointsApiExplorer();
builder.Services.AddSwaggerGen();
static IEdmModel GetEdmModel()
{
    ODataConventionModelBuilder builder = new ODataConventionModelBuilder();
    builder.EntitySet<Service>("Services");
    return builder.GetEdmModel();
}
builder.Services.AddControllers()
    .AddOData(options => options
        .AddRouteComponents("odata", GetEdmModel())
        .Select()
        .Filter()
        .OrderBy()
        .SetMaxTop(20)
        .Count()
        .Expand()
    );
IRON VB CONVERTER ERROR developers@ironsoftware.com
VB   C#

Description of the code

This code configures OData support in a .NET 6 application. First, it imports necessary namespaces and creates a WebApplicationBuilder instance. The GetEdmModel method defines the OData model using the ODataConventionModelBuilder, which specifies an entity set for Service entities. The AddOData method is then called to configure OData services, including enabling select, filter, order by, count, expand, and setting a maximum top value of 20 for query results. This setup ensures the application can handle OData queries effectively.

The AddOData() method employs the GetEdmModel() method, which retrieves the data model used for querying, forming the foundation of an OData service. This service utilizes an abstract data model known as Entity Data Model (EDM) to define the exposed data. The ODataConventionModelBuilder class generates an EDM through default naming conventions, minimizing code requirements. Alternatively, developers can utilize the ODataModelBuilder class for greater control over the EDM.

Screenshot of the code

OData C# (How It Works For Developers): Figure 4 - Code in Visual Studio

Running the Service

After running the service, you can query the Service using various OData query options, such as:

https://localhost:7131/odata/Service
https://localhost:7131/odata/Service
IRON VB CONVERTER ERROR developers@ironsoftware.com
VB   C#

Output of the Program

OData C# (How It Works For Developers): Figure 5 - OData Service Output

Introduction to IronPDF

IronPDF is a comprehensive C# library designed to simplify the creation, manipulation, and rendering of PDF documents within .NET applications. It offers a wide range of features, including the ability to generate PDFs from HTML, CSS, images, and JavaScript, enabling developers to effortlessly transform web content into high-quality PDF documents. With its intuitive API and powerful rendering engine, IronPDF empowers developers to streamline PDF generation processes, facilitating the integration of dynamic document generation capabilities into their applications with ease.

OData C# (How It Works For Developers): Figure 6 - IronPDF

Adding IronPDF to Project

To install IronPDF in Visual Studio, navigate to NuGet Package Manager Console, and use the following command.

Install-Package IronPdf
Install-Package IronPdf
'INSTANT VB TODO TASK: The following line uses invalid syntax:
'Install-Package IronPdf
VB   C#

Generating PDF

To generate a PDF document from HTML content in a .NET application, we can use the ChromePdfRenderer class from a library like DinkToPdf or similar. This example demonstrates how to create a PDF with details of an Employee record.

public record Employee (string FirstName, string LastName);
class Program
{
    static void Main(string[] args)
    {
        var employee= new Employee("Iron", "Developer");
        var renderer = new ChromePdfRenderer();
        var pdf = renderer.RenderHtmlAsPdf($"<h1>Person Record</h1><p>Name: {person.FirstName} {person.LastName}</p>");
        pdf.SaveAs("PersonRecord.pdf");
    }
}
public record Employee (string FirstName, string LastName);
class Program
{
    static void Main(string[] args)
    {
        var employee= new Employee("Iron", "Developer");
        var renderer = new ChromePdfRenderer();
        var pdf = renderer.RenderHtmlAsPdf($"<h1>Person Record</h1><p>Name: {person.FirstName} {person.LastName}</p>");
        pdf.SaveAs("PersonRecord.pdf");
    }
}
IRON VB CONVERTER ERROR developers@ironsoftware.com
VB   C#

This example creates a simple Employee record and then uses IronPDF to generate a PDF document displaying the person's name. It showcases how seamlessly C# records can integrate with PDF generation in .NET applications.

OData C# (How It Works For Developers): Figure 7 - PDF Output

Conclusion

OData simplifies the development and consumption of RESTful APIs in .NET by providing standardized querying and manipulation capabilities. We can also integrate it with Entity Framework, enhancing development efficiency by simplifying data access and management. OData streamlines API development, enabling seamless integration and interoperability across various platforms with its rich query functionalities and improved developer experience. As for IronPDF for comprehensive features and support.

< PREVIOUS
StyleCop C# (How It Works For Developers)
NEXT >
IdentityServer .NET (How It Works For Developers)

Ready to get started? Version: 2024.10 just released

Free NuGet Download Total downloads: 11,308,499 View Licenses >