1 # Copyright (C) The Arvados Authors. All rights reserved.
3 # SPDX-License-Identifier: AGPL-3.0
5 require 'can_be_an_owner'
7 class User < ArvadosModel
10 include CommonApiTemplate
12 extend CurrentApiClient
14 serialize :prefs, Hash
15 has_many :api_client_authorizations
18 with: /\A[A-Za-z][A-Za-z0-9]*\z/,
19 message: "must begin with a letter and contain only alphanumerics",
23 validate :must_unsetup_to_deactivate
24 validate :identity_url_nil_if_empty
25 before_update :prevent_privilege_escalation
26 before_update :prevent_inactive_admin
27 before_update :prevent_nonadmin_system_root
28 after_update :setup_on_activate
30 before_create :check_auto_admin
31 before_validation :set_initial_username, :if => Proc.new {
34 before_create :active_is_not_nil
35 after_create :after_ownership_change
36 after_create :setup_on_activate
37 after_create :add_system_group_permission_link
38 after_create :auto_setup_new_user, :if => Proc.new {
39 Rails.configuration.Users.AutoSetupNewUsers and
40 (uuid != system_user_uuid) and
41 (uuid != anonymous_user_uuid) and
42 (uuid[0..4] == Rails.configuration.ClusterID)
44 after_create :send_admin_notifications
46 before_update :before_ownership_change
47 after_update :after_ownership_change
48 after_update :send_profile_created_notification
49 before_destroy :clear_permissions
50 after_destroy :remove_self_from_permissions
52 has_many :authorized_keys, foreign_key: 'authorized_user_uuid', primary_key: 'uuid'
54 default_scope { where('redirect_to_user_uuid is null') }
56 api_accessible :user, extend: :common do |t|
72 ALL_PERMISSIONS = {read: true, write: true, manage: true}
74 # Map numeric permission levels (see lib/create_permission_view.sql)
75 # back to read/write/manage flags.
79 {read: true, write: true},
80 {read: true, write: true, manage: true}]
90 "#{first_name} #{last_name}".strip
95 Rails.configuration.Users.NewUsersAreActive ||
96 self.groups_i_can(:read).select { |x| x.match(/-f+$/) }.first)
99 def self.ignored_select_attributes
100 super + ["full_name", "is_invited"]
103 def groups_i_can(verb)
104 my_groups = self.group_permissions(VAL_FOR_PERM[verb]).keys
106 my_groups << anonymous_group_uuid
112 actions.each do |action, target|
114 if target.respond_to? :uuid
115 target_uuid = target.uuid
118 target = ArvadosModel.find_by_uuid(target_uuid)
121 next if target_uuid == self.uuid
123 if action == :write && target && !target.new_record? &&
124 target.respond_to?(:frozen_by_uuid) &&
125 target.frozen_by_uuid_was
126 # Just an optimization to skip the PERMISSION_VIEW and
127 # FrozenGroup queries below
131 target_owner_uuid = target.owner_uuid if target.respond_to? :owner_uuid
133 user_uuids_subquery = USER_UUIDS_SUBQUERY_TEMPLATE % {user: "$1", perm_level: "$3"}
135 if !is_admin && !ActiveRecord::Base.connection.
137 SELECT 1 FROM #{PERMISSION_VIEW}
138 WHERE user_uuid in (#{user_uuids_subquery}) and
139 ((target_uuid = $2 and perm_level >= $3)
140 or (target_uuid = $4 and perm_level >= $3 and traverse_owned))
142 # "name" arg is a query label that appears in logs:
146 VAL_FOR_PERM[action],
153 if FrozenGroup.where(uuid: [target_uuid, target_owner_uuid]).any?
154 # self or parent is frozen
157 elsif action == :unfreeze
158 # "unfreeze" permission means "can write, but only if
159 # explicitly un-freezing at the same time" (see
160 # ArvadosModel#ensure_owner_uuid_is_permitted). If the
161 # permission query above passed the permission level of
162 # :unfreeze (which is the same as :manage), and the parent
163 # isn't also frozen, then un-freeze is allowed.
164 if FrozenGroup.where(uuid: target_owner_uuid).any?
172 def before_ownership_change
173 if owner_uuid_changed? and !self.owner_uuid_was.nil?
174 MaterializedPermission.where(user_uuid: owner_uuid_was, target_uuid: uuid).delete_all
175 update_permissions self.owner_uuid_was, self.uuid, REVOKE_PERM
179 def after_ownership_change
180 if saved_change_to_owner_uuid?
181 update_permissions self.owner_uuid, self.uuid, CAN_MANAGE_PERM
185 def clear_permissions
186 MaterializedPermission.where("user_uuid = ? and target_uuid != ?", uuid, uuid).delete_all
189 def forget_cached_group_perms
193 def remove_self_from_permissions
194 MaterializedPermission.where("target_uuid = ?", uuid).delete_all
195 check_permissions_against_full_refresh
198 # Return a hash of {user_uuid: group_perms}
200 # note: this does not account for permissions that a user gains by
201 # having can_manage on another user.
202 def self.all_group_permissions
204 ActiveRecord::Base.connection.
206 SELECT user_uuid, target_uuid, perm_level
207 FROM #{PERMISSION_VIEW}
210 # "name" arg is a query label that appears in logs:
211 "all_group_permissions").
212 rows.each do |user_uuid, group_uuid, max_p_val|
213 all_perms[user_uuid] ||= {}
214 all_perms[user_uuid][group_uuid] = PERMS_FOR_VAL[max_p_val.to_i]
219 # Return a hash of {group_uuid: perm_hash} where perm_hash[:read]
220 # and perm_hash[:write] are true if this user can read and write
221 # objects owned by group_uuid.
222 def group_permissions(level=1)
224 if @group_perms.empty?
225 user_uuids_subquery = USER_UUIDS_SUBQUERY_TEMPLATE % {user: "$1", perm_level: 1}
227 ActiveRecord::Base.connection.
229 SELECT target_uuid, perm_level
230 FROM #{PERMISSION_VIEW}
231 WHERE user_uuid in (#{user_uuids_subquery}) and perm_level >= 1
233 # "name" arg is a query label that appears in logs:
234 "User.group_permissions",
235 # "binds" arg is an array of [col_id, value] for '$1' vars:
237 rows.each do |group_uuid, max_p_val|
238 @group_perms[group_uuid] = PERMS_FOR_VAL[max_p_val.to_i]
246 @group_perms.select {|k,v| v[:write] }
248 @group_perms.select {|k,v| v[:manage] }
250 raise "level must be 1, 2 or 3"
255 def setup(vm_uuid: nil, send_notification_email: nil)
256 newly_invited = Link.where(tail_uuid: self.uuid,
257 head_uuid: all_users_group_uuid,
258 link_class: 'permission').empty?
260 # Add can_read link from this user to "all users" which makes this
261 # user "invited", and (depending on config) a link in the opposite
262 # direction which makes this user visible to other users.
263 group_perms = add_to_all_users_group
265 # Add virtual machine
266 if vm_uuid.nil? and !Rails.configuration.Users.AutoSetupNewUsersWithVmUUID.empty?
267 vm_uuid = Rails.configuration.Users.AutoSetupNewUsersWithVmUUID
270 vm_login_perm = if vm_uuid && username
271 create_vm_login_permission_link(vm_uuid, username)
275 if send_notification_email.nil?
276 send_notification_email = Rails.configuration.Users.SendUserSetupNotificationEmail
279 if newly_invited and send_notification_email and !Rails.configuration.Users.UserSetupMailText.empty?
281 UserNotifier.account_is_setup(self).deliver_now
283 logger.warn "Failed to send email to #{self.email}: #{e}"
287 forget_cached_group_perms
289 return [vm_login_perm, *group_perms, self].compact
292 # delete user signatures, login, and vm perms, and mark as inactive
294 if self.uuid == system_user_uuid
295 raise "System root user cannot be deactivated"
298 # delete oid_login_perms for this user
300 # note: these permission links are obsolete anyway: they have no
301 # effect on anything and they are not created for new users.
302 Link.where(tail_uuid: self.email,
303 link_class: 'permission',
304 name: 'can_login').destroy_all
306 # Delete all sharing permissions so (a) the user doesn't
307 # automatically regain access to anything if re-setup in future,
308 # (b) the user doesn't appear in "currently shared with" lists
309 # shown to other users.
311 # Notably this includes the can_read -> "all users" group
313 Link.where(tail_uuid: self.uuid,
314 link_class: 'permission').destroy_all
316 # delete any signatures by this user
317 Link.where(link_class: 'signature',
318 tail_uuid: self.uuid).destroy_all
320 # delete tokens for this user
321 ApiClientAuthorization.where(user_id: self.id).destroy_all
322 # delete ssh keys for this user
323 AuthorizedKey.where(owner_uuid: self.uuid).destroy_all
324 AuthorizedKey.where(authorized_user_uuid: self.uuid).destroy_all
326 # delete user preferences (including profile)
329 # mark the user as inactive
330 self.is_admin = false # can't be admin and inactive
331 self.is_active = false
332 forget_cached_group_perms
336 # Called from ArvadosModel
337 def set_default_owner
338 self.owner_uuid = system_user_uuid
341 def must_unsetup_to_deactivate
342 if !self.new_record? &&
343 self.uuid[0..4] == Rails.configuration.Login.LoginCluster &&
344 self.uuid[0..4] != Rails.configuration.ClusterID
345 # OK to update our local record to whatever the LoginCluster
346 # reports, because self-activate is not allowed.
348 elsif self.is_active_changed? &&
349 self.is_active_was &&
352 # When a user is set up, they are added to the "All users"
353 # group. A user that is part of the "All users" group is
354 # allowed to self-activate.
356 # It doesn't make sense to deactivate a user (set is_active =
357 # false) without first removing them from the "All users" group,
358 # because they would be able to immediately reactivate
361 # The 'unsetup' method removes the user from the "All users"
362 # group (and also sets is_active = false) so send a message
363 # explaining the correct way to deactivate a user.
365 if Link.where(tail_uuid: self.uuid,
366 head_uuid: all_users_group_uuid,
367 link_class: 'permission').any?
368 errors.add :is_active, "cannot be set to false directly, use the 'Deactivate' button on Workbench, or the 'unsetup' API call"
373 def set_initial_username(requested: false)
374 if new_record? and requested == false and self.username != nil and self.username != ""
375 requested = self.username
378 if (!requested.is_a?(String) || requested.empty?) and email
379 email_parts = email.partition("@")
380 local_parts = email_parts.first.partition("+")
381 if email_parts.any?(&:empty?)
383 elsif not local_parts.first.empty?
384 requested = local_parts.first
386 requested = email_parts.first
390 requested.sub!(/^[^A-Za-z]+/, "")
391 requested.gsub!(/[^A-Za-z0-9]/, "")
393 unless !requested || requested.empty?
394 self.username = find_usable_username_from(requested)
398 def active_is_not_nil
399 self.is_active = false if self.is_active.nil?
400 self.is_admin = false if self.is_admin.nil?
403 # Move this user's (i.e., self's) owned items to new_owner_uuid and
404 # new_user_uuid (for things normally owned directly by the user).
406 # If redirect_auth is true, also reassign auth tokens and ssh keys,
407 # and redirect this account to redirect_to_user_uuid, i.e., when a
408 # caller authenticates to this account in the future, the account
409 # redirect_to_user_uuid account will be used instead.
411 # current_user must have admin privileges, i.e., the caller is
412 # responsible for checking permission to do this.
413 def merge(new_owner_uuid:, new_user_uuid:, redirect_to_new_user:)
414 raise PermissionDeniedError if !current_user.andand.is_admin
415 raise "Missing new_owner_uuid" if !new_owner_uuid
416 raise "Missing new_user_uuid" if !new_user_uuid
417 transaction(requires_new: true) do
419 raise "cannot merge an already merged user" if self.redirect_to_user_uuid
421 new_user = User.where(uuid: new_user_uuid).first
422 raise "user does not exist" if !new_user
423 raise "cannot merge to an already merged user" if new_user.redirect_to_user_uuid
425 self.clear_permissions
426 new_user.clear_permissions
428 # If 'self' is a remote user, don't transfer authorizations
429 # (i.e. ability to access the account) to the new user, because
430 # that gives the remote site the ability to access the 'new'
431 # user account that takes over the 'self' account.
433 # If 'self' is a local user, it is okay to transfer
434 # authorizations, even if the 'new' user is a remote account,
435 # because the remote site does not gain the ability to access an
436 # account it could not before.
438 if redirect_to_new_user and self.uuid[0..4] == Rails.configuration.ClusterID
439 # Existing API tokens and ssh keys are updated to authenticate
441 ApiClientAuthorization.
443 update_all(user_id: new_user.id)
446 [AuthorizedKey, :owner_uuid],
447 [AuthorizedKey, :authorized_user_uuid],
453 # Destroy API tokens and ssh keys associated with the old
455 ApiClientAuthorization.where(user_id: id).destroy_all
456 AuthorizedKey.where(owner_uuid: uuid).destroy_all
457 AuthorizedKey.where(authorized_user_uuid: uuid).destroy_all
464 # References to the old user UUID in the context of a user ID
465 # (rather than a "home project" in the project hierarchy) are
466 # updated to point to the new user.
467 user_updates.each do |klass, column|
468 klass.where(column => uuid).update_all(column => new_user.uuid)
471 # References to the merged user's "home project" are updated to
472 # point to new_owner_uuid.
473 ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |klass|
474 next if [ApiClientAuthorization,
478 next if !klass.columns.collect(&:name).include?('owner_uuid')
479 klass.where(owner_uuid: uuid).update_all(owner_uuid: new_owner_uuid)
482 if redirect_to_new_user
483 update!(redirect_to_user_uuid: new_user.uuid, username: nil)
485 skip_check_permissions_against_full_refresh do
486 update_permissions self.uuid, self.uuid, CAN_MANAGE_PERM, nil, true
487 update_permissions new_user.uuid, new_user.uuid, CAN_MANAGE_PERM, nil, true
488 update_permissions new_user.owner_uuid, new_user.uuid, CAN_MANAGE_PERM, nil, true
490 update_permissions self.owner_uuid, self.uuid, CAN_MANAGE_PERM, nil, true
497 while (uuid = user.redirect_to_user_uuid)
499 nextuser = User.unscoped.find_by_uuid(uuid)
501 raise Exception.new("user uuid #{user.uuid} redirects to nonexistent uuid '#{uuid}'")
506 raise "Starting from #{self.uuid} redirect_to_user_uuid exceeded maximum number of redirects"
512 def self.register info
513 # login info expected fields, all can be optional but at minimum
514 # must supply either 'identity_url' or 'email'
526 identity_url = info['identity_url']
528 if identity_url && identity_url.length > 0
529 # Only local users can create sessions, hence uuid_like_pattern
531 user = User.unscoped.where('identity_url = ? and uuid like ?',
533 User.uuid_like_pattern).first
534 primary_user = user.redirects_to if user
538 # identity url is unset or didn't find matching record.
539 emails = [info['email']] + (info['alternate_emails'] || [])
540 emails.select! {|em| !em.nil? && !em.empty?}
542 User.unscoped.where('email in (?) and uuid like ?',
544 User.uuid_like_pattern).each do |user|
546 primary_user = user.redirects_to
547 elsif primary_user.uuid != user.redirects_to.uuid
548 raise "Ambiguous email address, directs to both #{primary_user.uuid} and #{user.redirects_to.uuid}"
554 # New user registration
555 primary_user = User.new(:owner_uuid => system_user_uuid,
557 :is_active => Rails.configuration.Users.NewUsersAreActive)
559 primary_user.set_initial_username(requested: info['username']) if info['username'] && !info['username'].blank?
560 primary_user.identity_url = info['identity_url'] if identity_url
563 primary_user.email = info['email'] if info['email']
564 primary_user.first_name = info['first_name'] if info['first_name']
565 primary_user.last_name = info['last_name'] if info['last_name']
567 if (!primary_user.email or primary_user.email.empty?) and (!primary_user.identity_url or primary_user.identity_url.empty?)
568 raise "Must have supply at least one of 'email' or 'identity_url' to User.register"
571 act_as_system_user do
578 def self.update_remote_user remote_user
579 remote_user = remote_user.symbolize_keys
580 remote_user_prefix = remote_user[:uuid][0..4]
582 # interaction between is_invited and is_active
584 # either can flag can be nil, true or false
586 # in all cases, we create the user if they don't exist.
588 # invited nil, active nil: don't call setup or unsetup.
590 # invited nil, active false: call unsetup
592 # invited nil, active true: call setup and activate them.
595 # invited false, active nil: call unsetup
597 # invited false, active false: call unsetup
599 # invited false, active true: call unsetup
602 # invited true, active nil: call setup but don't change is_active
604 # invited true, active false: call setup but don't change is_active
606 # invited true, active true: call setup and activate them.
608 should_setup = (remote_user_prefix == Rails.configuration.Login.LoginCluster or
609 Rails.configuration.Users.AutoSetupNewUsers or
610 Rails.configuration.Users.NewUsersAreActive or
611 Rails.configuration.RemoteClusters[remote_user_prefix].andand["ActivateUsers"])
613 should_activate = (remote_user_prefix == Rails.configuration.Login.LoginCluster or
614 Rails.configuration.Users.NewUsersAreActive or
615 Rails.configuration.RemoteClusters[remote_user_prefix].andand["ActivateUsers"])
617 remote_should_be_unsetup = (remote_user[:is_invited] == nil && remote_user[:is_active] == false) ||
618 (remote_user[:is_invited] == false)
620 remote_should_be_setup = should_setup && (
621 (remote_user[:is_invited] == nil && remote_user[:is_active] == true) ||
622 (remote_user[:is_invited] == false && remote_user[:is_active] == true) ||
623 (remote_user[:is_invited] == true))
625 remote_should_be_active = should_activate && remote_user[:is_invited] != false && remote_user[:is_active] == true
627 # Make sure blank username is nil
628 remote_user[:username] = nil if remote_user[:username] == ""
631 user = User.create_with(email: remote_user[:email],
632 username: remote_user[:username],
633 first_name: remote_user[:first_name],
634 last_name: remote_user[:last_name],
635 is_active: remote_should_be_active,
636 ).find_or_create_by(uuid: remote_user[:uuid])
637 rescue ActiveRecord::RecordNotUnique
643 [:email, :username, :first_name, :last_name, :prefs].each do |k|
645 if !v.nil? && user.send(k) != v
650 user.email = needupdate[:email] if needupdate[:email]
652 loginCluster = Rails.configuration.Login.LoginCluster
653 if user.username.nil? || user.username == ""
654 # Don't have a username yet, try to set one
655 initial_username = user.set_initial_username(requested: remote_user[:username])
656 needupdate[:username] = initial_username if !initial_username.nil?
657 elsif remote_user_prefix != loginCluster
658 # Upstream is not login cluster, don't try to change the
660 needupdate.delete :username
663 if needupdate.length > 0
665 user.update!(needupdate)
666 rescue ActiveRecord::RecordInvalid
667 if remote_user_prefix == loginCluster && !needupdate[:username].nil?
668 local_user = User.find_by_username(needupdate[:username])
669 # The username of this record conflicts with an existing,
670 # different user record. This can happen because the
671 # username changed upstream on the login cluster, or
672 # because we're federated with another cluster with a user
673 # by the same username. The login cluster is the source
674 # of truth, so change the username on the conflicting
675 # record and retry the update operation.
676 if local_user.uuid != user.uuid
677 new_username = "#{needupdate[:username]}#{rand(99999999)}"
678 Rails.logger.warn("cached username '#{needupdate[:username]}' collision with user '#{local_user.uuid}' - renaming to '#{new_username}' before retrying")
679 local_user.update!({username: new_username})
683 raise # Not the issue we're handling above
685 elsif user.new_record?
689 Rails.logger.debug "Error saving user record: #{$!}"
690 Rails.logger.debug "Backtrace:\n\t#{e.backtrace.join("\n\t")}"
695 if remote_should_be_unsetup
696 # Remote user is not "invited" or "active" state on their home
697 # cluster, so they should be unsetup, which also makes them
701 if !user.is_invited && remote_should_be_setup
705 if !user.is_active && remote_should_be_active
706 # remote user is active and invited, we need to activate them
707 user.update!(is_active: true)
710 if remote_user_prefix == Rails.configuration.Login.LoginCluster and
712 !remote_user[:is_admin].nil? and
713 user.is_admin != remote_user[:is_admin]
714 # Remote cluster controls our user database, including the
716 user.update!(is_admin: remote_user[:is_admin])
725 def self.attributes_required_columns
727 'can_write' => ['owner_uuid', 'uuid'],
728 'can_manage' => ['owner_uuid', 'uuid'],
732 def change_all_uuid_refs(old_uuid:, new_uuid:)
733 ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |klass|
734 klass.columns.each do |col|
735 if col.name.end_with?('_uuid')
736 column = col.name.to_sym
737 klass.where(column => old_uuid).update_all(column => new_uuid)
743 def ensure_ownership_path_leads_to_user
747 def permission_to_update
748 if username_changed? || redirect_to_user_uuid_changed? || email_changed?
749 current_user.andand.is_admin
751 # users must be able to update themselves (even if they are
752 # inactive) in order to create sessions
753 self == current_user or super
757 def permission_to_create
758 current_user.andand.is_admin or
759 (self == current_user &&
760 self.redirect_to_user_uuid.nil? &&
761 self.is_active == Rails.configuration.Users.NewUsersAreActive)
765 return if self.uuid.end_with?('anonymouspublic')
766 if (User.where("email = ?",self.email).where(:is_admin => true).count == 0 and
767 !Rails.configuration.Users.AutoAdminUserWithEmail.empty? and self.email == Rails.configuration.Users["AutoAdminUserWithEmail"]) or
768 (User.where("uuid not like '%-000000000000000'").where(:is_admin => true).count == 0 and
769 Rails.configuration.Users.AutoAdminFirstUser)
771 self.is_active = true
775 def find_usable_username_from(basename)
776 # If "basename" is a usable username, return that.
777 # Otherwise, find a unique username "basenameN", where N is the
778 # smallest integer greater than 1, and return that.
779 # Return nil if a unique username can't be found after reasonable
781 quoted_name = self.class.connection.quote_string(basename)
782 next_username = basename
784 while Rails.configuration.Users.AutoSetupUsernameBlacklist[next_username]
786 next_username = "%s%i" % [basename, next_suffix]
788 0.upto(6).each do |suffix_len|
789 pattern = "%s%s" % [quoted_name, "_" * suffix_len]
791 where("username like '#{pattern}'").
793 order('username asc').
795 if other_user.username > next_username
797 elsif other_user.username == next_username
799 next_username = "%s%i" % [basename, next_suffix]
802 return next_username if (next_username.size <= pattern.size)
807 def prevent_privilege_escalation
808 if current_user.andand.is_admin
811 if self.is_active_changed?
812 if self.is_active != self.is_active_was
813 logger.warn "User #{current_user.uuid} tried to change is_active from #{self.is_active_was} to #{self.is_active} for #{self.uuid}"
814 self.is_active = self.is_active_was
817 if self.is_admin_changed?
818 if self.is_admin != self.is_admin_was
819 logger.warn "User #{current_user.uuid} tried to change is_admin from #{self.is_admin_was} to #{self.is_admin} for #{self.uuid}"
820 self.is_admin = self.is_admin_was
826 def prevent_inactive_admin
827 if self.is_admin and not self.is_active
828 # There is no known use case for the strange set of permissions
829 # that would result from this change. It's safest to assume it's
830 # a mistake and disallow it outright.
831 raise "Admin users cannot be inactive"
836 def prevent_nonadmin_system_root
837 if self.uuid == system_user_uuid and self.is_admin_changed? and !self.is_admin
838 raise "System root user cannot be non-admin"
843 def search_permissions(start, graph, merged={}, upstream_mask=nil, upstream_path={})
844 nextpaths = graph[start]
845 return merged if !nextpaths
846 return merged if upstream_path.has_key? start
847 upstream_path[start] = true
848 upstream_mask ||= ALL_PERMISSIONS
849 nextpaths.each do |head, mask|
852 merged[head][k] ||= v if upstream_mask[k]
854 search_permissions(head, graph, merged, upstream_mask.select { |k,v| v && merged[head][k] }, upstream_path)
856 upstream_path.delete start
860 # create login permission for the given vm_uuid, if it does not already exist
861 def create_vm_login_permission_link(vm_uuid, username)
862 # vm uuid is optional
863 return if vm_uuid == ""
865 vm = VirtualMachine.where(uuid: vm_uuid).first
867 logger.warn "Could not find virtual machine for #{vm_uuid.inspect}"
868 raise "No vm found for #{vm_uuid}"
871 logger.info { "vm uuid: " + vm[:uuid] }
873 tail_uuid: uuid, head_uuid: vm.uuid,
874 link_class: "permission", name: "can_login",
879 select { |link| link.properties["username"] == username }.
883 create(login_attrs.merge(properties: {"username" => username}))
885 logger.info { "login permission: " + login_perm[:uuid] }
889 def add_to_all_users_group
890 resp = [Link.where(tail_uuid: self.uuid,
891 head_uuid: all_users_group_uuid,
892 link_class: 'permission',
893 name: 'can_write').first ||
894 Link.create(tail_uuid: self.uuid,
895 head_uuid: all_users_group_uuid,
896 link_class: 'permission',
898 if Rails.configuration.Users.ActivatedUsersAreVisibleToOthers
899 resp += [Link.where(tail_uuid: all_users_group_uuid,
900 head_uuid: self.uuid,
901 link_class: 'permission',
902 name: 'can_read').first ||
903 Link.create(tail_uuid: all_users_group_uuid,
904 head_uuid: self.uuid,
905 link_class: 'permission',
911 # Give the special "System group" permission to manage this user and
912 # all of this user's stuff.
913 def add_system_group_permission_link
914 return true if uuid == system_user_uuid
915 act_as_system_user do
916 Link.create(link_class: 'permission',
918 tail_uuid: system_group_uuid,
919 head_uuid: self.uuid)
923 # Send admin notifications
924 def send_admin_notifications
925 if self.is_invited then
926 AdminNotifier.new_user(self).deliver_now
928 AdminNotifier.new_inactive_user(self).deliver_now
932 # Automatically setup if is_active flag turns on
933 def setup_on_activate
934 return if [system_user_uuid, anonymous_user_uuid].include?(self.uuid)
936 (new_record? || saved_change_to_is_active? || will_save_change_to_is_active?)
941 # Automatically setup new user during creation
942 def auto_setup_new_user
946 # Send notification if the user saved profile for the first time
947 def send_profile_created_notification
948 if saved_change_to_prefs?
949 if prefs_before_last_save.andand.empty? || !prefs_before_last_save.andand['profile']
950 profile_notification_address = Rails.configuration.Users.UserProfileNotificationAddress
951 ProfileNotifier.profile_created(self, profile_notification_address).deliver_now if profile_notification_address and !profile_notification_address.empty?
956 def identity_url_nil_if_empty
957 if identity_url == ""
958 self.identity_url = nil