diff options
| -rw-r--r-- | app/views/layouts/_navigation.html.haml | 1 | ||||
| -rw-r--r-- | test/unit/email_test.rb | 18 | ||||
| -rw-r--r-- | users/app/controllers/email_settings_controller.rb | 41 | ||||
| -rw-r--r-- | users/app/controllers/v1/users_controller.rb | 16 | ||||
| -rw-r--r-- | users/app/models/account_settings.rb | 36 | ||||
| -rw-r--r-- | users/app/models/email.rb | 35 | ||||
| -rw-r--r-- | users/app/models/identity.rb | 82 | ||||
| -rw-r--r-- | users/app/models/local_email.rb | 68 | ||||
| -rw-r--r-- | users/app/models/remote_email.rb | 14 | ||||
| -rw-r--r-- | users/app/models/signup_service.rb | 9 | ||||
| -rw-r--r-- | users/app/models/user.rb | 56 | ||||
| -rw-r--r-- | users/app/views/email_settings/edit.html.haml | 38 | ||||
| -rw-r--r-- | users/app/views/users/_edit.html.haml | 16 | ||||
| -rw-r--r-- | users/test/functional/v1/users_controller_test.rb | 8 | ||||
| -rw-r--r-- | users/test/integration/api/account_flow_test.rb | 23 | ||||
| -rw-r--r-- | users/test/unit/email_aliases_test.rb | 66 | ||||
| -rw-r--r-- | users/test/unit/email_test.rb | 19 | ||||
| -rw-r--r-- | users/test/unit/identity_test.rb | 86 | ||||
| -rw-r--r-- | users/test/unit/local_email_test.rb | 34 | ||||
| -rw-r--r-- | users/test/unit/user_test.rb | 23 | 
20 files changed, 402 insertions, 287 deletions
| diff --git a/app/views/layouts/_navigation.html.haml b/app/views/layouts/_navigation.html.haml index 2f79a22..3d094a6 100644 --- a/app/views/layouts/_navigation.html.haml +++ b/app/views/layouts/_navigation.html.haml @@ -1,6 +1,5 @@  %ul.nav.sidenav    = link_to_navigation t(:overview), user_overview_path(@user), :active => controller?(:overviews)    = link_to_navigation t(:account_settings), edit_user_path(@user), :active => controller?(:users) -  = link_to_navigation t(:email_settings), edit_user_email_settings_path(@user), :active => controller?(:email_settings)    = link_to_navigation t(:support_tickets), auto_tickets_path, :active => controller?(:tickets)    = link_to_navigation t(:logout), logout_path, :method => :delete diff --git a/test/unit/email_test.rb b/test/unit/email_test.rb new file mode 100644 index 0000000..e858bd5 --- /dev/null +++ b/test/unit/email_test.rb @@ -0,0 +1,18 @@ +require 'test_helper' + +class EmailTest < ActiveSupport::TestCase + +  test "valid format" do +    email = Email.new(email_string) +    assert email.valid? +  end + +  test "validates format" do +    email = Email.new("email") +    assert !email.valid? +  end + +  def email_string +    @email_string ||= Faker::Internet.email +  end +end diff --git a/users/app/controllers/email_settings_controller.rb b/users/app/controllers/email_settings_controller.rb deleted file mode 100644 index f7d85be..0000000 --- a/users/app/controllers/email_settings_controller.rb +++ /dev/null @@ -1,41 +0,0 @@ -class EmailSettingsController < UsersBaseController - -  before_filter :authorize -  before_filter :fetch_user - -  def edit -    @email_alias = LocalEmail.new -  end - -  def update -    @user.attributes = cleanup_params(params[:user]) -    if @user.changed? -      if @user.save -        flash[:notice] = t(:changes_saved) -        redirect -      else -        if @user.email_aliases.last && !@user.email_aliases.last.valid? -          # display bad alias in text field: -          @email_alias = @user.email_aliases.pop -        end -        render 'email_settings/edit' -      end -    else -      redirect -    end -  end - -  private - -  def redirect -    redirect_to edit_user_email_settings_url(@user) -  end - -  def cleanup_params(user) -    if !user['email_forward'].nil? && user['email_forward'].empty? -      user.delete('email_forward') # don't allow "" as an email forward -    end -    user -  end - -end diff --git a/users/app/controllers/v1/users_controller.rb b/users/app/controllers/v1/users_controller.rb index fda56f2..f380c19 100644 --- a/users/app/controllers/v1/users_controller.rb +++ b/users/app/controllers/v1/users_controller.rb @@ -18,17 +18,23 @@ module V1      end      def create -      @user = User.create(params[:user]) +      @user = signup_service.register(params[:user])        respond_with @user # return ID instead?      end      def update -      @user.update_attributes params[:user] -      if @user.valid? -        flash[:notice] = t(:user_updated_successfully) -      end +      account_settings.update params[:user]        respond_with @user      end +    protected + +    def account_settings +      AccountSettings.new(@user) +    end + +    def signup_service +      SignupService.new +    end    end  end diff --git a/users/app/models/account_settings.rb b/users/app/models/account_settings.rb new file mode 100644 index 0000000..a73a95a --- /dev/null +++ b/users/app/models/account_settings.rb @@ -0,0 +1,36 @@ +class AccountSettings + +  def initialize(user) +    @user = user +  end + +  def update(attrs) +    if attrs[:password_verifier].present? +      update_login(attrs[:login]) +      @user.update_attributes attrs.slice(:password_verifier, :password_salt) +    end +    # TODO: move into identity controller +    update_pgp_key(attrs[:public_key]) if attrs.has_key? :public_key +    @user.save && save_identities +  end + +  protected + +  def update_login(login, verifier) +    return unless login.present? +    @old_identity = Identity.for(@user) +    @user.login = login +    @new_identity = Identity.for(@user) # based on the new login +    @old_identity.destination = @user.email_address # alias old -> new +  end + +  def update_pgp_key(key) +    @new_identity ||= Identity.for(@user) +    @new_identity.set_key(:pgp, key) +  end + +  def save_identities +    @new_identity.try(:save) && @old_identity.try(:save) +  end + +end diff --git a/users/app/models/email.rb b/users/app/models/email.rb index 6d82f2a..1bcff1c 100644 --- a/users/app/models/email.rb +++ b/users/app/models/email.rb @@ -1,33 +1,22 @@ -module Email -  extend ActiveSupport::Concern +class Email < String +  include ActiveModel::Validations -  included do -    validates :email, -      :format => { -        :with => /\A([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z]{2,})\Z/, -        :message => "needs to be a valid email address" -      } -  end - -  def initialize(attributes = nil, &block) -    attributes = {:email => attributes} if attributes.is_a? String -    super(attributes, &block) -  end - -  def to_s -    email -  end - -  def ==(other) -    other.is_a?(Email) ? self.email == other.email : self.email == other -  end +  validates :email, +    :format => { +      :with => /\A([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z]{2,})\Z/, +      :message => "needs to be a valid email address" +    }    def to_partial_path      "emails/email"    end    def to_param -    email +    to_s +  end + +  def email +    self    end  end diff --git a/users/app/models/identity.rb b/users/app/models/identity.rb new file mode 100644 index 0000000..355f67a --- /dev/null +++ b/users/app/models/identity.rb @@ -0,0 +1,82 @@ +class Identity < CouchRest::Model::Base + +  use_database :identities + +  belongs_to :user + +  property :address, LocalEmail +  property :destination, Email +  property :keys, HashWithIndifferentAccess + +  validate :unique_forward +  validate :alias_available + +  design do +    view :by_user_id +    view :by_address_and_destination +    view :by_address +    view :pgp_key_by_email, +      map: <<-EOJS +      function(doc) { +        if (doc.type != 'Identity') { +          return; +        } +        emit(doc.address, doc.keys["pgp"]); +      } +    EOJS + +  end + +  def self.for(user, attributes = {}) +    find_for(user, attributes) || build_for(user, attributes) +  end + +  def self.find_for(user, attributes = {}) +    attributes.reverse_merge! attributes_from_user(user) +    find_by_address_and_destination [attributes[:address], attributes[:destination]] +  end + +  def self.build_for(user, attributes = {}) +    attributes.reverse_merge! attributes_from_user(user) +    Identity.new(attributes) +  end + +  def self.create_for(user, attributes = {}) +    identity = build_for(user, attributes) +    identity.save +    identity +  end + +  def self.attributes_from_user(user) +    { user_id: user.id, +      address: user.email_address, +      destination: user.email_address +    } +  end + +  def keys +    read_attribute('keys') || HashWithIndifferentAccess.new +  end + +  def set_key(type, value) +    return if keys[type] == value +    write_attribute('keys', keys.merge(type => value)) +  end + +  protected + +  def unique_forward +    same = Identity.find_by_address_and_destination([address, destination]) +    if same && same != self +      errors.add :base, "This alias already exists" +    end +  end + +  def alias_available +    same = Identity.find_by_address(address) +    if same && same.user != self.user +      errors.add :base, "This email has already been taken" +    end +  end + +end diff --git a/users/app/models/local_email.rb b/users/app/models/local_email.rb index 69cba01..c1f7c11 100644 --- a/users/app/models/local_email.rb +++ b/users/app/models/local_email.rb @@ -1,63 +1,39 @@ -class LocalEmail -  include CouchRest::Model::Embeddable -  include Email +class LocalEmail < Email -  property :username, String -  before_validation :strip_domain_if_needed - -  validates :username, -    :presence => true, -    :format => { :with => /\A([^@\s]+)(@#{APP_CONFIG[:domain]})?\Z/i, :message => "needs to be a valid login or email address @#{APP_CONFIG[:domain]}"} - -  validate :unique_on_server -  validate :unique_alias_for_user -  validate :differs_from_login - -  validates :casted_by, :presence => true - -  def email -    return '' if username.nil? -    username + '@' + APP_CONFIG[:domain] +  def self.domain +    APP_CONFIG[:domain]    end -  def email=(value) -    return if value.blank? -    self.username = value -    strip_domain_if_needed +  validates :email, +    :format => { +      :with => /@#{domain}\Z/i, +      :message => "needs to end in @#{domain}" +    } + +  def initialize(s) +    super +    append_domain_if_needed    end    def to_key -    [username] +    [handle]    end -  protected - -  def unique_on_server -    has_email = User.find_by_login_or_alias(username) -    if has_email && has_email != self.casted_by -      errors.add :username, "has already been taken" -    end +  def handle +    gsub(/@#{domain}/i, '')    end -  def unique_alias_for_user -    aliases = self.casted_by.email_aliases -    if aliases.select{|a|a.username == self.username}.count > 1 -      errors.add :username, "is already your alias" -    end +  def domain +    LocalEmail.domain    end -  def differs_from_login -    # If this has not changed but the email let's mark the email invalid instead. -    return if self.persisted? -    user = self.casted_by -    if user.login == self.username -      errors.add :username, "may not be the same as your email address" -    end -  end +  protected -  def strip_domain_if_needed -    self.username.gsub! /@#{APP_CONFIG[:domain]}/i, '' +  def append_domain_if_needed +    unless self.index('@') +      self << '@' + domain +    end    end  end diff --git a/users/app/models/remote_email.rb b/users/app/models/remote_email.rb deleted file mode 100644 index 4fe7425..0000000 --- a/users/app/models/remote_email.rb +++ /dev/null @@ -1,14 +0,0 @@ -class RemoteEmail -  include CouchRest::Model::Embeddable -  include Email - -  property :email, String - -  def username -    email.spilt('@').first -  end - -  def domain -    email.split('@').last -  end -end diff --git a/users/app/models/signup_service.rb b/users/app/models/signup_service.rb new file mode 100644 index 0000000..f316ca9 --- /dev/null +++ b/users/app/models/signup_service.rb @@ -0,0 +1,9 @@ +class SignupService + +  def register(attrs) +    User.create(attrs).tap do |user| +      Identity.create_for user +    end +  end + +end diff --git a/users/app/models/user.rb b/users/app/models/user.rb index 413b4ac..0a89f7c 100644 --- a/users/app/models/user.rb +++ b/users/app/models/user.rb @@ -6,11 +6,6 @@ class User < CouchRest::Model::Base    property :password_verifier, String, :accessible => true    property :password_salt, String, :accessible => true -  property :email_forward, String, :accessible => true -  property :email_aliases, [LocalEmail] - -  property :public_key, :accessible => true -    property :enabled, TrueClass, :default => true    validates :login, :password_salt, :password_verifier, @@ -43,10 +38,6 @@ class User < CouchRest::Model::Base      :confirmation => true,      :format => { :with => /.{8}.*/, :message => "needs to be at least 8 characters long" } -  validates :email_forward, -    :allow_blank => true, -    :format => { :with => /\A(([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z]{2,}))?\Z/, :message => "needs to be a valid email address"} -    timestamps!    design do @@ -54,19 +45,6 @@ class User < CouchRest::Model::Base      load_views(own_path.join('..', 'designs', 'user'))      view :by_login      view :by_created_at -    view :pgp_key_by_handle, -      map: <<-EOJS -      function(doc) { -        if (doc.type != 'User') { -          return; -        } -        emit(doc.login, doc.public_key); -        doc.email_aliases.forEach(function(alias){ -          emit(alias.username, doc.public_key); -        }); -      } -    EOJS -    end # end of design    class << self @@ -105,16 +83,30 @@ class User < CouchRest::Model::Base      APP_CONFIG['admins'].include? self.login    end -  # this currently only adds the first email address submitted. -  # All the ui needs for now. -  def email_aliases_attributes=(attrs) -    email_aliases.build(attrs.values.first) if attrs -  end -    def most_recent_tickets(count=3)      Ticket.for_user(self).limit(count).all #defaults to having most recent updated first    end +  # DEPRECATED +  # +  # Please set the key on the identity directly +  # WARNING: This will not be serialized with the user record! +  # It is only a workaround for the key form. +  def public_key=(value) +    identity.set_key(:pgp, value) +  end + +  # DEPRECATED +  # +  # Please access identity.keys[:pgp] directly +  def public_key +    identity.keys[:pgp] +  end + +  def identity +    @identity ||= Identity.for(self) +  end +    protected    ## @@ -122,12 +114,10 @@ class User < CouchRest::Model::Base    ##    def login_is_unique_alias -    has_alias = User.find_by_login_or_alias(username) -    return if has_alias.nil? -    if has_alias != self +    alias_identity = Identity.find_by_address(self.email_address) +    return if alias_identity.blank? +    if alias_identity.user != self        errors.add(:login, "has already been taken") -    elsif has_alias.login != self.login -      errors.add(:login, "may not be the same as one of your aliases")      end    end diff --git a/users/app/views/email_settings/edit.html.haml b/users/app/views/email_settings/edit.html.haml deleted file mode 100644 index 7757a31..0000000 --- a/users/app/views/email_settings/edit.html.haml +++ /dev/null @@ -1,38 +0,0 @@ -- form_options = {:url => user_email_settings_path(@user), :html => {:class => 'form-horizontal'}, :validate => true} -- alias_error_class = @email_alias.username && !@email_alias.valid? ? 'error' : '' - -- content_for :head do -  :css -    table.aliases tr:first-child td { -      border-top: none; -    } - -= simple_form_for @user, form_options.dup do |f| -  %legend= t(:email_aliases) -  .control-group -    %label.control-label= t(:current_aliases) -    .controls -      %table.table.table-condensed.no-header.slim.aliases -        - if @user.email_aliases.any? -          - @user.email_aliases.each do |email| -            %tr -              %td= email -              %td= link_to(icon(:remove) + t(:remove), user_email_alias_path(@user, email), :method => :delete) -        - else -          %tr -            %td{:colspan=>2}= t(:none) -  .control-group{:class => alias_error_class} -    %label.control-label= t(:add_email_alias) -    .controls -      = f.simple_fields_for :email_aliases, @email_alias do |e| -        .input-append -          = e.input_field :username -          = e.submit t(:add), :class => 'btn' -        = e.error :username - -= simple_form_for @user, form_options do |f| -  %legend= t(:advanced_options) -  = f.input :email_forward -  = f.input :public_key, :as => :text, :hint => t(:use_ascii_key), :input_html => {:class => "full-width", :rows => 4} -  .form-actions -    = f.submit t(:save), :class => 'btn btn-primary' diff --git a/users/app/views/users/_edit.html.haml b/users/app/views/users/_edit.html.haml index 0402f37..5f74d32 100644 --- a/users/app/views/users/_edit.html.haml +++ b/users/app/views/users/_edit.html.haml @@ -23,6 +23,20 @@        = f.submit t(:save), :class => 'btn btn-primary'  -# +-# CHANGE PGP KEY +-# +-# this will be replaced by a identities controller/view at some point +-# + +- form_options = {:html => {:class => user_form_class('form-horizontal'), :id => 'update_pgp_key'}, :validate => true} += simple_form_for [:api, @user], form_options do |f| +  %legend= t(:advanced_options) +  = f.input :public_key, :as => :text, :hint => t(:use_ascii_key), :input_html => {:class => "full-width", :rows => 4} +  .control-group +    .controls +      = f.submit t(:save), :class => 'btn' + +-#  -# DESTROY ACCOUNT  -# @@ -48,4 +62,4 @@    %p= t(:enable_description)    = link_to enable_user_path(@user), :method => :post, :class => "btn btn-warning"  do      %i.icon-ok.icon-white -    = t(:enable)
\ No newline at end of file +      = t(:enable) diff --git a/users/test/functional/v1/users_controller_test.rb b/users/test/functional/v1/users_controller_test.rb index 0d44e50..a330bf3 100644 --- a/users/test/functional/v1/users_controller_test.rb +++ b/users/test/functional/v1/users_controller_test.rb @@ -5,7 +5,9 @@ class V1::UsersControllerTest < ActionController::TestCase    test "user can change settings" do      user = find_record :user      changed_attribs = record_attributes_for :user_with_settings -    user.expects(:update_attributes).with(changed_attribs) +    account_settings = stub +    account_settings.expects(:update).with(changed_attribs) +    AccountSettings.expects(:new).with(user).returns(account_settings)      login user      put :update, :user => changed_attribs, :id => user.id, :format => :json @@ -18,7 +20,9 @@ class V1::UsersControllerTest < ActionController::TestCase    test "admin can update user" do      user = find_record :user      changed_attribs = record_attributes_for :user_with_settings -    user.expects(:update_attributes).with(changed_attribs) +    account_settings = stub +    account_settings.expects(:update).with(changed_attribs) +    AccountSettings.expects(:new).with(user).returns(account_settings)      login :is_admin? => true      put :update, :user => changed_attribs, :id => user.id, :format => :json diff --git a/users/test/integration/api/account_flow_test.rb b/users/test/integration/api/account_flow_test.rb index 4c94389..ec7753c 100644 --- a/users/test/integration/api/account_flow_test.rb +++ b/users/test/integration/api/account_flow_test.rb @@ -18,7 +18,10 @@ class AccountFlowTest < RackTest    end    teardown do -    @user.destroy if @user +    if @user +      @user.identity.destroy +      @user.destroy +    end      Warden.test_reset!    end @@ -79,20 +82,22 @@ class AccountFlowTest < RackTest      test_public_key = 'asdlfkjslfdkjasd'      original_login = @user.login      new_login = 'zaph' +    User.find_by_login(new_login).try(:destroy) +    Identity.by_address.key(new_login + '@' + APP_CONFIG[:domain]).each do |identity| +      identity.destroy +    end      put "http://api.lvh.me:3000/1/users/" + @user.id + '.json', :user => {:public_key => test_public_key, :login => new_login}, :format => :json -    @user.reload -    assert_equal test_public_key, @user.public_key -    assert_equal new_login, @user.login +    assert last_response.successful? +    assert_equal test_public_key, Identity.for(@user).keys[:pgp] +    # does not change login if no password_verifier is present +    assert_equal original_login, @user.login      # eventually probably want to remove most of this into a non-integration functional test      # should not overwrite public key:      put "http://api.lvh.me:3000/1/users/" + @user.id + '.json', :user => {:blee => :blah}, :format => :json -    @user.reload -    assert_equal test_public_key, @user.public_key +    assert_equal test_public_key, Identity.for(@user).keys[:pgp]      # should overwrite public key:      put "http://api.lvh.me:3000/1/users/" + @user.id + '.json', :user => {:public_key => nil}, :format => :json -    # TODO: not sure why i need this, but when public key is removed, the DB is updated but @user.reload doesn't seem to actually reload. -    @user = User.find(@user.id) # @user.reload -    assert_nil @user.public_key +    assert_nil Identity.for(@user).keys[:pgp]    end  end diff --git a/users/test/unit/email_aliases_test.rb b/users/test/unit/email_aliases_test.rb deleted file mode 100644 index 86d14aa..0000000 --- a/users/test/unit/email_aliases_test.rb +++ /dev/null @@ -1,66 +0,0 @@ -require 'test_helper' - -class EmailAliasTest < ActiveSupport::TestCase - -  setup do -    @user = FactoryGirl.build :user -    @alias = "valid_alias" -    # make sure no existing records are in the way... -    User.find_by_login_or_alias(@alias).try(:destroy) -  end - -  test "no email aliases set in the beginning" do -    assert_equal [], @user.email_aliases -  end - -  test "adding email alias through params" do -    @user.attributes = {:email_aliases_attributes => {"0" => {:email => @alias}}} -    assert @user.changed? -    assert @user.save -    assert_equal @alias, @user.email_aliases.first.username -  end - -  test "adding email alias directly" do -    @user.email_aliases.build :email => @alias -    assert @user.save -    assert_equal @alias, @user.email_aliases.first.username -  end - -  test "duplicated email aliases are invalid" do -    @user.email_aliases.build :email => @alias -    @user.save -    assert_invalid_alias @alias -  end - -  test "email alias needs to be different from other peoples login" do -    other_user = FactoryGirl.create :user, :login => @alias -    assert_invalid_alias @alias -    other_user.destroy -  end - -  test "email needs to be different from other peoples email aliases" do -    other_user = FactoryGirl.create :user, :email_aliases_attributes => {'1' => @alias} -    assert_invalid_alias @alias -    other_user.destroy -  end - -  test "login is invalid as email alias" do -    @user.login = @alias -    assert_invalid_alias @alias -  end - -  test "find user by email alias" do -    @user.email_aliases.build :email => @alias -    assert @user.save -    assert_equal @user, User.find_by_login_or_alias(@alias) -    assert_equal @user, User.find_by_alias(@alias) -    assert_nil User.find_by_login(@alias) -  end - -  def assert_invalid_alias(string) -    email_alias = @user.email_aliases.build :email => string -    assert !email_alias.valid? -    assert !@user.valid? -  end - -end diff --git a/users/test/unit/email_test.rb b/users/test/unit/email_test.rb new file mode 100644 index 0000000..7cfbc84 --- /dev/null +++ b/users/test/unit/email_test.rb @@ -0,0 +1,19 @@ +require 'test_helper' + +class EmailTest < ActiveSupport::TestCase + +  test "valid format" do +    email = Email.new(email_string) +    assert email.valid? +  end + +  test "validates format" do +    email = Email.new("email") +    assert !email.valid? +    assert_equal ["needs to be a valid email address"], email.errors[:email] +  end + +  def email_string +    @email_string ||= Faker::Internet.email +  end +end diff --git a/users/test/unit/identity_test.rb b/users/test/unit/identity_test.rb new file mode 100644 index 0000000..bf24f02 --- /dev/null +++ b/users/test/unit/identity_test.rb @@ -0,0 +1,86 @@ +require 'test_helper' + +class IdentityTest < ActiveSupport::TestCase + +  setup do +    @user = FactoryGirl.create(:user) +  end + +  teardown do +    @user.destroy +  end + +  test "initial identity for a user" do +    id = Identity.for(@user) +    assert_equal @user.email_address, id.address +    assert_equal @user.email_address, id.destination +    assert_equal @user, id.user +  end + +  test "add alias" do +    id = Identity.for @user, address: alias_name +    assert_equal LocalEmail.new(alias_name), id.address +    assert_equal @user.email_address, id.destination +    assert_equal @user, id.user +  end + +  test "add forward" do +    id = Identity.for @user, destination: forward_address +    assert_equal @user.email_address, id.address +    assert_equal Email.new(forward_address), id.destination +    assert_equal @user, id.user +  end + +  test "forward alias" do +    id = Identity.for @user, address: alias_name, destination: forward_address +    assert_equal LocalEmail.new(alias_name), id.address +    assert_equal Email.new(forward_address), id.destination +    assert_equal @user, id.user +    id.save +  end + +  test "prevents duplicates" do +    id = Identity.create_for @user, address: alias_name, destination: forward_address +    dup = Identity.build_for @user, address: alias_name, destination: forward_address +    assert !dup.valid? +    assert_equal ["This alias already exists"], dup.errors[:base] +  end + +  test "validates availability" do +    other_user = FactoryGirl.create(:user) +    id = Identity.create_for @user, address: alias_name, destination: forward_address +    taken = Identity.build_for other_user, address: alias_name +    assert !taken.valid? +    assert_equal ["This email has already been taken"], taken.errors[:base] +    other_user.destroy +  end + +  test "setting and getting pgp key" do +    id = Identity.for(@user) +    id.set_key(:pgp, pgp_key_string) +    assert_equal pgp_key_string, id.keys[:pgp] +  end + +  test "querying pgp key via couch" do +    id = Identity.for(@user) +    id.set_key(:pgp, pgp_key_string) +    id.save +    view = Identity.pgp_key_by_email.key(id.address) +    assert_equal 1, view.rows.count +    assert result = view.rows.first +    assert_equal id.address, result["key"] +    assert_equal id.keys[:pgp], result["value"] +  end + +  def alias_name +    @alias_name ||= Faker::Internet.user_name +  end + +  def forward_address +    @forward_address ||= Faker::Internet.email +  end + +  def pgp_key_string +    @pgp_key ||= "DUMMY PGP KEY ... "+SecureRandom.base64(4096) +  end +end diff --git a/users/test/unit/local_email_test.rb b/users/test/unit/local_email_test.rb new file mode 100644 index 0000000..b25f46f --- /dev/null +++ b/users/test/unit/local_email_test.rb @@ -0,0 +1,34 @@ +require 'test_helper' + +class LocalEmailTest < ActiveSupport::TestCase + +  test "appends domain" do +    local = LocalEmail.new(handle) +    assert_equal LocalEmail.new(email), local +    assert local.valid? +  end + +  test "returns handle" do +    local = LocalEmail.new(email) +    assert_equal handle, local.handle +  end + +  test "prints full email" do +    local = LocalEmail.new(handle) +    assert_equal email, "#{local}" +  end + +  test "validates domain" do +    local = LocalEmail.new(Faker::Internet.email) +    assert !local.valid? +    assert_equal ["needs to end in @#{LocalEmail.domain}"], local.errors[:email] +  end + +  def handle +    @handle ||= Faker::Internet.user_name +  end + +  def email +    handle + "@" + APP_CONFIG[:domain] +  end +end diff --git a/users/test/unit/user_test.rb b/users/test/unit/user_test.rb index c8c837b..89ee749 100644 --- a/users/test/unit/user_test.rb +++ b/users/test/unit/user_test.rb @@ -56,23 +56,30 @@ class UserTest < ActiveSupport::TestCase      other_user.destroy    end -  test "login needs to be different from other peoples email aliases" do +  test "login needs to be unique amongst aliases" do      other_user = FactoryGirl.create :user -    other_user.email_aliases.build :email => @user.login -    other_user.save +    Identity.create_for other_user, address: @user.login      assert !@user.valid?      other_user.destroy    end +  test "deprecated public key api still works" do +    key = SecureRandom.base64(4096) +    @user.public_key = key +    assert_equal key, @user.public_key +  end +    test "pgp key view" do -    @user.public_key = SecureRandom.base64(4096) -    @user.save +    key = SecureRandom.base64(4096) +    identity = Identity.create_for @user +    identity.set_key('pgp', key) +    identity.save -    view = User.pgp_key_by_handle.key(@user.login) +    view = Identity.pgp_key_by_email.key(@user.email_address)      assert_equal 1, view.rows.count      assert result = view.rows.first -    assert_equal @user.login, result["key"] -    assert_equal @user.public_key, result["value"] +    assert_equal @user.email_address, result["key"] +    assert_equal key, result["value"]    end  end | 
