在每一个例子我看到,人们只实现一个巨大的api.rb文件。 例如:
- intridea /葡萄
- bloudraak /葡萄样品博客-API
- djones /葡萄巨人-示例
虽然这种方法细如,它可以迅速变得拥挤,难以维持,所以我想在我的应用程序的东西分开。
举例来说,我想从我的资源分割我的实体,然后不同的文件之间的分裂我的资源。 举些例子:
app
- api
api.rb
- entities
- weblog.rb
- post.rb
- comment.rb
- resources
- weblog.rb
- post.rb
- comment.rb
现在,api.rb会是这样的:
require 'grape'
module Blog
class API < Grape::API
prefix "api"
end
end
应用程序/ API /实体/ post.rb会是这样的:
module Blog
module Entities
class Post < Grape::Entity
root 'posts', 'posts'
expose :id
expose :content
end
end
end
应用程序/ API /资源/ post.rb会是这样的:
module Blog
class API < Grape::API
resource :posts do
get do
present Post.all, with: Blog::Entities::Post
end
desc "returns the payment method corresponding to a certain id"
params do
requires :id, :type => Integer, :desc => "Post id."
end
get ':id' do
present Post.find(params[:id]), with: Blog::Entities::Post
end
end
end
end
当我们这样做,我们遇到了以下消息:
预计/blog-app/api/resources/post.rb定义帖子
SOLUTION(感谢分贝。和我的同事)
你必须结构更改为类似:
app
- api
api.rb
- resources
- post_api.rb
然后,在post_api.rb
module Blog
class Resources::PostAPI < Grape::API
resource :posts do
get do
present Post.all
end
end
end
end
最后,api.rb变为:
require 'grape'
module Blog
class API < Grape::API
prefix 'api'
version 'v1', :using => :path
format :json
mount Blog::Resources::PostAPI => '/'
end
end
现在/api/v1/posts
应该工作:)