zoukankan      html  css  js  c++  java
  • [转]Web API Introduction to OData Services using ASP.NET Web API

    本文转自:http://mahedee.net/tag/web-api/

    What is OData?

    OData Stands for Open Data Protocol. It is a data access protocol for the web. OData provides a uniform way to query and manipulate data sets through CRUD operations (create, read, update, and delete). OData consumption can be done across different Programming Language. ASP.NET Web API supports both OData v3 and V4.

    Advantages of OData Services

    • OData based on REST Architecture so we can retrieve data using URL
    • Support CRUD Operation using HTTP Method like GET, POST, PUT, DELETE
    • Support HTTP, JSON and Atom Pub
    • It is very light weight, so interaction of client and server is very fast

    Disadvantage

    • Since it is URL based so many people think it is less secure
    • It does not support all type of custom query

    Let’s implement OData Services using ASP.NET Web API

    Tools and Technology used
    I used following tools and technology to develop the project –

    • Visual Studio 2013
    • Visual C#
    • ASP.NET Web API 2
    • Entity Framework 6
    • Postman(Google postman)

    Step 1: Create a ASP.net Web API Project
    Open visual studio and then go
    File -> Project -> ASP.NET Web Application

    01

    Now select Web API and press OK

    2

    Step 2: Install Microsoft.AspNet.Odata

    To install OData Nuget Pacakge from Package Manager Console.
    Select Tool -> NuGet Package Manager > Package Manager Console
    Type following command in package manager console

    PM> Install-Package Microsoft.AspNet.Odata

    Step 3: Create a model name Employee

    Create a Model name Employee in model folder

    1
    2
    3
    4
    5
    6
    7
    8
    public class Employee
    {
        public int Id { get; set; }
        public string Name { get; set; }
        public string Designation { get; set; }
        public string Dept { get; set; }
        public string BloodGroup { get; set; }
    }

    Step 4: Change or Add Connection String
    Change or Add connection string in Web.config

    1
    2
    <add name="DefaultConnection" connectionstring="Data Source=(LocalDb)v11.0;AttachDbFilename=|DataDirectory|HRMDB.mdf;Initial Catalog=HRMDB;Integrated Security=True" providername="System.Data.SqlClient">
    </add>

    Step 5: Create a Context class

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    Create HRMContext class in Model  folder.
     
        public class HRMContext : DbContext
        {
            public HRMContext()
                : base("DefaultConnection")
            {
            }
            public DbSet<Employee> Employees { get; set; }
        }

    Step 6: Add a Controller

    Press right button on Controller folder -> Add -> Controller

    Now choose “Web API 2 OData v3 Controller with actions, using Entity Framework” scaffolding template and then press Add.

    3

    Now choose Controller Name as EmployeeController, Model name as Employee and Context name as HRMContext and click Add like below.

    04

    The following code will be generated on corresponding for the controller.

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    40
    41
    42
    43
    44
    45
    46
    47
    48
    49
    50
    51
    52
    53
    54
    55
    56
    57
    58
    59
    60
    61
    62
    63
    64
    65
    66
    67
    68
    69
    70
    71
    72
    73
    74
    75
    76
    77
    78
    79
    80
    81
    82
    83
    84
    85
    86
    87
    88
    89
    90
    91
    92
    93
    94
    95
    96
    97
    98
    99
    100
    101
    102
    103
    104
    105
    106
    107
    108
    109
    110
    111
    112
    113
    114
    115
    116
    117
    118
    119
    120
    121
    122
    123
    124
    125
    126
    127
    128
    129
    130
    131
    132
    133
    134
    135
    136
    137
    138
        public class EmployeeController : ODataController
        {
            private HRMContext db = new HRMContext();
     
            // GET: odata/Employee
            [EnableQuery]
            public IQueryable<Employee> GetEmployee()
            {
                return db.Employees;
            }
     
            // GET: odata/Employee(5)
            [EnableQuery]
            public SingleResult<Employee> GetEmployee([FromODataUri] int key)
            {
                return SingleResult.Create(db.Employees.Where(employee => employee.Id == key));
            }
     
            // PUT: odata/Employee(5)
            public IHttpActionResult Put([FromODataUri] int key, Delta<employee> patch)
            {
                Validate(patch.GetEntity());
     
                if (!ModelState.IsValid)
                {
                    return BadRequest(ModelState);
                }
     
                Employee employee = db.Employees.Find(key);
                if (employee == null)
                {
                    return NotFound();
                }
     
                patch.Put(employee);
     
                try
                {
                    db.SaveChanges();
                }
                catch (DbUpdateConcurrencyException)
                {
                    if (!EmployeeExists(key))
                    {
                        return NotFound();
                    }
                    else
                    {
                        throw;
                    }
                }
     
                return Updated(employee);
            }
     
            // POST: odata/Employee
            public IHttpActionResult Post(Employee employee)
            {
                if (!ModelState.IsValid)
                {
                    return BadRequest(ModelState);
                }
     
                db.Employees.Add(employee);
                db.SaveChanges();
     
                return Created(employee);
            }
     
            // PATCH: odata/Employee(5)
            [AcceptVerbs("PATCH", "MERGE")]
            public IHttpActionResult Patch([FromODataUri] int key, Delta<employee> patch)
            {
                Validate(patch.GetEntity());
     
                if (!ModelState.IsValid)
                {
                    return BadRequest(ModelState);
                }
     
                Employee employee = db.Employees.Find(key);
                if (employee == null)
                {
                    return NotFound();
                }
     
                patch.Patch(employee);
     
                try
                {
                    db.SaveChanges();
                }
                catch (DbUpdateConcurrencyException)
                {
                    if (!EmployeeExists(key))
                    {
                        return NotFound();
                    }
                    else
                    {
                        throw;
                    }
                }
     
                return Updated(employee);
            }
     
            // DELETE: odata/Employee(5)
            public IHttpActionResult Delete([FromODataUri] int key)
            {
                Employee employee = db.Employees.Find(key);
                if (employee == null)
                {
                    return NotFound();
                }
     
                db.Employees.Remove(employee);
                db.SaveChanges();
     
                return StatusCode(HttpStatusCode.NoContent);
            }
     
            protected override void Dispose(bool disposing)
            {
                if (disposing)
                {
                    db.Dispose();
                }
                base.Dispose(disposing);
            }
     
            private bool EmployeeExists(int key)
            {
                return db.Employees.Count(e => e.Id == key) > 0;
            }
        }
     
    </employee></employee>

    Step 7: Configure OData End Point

    Open the file App_Start/WebApiConfig.cs. Add the following using statements:

    using System.Web.Http.OData.Builder;
    using System.Web.Http.OData.Extensions;
    using Web.OData.Models;

    Add the following code in the register method.

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
        public static class WebApiConfig
        {
            public static void Register(HttpConfiguration config)
            {
                ODataConventionModelBuilder builder = new ODataConventionModelBuilder();
                builder.EntitySet<employee>("Employee");
    config.Routes.MapODataServiceRoute("odata", "odata", builder.GetEdmModel());
    }
    }
    </employee>

    Step 8: Enable Migration

    Type the following command in package manager console to enable migration
    PM> Enable-Migrations -ContextTypeName HRMContext

    After pressing enter you will see a class name Configuration is created in Mingrations folder with some codes.

    Step 9: Add seed data and add migration

    Modify the Seed() method of Configuration class like below to add some seed data.

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
            protected override void Seed(Web.OData.Models.HRMContext context)
            {
     
                context.Employees.AddOrUpdate(
                  p => p.Name,
                  new Employee { Name = "Mahedee Hasan", Designation = "Software Architect", Dept = "SSD", BloodGroup = "A+" },
                  new Employee { Name = "Kazi Aminur Rashid", Designation = "AGM", Dept = "SSD", BloodGroup = "NA" },
                  new Employee { Name = "Tauhidul Haque", Designation = "DGM", Dept = "SSD", BloodGroup = "A+" }
                );
     
    }

    Now type the following command in the package manager console to add a migration.

    PM> Add-Migration initialmigration

    Step 10: Update database and attaché mdf file

    Now type the following command in package manager console.

    PM> Update-Database –Verbose

    You will see two file .mdf and .ldf is created in your App_data directory. Now attached the file like below.

    05

    Now run you application. Run Postman. Type http://localhost:64126/odata/Employee in your postbox you will see following output in JSON format. Use port number on which your application currently running instead of 64126.

    06

    Now, it’s working…!! Cheers!!!

     
  • 相关阅读:
    .NET文件格式相关开源项目
    ASP.NET配置文件Web.config 详细解释
    Allow user to select camera or gallery for image
    android之调用webservice 实现图片上传
    使用 iTextSharp 生成 PDF 表格
    Android:如何显示网络图片
    Android的HttpClient和WebView session不同的问题
    提高你开发效率的十五个Visual Studio 2010使用技巧
    HTML5 Audio/Video 标签,属性,方法,事件汇总
    ASP.NET Web 项目文件类型
  • 原文地址:https://www.cnblogs.com/freeliver54/p/6912324.html
Copyright © 2011-2022 走看看