使用HttpClient对ASP.NET Web API服务实现增删改查
本篇体验使用HttpClient对ASP.NET Web API服务实现增删改查。
创建ASP.NET Web API项目
新建项目,选择"ASP.NET MVC 4 Web应用程序"。
选择"Web API"。
在Models文件夹下创建Product类。
public class Product{public int Id { get; set; }public string Name { get; set; }public string Category { get; set; }public decimal Price { get; set; }}
在Models文件夹下创建IProductRepository接口。
public interface IProductRepository{IEnumerable<Product> GetAll();Product Get(int id);Product Add(Product item);void Remove(int id);bool Update(Product item);}
在Models文件夹下创建ProductRepository类,实现IProductRepository接口。
public class ProductRepository : IProductRepository{private List<Product> products = new List<Product>();private int _nextId = 1;public ProductRepository(){Add(new Product() {Name = "product1", Category = "sports", Price = 88M});Add(new Product() { Name = "product2", Category = "sports", Price = 98M });Add(new Product() { Name = "product3", Category = "toys", Price = 58M });}public IEnumerable<Product> GetAll(){return products;}public Product Get(int id){return products.Find(p => p.Id == id);}public Product Add(Product item){if (item == null){throw new ArgumentNullException("item");}item.Id = _nextId++;products.Add(item);return item;}public bool Update(Product item){if (item == null){throw new ArgumentNullException("item");}int index = products.FindIndex(p => p.Id == item.Id);if (index == -1){return false;}products.RemoveAt(index);products.Add(item);return true;}public void Remove(int id){products.RemoveAll(p => p.Id == id);}}
在Controllers文件夹下创建空的ProductController。
public class ProductController : ApiController{static readonly IProductRepository repository = new ProductRepository();//获取所有public IEnumerable<Product> GetAllProducts(){return repository.GetAll();}//根据id获取public Product GetProduct(int id){Product item = repository.Get(id);if (item == null){throw new HttpResponseException(HttpStatusCode.NotFound);}return item;}//根据类别查找所有产品public IEnumerable<Product> GetProductsByCategory(string category){returnrepository.GetAll().Where(p => string.Equals(p.Category, category, StringComparison.OrdinalIgnoreCase));}//创建产品public HttpResponseMessage PostProduct(Product item){item = repository.Add(item);var response = Request.CreateResponse(HttpStatusCode.Created, item);string uri = Url.Link("DefaultApi", new {id = item.Id});response.Headers.Location = new Uri(uri);return response;}//更新产品public void PutProduct(int id, Product product){product.Id = id;if (!repository.Update(product)){throw new HttpResponseException(HttpStatusCode.NotFound);}}//删除产品public void DeleteProduct(int id){Product item = repository.Get(id);if (item == null){throw new HttpResponseException(HttpStatusCode.NotFound);}repository.Remove(id);}}
在浏览器中输入:
http://localhost:1310/api/Product 获取到所有产品
http://localhost:1310/api/Product/1 获取编号为1的产品
使用HttpClient查询某个产品
在同一个解决方案下创建一个控制台程序。
依次点击"工具","库程序包管理器","程序包管理器控制台",输入如下:
Install-Package Microsoft.AspNet.WebApi.Client

在控制台程序下添加Product类,与ASP.NET Web API中的对应。
public class Product{public string Name { get; set; }public double Price { get; set; }public string Category { get; set; }}
编写如下:
static void Main(string[] args){RunAsync().Wait();Console.ReadKey();}static async Task RunAsync(){using (var client = new HttpClient()){//设置client.BaseAddress = new Uri("http://localhost:1310/");client.DefaultRequestHeaders.Accept.Clear();client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));//异步获取数据HttpResponseMessage response = await client.GetAsync("/api/Product/1");if (response.IsSuccessStatusCode){Product product = await response.Content.ReadAsAsync<Product>();Console.WriteLine("{0}\t{1}元\t{2}",product.Name, product.Price, product.Category);}}}
把控制台项目设置为启动项目。

HttpResponseMessage的IsSuccessStatusCode只能返回true或false,如果想让响应抛出异常,需要使用EnsureSuccessStatusCode方法。
try{HttpResponseMessage response = await client.GetAsync("/api/Product/1");response.EnsureSuccessStatusCode();//此方法确保响应失败抛出异常}catch(HttpRequestException ex){//处理异常}
另外,ReadAsAsync方法,默认接收MediaTypeFormatter类型的参数,支持 JSON, XML, 和Form-url-encoded格式,如果想自定义MediaTypeFormatter格式,参照如下:
var formatters = new List<MediaTypeFormatter>() {new MyCustomFormatter(),new JsonMediaTypeFormatter(),new XmlMediaTypeFormatter()};resp.Content.ReadAsAsync<IEnumerable<Product>>(formatters);
使用HttpClient查询所有产品
static void Main(string[] args){RunAsync().Wait();Console.ReadKey();}static async Task RunAsync(){using (var client = new HttpClient()){//设置client.BaseAddress = new Uri("http://localhost:1310/");client.DefaultRequestHeaders.Accept.Clear();client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));//异步获取数据HttpResponseMessage response = await client.GetAsync("/api/Product");if (response.IsSuccessStatusCode){IEnumerable<Product> products = await response.Content.ReadAsAsync<IEnumerable<Product>>();foreach (var item in products){Console.WriteLine("{0}\t{1}元\t{2}", item.Name, item.Price, item.Category);}}}}

使用HttpClient添加
static void Main(string[] args){RunAsync().Wait();Console.ReadKey();}static async Task RunAsync(){using (var client = new HttpClient()){//设置client.BaseAddress = new Uri("http://localhost:1310/");client.DefaultRequestHeaders.Accept.Clear();client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));//添加var myProduct = new Product() { Name = "myproduct", Price = 88, Category = "other" };HttpResponseMessage response = await client.PostAsJsonAsync("api/Product", myProduct);//异步获取数据response = await client.GetAsync("/api/Product");if (response.IsSuccessStatusCode){IEnumerable<Product> products = await response.Content.ReadAsAsync<IEnumerable<Product>>();foreach (var item in products){Console.WriteLine("{0}\t{1}元\t{2}", item.Name, item.Price, item.Category);}}}}

使用HttpClient修改
static void Main(string[] args){RunAsync().Wait();Console.ReadKey();}static async Task RunAsync(){using (var client = new HttpClient()){//设置client.BaseAddress = new Uri("http://localhost:1310/");client.DefaultRequestHeaders.Accept.Clear();client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));//添加 HTTP POSTvar myProduct = new Product() { Name = "myproduct", Price = 100, Category = "other" };HttpResponseMessage response = await client.PostAsJsonAsync("api/product", myProduct);if (response.IsSuccessStatusCode){Uri pUrl = response.Headers.Location;//修改 HTTP PUTmyProduct.Price = 80; // Update priceresponse = await client.PutAsJsonAsync(pUrl, myProduct);}//异步获取数据response = await client.GetAsync("/api/Product");if (response.IsSuccessStatusCode){IEnumerable<Product> products = await response.Content.ReadAsAsync<IEnumerable<Product>>();foreach (var item in products){Console.WriteLine("{0}\t{1}元\t{2}", item.Name, item.Price, item.Category);}}}}

使用HttpClient删除
static void Main(string[] args){RunAsync().Wait();Console.ReadKey();}static async Task RunAsync(){using (var client = new HttpClient()){//设置client.BaseAddress = new Uri("http://localhost:1310/");client.DefaultRequestHeaders.Accept.Clear();client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));//添加 HTTP POSTvar myProduct = new Product() { Name = "myproduct", Price = 100, Category = "other" };HttpResponseMessage response = await client.PostAsJsonAsync("api/product", myProduct);if (response.IsSuccessStatusCode){Uri pUrl = response.Headers.Location;//修改 HTTP PUTmyProduct.Price = 80; // Update priceresponse = await client.PutAsJsonAsync(pUrl, myProduct);//删除 HTTP DELETEresponse = await client.DeleteAsync(pUrl);}//异步获取数据response = await client.GetAsync("/api/Product");if (response.IsSuccessStatusCode){IEnumerable<Product> products = await response.Content.ReadAsAsync<IEnumerable<Product>>();foreach (var item in products){Console.WriteLine("{0}\t{1}元\t{2}", item.Name, item.Price, item.Category);}}}}

完。
使用HttpClient对ASP.NET Web API服务实现增删改查的更多相关文章
- 使用HttpClient操作ASP.NET Web API 2.1增删改查
使用NuGet包安装Microsoft ASP.NET Web API 2.1 Client Libraries, 调用方式代码如下: HttpClient client = new HttpClie ...
- 前端使用AngularJS的$resource,后端ASP.NET Web API,实现增删改查
AngularJS中的$resource服务相比$http服务更适合与RESTful服务进行交互.本篇后端使用ASP.NET Web API, 前端使用$resource,实现增删改查. 本系列包括: ...
- 使用HttpClient消费ASP.NET Web API服务
本篇体验使用HttpClient消费ASP.NET Web API服务,例子比较简单. 依次点击"文件","新建","项目". 选择&quo ...
- ASP.NET从零开始学习EF的增删改查
ASP.NET从零开始学习EF的增删改查 最近辞职了,但是离真正的离职还有一段时间,趁着这段空档期,总想着写些东西,想来想去,也不是很明确到底想写个啥,但是闲着也是够 ...
- 基于gin的golang web开发:mysql增删改查
Go语言访问mysql数据库需要用到标准库database/sql和mysql的驱动.标准库的Api使用比较繁琐这里再引入另一个库github.com/jmoiron/sqlx. go get git ...
- Android(java)学习笔记193:利用谷歌API对数据库增删改查(推荐使用)
接下来我们通过项目案例来介绍:这个利用谷歌API对数据库增删改查 1.首先项目图: 2.这里的布局文件activity_main.xml: <LinearLayout xmlns:android ...
- 通过flask实现web页面简单的增删改查bootstrap美化版
通过flask实现web页面简单的增删改查bootstrap美化版 项目目录结构 [root@node1 python]# tree -L 2 . ├── animate.css ├── fileut ...
- 通过flask实现web页面简单的增删改查
通过flask实现web页面简单的增删改查 # 1.后台程序falsk_web01.py #coding:utf-8 from flask import Flask,render_template,r ...
- Android(java)学习笔记136:利用谷歌API对数据库增删改查(推荐使用)
接下来我们通过项目案例来介绍:这个利用谷歌API对数据库增删改查 1. 首先项目图: 2. 这里的布局文件activity_main.xml: <LinearLayout xmlns:andro ...
随机推荐
- JAVA数据库编程(JDBC技术)-入门笔记
本菜鸟才介入Java,我现在不急着去看那些基本的语法或者一些Java里面的版本的特征或者是一些晋级的知识,因为有一点.Net的OOP编程思想,所以对于Java的这些语法以及什么的在用到的时候在去发现学 ...
- PHP科学计数法转换成数字
/** * 科学计数法转换成数字 * @param $num * @param int $double * @return int */ function sctonum($num, $double ...
- 【OOB】MSHTML!CPasteCommand::ConvertBitmaptoPng heap-based buffer overflow学习
IE 11 MSHTML!CPasteCommand::ConvertBitmaptoPng heap-based buffer overflow学习 MS14-056, CVE-2014-41 ...
- HTML相对路径相对目录--上级目录及下级目录的写法
如何表示上级目录 ../表示源文件所在目录的上一级目录,../../表示源文件所在目录的上上级目录,以此类推. 假设info.html路径是:c:/Inetpub/wwwroot/sites/blab ...
- 《Redis设计与实现》学习笔记
第2章 简单动态字符串(SDS) redis的字符串不是直接用c语言的字符串,而是用了一种称为简单动态字符串(SDS)的抽象类型,并将其作为默认字符串. redis中包含字符串值的键值对在底层都是由S ...
- hdu 1213 求连通分量(并查集模板题)
求连通分量 Sample Input2 //T5 3 //n m1 2// u v2 34 5 5 12 5 Sample Output24 # include <iostream> # ...
- React项目
React项目 React项目搭建与部署 一,介绍与需求 1.1,介绍 1.1.1,React简介 React 是一个用于构建用户界面的 JAVASCRIPT 库. React主要用于构建UI,很多人 ...
- 【Codechef】BB-Billboards
题解 传说中的--半标准杨表(行单调不增,列单调减) 如果N能整除M,我们把序列分成\(\frac{N}{M}\)段 然后里面要填K个1,显然我每一段必须填K个1,且可以构造出合法的序列,所以最少要填 ...
- 转:Spring中事物管理
1.什么是事务? 事务是逻辑上的一组操作,这组操作要么全部成功,要么全部失败 2.事物具有四大特性ACID 说到事务,就不得不说其4大特性,主要如下 原子性:(atomicity) 原子性指的是事务是 ...
- JSR教程2——Spring MVC数据校验与国际化
SpringMVC数据校验采用JSR-303校验. • Spring4.0拥有自己独立的数据校验框架,同时支持JSR303标准的校验框架. • Spring在进行数据绑定时,可同时调用校验框架完成数据 ...