16007: Now switch over to incremental permissions (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   before_update :prevent_privilege_escalation
25   before_update :prevent_inactive_admin
26   before_update :verify_repositories_empty, :if => Proc.new { |user|
27     user.username.nil? and user.username_changed?
28   }
29   before_update :setup_on_activate
30   before_create :check_auto_admin
31   before_create :set_initial_username, :if => Proc.new { |user|
32     user.username.nil? and user.email
33   }
34   after_create :update_permissions
35   after_create :setup_on_activate
36   after_create :add_system_group_permission_link
37   after_create :auto_setup_new_user, :if => Proc.new { |user|
38     Rails.configuration.Users.AutoSetupNewUsers and
39     (user.uuid != system_user_uuid) and
40     (user.uuid != anonymous_user_uuid)
41   }
42   after_create :send_admin_notifications
43   after_update :update_permissions
44   after_update :send_profile_created_notification
45   after_update :sync_repository_names, :if => Proc.new { |user|
46     (user.uuid != system_user_uuid) and
47     user.username_changed? and
48     (not user.username_was.nil?)
49   }
50
51
52   has_many :authorized_keys, :foreign_key => :authorized_user_uuid, :primary_key => :uuid
53   has_many :repositories, foreign_key: :owner_uuid, primary_key: :uuid
54
55   default_scope { where('redirect_to_user_uuid is null') }
56
57   api_accessible :user, extend: :common do |t|
58     t.add :email
59     t.add :username
60     t.add :full_name
61     t.add :first_name
62     t.add :last_name
63     t.add :identity_url
64     t.add :is_active
65     t.add :is_admin
66     t.add :is_invited
67     t.add :prefs
68     t.add :writable_by
69   end
70
71   ALL_PERMISSIONS = {read: true, write: true, manage: true}
72
73   # Map numeric permission levels (see lib/create_permission_view.sql)
74   # back to read/write/manage flags.
75   PERMS_FOR_VAL =
76     [{},
77      {read: true},
78      {read: true, write: true},
79      {read: true, write: true, manage: true}]
80
81   def full_name
82     "#{first_name} #{last_name}".strip
83   end
84
85   def is_invited
86     !!(self.is_active ||
87        Rails.configuration.Users.NewUsersAreActive ||
88        self.groups_i_can(:read).select { |x| x.match(/-f+$/) }.first)
89   end
90
91   def groups_i_can(verb)
92     my_groups = self.group_permissions.select { |uuid, mask| mask[verb] }.keys
93     if verb == :read
94       my_groups << anonymous_group_uuid
95     end
96     my_groups
97   end
98
99   def can?(actions)
100     return true if is_admin
101     actions.each do |action, target|
102       unless target.nil?
103         if target.respond_to? :uuid
104           target_uuid = target.uuid
105         else
106           target_uuid = target
107           target = ArvadosModel.find_by_uuid(target_uuid)
108         end
109       end
110       next if target_uuid == self.uuid
111       next if (group_permissions[target_uuid] and
112                group_permissions[target_uuid][action])
113       if target.respond_to? :owner_uuid
114         next if target.owner_uuid == self.uuid
115         next if (group_permissions[target.owner_uuid] and
116                  group_permissions[target.owner_uuid][action])
117       end
118       sufficient_perms = case action
119                          when :manage
120                            ['can_manage']
121                          when :write
122                            ['can_manage', 'can_write']
123                          when :read
124                            ['can_manage', 'can_write', 'can_read']
125                          else
126                            # (Skip this kind of permission opportunity
127                            # if action is an unknown permission type)
128                          end
129       if sufficient_perms
130         # Check permission links with head_uuid pointing directly at
131         # the target object. If target is a Group, this is redundant
132         # and will fail except [a] if permission caching is broken or
133         # [b] during a race condition, where a permission link has
134         # *just* been added.
135         if Link.where(link_class: 'permission',
136                       name: sufficient_perms,
137                       tail_uuid: groups_i_can(action) + [self.uuid],
138                       head_uuid: target_uuid).any?
139           next
140         end
141       end
142       return false
143     end
144     true
145   end
146
147   def update_permissions
148     if owner_uuid_changed?
149       puts "Update permissions for #{uuid} #{new_record?}"
150     User.printdump %{
151 select * from materialized_permissions where user_uuid='#{uuid}'
152 }
153     puts "---"
154     User.update_permissions self.owner_uuid, self.uuid, 3
155     User.printdump %{
156 select * from materialized_permissions where user_uuid='#{uuid}'
157 }
158
159     end
160   end
161
162   def self.printdump qr
163     q1 = ActiveRecord::Base.connection.exec_query qr
164     q1.each do |r|
165       puts r
166     end
167   end
168
169   def self.update_permissions perm_origin_uuid, starting_uuid, perm_level
170     # Update a subset of the permission graph
171     # perm_level is the inherited permission
172     # perm_level is a number from 0-3
173     #   can_read=1
174     #   can_write=2
175     #   can_manage=3
176     #   call with perm_level=0 to revoke permissions
177     #
178     # 1. Compute set (group, permission) implied by traversing
179     #    graph starting at this group
180     # 2. Find links from outside the graph that point inside
181     # 3. For each starting uuid, get the set of permissions from the
182     #    materialized permission table
183     # 3. Delete permissions from table not in our computed subset.
184     # 4. Upsert each permission in our subset (user, group, val)
185
186     ## testinging
187     puts "What's in there now for #{starting_uuid}"
188     printdump %{
189 select * from materialized_permissions where user_uuid='#{starting_uuid}'
190 }
191
192     puts "search_permission_graph #{perm_origin_uuid} #{starting_uuid}, #{perm_level}"
193     printdump %{
194 select '#{perm_origin_uuid}'::varchar as perm_origin_uuid, target_uuid, val, traverse_owned from search_permission_graph('#{starting_uuid}', #{perm_level})
195 }
196
197     puts "Perms out"
198     printdump %{
199 with
200 perm_from_start(perm_origin_uuid, target_uuid, val, traverse_owned) as (
201   select  '#{perm_origin_uuid}'::varchar, target_uuid, val, traverse_owned
202     from search_permission_graph('#{starting_uuid}', #{perm_level}))
203
204 (select materialized_permissions.user_uuid, u.target_uuid, max(least(materialized_permissions.perm_level, u.val)), bool_or(u.traverse_owned)
205   from perm_from_start as u
206   join materialized_permissions on (u.perm_origin_uuid = materialized_permissions.target_uuid)
207   where materialized_permissions.traverse_owned
208   group by materialized_permissions.user_uuid, u.target_uuid)
209 union
210   select target_uuid as user_uuid, target_uuid, 3, true
211     from perm_from_start where target_uuid like '_____-tpzed-_______________'
212 }
213     ## end
214
215     temptable_perms = "temp_perms_#{rand(2**64).to_s(10)}"
216     ActiveRecord::Base.connection.exec_query %{
217 create temporary table #{temptable_perms} on commit drop
218 as select * from compute_permission_subgraph($1, $2, $3)
219 },
220                                              'Group.search_permissions',
221                                              [[nil, perm_origin_uuid],
222                                               [nil, starting_uuid],
223                                               [nil, perm_level]]
224
225     q1 = ActiveRecord::Base.connection.exec_query %{
226 select * from #{temptable_perms}
227 }
228     puts "recomputed perms was #{perm_origin_uuid} #{starting_uuid}, #{perm_level}"
229     q1.each do |r|
230       puts r
231     end
232
233     ActiveRecord::Base.connection.exec_query %{
234 delete from materialized_permissions where
235   target_uuid in (select target_uuid from #{temptable_perms}) and
236   (user_uuid not in (select user_uuid from #{temptable_perms} where target_uuid=materialized_permissions.target_uuid)
237    or user_uuid in (select user_uuid from #{temptable_perms} where target_uuid=materialized_permissions.target_uuid and perm_level=0))
238 }
239
240     ActiveRecord::Base.connection.exec_query %{
241 insert into materialized_permissions (user_uuid, target_uuid, perm_level, traverse_owned)
242   select user_uuid, target_uuid, val as perm_level, traverse_owned from #{temptable_perms}
243 on conflict (user_uuid, target_uuid) do update set perm_level=EXCLUDED.perm_level, traverse_owned=EXCLUDED.traverse_owned;
244 }
245
246     # for testing only - make a copy of the table and compare it to the one generated
247     # using a full permission recompute
248 #     temptable_compare = "compare_perms_#{rand(2**64).to_s(10)}"
249 #     ActiveRecord::Base.connection.exec_query %{
250 # create temporary table #{temptable_compare} on commit drop as select * from materialized_permissions
251 # }
252
253     # Ensure a new group can be accessed by the appropriate users
254     # immediately after being created.
255     #User.invalidate_permissions_cache
256
257 #     q1 = ActiveRecord::Base.connection.exec_query %{
258 # select count(*) from materialized_permissions
259 # }
260 #     puts "correct version #{q1.first}"
261
262 #     q2 = ActiveRecord::Base.connection.exec_query %{
263 # select count(*) from #{temptable_compare}
264 # }
265 #     puts "incremental update #{q2.first}"
266   end
267
268   # Return a hash of {user_uuid: group_perms}
269   def self.all_group_permissions
270     all_perms = {}
271     ActiveRecord::Base.connection.
272       exec_query("SELECT user_uuid, target_uuid, perm_level
273                   FROM #{PERMISSION_VIEW}
274                   WHERE traverse_owned",
275                   # "name" arg is a query label that appears in logs:
276                   "all_group_permissions",
277                   ).rows.each do |user_uuid, group_uuid, max_p_val|
278       all_perms[user_uuid] ||= {}
279       all_perms[user_uuid][group_uuid] = PERMS_FOR_VAL[max_p_val.to_i]
280     end
281     all_perms
282   end
283
284   # Return a hash of {group_uuid: perm_hash} where perm_hash[:read]
285   # and perm_hash[:write] are true if this user can read and write
286   # objects owned by group_uuid.
287   def group_permissions
288     group_perms = {self.uuid => {:read => true, :write => true, :manage => true}}
289     ActiveRecord::Base.connection.
290       exec_query("SELECT target_uuid, perm_level
291                   FROM #{PERMISSION_VIEW}
292                   WHERE user_uuid = $1
293                   AND traverse_owned",
294                   # "name" arg is a query label that appears in logs:
295                   "group_permissions_for_user",
296                   # "binds" arg is an array of [col_id, value] for '$1' vars:
297                   [[nil, uuid]],
298                 ).rows.each do |group_uuid, max_p_val|
299       group_perms[group_uuid] = PERMS_FOR_VAL[max_p_val.to_i]
300     end
301     group_perms
302   end
303
304   # create links
305   def setup(repo_name: nil, vm_uuid: nil)
306     repo_perm = create_user_repo_link repo_name
307     vm_login_perm = create_vm_login_permission_link(vm_uuid, username) if vm_uuid
308     group_perm = create_user_group_link
309
310     return [repo_perm, vm_login_perm, group_perm, self].compact
311   end
312
313   # delete user signatures, login, repo, and vm perms, and mark as inactive
314   def unsetup
315     # delete oid_login_perms for this user
316     #
317     # note: these permission links are obsolete, they have no effect
318     # on anything and they are not created for new users.
319     Link.where(tail_uuid: self.email,
320                      link_class: 'permission',
321                      name: 'can_login').destroy_all
322
323     # delete repo_perms for this user
324     Link.where(tail_uuid: self.uuid,
325                      link_class: 'permission',
326                      name: 'can_manage').destroy_all
327
328     # delete vm_login_perms for this user
329     Link.where(tail_uuid: self.uuid,
330                      link_class: 'permission',
331                      name: 'can_login').destroy_all
332
333     # delete "All users" group read permissions for this user
334     group = Group.where(name: 'All users').select do |g|
335       g[:uuid].match(/-f+$/)
336     end.first
337     Link.where(tail_uuid: self.uuid,
338                      head_uuid: group[:uuid],
339                      link_class: 'permission',
340                      name: 'can_read').destroy_all
341
342     # delete any signatures by this user
343     Link.where(link_class: 'signature',
344                      tail_uuid: self.uuid).destroy_all
345
346     # delete user preferences (including profile)
347     self.prefs = {}
348
349     # mark the user as inactive
350     self.is_active = false
351     self.save!
352   end
353
354   def must_unsetup_to_deactivate
355     if self.is_active_changed? &&
356        self.is_active_was == true &&
357        !self.is_active
358
359       group = Group.where(name: 'All users').select do |g|
360         g[:uuid].match(/-f+$/)
361       end.first
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: group[:uuid],
378                     link_class: 'permission',
379                     name: 'can_read').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?
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     requested.sub!(/^[^A-Za-z]+/, "")
398     requested.gsub!(/[^A-Za-z0-9]/, "")
399     unless requested.empty?
400       self.username = find_usable_username_from(requested)
401     end
402   end
403
404   def update_uuid(new_uuid:)
405     if !current_user.andand.is_admin
406       raise PermissionDeniedError
407     end
408     if uuid == system_user_uuid || uuid == anonymous_user_uuid
409       raise "update_uuid cannot update system accounts"
410     end
411     if self.class != self.class.resource_class_for_uuid(new_uuid)
412       raise "invalid new_uuid #{new_uuid.inspect}"
413     end
414     transaction(requires_new: true) do
415       reload
416       old_uuid = self.uuid
417       self.uuid = new_uuid
418       save!(validate: false)
419       change_all_uuid_refs(old_uuid: old_uuid, new_uuid: new_uuid)
420     end
421   end
422
423   # Move this user's (i.e., self's) owned items to new_owner_uuid and
424   # new_user_uuid (for things normally owned directly by the user).
425   #
426   # If redirect_auth is true, also reassign auth tokens and ssh keys,
427   # and redirect this account to redirect_to_user_uuid, i.e., when a
428   # caller authenticates to this account in the future, the account
429   # redirect_to_user_uuid account will be used instead.
430   #
431   # current_user must have admin privileges, i.e., the caller is
432   # responsible for checking permission to do this.
433   def merge(new_owner_uuid:, new_user_uuid:, redirect_to_new_user:)
434     raise PermissionDeniedError if !current_user.andand.is_admin
435     raise "Missing new_owner_uuid" if !new_owner_uuid
436     raise "Missing new_user_uuid" if !new_user_uuid
437     transaction(requires_new: true) do
438       reload
439       raise "cannot merge an already merged user" if self.redirect_to_user_uuid
440
441       new_user = User.where(uuid: new_user_uuid).first
442       raise "user does not exist" if !new_user
443       raise "cannot merge to an already merged user" if new_user.redirect_to_user_uuid
444
445       User.update_permissions self.owner_uuid, self.uuid, 0
446
447       # If 'self' is a remote user, don't transfer authorizations
448       # (i.e. ability to access the account) to the new user, because
449       # that gives the remote site the ability to access the 'new'
450       # user account that takes over the 'self' account.
451       #
452       # If 'self' is a local user, it is okay to transfer
453       # authorizations, even if the 'new' user is a remote account,
454       # because the remote site does not gain the ability to access an
455       # account it could not before.
456
457       if redirect_to_new_user and self.uuid[0..4] == Rails.configuration.ClusterID
458         # Existing API tokens and ssh keys are updated to authenticate
459         # to the new user.
460         ApiClientAuthorization.
461           where(user_id: id).
462           update_all(user_id: new_user.id)
463
464         user_updates = [
465           [AuthorizedKey, :owner_uuid],
466           [AuthorizedKey, :authorized_user_uuid],
467           [Link, :owner_uuid],
468           [Link, :tail_uuid],
469           [Link, :head_uuid],
470         ]
471       else
472         # Destroy API tokens and ssh keys associated with the old
473         # user.
474         ApiClientAuthorization.where(user_id: id).destroy_all
475         AuthorizedKey.where(owner_uuid: uuid).destroy_all
476         AuthorizedKey.where(authorized_user_uuid: uuid).destroy_all
477         user_updates = [
478           [Link, :owner_uuid],
479           [Link, :tail_uuid]
480         ]
481       end
482
483       # References to the old user UUID in the context of a user ID
484       # (rather than a "home project" in the project hierarchy) are
485       # updated to point to the new user.
486       user_updates.each do |klass, column|
487         klass.where(column => uuid).update_all(column => new_user.uuid)
488       end
489
490       # Need to update repository names to new username
491       if username
492         old_repo_name_re = /^#{Regexp.escape(username)}\//
493         Repository.where(:owner_uuid => uuid).each do |repo|
494           repo.owner_uuid = new_user.uuid
495           repo_name_sub = "#{new_user.username}/"
496           name = repo.name.sub(old_repo_name_re, repo_name_sub)
497           while (conflict = Repository.where(:name => name).first) != nil
498             repo_name_sub += "migrated"
499             name = repo.name.sub(old_repo_name_re, repo_name_sub)
500           end
501           repo.name = name
502           repo.save!
503         end
504       end
505
506       # References to the merged user's "home project" are updated to
507       # point to new_owner_uuid.
508       ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |klass|
509         next if [ApiClientAuthorization,
510                  AuthorizedKey,
511                  Link,
512                  Log,
513                  Repository].include?(klass)
514         next if !klass.columns.collect(&:name).include?('owner_uuid')
515         klass.where(owner_uuid: uuid).update_all(owner_uuid: new_owner_uuid)
516       end
517
518       if redirect_to_new_user
519         update_attributes!(redirect_to_user_uuid: new_user.uuid, username: nil)
520       end
521       User.update_permissions self.owner_uuid, self.uuid, 3
522       User.update_permissions new_user.owner_uuid, new_user.uuid, 3
523     end
524   end
525
526   def redirects_to
527     user = self
528     redirects = 0
529     while (uuid = user.redirect_to_user_uuid)
530       break if uuid.empty?
531       nextuser = User.unscoped.find_by_uuid(uuid)
532       if !nextuser
533         raise Exception.new("user uuid #{user.uuid} redirects to nonexistent uuid '#{uuid}'")
534       end
535       user = nextuser
536       redirects += 1
537       if redirects > 15
538         raise "Starting from #{self.uuid} redirect_to_user_uuid exceeded maximum number of redirects"
539       end
540     end
541     user
542   end
543
544   def self.register info
545     # login info expected fields, all can be optional but at minimum
546     # must supply either 'identity_url' or 'email'
547     #
548     #   email
549     #   first_name
550     #   last_name
551     #   username
552     #   alternate_emails
553     #   identity_url
554
555     primary_user = nil
556
557     # local database
558     identity_url = info['identity_url']
559
560     if identity_url && identity_url.length > 0
561       # Only local users can create sessions, hence uuid_like_pattern
562       # here.
563       user = User.unscoped.where('identity_url = ? and uuid like ?',
564                                  identity_url,
565                                  User.uuid_like_pattern).first
566       primary_user = user.redirects_to if user
567     end
568
569     if !primary_user
570       # identity url is unset or didn't find matching record.
571       emails = [info['email']] + (info['alternate_emails'] || [])
572       emails.select! {|em| !em.nil? && !em.empty?}
573
574       User.unscoped.where('email in (?) and uuid like ?',
575                           emails,
576                           User.uuid_like_pattern).each do |user|
577         if !primary_user
578           primary_user = user.redirects_to
579         elsif primary_user.uuid != user.redirects_to.uuid
580           raise "Ambiguous email address, directs to both #{primary_user.uuid} and #{user.redirects_to.uuid}"
581         end
582       end
583     end
584
585     if !primary_user
586       # New user registration
587       primary_user = User.new(:owner_uuid => system_user_uuid,
588                               :is_admin => false,
589                               :is_active => Rails.configuration.Users.NewUsersAreActive)
590
591       primary_user.set_initial_username(requested: info['username']) if info['username'] && !info['username'].blank?
592       primary_user.identity_url = info['identity_url'] if identity_url
593     end
594
595     primary_user.email = info['email'] if info['email']
596     primary_user.first_name = info['first_name'] if info['first_name']
597     primary_user.last_name = info['last_name'] if info['last_name']
598
599     if (!primary_user.email or primary_user.email.empty?) and (!primary_user.identity_url or primary_user.identity_url.empty?)
600       raise "Must have supply at least one of 'email' or 'identity_url' to User.register"
601     end
602
603     act_as_system_user do
604       primary_user.save!
605     end
606
607     primary_user
608   end
609
610   protected
611
612   def change_all_uuid_refs(old_uuid:, new_uuid:)
613     ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |klass|
614       klass.columns.each do |col|
615         if col.name.end_with?('_uuid')
616           column = col.name.to_sym
617           klass.where(column => old_uuid).update_all(column => new_uuid)
618         end
619       end
620     end
621   end
622
623   def ensure_ownership_path_leads_to_user
624     true
625   end
626
627   def permission_to_update
628     if username_changed? || redirect_to_user_uuid_changed? || email_changed?
629       current_user.andand.is_admin
630     else
631       # users must be able to update themselves (even if they are
632       # inactive) in order to create sessions
633       self == current_user or super
634     end
635   end
636
637   def permission_to_create
638     current_user.andand.is_admin or
639       (self == current_user &&
640        self.redirect_to_user_uuid.nil? &&
641        self.is_active == Rails.configuration.Users.NewUsersAreActive)
642   end
643
644   def check_auto_admin
645     return if self.uuid.end_with?('anonymouspublic')
646     if (User.where("email = ?",self.email).where(:is_admin => true).count == 0 and
647         !Rails.configuration.Users.AutoAdminUserWithEmail.empty? and self.email == Rails.configuration.Users["AutoAdminUserWithEmail"]) or
648        (User.where("uuid not like '%-000000000000000'").where(:is_admin => true).count == 0 and
649         Rails.configuration.Users.AutoAdminFirstUser)
650       self.is_admin = true
651       self.is_active = true
652     end
653   end
654
655   def find_usable_username_from(basename)
656     # If "basename" is a usable username, return that.
657     # Otherwise, find a unique username "basenameN", where N is the
658     # smallest integer greater than 1, and return that.
659     # Return nil if a unique username can't be found after reasonable
660     # searching.
661     quoted_name = self.class.connection.quote_string(basename)
662     next_username = basename
663     next_suffix = 1
664     while Rails.configuration.Users.AutoSetupUsernameBlacklist[next_username]
665       next_suffix += 1
666       next_username = "%s%i" % [basename, next_suffix]
667     end
668     0.upto(6).each do |suffix_len|
669       pattern = "%s%s" % [quoted_name, "_" * suffix_len]
670       self.class.unscoped.
671           where("username like '#{pattern}'").
672           select(:username).
673           order('username asc').
674           each do |other_user|
675         if other_user.username > next_username
676           break
677         elsif other_user.username == next_username
678           next_suffix += 1
679           next_username = "%s%i" % [basename, next_suffix]
680         end
681       end
682       return next_username if (next_username.size <= pattern.size)
683     end
684     nil
685   end
686
687   def prevent_privilege_escalation
688     if current_user.andand.is_admin
689       return true
690     end
691     if self.is_active_changed?
692       if self.is_active != self.is_active_was
693         logger.warn "User #{current_user.uuid} tried to change is_active from #{self.is_active_was} to #{self.is_active} for #{self.uuid}"
694         self.is_active = self.is_active_was
695       end
696     end
697     if self.is_admin_changed?
698       if self.is_admin != self.is_admin_was
699         logger.warn "User #{current_user.uuid} tried to change is_admin from #{self.is_admin_was} to #{self.is_admin} for #{self.uuid}"
700         self.is_admin = self.is_admin_was
701       end
702     end
703     true
704   end
705
706   def prevent_inactive_admin
707     if self.is_admin and not self.is_active
708       # There is no known use case for the strange set of permissions
709       # that would result from this change. It's safest to assume it's
710       # a mistake and disallow it outright.
711       raise "Admin users cannot be inactive"
712     end
713     true
714   end
715
716   def search_permissions(start, graph, merged={}, upstream_mask=nil, upstream_path={})
717     nextpaths = graph[start]
718     return merged if !nextpaths
719     return merged if upstream_path.has_key? start
720     upstream_path[start] = true
721     upstream_mask ||= ALL_PERMISSIONS
722     nextpaths.each do |head, mask|
723       merged[head] ||= {}
724       mask.each do |k,v|
725         merged[head][k] ||= v if upstream_mask[k]
726       end
727       search_permissions(head, graph, merged, upstream_mask.select { |k,v| v && merged[head][k] }, upstream_path)
728     end
729     upstream_path.delete start
730     merged
731   end
732
733   def create_user_repo_link(repo_name)
734     # repo_name is optional
735     if not repo_name
736       logger.warn ("Repository name not given for #{self.uuid}.")
737       return
738     end
739
740     repo = Repository.where(owner_uuid: uuid, name: repo_name).first_or_create!
741     logger.info { "repo uuid: " + repo[:uuid] }
742     repo_perm = Link.where(tail_uuid: uuid, head_uuid: repo.uuid,
743                            link_class: "permission",
744                            name: "can_manage").first_or_create!
745     logger.info { "repo permission: " + repo_perm[:uuid] }
746     return repo_perm
747   end
748
749   # create login permission for the given vm_uuid, if it does not already exist
750   def create_vm_login_permission_link(vm_uuid, repo_name)
751     # vm uuid is optional
752     return if vm_uuid == ""
753
754     vm = VirtualMachine.where(uuid: vm_uuid).first
755     if !vm
756       logger.warn "Could not find virtual machine for #{vm_uuid.inspect}"
757       raise "No vm found for #{vm_uuid}"
758     end
759
760     logger.info { "vm uuid: " + vm[:uuid] }
761     login_attrs = {
762       tail_uuid: uuid, head_uuid: vm.uuid,
763       link_class: "permission", name: "can_login",
764     }
765
766     login_perm = Link.
767       where(login_attrs).
768       select { |link| link.properties["username"] == repo_name }.
769       first
770
771     login_perm ||= Link.
772       create(login_attrs.merge(properties: {"username" => repo_name}))
773
774     logger.info { "login permission: " + login_perm[:uuid] }
775     login_perm
776   end
777
778   # add the user to the 'All users' group
779   def create_user_group_link
780     puts "In create_user_group_link"
781     return (Link.where(tail_uuid: self.uuid,
782                        head_uuid: all_users_group[:uuid],
783                        link_class: 'permission',
784                        name: 'can_read').first or
785             Link.create(tail_uuid: self.uuid,
786                         head_uuid: all_users_group[:uuid],
787                         link_class: 'permission',
788                         name: 'can_read'))
789   end
790
791   # Give the special "System group" permission to manage this user and
792   # all of this user's stuff.
793   def add_system_group_permission_link
794     return true if uuid == system_user_uuid
795     act_as_system_user do
796       Link.create(link_class: 'permission',
797                   name: 'can_manage',
798                   tail_uuid: system_group_uuid,
799                   head_uuid: self.uuid)
800     end
801   end
802
803   # Send admin notifications
804   def send_admin_notifications
805     AdminNotifier.new_user(self).deliver_now
806     if not self.is_active then
807       AdminNotifier.new_inactive_user(self).deliver_now
808     end
809   end
810
811   # Automatically setup if is_active flag turns on
812   def setup_on_activate
813     return if [system_user_uuid, anonymous_user_uuid].include?(self.uuid)
814     if is_active && (new_record? || is_active_changed?)
815       setup
816     end
817   end
818
819   # Automatically setup new user during creation
820   def auto_setup_new_user
821     setup
822     if username
823       create_vm_login_permission_link(Rails.configuration.Users.AutoSetupNewUsersWithVmUUID,
824                                       username)
825       repo_name = "#{username}/#{username}"
826       if Rails.configuration.Users.AutoSetupNewUsersWithRepository and
827           Repository.where(name: repo_name).first.nil?
828         repo = Repository.create!(name: repo_name, owner_uuid: uuid)
829         Link.create!(tail_uuid: uuid, head_uuid: repo.uuid,
830                      link_class: "permission", name: "can_manage")
831       end
832     end
833   end
834
835   # Send notification if the user saved profile for the first time
836   def send_profile_created_notification
837     if self.prefs_changed?
838       if self.prefs_was.andand.empty? || !self.prefs_was.andand['profile']
839         profile_notification_address = Rails.configuration.Users.UserProfileNotificationAddress
840         ProfileNotifier.profile_created(self, profile_notification_address).deliver_now if profile_notification_address and !profile_notification_address.empty?
841       end
842     end
843   end
844
845   def verify_repositories_empty
846     unless repositories.first.nil?
847       errors.add(:username, "can't be unset when the user owns repositories")
848       throw(:abort)
849     end
850   end
851
852   def sync_repository_names
853     old_name_re = /^#{Regexp.escape(username_was)}\//
854     name_sub = "#{username}/"
855     repositories.find_each do |repo|
856       repo.name = repo.name.sub(old_name_re, name_sub)
857       repo.save!
858     end
859   end
860 end