As part of a personal project, I have been working on an OpenID Provider written in Sinatra.
The idea is to make it ridiculously easy to set up an openid provider within a rack middleware stack.
It’s just a single sinatra app without any tests using code I cribbed from the example rails implementation in ruby-openid. But, I intend on rewriting it once I get a better feel for how it should go.
The problem I face is a matter of interface, specifically application programming interface. I want it to be simple to use. But that is alittle complicated underneath.
Today I read The Little Manual of API Design(pdf), which made me think about my approach to building things in, I think, a good way. It talks about the goals of building a good API and boils it down to five things.
- Easy to learn and memorize
- Leads to readable code
- Hard to misuse
- Easy to extend
- Complete
For my app, complete is pretty easy. I’ve boiled the interface down to two main things:
- OpenID Store
- User/Identity
First, for an openid app, you need an openid store to put all the associations, nonces etc.
Then, the meaty bit, the users and their identities. The stuff we are serving up. My current thought is to have one of the app’s parameters be a lambda or Proc that returns the current user, or nil when called with the request.env. So that using it would look somewhat like this.
require 'openid_provider_sinatra' | |
use Rack::Auth::Basic do |username,password| | |
'secret' == password | |
end | |
run OpenIDProvider.new nil, :store=>OpenID::Store::Filesystem.new(Dir.pwd + '/openid-store'), | |
:user=>Proc.new {|env| | |
login=env['REMOTE_USER'] | |
return nil unless login | |
OpenStruct.new :login=>login,:url=>"http://id.example.com/#{login}" | |
} |
require 'openid_provider_sinatra' | |
use Rack::Auth::Basic do |username,password| | |
'secret' == password | |
end | |
class InjectUser | |
def initialize app | |
@app=app | |
end | |
def call env | |
login=env['REMOTE_USER'] | |
if login | |
env['rack.current_user'] = OpenStruct.new(:login=>login,:url=>"http://id.example.com/#{login}") | |
end | |
@app.call env | |
end | |
end | |
use InjectUser | |
run OpenIDProvider.new :store=>OpenID::Store::Filesystem.new(Dir.pwd + '/openid-store'), | |
:user_key=> 'rack.current_user' |
Maybe that would be better.
Ultimately I just need to pick something and run with it.
The thing I wonder about though, is what is the most idomatic way of doing this. Using the most rubyish, most Rack like interface would make it easier to learn and memorize.