20831: Adding update_remote_user method to User, wip
[arvados.git] / services / api / app / models / user.rb
1 # Copyright (C) The Arvados Authors. All rights reserved.
2 #
3 # SPDX-License-Identifier: AGPL-3.0
4
5 require 'can_be_an_owner'
6
7 class User < ArvadosModel
8   include HasUuid
9   include KindAndEtag
10   include CommonApiTemplate
11   include CanBeAnOwner
12   extend CurrentApiClient
13
14   serialize :prefs, Hash
15   has_many :api_client_authorizations
16   validates(:username,
17             format: {
18               with: /\A[A-Za-z][A-Za-z0-9]*\z/,
19               message: "must begin with a letter and contain only alphanumerics",
20             },
21             uniqueness: true,
22             allow_nil: true)
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   before_update :verify_repositories_empty, :if => Proc.new {
29     username.nil? and username_changed?
30   }
31   after_update :setup_on_activate
32
33   before_create :check_auto_admin
34   before_create :set_initial_username, :if => Proc.new {
35     username.nil? and email
36   }
37   after_create :after_ownership_change
38   after_create :setup_on_activate
39   after_create :add_system_group_permission_link
40   after_create :auto_setup_new_user, :if => Proc.new {
41     Rails.configuration.Users.AutoSetupNewUsers and
42     (uuid != system_user_uuid) and
43     (uuid != anonymous_user_uuid) and
44     (uuid[0..4] == Rails.configuration.ClusterID)
45   }
46   after_create :send_admin_notifications
47
48   before_update :before_ownership_change
49   after_update :after_ownership_change
50   after_update :send_profile_created_notification
51   after_update :sync_repository_names, :if => Proc.new {
52     (uuid != system_user_uuid) and
53     saved_change_to_username? and
54     (not username_before_last_save.nil?)
55   }
56   before_destroy :clear_permissions
57   after_destroy :remove_self_from_permissions
58
59   has_many :authorized_keys, foreign_key: 'authorized_user_uuid', primary_key: 'uuid'
60   has_many :repositories, foreign_key: 'owner_uuid', primary_key: 'uuid'
61
62   default_scope { where('redirect_to_user_uuid is null') }
63
64   api_accessible :user, extend: :common do |t|
65     t.add :email
66     t.add :username
67     t.add :full_name
68     t.add :first_name
69     t.add :last_name
70     t.add :identity_url
71     t.add :is_active
72     t.add :is_admin
73     t.add :is_invited
74     t.add :prefs
75     t.add :writable_by
76     t.add :can_write
77     t.add :can_manage
78   end
79
80   ALL_PERMISSIONS = {read: true, write: true, manage: true}
81
82   # Map numeric permission levels (see lib/create_permission_view.sql)
83   # back to read/write/manage flags.
84   PERMS_FOR_VAL =
85     [{},
86      {read: true},
87      {read: true, write: true},
88      {read: true, write: true, manage: true}]
89
90   VAL_FOR_PERM =
91     {:read => 1,
92      :write => 2,
93      :unfreeze => 3,
94      :manage => 3}
95
96
97   def full_name
98     "#{first_name} #{last_name}".strip
99   end
100
101   def is_invited
102     !!(self.is_active ||
103        Rails.configuration.Users.NewUsersAreActive ||
104        self.groups_i_can(:read).select { |x| x.match(/-f+$/) }.first)
105   end
106
107   def groups_i_can(verb)
108     my_groups = self.group_permissions(VAL_FOR_PERM[verb]).keys
109     if verb == :read
110       my_groups << anonymous_group_uuid
111     end
112     my_groups
113   end
114
115   def can?(actions)
116     actions.each do |action, target|
117       unless target.nil?
118         if target.respond_to? :uuid
119           target_uuid = target.uuid
120         else
121           target_uuid = target
122           target = ArvadosModel.find_by_uuid(target_uuid)
123         end
124       end
125       next if target_uuid == self.uuid
126
127       if action == :write && target && !target.new_record? &&
128          target.respond_to?(:frozen_by_uuid) &&
129          target.frozen_by_uuid_was
130         # Just an optimization to skip the PERMISSION_VIEW and
131         # FrozenGroup queries below
132         return false
133       end
134
135       target_owner_uuid = target.owner_uuid if target.respond_to? :owner_uuid
136
137       user_uuids_subquery = USER_UUIDS_SUBQUERY_TEMPLATE % {user: "$1", perm_level: "$3"}
138
139       if !is_admin && !ActiveRecord::Base.connection.
140         exec_query(%{
141 SELECT 1 FROM #{PERMISSION_VIEW}
142   WHERE user_uuid in (#{user_uuids_subquery}) and
143         ((target_uuid = $2 and perm_level >= $3)
144          or (target_uuid = $4 and perm_level >= $3 and traverse_owned))
145 },
146                   # "name" arg is a query label that appears in logs:
147                    "user_can_query",
148                    [self.uuid,
149                     target_uuid,
150                     VAL_FOR_PERM[action],
151                     target_owner_uuid]
152                   ).any?
153         return false
154       end
155
156       if action == :write
157         if FrozenGroup.where(uuid: [target_uuid, target_owner_uuid]).any?
158           # self or parent is frozen
159           return false
160         end
161       elsif action == :unfreeze
162         # "unfreeze" permission means "can write, but only if
163         # explicitly un-freezing at the same time" (see
164         # ArvadosModel#ensure_owner_uuid_is_permitted). If the
165         # permission query above passed the permission level of
166         # :unfreeze (which is the same as :manage), and the parent
167         # isn't also frozen, then un-freeze is allowed.
168         if FrozenGroup.where(uuid: target_owner_uuid).any?
169           return false
170         end
171       end
172     end
173     true
174   end
175
176   def before_ownership_change
177     if owner_uuid_changed? and !self.owner_uuid_was.nil?
178       MaterializedPermission.where(user_uuid: owner_uuid_was, target_uuid: uuid).delete_all
179       update_permissions self.owner_uuid_was, self.uuid, REVOKE_PERM
180     end
181   end
182
183   def after_ownership_change
184     if saved_change_to_owner_uuid?
185       update_permissions self.owner_uuid, self.uuid, CAN_MANAGE_PERM
186     end
187   end
188
189   def clear_permissions
190     MaterializedPermission.where("user_uuid = ? and target_uuid != ?", uuid, uuid).delete_all
191   end
192
193   def forget_cached_group_perms
194     @group_perms = nil
195   end
196
197   def remove_self_from_permissions
198     MaterializedPermission.where("target_uuid = ?", uuid).delete_all
199     check_permissions_against_full_refresh
200   end
201
202   # Return a hash of {user_uuid: group_perms}
203   #
204   # note: this does not account for permissions that a user gains by
205   # having can_manage on another user.
206   def self.all_group_permissions
207     all_perms = {}
208     ActiveRecord::Base.connection.
209       exec_query(%{
210 SELECT user_uuid, target_uuid, perm_level
211                   FROM #{PERMISSION_VIEW}
212                   WHERE traverse_owned
213 },
214                   # "name" arg is a query label that appears in logs:
215                  "all_group_permissions").
216       rows.each do |user_uuid, group_uuid, max_p_val|
217       all_perms[user_uuid] ||= {}
218       all_perms[user_uuid][group_uuid] = PERMS_FOR_VAL[max_p_val.to_i]
219     end
220     all_perms
221   end
222
223   # Return a hash of {group_uuid: perm_hash} where perm_hash[:read]
224   # and perm_hash[:write] are true if this user can read and write
225   # objects owned by group_uuid.
226   def group_permissions(level=1)
227     @group_perms ||= {}
228     if @group_perms.empty?
229       user_uuids_subquery = USER_UUIDS_SUBQUERY_TEMPLATE % {user: "$1", perm_level: 1}
230
231       ActiveRecord::Base.connection.
232         exec_query(%{
233 SELECT target_uuid, perm_level
234   FROM #{PERMISSION_VIEW}
235   WHERE user_uuid in (#{user_uuids_subquery}) and perm_level >= 1
236 },
237                    # "name" arg is a query label that appears in logs:
238                    "User.group_permissions",
239                    # "binds" arg is an array of [col_id, value] for '$1' vars:
240                    [uuid]).
241         rows.each do |group_uuid, max_p_val|
242         @group_perms[group_uuid] = PERMS_FOR_VAL[max_p_val.to_i]
243       end
244     end
245
246     case level
247     when 1
248       @group_perms
249     when 2
250       @group_perms.select {|k,v| v[:write] }
251     when 3
252       @group_perms.select {|k,v| v[:manage] }
253     else
254       raise "level must be 1, 2 or 3"
255     end
256   end
257
258   # create links
259   def setup(repo_name: nil, vm_uuid: nil, send_notification_email: nil)
260     newly_invited = Link.where(tail_uuid: self.uuid,
261                               head_uuid: all_users_group_uuid,
262                               link_class: 'permission',
263                               name: 'can_read').empty?
264
265     # Add can_read link from this user to "all users" which makes this
266     # user "invited", and (depending on config) a link in the opposite
267     # direction which makes this user visible to other users.
268     group_perms = add_to_all_users_group
269
270     # Add git repo
271     repo_perm = if (!repo_name.nil? || Rails.configuration.Users.AutoSetupNewUsersWithRepository) and !username.nil?
272                   repo_name ||= "#{username}/#{username}"
273                   create_user_repo_link repo_name
274                 end
275
276     # Add virtual machine
277     if vm_uuid.nil? and !Rails.configuration.Users.AutoSetupNewUsersWithVmUUID.empty?
278       vm_uuid = Rails.configuration.Users.AutoSetupNewUsersWithVmUUID
279     end
280
281     vm_login_perm = if vm_uuid && username
282                       create_vm_login_permission_link(vm_uuid, username)
283                     end
284
285     # Send welcome email
286     if send_notification_email.nil?
287       send_notification_email = Rails.configuration.Mail.SendUserSetupNotificationEmail
288     end
289
290     if newly_invited and send_notification_email and !Rails.configuration.Users.UserSetupMailText.empty?
291       begin
292         UserNotifier.account_is_setup(self).deliver_now
293       rescue => e
294         logger.warn "Failed to send email to #{self.email}: #{e}"
295       end
296     end
297
298     forget_cached_group_perms
299
300     return [repo_perm, vm_login_perm, *group_perms, self].compact
301   end
302
303   # delete user signatures, login, repo, and vm perms, and mark as inactive
304   def unsetup
305     if self.uuid == system_user_uuid
306       raise "System root user cannot be deactivated"
307     end
308
309     # delete oid_login_perms for this user
310     #
311     # note: these permission links are obsolete anyway: they have no
312     # effect on anything and they are not created for new users.
313     Link.where(tail_uuid: self.email,
314                link_class: 'permission',
315                name: 'can_login').destroy_all
316
317     # Delete all sharing permissions so (a) the user doesn't
318     # automatically regain access to anything if re-setup in future,
319     # (b) the user doesn't appear in "currently shared with" lists
320     # shown to other users.
321     #
322     # Notably this includes the can_read -> "all users" group
323     # permission.
324     Link.where(tail_uuid: self.uuid,
325                link_class: 'permission').destroy_all
326
327     # delete any signatures by this user
328     Link.where(link_class: 'signature',
329                tail_uuid: self.uuid).destroy_all
330
331     # delete tokens for this user
332     ApiClientAuthorization.where(user_id: self.id).destroy_all
333     # delete ssh keys for this user
334     AuthorizedKey.where(owner_uuid: self.uuid).destroy_all
335     AuthorizedKey.where(authorized_user_uuid: self.uuid).destroy_all
336
337     # delete user preferences (including profile)
338     self.prefs = {}
339
340     # mark the user as inactive
341     self.is_admin = false  # can't be admin and inactive
342     self.is_active = false
343     forget_cached_group_perms
344     self.save!
345   end
346
347   # Called from ArvadosModel
348   def set_default_owner
349     self.owner_uuid = system_user_uuid
350   end
351
352   def must_unsetup_to_deactivate
353     if !self.new_record? &&
354        self.uuid[0..4] == Rails.configuration.Login.LoginCluster &&
355        self.uuid[0..4] != Rails.configuration.ClusterID
356       # OK to update our local record to whatever the LoginCluster
357       # reports, because self-activate is not allowed.
358       return
359     elsif self.is_active_changed? &&
360        self.is_active_was &&
361        !self.is_active
362
363       # When a user is set up, they are added to the "All users"
364       # group.  A user that is part of the "All users" group is
365       # allowed to self-activate.
366       #
367       # It doesn't make sense to deactivate a user (set is_active =
368       # false) without first removing them from the "All users" group,
369       # because they would be able to immediately reactivate
370       # themselves.
371       #
372       # The 'unsetup' method removes the user from the "All users"
373       # group (and also sets is_active = false) so send a message
374       # explaining the correct way to deactivate a user.
375       #
376       if Link.where(tail_uuid: self.uuid,
377                     head_uuid: all_users_group_uuid,
378                     link_class: 'permission').any?
379         errors.add :is_active, "cannot be set to false directly, use the 'Deactivate' button on Workbench, or the 'unsetup' API call"
380       end
381     end
382   end
383
384   def set_initial_username(requested: false)
385     if !requested.is_a?(String) || requested.empty?
386       email_parts = email.partition("@")
387       local_parts = email_parts.first.partition("+")
388       if email_parts.any?(&:empty?)
389         return
390       elsif not local_parts.first.empty?
391         requested = local_parts.first
392       else
393         requested = email_parts.first
394       end
395     end
396     requested.sub!(/^[^A-Za-z]+/, "")
397     requested.gsub!(/[^A-Za-z0-9]/, "")
398     unless requested.empty?
399       self.username = find_usable_username_from(requested)
400     end
401   end
402
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).
405   #
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.
410   #
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
418       reload
419       raise "cannot merge an already merged user" if self.redirect_to_user_uuid
420
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
424
425       self.clear_permissions
426       new_user.clear_permissions
427
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.
432       #
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.
437
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
440         # to the new user.
441         ApiClientAuthorization.
442           where(user_id: id).
443           update_all(user_id: new_user.id)
444
445         user_updates = [
446           [AuthorizedKey, :owner_uuid],
447           [AuthorizedKey, :authorized_user_uuid],
448           [Link, :owner_uuid],
449           [Link, :tail_uuid],
450           [Link, :head_uuid],
451         ]
452       else
453         # Destroy API tokens and ssh keys associated with the old
454         # user.
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
458         user_updates = [
459           [Link, :owner_uuid],
460           [Link, :tail_uuid]
461         ]
462       end
463
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)
469       end
470
471       # Need to update repository names to new username
472       if username
473         old_repo_name_re = /^#{Regexp.escape(username)}\//
474         Repository.where(:owner_uuid => uuid).each do |repo|
475           repo.owner_uuid = new_user.uuid
476           repo_name_sub = "#{new_user.username}/"
477           name = repo.name.sub(old_repo_name_re, repo_name_sub)
478           while (conflict = Repository.where(:name => name).first) != nil
479             repo_name_sub += "migrated"
480             name = repo.name.sub(old_repo_name_re, repo_name_sub)
481           end
482           repo.name = name
483           repo.save!
484         end
485       end
486
487       # References to the merged user's "home project" are updated to
488       # point to new_owner_uuid.
489       ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |klass|
490         next if [ApiClientAuthorization,
491                  AuthorizedKey,
492                  Link,
493                  Log,
494                  Repository].include?(klass)
495         next if !klass.columns.collect(&:name).include?('owner_uuid')
496         klass.where(owner_uuid: uuid).update_all(owner_uuid: new_owner_uuid)
497       end
498
499       if redirect_to_new_user
500         update!(redirect_to_user_uuid: new_user.uuid, username: nil)
501       end
502       skip_check_permissions_against_full_refresh do
503         update_permissions self.uuid, self.uuid, CAN_MANAGE_PERM
504         update_permissions new_user.uuid, new_user.uuid, CAN_MANAGE_PERM
505         update_permissions new_user.owner_uuid, new_user.uuid, CAN_MANAGE_PERM
506       end
507       update_permissions self.owner_uuid, self.uuid, CAN_MANAGE_PERM
508     end
509   end
510
511   def redirects_to
512     user = self
513     redirects = 0
514     while (uuid = user.redirect_to_user_uuid)
515       break if uuid.empty?
516       nextuser = User.unscoped.find_by_uuid(uuid)
517       if !nextuser
518         raise Exception.new("user uuid #{user.uuid} redirects to nonexistent uuid '#{uuid}'")
519       end
520       user = nextuser
521       redirects += 1
522       if redirects > 15
523         raise "Starting from #{self.uuid} redirect_to_user_uuid exceeded maximum number of redirects"
524       end
525     end
526     user
527   end
528
529   def self.register info
530     # login info expected fields, all can be optional but at minimum
531     # must supply either 'identity_url' or 'email'
532     #
533     #   email
534     #   first_name
535     #   last_name
536     #   username
537     #   alternate_emails
538     #   identity_url
539
540     primary_user = nil
541
542     # local database
543     identity_url = info['identity_url']
544
545     if identity_url && identity_url.length > 0
546       # Only local users can create sessions, hence uuid_like_pattern
547       # here.
548       user = User.unscoped.where('identity_url = ? and uuid like ?',
549                                  identity_url,
550                                  User.uuid_like_pattern).first
551       primary_user = user.redirects_to if user
552     end
553
554     if !primary_user
555       # identity url is unset or didn't find matching record.
556       emails = [info['email']] + (info['alternate_emails'] || [])
557       emails.select! {|em| !em.nil? && !em.empty?}
558
559       User.unscoped.where('email in (?) and uuid like ?',
560                           emails,
561                           User.uuid_like_pattern).each do |user|
562         if !primary_user
563           primary_user = user.redirects_to
564         elsif primary_user.uuid != user.redirects_to.uuid
565           raise "Ambiguous email address, directs to both #{primary_user.uuid} and #{user.redirects_to.uuid}"
566         end
567       end
568     end
569
570     if !primary_user
571       # New user registration
572       primary_user = User.new(:owner_uuid => system_user_uuid,
573                               :is_admin => false,
574                               :is_active => Rails.configuration.Users.NewUsersAreActive)
575
576       primary_user.set_initial_username(requested: info['username']) if info['username'] && !info['username'].blank?
577       primary_user.identity_url = info['identity_url'] if identity_url
578     end
579
580     primary_user.email = info['email'] if info['email']
581     primary_user.first_name = info['first_name'] if info['first_name']
582     primary_user.last_name = info['last_name'] if info['last_name']
583
584     if (!primary_user.email or primary_user.email.empty?) and (!primary_user.identity_url or primary_user.identity_url.empty?)
585       raise "Must have supply at least one of 'email' or 'identity_url' to User.register"
586     end
587
588     act_as_system_user do
589       primary_user.save!
590     end
591
592     primary_user
593   end
594
595   def self.update_remote_user remote_user
596     begin
597       user = User.find_or_create_by(uuid: remote_user['uuid'])
598     rescue ActiveRecord::RecordNotUnique
599       retry
600     end
601
602     user.lock do
603       needupdate = {}
604       nulled_attrs = nullify_attrs(remote_user)
605       [:email, :username, :first_name, :last_name, :prefs].each |k|
606         v = nulled_attrs[k]
607       if !v.nil? && user.send(k) != v
608         needupdate[k] = v
609       end
610
611       if needupdate.length > 0
612         begin
613           user.update!(needupdate)
614         rescue ActiveRecord::RecordInvalid
615           loginCluster = Rails.configuration.Login.LoginCluster
616           if user.uuid[0..4] == loginCluster && !needupdate[:username].nil?
617             local_user = User.find_by_username(needupdate[:username])
618             # The username of this record conflicts with an existing,
619             # different user record.  This can happen because the
620             # username changed upstream on the login cluster, or
621             # because we're federated with another cluster with a user
622             # by the same username.  The login cluster is the source
623             # of truth, so change the username on the conflicting
624             # record and retry the update operation.
625             if local_user.uuid != user.uuid
626               new_username = "#{needupdate[:username]}#{rand(99999999)}"
627               Rails.logger.warn("cached username '#{needupdate[:username]}' collision with user '#{local_user.uuid}' - renaming to '#{new_username}' before retrying")
628               local_user.update!({username: new_username})
629               retry
630             end
631           end
632           raise # Not the issue we're handling above
633         end
634       end
635
636       if user.is_invited && !remote_user['is_invited']
637         # Remote user is not "invited" state, they should be unsetup, which
638         # also makes them inactive.
639         user.unsetup
640       else
641         if !user.is_invited && remote_user['is_invited'] and
642           (remote_user_prefix == Rails.configuration.Login.LoginCluster or
643            Rails.configuration.Users.AutoSetupNewUsers or
644            Rails.configuration.Users.NewUsersAreActive or
645            Rails.configuration.RemoteClusters[remote_user_prefix].andand["ActivateUsers"])
646           # Remote user is 'invited' and should be set up
647           user.setup
648         end
649
650         if !user.is_active && remote_user['is_active'] && user.is_invited and
651           (remote_user_prefix == Rails.configuration.Login.LoginCluster or
652            Rails.configuration.Users.NewUsersAreActive or
653            Rails.configuration.RemoteClusters[remote_user_prefix].andand["ActivateUsers"])
654           # remote user is active and invited, we need to activate them
655           user.update!(is_active: true)
656         elsif user.is_active && !remote_user['is_active']
657           # remote user is not active, we need to de-activate them
658           user.update!(is_active: false)
659         end
660
661         if remote_user_prefix == Rails.configuration.Login.LoginCluster and
662           user.is_active and
663           user.is_admin != remote_user['is_admin']
664           # Remote cluster controls our user database, including the
665           # admin flag.
666           user.update!(is_admin: remote_user['is_admin'])
667         end
668       end
669     end
670     user
671   end
672
673   protected
674
675   def self.attributes_required_columns
676     super.merge(
677                 'can_write' => ['owner_uuid', 'uuid'],
678                 'can_manage' => ['owner_uuid', 'uuid'],
679                 )
680   end
681
682   def change_all_uuid_refs(old_uuid:, new_uuid:)
683     ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |klass|
684       klass.columns.each do |col|
685         if col.name.end_with?('_uuid')
686           column = col.name.to_sym
687           klass.where(column => old_uuid).update_all(column => new_uuid)
688         end
689       end
690     end
691   end
692
693   def ensure_ownership_path_leads_to_user
694     true
695   end
696
697   def permission_to_update
698     if username_changed? || redirect_to_user_uuid_changed? || email_changed?
699       current_user.andand.is_admin
700     else
701       # users must be able to update themselves (even if they are
702       # inactive) in order to create sessions
703       self == current_user or super
704     end
705   end
706
707   def permission_to_create
708     current_user.andand.is_admin or
709       (self == current_user &&
710        self.redirect_to_user_uuid.nil? &&
711        self.is_active == Rails.configuration.Users.NewUsersAreActive)
712   end
713
714   def check_auto_admin
715     return if self.uuid.end_with?('anonymouspublic')
716     if (User.where("email = ?",self.email).where(:is_admin => true).count == 0 and
717         !Rails.configuration.Users.AutoAdminUserWithEmail.empty? and self.email == Rails.configuration.Users["AutoAdminUserWithEmail"]) or
718        (User.where("uuid not like '%-000000000000000'").where(:is_admin => true).count == 0 and
719         Rails.configuration.Users.AutoAdminFirstUser)
720       self.is_admin = true
721       self.is_active = true
722     end
723   end
724
725   def find_usable_username_from(basename)
726     # If "basename" is a usable username, return that.
727     # Otherwise, find a unique username "basenameN", where N is the
728     # smallest integer greater than 1, and return that.
729     # Return nil if a unique username can't be found after reasonable
730     # searching.
731     quoted_name = self.class.connection.quote_string(basename)
732     next_username = basename
733     next_suffix = 1
734     while Rails.configuration.Users.AutoSetupUsernameBlacklist[next_username]
735       next_suffix += 1
736       next_username = "%s%i" % [basename, next_suffix]
737     end
738     0.upto(6).each do |suffix_len|
739       pattern = "%s%s" % [quoted_name, "_" * suffix_len]
740       self.class.unscoped.
741           where("username like '#{pattern}'").
742           select(:username).
743           order('username asc').
744           each do |other_user|
745         if other_user.username > next_username
746           break
747         elsif other_user.username == next_username
748           next_suffix += 1
749           next_username = "%s%i" % [basename, next_suffix]
750         end
751       end
752       return next_username if (next_username.size <= pattern.size)
753     end
754     nil
755   end
756
757   def prevent_privilege_escalation
758     if current_user.andand.is_admin
759       return true
760     end
761     if self.is_active_changed?
762       if self.is_active != self.is_active_was
763         logger.warn "User #{current_user.uuid} tried to change is_active from #{self.is_active_was} to #{self.is_active} for #{self.uuid}"
764         self.is_active = self.is_active_was
765       end
766     end
767     if self.is_admin_changed?
768       if self.is_admin != self.is_admin_was
769         logger.warn "User #{current_user.uuid} tried to change is_admin from #{self.is_admin_was} to #{self.is_admin} for #{self.uuid}"
770         self.is_admin = self.is_admin_was
771       end
772     end
773     true
774   end
775
776   def prevent_inactive_admin
777     if self.is_admin and not self.is_active
778       # There is no known use case for the strange set of permissions
779       # that would result from this change. It's safest to assume it's
780       # a mistake and disallow it outright.
781       raise "Admin users cannot be inactive"
782     end
783     true
784   end
785
786   def prevent_nonadmin_system_root
787     if self.uuid == system_user_uuid and self.is_admin_changed? and !self.is_admin
788       raise "System root user cannot be non-admin"
789     end
790     true
791   end
792
793   def search_permissions(start, graph, merged={}, upstream_mask=nil, upstream_path={})
794     nextpaths = graph[start]
795     return merged if !nextpaths
796     return merged if upstream_path.has_key? start
797     upstream_path[start] = true
798     upstream_mask ||= ALL_PERMISSIONS
799     nextpaths.each do |head, mask|
800       merged[head] ||= {}
801       mask.each do |k,v|
802         merged[head][k] ||= v if upstream_mask[k]
803       end
804       search_permissions(head, graph, merged, upstream_mask.select { |k,v| v && merged[head][k] }, upstream_path)
805     end
806     upstream_path.delete start
807     merged
808   end
809
810   def create_user_repo_link(repo_name)
811     # repo_name is optional
812     if not repo_name
813       logger.warn ("Repository name not given for #{self.uuid}.")
814       return
815     end
816
817     repo = Repository.where(owner_uuid: uuid, name: repo_name).first_or_create!
818     logger.info { "repo uuid: " + repo[:uuid] }
819     repo_perm = Link.where(tail_uuid: uuid, head_uuid: repo.uuid,
820                            link_class: "permission",
821                            name: "can_manage").first_or_create!
822     logger.info { "repo permission: " + repo_perm[:uuid] }
823     return repo_perm
824   end
825
826   # create login permission for the given vm_uuid, if it does not already exist
827   def create_vm_login_permission_link(vm_uuid, repo_name)
828     # vm uuid is optional
829     return if vm_uuid == ""
830
831     vm = VirtualMachine.where(uuid: vm_uuid).first
832     if !vm
833       logger.warn "Could not find virtual machine for #{vm_uuid.inspect}"
834       raise "No vm found for #{vm_uuid}"
835     end
836
837     logger.info { "vm uuid: " + vm[:uuid] }
838     login_attrs = {
839       tail_uuid: uuid, head_uuid: vm.uuid,
840       link_class: "permission", name: "can_login",
841     }
842
843     login_perm = Link.
844       where(login_attrs).
845       select { |link| link.properties["username"] == repo_name }.
846       first
847
848     login_perm ||= Link.
849       create(login_attrs.merge(properties: {"username" => repo_name}))
850
851     logger.info { "login permission: " + login_perm[:uuid] }
852     login_perm
853   end
854
855   def add_to_all_users_group
856     resp = [Link.where(tail_uuid: self.uuid,
857                        head_uuid: all_users_group_uuid,
858                        link_class: 'permission',
859                        name: 'can_write').first ||
860             Link.create(tail_uuid: self.uuid,
861                         head_uuid: all_users_group_uuid,
862                         link_class: 'permission',
863                         name: 'can_write')]
864     if Rails.configuration.Users.ActivatedUsersAreVisibleToOthers
865       resp += [Link.where(tail_uuid: all_users_group_uuid,
866                           head_uuid: self.uuid,
867                           link_class: 'permission',
868                           name: 'can_read').first ||
869                Link.create(tail_uuid: all_users_group_uuid,
870                            head_uuid: self.uuid,
871                            link_class: 'permission',
872                            name: 'can_read')]
873     end
874     return resp
875   end
876
877   # Give the special "System group" permission to manage this user and
878   # all of this user's stuff.
879   def add_system_group_permission_link
880     return true if uuid == system_user_uuid
881     act_as_system_user do
882       Link.create(link_class: 'permission',
883                   name: 'can_manage',
884                   tail_uuid: system_group_uuid,
885                   head_uuid: self.uuid)
886     end
887   end
888
889   # Send admin notifications
890   def send_admin_notifications
891     AdminNotifier.new_user(self).deliver_now
892     if not self.is_active then
893       AdminNotifier.new_inactive_user(self).deliver_now
894     end
895   end
896
897   # Automatically setup if is_active flag turns on
898   def setup_on_activate
899     return if [system_user_uuid, anonymous_user_uuid].include?(self.uuid)
900     if is_active &&
901       (new_record? || saved_change_to_is_active? || will_save_change_to_is_active?)
902       setup
903     end
904   end
905
906   # Automatically setup new user during creation
907   def auto_setup_new_user
908     setup
909   end
910
911   # Send notification if the user saved profile for the first time
912   def send_profile_created_notification
913     if saved_change_to_prefs?
914       if prefs_before_last_save.andand.empty? || !prefs_before_last_save.andand['profile']
915         profile_notification_address = Rails.configuration.Users.UserProfileNotificationAddress
916         ProfileNotifier.profile_created(self, profile_notification_address).deliver_now if profile_notification_address and !profile_notification_address.empty?
917       end
918     end
919   end
920
921   def verify_repositories_empty
922     unless repositories.first.nil?
923       errors.add(:username, "can't be unset when the user owns repositories")
924       throw(:abort)
925     end
926   end
927
928   def sync_repository_names
929     old_name_re = /^#{Regexp.escape(username_before_last_save)}\//
930     name_sub = "#{username}/"
931     repositories.find_each do |repo|
932       repo.name = repo.name.sub(old_name_re, name_sub)
933       repo.save!
934     end
935   end
936
937   def identity_url_nil_if_empty
938     if identity_url == ""
939       self.identity_url = nil
940     end
941   end
942 end