书要反复提及《哪里有天才》在说,大多数所谓的天才是通过反复刻意练习获得。

当你的练习时间达到10000几个小时后,。你将成为该领域的专家。

近期在学习rails怎样实现RESTful Web Service。

自己想给自己设计一个练习的模板,进行重复练习。

开发过程採用的是TDD的方式进行开发。

练习背景:

我们涉及三个Domain对象,Products、Orders、Payment

1.新建projectrails-rest-practice

rails new rails-rest-practice

cd !$

bundle install

2.安装rspec-rails

在Gemfile中加入

gem "rspec-rails", :group => [:development, :test]

然后

bundle install

rails g rspec:install

在.rspec 中去掉 --warnings

3.GET /products => user get list of products

step 1:创建controller,返回HTTP Status 200

user products api例如以下:

GET   /products       user get list of products

创建文件:spec/products/products_controller_spec.rb

require 'rails_helper'



describe ProductsController, :type => :controller do

   describe 'products controller' do

      it 'get index of products' do

         get :index

         expect(response).to have_http_status(200)

      end

   end

end

have_http_status:http://rubydoc.info/gems/rspec-rails/RSpec/Rails/Matchers#have_http_status-instance_method

创建文件:app/controllers/products_controller.rb

class ProductsController < ApplicationController

   def index

   end

end

执行rake spec。得到错误:

ActionController::UrlGenerationError:

       No route matches {:action=>"index", :controller=>"products"}

配置相关config/routes.rb

resources :products do

   collection do

      get :index

   end

end

执行rake spec,得到错误:

Failure/Error: get :index

     ActionView::MissingTemplate:

改动app/controllers/products_controller.rb

class ProductsController < ApplicationController

   def index

      render :nothing => true

   end

end

这样就完毕我们的第一个步骤。尽管看似这个步骤什么都没測,事实上不然,在这一步中。我们搭建好了routes。同一时候创建了必要的controller类和其相应的方法。

step 2:返回JSON

安装rabl

在Gemfile中加入rabl

gem 'rabl'

bundle install

參考Rails + rabl

改动測试:spec/products/products_controller_spec.rb

render_views



describe 'products controller' do

   before(:all) do

      @products = [

         Product.new({:id => 1, :name => 'apple juice', :description => 'good'}),

         Product.new({:id => 2, :name => 'banana juice', :description => 'just so so'})

      ]

   end



   it 'get index of products' do

      expect(Product).to receive(:all).and_return(@products).once



      get :index, {:format => :json}

      expect(response).to have_http_status(200)



      products_json = JSON.parse(response.body)

      expect(products_json.size).to eq(2)

   end

end

执行測试rake spec

得到错误:

NameError:

       uninitialized constant Product

创建model Product:

rails g model Product name:string description:text

rake db:migrate

执行測试rake spec

得到错误:

Failure/Error: products_json = JSON.parse(response.body)

     JSON::ParserError:

       A JSON text must at least contain two octets!

这是由于我们的response不正确,而且我们没有配置怎么获取json格式的输出。

创建文件: app/views/products/index.json.rabl

collection @products, :object_root => false

attributes :name

再次执行測试rake spec,測试通过

step3: 加入很多其它的字段

在 spec/products/products_controller_spec.rb中

products_json = JSON.parse(response.body)

expect(products_json.size).to eq(2)



expect(products_json[0]['id']).to eq(1)

expect(products_json[1]['id']).to eq(2)



expect(products_json[0]['name']).to eq('apple juice')

expect(products_json[1]['name']).to eq('banana juice')



expect(products_json[0]['description']).to eq('good')

expect(products_json[1]['description']).to eq('just so so')



expect(products_json[0]['uri']).to end_with('/products/1')

expect(products_json[1]['uri']).to end_with('/products/2')

在app/views/products/index.json.rabl中

collection @products, :object_root=>false

attributes :id, :name, :description



node :uri do |product|

   product_url product

end

4.GET /products => user get a product of specified id

step 1: 创建相应的controller方法。返回HTTP 200

加入測试:spec/products/products_controller_spec.rb

it 'get product by product id' do

   get :show, {:id => 1}

   expect(response).to have_http_status(200)

end

相应改动:app/controllers/products_controller.rb

def show

   render :nothing => true

end

相应改动:config/routes.rb

resources :products do

   collection do

      get :index

   end



   member do

      get :show

   end

end

rake spec測试通过

step 2:创建相应的JSON显示

加入測试:spec/products/products_controller_spec.rb

before(:all) do

   #... ...

   @product = Product.new({:id => 1, :name => 'apple juice', :description => 'good'})

end

it 'get product by product id' do

   expect(Product).to receive(:find).with(1).and_return(@product).once



   get :show, {:id => 1, :format => :json}

   expect(response).to have_http_status(200)



   product_json = JSON.parse(response.body)

   expect(product_json['id']).to eq(1)

   expect(product_json['name']).to eq('apple juice')

   expect(product_json['description']).to eq('good')

   expect(product_json['uri']).to end_with('/products/1')

end

相应改动:app/controllers/products_controller.rb

def show

   @product = Product.find(params[:id].to_i)

end

Q:params[:id].to_i,为什么这里从測试代码过来的params[:id]它使一个string类型呢

加入JSON显示:app/views/products/show.json.rabl

object false



node(:id) { |product| @product.id }

node(:name) { |product| @product.name }

node(:description) { |product| @product.description }

node(:uri) { |product| product_url @product }

执行測试,通过

step 3:重构rabl

改动app/views/products/show.json.rabl

object @product



attributes :id, :name, :description



node(:uri) { |product| product_url product }

改动app/views/products/index.json.rabl

collection @products



extends 'products/show'

配置rabl:创建文件config/initializers/rabl_config.rb

Rabl.configure do |config|

   config.include_json_root = false

end

执行測试,通过,这样降低了rabl间的反复代码

step 4:HTTP 404

加入測试:spec/products/products_controller_spec.rb

it 'get 404 when product not found' do

   expect(Product).to receive(:find).with(100).and_raise(ActiveRecord::RecordNotFound)



   get :show, {:id => 100, :format => :json}

   expect(response).to have_http_status(404)

end

相应改动:

class ProductsController < ApplicationController

   rescue_from ActiveRecord::RecordNotFound, with: :product_not_found



   #... ... 



   def show

      @product = Product.find(params[:id])

   end



   protected

      def product_not_found

         response.status = :not_found

      end

end

參考rescue_from

(更新中,欢迎不吝赐教)

将会要改动的部分是怎样笔试rspec,参考:http://betterspecs.org/

版权声明:本文博主原创文章,博客,未经同意不得转载。

有意练习--Rails RESTful(一)的更多相关文章

  1. 从0使用Ruby on Rails打造企业级RESTful API项目实战之我的云音乐

    本节对我们项目实现的功能和知识点做一个简单的介绍,因为是RESTful API项目,所以对于后端来说基本上没有什么UI界面可展示,那我们就在关键的点,使用客户端(Android)实现的效果图. 课程简 ...

  2. Rails ---> routes.rb 详解

    理解路由的目的 看懂routes.rb文件中的代码 使用经典的hash风格或者现在比较流行的Restful风格构造你自己的路径 断定一个路径会映射到哪一个controller和action 路由的双重 ...

  3. Rails : 产品环境(生产环境)的部署

    bundle install rails server (默认为开发环境) rails server -p80 -e production (指定为生产环境 ,并自定义指定站点端口) rake RAI ...

  4. RESTFUL接口

    原文地址:http://kb.cnblogs.com/page/512047/ 1. 什么是REST REST全称是Representational State Transfer,中文意思是表述(编者 ...

  5. Building a RESTful Web Service Using Spring Boot In Eclipse

    一.构建restful web service 创建Maven的java web工程,maven的pom文件加入依赖包 创建包hello Greeting.java package hello; pu ...

  6. RESTful架构详解(转)

    1. 什么是REST REST全称是Representational State Transfer,中文意思是表述(编者注:通常译为表征)性状态转移. 它首次出现在2000年Roy Fielding的 ...

  7. 虚拟研讨会:如何设计好的RESTful API?

    http://www.infoq.com/cn/articles/how-to-design-a-good-restful-api/ REST架构风格最初由Roy T. Fielding(HTTP/1 ...

  8. 使用 Struts 2 开发 RESTful 服务

    REST 简介 REST 是英文 Representational State Transfer 的缩写,这个术语由 Roy Thomas Fielding 博士在他的论文<Architectu ...

  9. 【转】REST on Rails指南

    REST on Rails指南1:理解资源 这是来自http://www.softiesonrails.com的REST简明指南. PART I 在理解REST on Rails之前,有必要先思考一下 ...

随机推荐

  1. 打开或导入项目,从脱机 Outlook 数据文件 (.ost)

    打开或导入项目,从脱机 Outlook 数据文件 (.ost) Microsoft Outlook 2010 doesn\rquote t 支持手动打开或导入项目,从一个 脱机 Outlook 数据文 ...

  2. Amazon AWS创建RHEL 7实例

    在AWS上登录 如果没有账号的话先注册,参考 http://blog.banban.me/blog/2014/06/09/li-yong-awsmian-fei-zhang-hu-da-jian-vp ...

  3. uva 1557 - Calendar Game(博弈)

    option=com_onlinejudge&Itemid=8&page=show_problem&problem=4332" target="_blank ...

  4. Swift正在使用NSURLConnection异步下载同步(实例解析)

    原版的blog.转载请注明出处 http://blog.csdn.net/hello_hwc 一.同步异步两个概念 简单来讲.同步就是函数或者闭包(objective c中的block)运行完成才干返 ...

  5. WCF配置文件

    因为要上传较大的图片,WCF传递数组的默认的最大数组16KB就不够了.以下讲解配置内容. 服务端配置 这里一个WCF项目中有1个服务,配置文件如下(位于system.serviceModel标签中): ...

  6. [windows phone] 教你如何使地图动画缩放

    原文:[windows phone] 教你如何使地图动画缩放 说明 本篇将介绍如何将地图以动画显示呈现,在以下的范例介绍中可以看到有动画跟没动画的差别,如果你的地图还是很单调的话,不仿加上这个设计,让 ...

  7. ajax j跨域请求sonp

    需求 遇到的问题 解决方案 需求 如今,该项目需要获得数据访问外部链接.它是跨域.使用ajax 直提示: 遇到的问题 1. 怎样使用ajax 跨域请求数据 2. 能不能post请求 解决的方法 经过网 ...

  8. android AlarmManager采用

    Android的闹钟实现机制非常easy, 仅仅须要调用AlarmManager.Set()方法将闹钟设置提交给系统,当闹钟时间到后,系统会依照我们的设定发送指定的广播消息.我们写一个广播去接收消息做 ...

  9. MVC 中使用 SignalR 实现推送功能

    MVC 中使用 SignalR 实现推送功能 一,简介 Signal 是微软支持的一个运行在 Dot NET 平台上的 html websocket 框架.它出现的主要目的是实现服务器主动推送(Pus ...

  10. 乐在其中设计模式(C#) - 中介者模式(Mediator Pattern)

    原文:乐在其中设计模式(C#) - 中介者模式(Mediator Pattern) [索引页][源码下载] 乐在其中设计模式(C#) - 中介者模式(Mediator Pattern) 作者:weba ...