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