Merge branch '15964-fix-docs' refs #15964
[arvados.git] / apps / workbench / app / controllers / application_controller.rb
1 # Copyright (C) The Arvados Authors. All rights reserved.
2 #
3 # SPDX-License-Identifier: AGPL-3.0
4
5 class ApplicationController < ActionController::Base
6   include ArvadosApiClientHelper
7   include ApplicationHelper
8
9   respond_to :html, :json, :js
10   protect_from_forgery
11
12   ERROR_ACTIONS = [:render_error, :render_not_found]
13
14   around_action :thread_clear
15   around_action :set_current_request_id
16   around_action :set_thread_api_token
17   # Methods that don't require login should
18   #   skip_around_action :require_thread_api_token
19   around_action :require_thread_api_token, except: ERROR_ACTIONS
20   before_action :ensure_arvados_api_exists, only: [:index, :show]
21   before_action :set_cache_buster
22   before_action :accept_uuid_as_id_param, except: ERROR_ACTIONS
23   before_action :check_user_agreements, except: ERROR_ACTIONS
24   before_action :check_user_profile, except: ERROR_ACTIONS
25   before_action :load_filters_and_paging_params, except: ERROR_ACTIONS
26   before_action :find_object_by_uuid, except: [:create, :index, :choose] + ERROR_ACTIONS
27   theme :select_theme
28
29   begin
30     rescue_from(ActiveRecord::RecordNotFound,
31                 ActionController::RoutingError,
32                 AbstractController::ActionNotFound,
33                 with: :render_not_found)
34     rescue_from(Exception,
35                 ActionController::UrlGenerationError,
36                 with: :render_exception)
37   end
38
39   def set_cache_buster
40     response.headers["Cache-Control"] = "no-cache, no-store, max-age=0, must-revalidate"
41     response.headers["Pragma"] = "no-cache"
42     response.headers["Expires"] = "Fri, 01 Jan 1990 00:00:00 GMT"
43   end
44
45   def unprocessable(message=nil)
46     @errors ||= []
47
48     @errors << message if message
49     render_error status: 422
50   end
51
52   def render_error(opts={})
53     # Helpers can rely on the presence of @errors to know they're
54     # being used in an error page.
55     @errors ||= []
56     opts[:status] ||= 500
57     respond_to do |f|
58       # json must come before html here, so it gets used as the
59       # default format when js is requested by the client. This lets
60       # ajax:error callback parse the response correctly, even though
61       # the browser can't.
62       f.json { render opts.merge(json: {success: false, errors: @errors}) }
63       f.html { render({action: 'error'}.merge(opts)) }
64       f.all { render({action: 'error', formats: 'text'}.merge(opts)) }
65     end
66   end
67
68   def render_exception(e)
69     logger.error e.inspect
70     logger.error e.backtrace.collect { |x| x + "\n" }.join('') if e.backtrace
71     err_opts = {status: 422}
72     if e.is_a?(ArvadosApiClient::ApiError)
73       err_opts.merge!(action: 'api_error', locals: {api_error: e})
74       @errors = e.api_response[:errors]
75     elsif @object.andand.errors.andand.full_messages.andand.any?
76       @errors = @object.errors.full_messages
77     else
78       @errors = [e.to_s]
79     end
80     # Make user information available on the error page, falling back to the
81     # session cache if the API server is unavailable.
82     begin
83       load_api_token(session[:arvados_api_token])
84     rescue ArvadosApiClient::ApiError
85       unless session[:user].nil?
86         begin
87           Thread.current[:user] = User.new(session[:user])
88         rescue ArvadosApiClient::ApiError
89           # This can happen if User's columns are unavailable.  Nothing to do.
90         end
91       end
92     end
93     # Preload projects trees for the template.  If that's not doable, set empty
94     # trees so error page rendering can proceed.  (It's easier to rescue the
95     # exception here than in a template.)
96     unless current_user.nil?
97       begin
98         my_starred_projects current_user
99         build_my_wanted_projects_tree current_user
100       rescue ArvadosApiClient::ApiError
101         # Fall back to the default-setting code later.
102       end
103     end
104     @starred_projects ||= []
105     @my_wanted_projects_tree ||= []
106     render_error(err_opts)
107   end
108
109   def render_not_found(e=ActionController::RoutingError.new("Path not found"))
110     logger.error e.inspect
111     @errors = ["Path not found"]
112     set_thread_api_token do
113       self.render_error(action: '404', status: 404)
114     end
115   end
116
117   # params[:order]:
118   #
119   # The order can be left empty to allow it to default.
120   # Or it can be a comma separated list of real database column names, one per model.
121   # Column names should always be qualified by a table name and a direction is optional, defaulting to asc
122   # (e.g. "collections.name" or "collections.name desc").
123   # If a column name is specified, that table will be sorted by that column.
124   # If there are objects from different models that will be shown (such as in Pipelines and processes tab),
125   # then a sort column name can optionally be specified for each model, passed as an comma-separated list (e.g. "jobs.script, pipeline_instances.name")
126   # Currently only one sort column name and direction can be specified for each model.
127   def load_filters_and_paging_params
128     if params[:order].blank?
129       @order = 'created_at desc'
130     elsif params[:order].is_a? Array
131       @order = params[:order]
132     else
133       begin
134         @order = JSON.load(params[:order])
135       rescue
136         @order = params[:order].split(',')
137       end
138     end
139     @order = [@order] unless @order.is_a? Array
140
141     @limit ||= 200
142     if params[:limit]
143       @limit = params[:limit].to_i
144     end
145
146     @offset ||= 0
147     if params[:offset]
148       @offset = params[:offset].to_i
149     end
150
151     @filters ||= []
152     if params[:filters]
153       filters = params[:filters]
154       if filters.is_a? String
155         filters = Oj.load filters
156       elsif filters.is_a? Array
157         filters = filters.collect do |filter|
158           if filter.is_a? String
159             # Accept filters[]=["foo","=","bar"]
160             Oj.load filter
161           else
162             # Accept filters=[["foo","=","bar"]]
163             filter
164           end
165         end
166       end
167       # After this, params[:filters] can be trusted to be an array of arrays:
168       params[:filters] = filters
169       @filters += filters
170     end
171   end
172
173   def find_objects_for_index
174     @objects ||= model_class
175     @objects = @objects.filter(@filters).limit(@limit).offset(@offset)
176     @objects.fetch_multiple_pages(false)
177   end
178
179   def render_index
180     respond_to do |f|
181       f.json {
182         if params[:partial]
183           @next_page_href = next_page_href(partial: params[:partial], filters: @filters.to_json)
184           render json: {
185             content: render_to_string(partial: "show_#{params[:partial]}",
186                                       formats: [:html]),
187             next_page_href: @next_page_href
188           }
189         else
190           render json: @objects
191         end
192       }
193       f.html {
194         if params[:tab_pane]
195           render_pane params[:tab_pane]
196         else
197           render
198         end
199       }
200       f.js { render }
201     end
202   end
203
204   helper_method :render_pane
205   def render_pane tab_pane, opts={}
206     render_opts = {
207       partial: 'show_' + tab_pane.downcase,
208       locals: {
209         comparable: self.respond_to?(:compare),
210         objects: @objects,
211         tab_pane: tab_pane
212       }.merge(opts[:locals] || {})
213     }
214     if opts[:to_string]
215       render_to_string render_opts
216     else
217       render render_opts
218     end
219   end
220
221   def ensure_arvados_api_exists
222     if model_class.is_a?(Class) && model_class < ArvadosBase && !model_class.api_exists?(params['action'].to_sym)
223       @errors = ["#{params['action']} method is not supported for #{params['controller']}"]
224       return render_error(status: 404)
225     end
226   end
227
228   def index
229     @objects = nil if !defined?(@objects)
230     find_objects_for_index if !@objects
231     render_index
232   end
233
234   helper_method :next_page_offset
235   def next_page_offset objects=nil
236     if !objects
237       objects = @objects
238     end
239     if objects.respond_to?(:result_offset) and
240         objects.respond_to?(:result_limit)
241       next_offset = objects.result_offset + objects.result_limit
242       if objects.respond_to?(:items_available) and (next_offset < objects.items_available)
243         next_offset
244       elsif @objects.results.size > 0 and (params[:count] == 'none' or
245            (params[:controller] == 'search' and params[:action] == 'choose'))
246         last_object_class = @objects.last.class
247         if params['last_object_class'].nil? or params['last_object_class'] == last_object_class.to_s
248           next_offset
249         else
250           @objects.select{|obj| obj.class == last_object_class}.size
251         end
252       else
253         nil
254       end
255     end
256   end
257
258   helper_method :next_page_href
259   def next_page_href with_params={}
260     if next_page_offset
261       url_for with_params.merge(offset: next_page_offset)
262     end
263   end
264
265   helper_method :next_page_filters
266   def next_page_filters nextpage_operator
267     next_page_filters = @filters.reject do |attr, op, val|
268       (attr == 'created_at' and op == nextpage_operator) or
269       (attr == 'uuid' and op == 'not in')
270     end
271
272     if @objects.any?
273       last_created_at = @objects.last.created_at
274
275       last_uuids = []
276       @objects.each do |obj|
277         last_uuids << obj.uuid if obj.created_at.eql?(last_created_at)
278       end
279
280       next_page_filters += [['created_at', nextpage_operator, last_created_at]]
281       next_page_filters += [['uuid', 'not in', last_uuids]]
282     end
283
284     next_page_filters
285   end
286
287   def show
288     if !@object
289       return render_not_found("object not found")
290     end
291     respond_to do |f|
292       f.json do
293         extra_attrs = { href: url_for(action: :show, id: @object) }
294         @object.textile_attributes.each do |textile_attr|
295           extra_attrs.merge!({ "#{textile_attr}Textile" => view_context.render_markup(@object.attributes[textile_attr]) })
296         end
297         render json: @object.attributes.merge(extra_attrs)
298       end
299       f.html {
300         if params['tab_pane']
301           render_pane(if params['tab_pane'].is_a? Hash then params['tab_pane']["name"] else params['tab_pane'] end)
302         elsif request.request_method.in? ['GET', 'HEAD']
303           render
304         else
305           redirect_to (params[:return_to] ||
306                        polymorphic_url(@object,
307                                        anchor: params[:redirect_to_anchor]))
308         end
309       }
310       f.js { render }
311     end
312   end
313
314   def redirect_to uri, *args
315     if request.xhr?
316       if not uri.is_a? String
317         uri = polymorphic_url(uri)
318       end
319       render json: {href: uri}
320     else
321       super
322     end
323   end
324
325   def choose
326     @objects = nil if !defined?(@objects)
327     params[:limit] ||= 40
328     respond_to do |f|
329       if params[:partial]
330         f.json {
331           find_objects_for_index if !@objects
332           render json: {
333             content: render_to_string(partial: "choose_rows.html",
334                                       formats: [:html]),
335             next_page_href: next_page_href(partial: params[:partial])
336           }
337         }
338       end
339       f.js {
340         find_objects_for_index if !@objects
341         render partial: 'choose', locals: {multiple: params[:multiple]}
342       }
343     end
344   end
345
346   def render_content
347     if !@object
348       return render_not_found("object not found")
349     end
350   end
351
352   def new
353     @object = model_class.new
354   end
355
356   def update
357     @updates ||= params[@object.resource_param_name.to_sym]
358     if @updates.is_a? ActionController::Parameters
359       @updates = @updates.to_unsafe_hash
360     end
361     @updates.keys.each do |attr|
362       if @object.send(attr).is_a? Hash
363         if @updates[attr].is_a? String
364           @updates[attr] = Oj.load @updates[attr]
365         end
366         if params[:merge] || params["merge_#{attr}".to_sym]
367           # Merge provided Hash with current Hash, instead of
368           # replacing.
369           if @updates[attr].is_a? ActionController::Parameters
370             @updates[attr] = @updates[attr].to_unsafe_hash
371           end
372           @updates[attr] = @object.send(attr).with_indifferent_access.
373             deep_merge(@updates[attr].with_indifferent_access)
374         end
375       end
376     end
377     if @object.update_attributes @updates
378       show
379     else
380       self.render_error status: 422
381     end
382   end
383
384   def create
385     @new_resource_attrs ||= params[model_class.to_s.underscore.singularize]
386     @new_resource_attrs ||= {}
387     @new_resource_attrs.reject! { |k,v| k.to_s == 'uuid' }
388     @object ||= model_class.new @new_resource_attrs, params["options"]
389
390     if @object.save
391       show
392     else
393       render_error status: 422
394     end
395   end
396
397   # Clone the given object, merging any attribute values supplied as
398   # with a create action.
399   def copy
400     @new_resource_attrs ||= params[model_class.to_s.underscore.singularize]
401     @new_resource_attrs ||= {}
402     @object = @object.dup
403     @object.update_attributes @new_resource_attrs
404     if not @new_resource_attrs[:name] and @object.respond_to? :name
405       if @object.name and @object.name != ''
406         @object.name = "Copy of #{@object.name}"
407       else
408         @object.name = ""
409       end
410     end
411     @object.save!
412     show
413   end
414
415   def destroy
416     if @object.destroy
417       respond_to do |f|
418         f.json { render json: @object }
419         f.html {
420           redirect_to(params[:return_to] || :back)
421         }
422         f.js { render }
423       end
424     else
425       self.render_error status: 422
426     end
427   end
428
429   def current_user
430     Thread.current[:user]
431   end
432
433   def model_class
434     controller_name.classify.constantize
435   end
436
437   def breadcrumb_page_name
438     (@breadcrumb_page_name ||
439      (@object.friendly_link_name if @object.respond_to? :friendly_link_name) ||
440      action_name)
441   end
442
443   def index_pane_list
444     %w(Recent)
445   end
446
447   def show_pane_list
448     %w(Attributes Advanced)
449   end
450
451   def set_share_links
452     @user_is_manager = false
453     @share_links = []
454
455     if @object.uuid != current_user.andand.uuid
456       begin
457         @share_links = Link.permissions_for(@object)
458         @user_is_manager = true
459       rescue ArvadosApiClient::AccessForbiddenException,
460         ArvadosApiClient::NotFoundException
461       end
462     end
463   end
464
465   def share_with
466     if not params[:uuids].andand.any?
467       @errors = ["No user/group UUIDs specified to share with."]
468       return render_error(status: 422)
469     end
470     results = {"success" => [], "errors" => []}
471     params[:uuids].each do |shared_uuid|
472       begin
473         Link.create(tail_uuid: shared_uuid, link_class: "permission",
474                     name: "can_read", head_uuid: @object.uuid)
475       rescue ArvadosApiClient::ApiError => error
476         error_list = error.api_response.andand[:errors]
477         if error_list.andand.any?
478           results["errors"] += error_list.map { |e| "#{shared_uuid}: #{e}" }
479         else
480           error_code = error.api_status || "Bad status"
481           results["errors"] << "#{shared_uuid}: #{error_code} response"
482         end
483       else
484         results["success"] << shared_uuid
485       end
486     end
487     if results["errors"].empty?
488       results.delete("errors")
489       status = 200
490     else
491       status = 422
492     end
493     respond_to do |f|
494       f.json { render(json: results, status: status) }
495     end
496   end
497
498   helper_method :is_starred
499   def is_starred
500     links = Link.where(tail_uuid: current_user.uuid,
501                head_uuid: @object.uuid,
502                link_class: 'star').with_count("none")
503
504     return links.andand.any?
505   end
506
507   protected
508
509   helper_method :strip_token_from_path
510   def strip_token_from_path(path)
511     path.sub(/([\?&;])api_token=[^&;]*[&;]?/, '\1')
512   end
513
514   def redirect_to_login
515     if request.xhr? or request.format.json?
516       @errors = ['You are not logged in. Most likely your session has timed out and you need to log in again.']
517       render_error status: 401
518     elsif request.method.in? ['GET', 'HEAD']
519       redirect_to arvados_api_client.arvados_login_url(return_to: strip_token_from_path(request.url))
520     else
521       flash[:error] = "Either you are not logged in, or your session has timed out. I can't automatically log you in and re-attempt this request."
522       redirect_to :back
523     end
524     false  # For convenience to return from callbacks
525   end
526
527   def using_specific_api_token(api_token, opts={})
528     start_values = {}
529     [:arvados_api_token, :user].each do |key|
530       start_values[key] = Thread.current[key]
531     end
532     if opts.fetch(:load_user, true)
533       load_api_token(api_token)
534     else
535       Thread.current[:arvados_api_token] = api_token
536       Thread.current[:user] = nil
537     end
538     begin
539       yield
540     ensure
541       start_values.each_key { |key| Thread.current[key] = start_values[key] }
542     end
543   end
544
545
546   def accept_uuid_as_id_param
547     if params[:id] and params[:id].match(/\D/)
548       params[:uuid] = params.delete :id
549     end
550   end
551
552   def find_object_by_uuid
553     begin
554       if not model_class
555         @object = nil
556       elsif params[:uuid].nil? or params[:uuid].empty?
557         @object = nil
558       elsif not params[:uuid].is_a?(String)
559         @object = model_class.where(uuid: params[:uuid]).first
560       elsif (model_class != Link and
561              resource_class_for_uuid(params[:uuid]) == Link)
562         @name_link = Link.find(params[:uuid])
563         @object = model_class.find(@name_link.head_uuid)
564       else
565         @object = model_class.find(params[:uuid])
566         load_preloaded_objects [@object]
567       end
568     rescue ArvadosApiClient::NotFoundException, ArvadosApiClient::NotLoggedInException, RuntimeError => error
569       if error.is_a?(RuntimeError) and (error.message !~ /^argument to find\(/)
570         raise
571       end
572       render_not_found(error)
573       return false
574     end
575   end
576
577   def thread_clear
578     load_api_token(nil)
579     Rails.cache.delete_matched(/^request_#{Thread.current.object_id}_/)
580     yield
581     Rails.cache.delete_matched(/^request_#{Thread.current.object_id}_/)
582   end
583
584   def set_current_request_id
585     response.headers['X-Request-Id'] =
586       Thread.current[:request_id] =
587       "req-" + Random::DEFAULT.rand(2**128).to_s(36)[0..19]
588     yield
589     Thread.current[:request_id] = nil
590   end
591
592   def append_info_to_payload(payload)
593     super
594     payload[:request_id] = response.headers['X-Request-Id']
595   end
596
597   # Set up the thread with the given API token and associated user object.
598   def load_api_token(new_token)
599     Thread.current[:arvados_api_token] = new_token
600     if new_token.nil?
601       Thread.current[:user] = nil
602     else
603       Thread.current[:user] = User.current
604     end
605   end
606
607   # If there's a valid api_token parameter, set up the session with that
608   # user's information.  Return true if the method redirects the request
609   # (usually a post-login redirect); false otherwise.
610   def setup_user_session
611     return false unless params[:api_token]
612     Thread.current[:arvados_api_token] = params[:api_token]
613     begin
614       user = User.current
615     rescue ArvadosApiClient::NotLoggedInException
616       false  # We may redirect to login, or not, based on the current action.
617     else
618       session[:arvados_api_token] = params[:api_token]
619       # If we later have trouble contacting the API server, we still want
620       # to be able to render basic user information in the UI--see
621       # render_exception above.  We store that in the session here.  This is
622       # not intended to be used as a general-purpose cache.  See #2891.
623       session[:user] = {
624         uuid: user.uuid,
625         email: user.email,
626         first_name: user.first_name,
627         last_name: user.last_name,
628         is_active: user.is_active,
629         is_admin: user.is_admin,
630         prefs: user.prefs
631       }
632
633       if !request.format.json? and request.method.in? ['GET', 'HEAD']
634         # Repeat this request with api_token in the (new) session
635         # cookie instead of the query string.  This prevents API
636         # tokens from appearing in (and being inadvisedly copied
637         # and pasted from) browser Location bars.
638         redirect_to strip_token_from_path(request.fullpath)
639         true
640       else
641         false
642       end
643     ensure
644       Thread.current[:arvados_api_token] = nil
645     end
646   end
647
648   # Save the session API token in thread-local storage, and yield.
649   # This method also takes care of session setup if the request
650   # provides a valid api_token parameter.
651   # If a token is unavailable or expired, the block is still run, with
652   # a nil token.
653   def set_thread_api_token
654     if Thread.current[:arvados_api_token]
655       yield   # An API token has already been found - pass it through.
656       return
657     elsif setup_user_session
658       return  # A new session was set up and received a response.
659     end
660
661     begin
662       load_api_token(session[:arvados_api_token])
663       yield
664     rescue ArvadosApiClient::NotLoggedInException
665       # If we got this error with a token, it must've expired.
666       # Retry the request without a token.
667       unless Thread.current[:arvados_api_token].nil?
668         load_api_token(nil)
669         yield
670       end
671     ensure
672       # Remove token in case this Thread is used for anything else.
673       load_api_token(nil)
674     end
675   end
676
677   # Redirect to login/welcome if client provided expired API token (or
678   # none at all)
679   def require_thread_api_token
680     if Thread.current[:arvados_api_token]
681       yield
682     elsif session[:arvados_api_token]
683       # Expired session. Clear it before refreshing login so that,
684       # if this login procedure fails, we end up showing the "please
685       # log in" page instead of getting stuck in a redirect loop.
686       session.delete :arvados_api_token
687       redirect_to_login
688     elsif request.xhr?
689       # If we redirect to the welcome page, the browser will handle
690       # the 302 by itself and the client code will end up rendering
691       # the "welcome" page in some content area where it doesn't make
692       # sense. Instead, we send 401 ("authenticate and try again" or
693       # "display error", depending on how smart the client side is).
694       @errors = ['You are not logged in.']
695       render_error status: 401
696     else
697       redirect_to welcome_users_path(return_to: request.fullpath)
698     end
699   end
700
701   def ensure_current_user_is_admin
702     if not current_user
703       @errors = ['Not logged in']
704       render_error status: 401
705     elsif not current_user.is_admin
706       @errors = ['Permission denied']
707       render_error status: 403
708     end
709   end
710
711   helper_method :unsigned_user_agreements
712   def unsigned_user_agreements
713     @signed_ua_uuids ||= UserAgreement.signatures.map &:head_uuid
714     @unsigned_user_agreements ||= UserAgreement.all.map do |ua|
715       if not @signed_ua_uuids.index ua.uuid
716         Collection.find(ua.uuid)
717       end
718     end.compact
719   end
720
721   def check_user_agreements
722     if current_user && !current_user.is_active
723       if not current_user.is_invited
724         return redirect_to inactive_users_path(return_to: request.fullpath)
725       end
726       if unsigned_user_agreements.empty?
727         # No agreements to sign. Perhaps we just need to ask?
728         current_user.activate
729         if !current_user.is_active
730           logger.warn "#{current_user.uuid.inspect}: " +
731             "No user agreements to sign, but activate failed!"
732         end
733       end
734       if !current_user.is_active
735         redirect_to user_agreements_path(return_to: request.fullpath)
736       end
737     end
738     true
739   end
740
741   def check_user_profile
742     return true if !current_user
743     if request.method.downcase != 'get' || params[:partial] ||
744        params[:tab_pane] || params[:action_method] ||
745        params[:action] == 'setup_popup'
746       return true
747     end
748
749     if missing_required_profile?
750       redirect_to profile_user_path(current_user.uuid, return_to: request.fullpath)
751     end
752     true
753   end
754
755   helper_method :missing_required_profile?
756   def missing_required_profile?
757     missing_required = false
758
759     profile_config = Rails.configuration.Workbench.UserProfileFormFields
760     if current_user && !profile_config.empty?
761       current_user_profile = current_user.prefs[:profile]
762       profile_config.each do |k, entry|
763         if entry['Required']
764           if !current_user_profile ||
765              !current_user_profile[k] ||
766              current_user_profile[k].empty?
767             missing_required = true
768             break
769           end
770         end
771       end
772     end
773
774     missing_required
775   end
776
777   def select_theme
778     return Rails.configuration.Workbench.Theme
779   end
780
781   @@notification_tests = []
782
783   @@notification_tests.push lambda { |controller, current_user|
784     return nil if Rails.configuration.Services.WebShell.ExternalURL != URI("")
785     AuthorizedKey.limit(1).with_count('none').where(authorized_user_uuid: current_user.uuid).each do
786       return nil
787     end
788     return lambda { |view|
789       view.render partial: 'notifications/ssh_key_notification'
790     }
791   }
792
793   @@notification_tests.push lambda { |controller, current_user|
794     Collection.limit(1).with_count('none').where(created_by: current_user.uuid).each do
795       return nil
796     end
797     return lambda { |view|
798       view.render partial: 'notifications/collections_notification'
799     }
800   }
801
802   @@notification_tests.push lambda { |controller, current_user|
803     if PipelineInstance.api_exists?(:index)
804       PipelineInstance.limit(1).with_count('none').where(created_by: current_user.uuid).each do
805         return nil
806       end
807     else
808       return nil
809     end
810     return lambda { |view|
811       view.render partial: 'notifications/pipelines_notification'
812     }
813   }
814
815   helper_method :user_notifications
816   def user_notifications
817     @errors = nil if !defined?(@errors)
818     return [] if @errors or not current_user.andand.is_active or not Rails.configuration.Workbench.ShowUserNotifications
819     @notifications ||= @@notification_tests.map do |t|
820       t.call(self, current_user)
821     end.compact
822   end
823
824   helper_method :all_projects
825   def all_projects
826     @all_projects ||= Group.
827       filter([['group_class','=','project']]).order('name')
828   end
829
830   helper_method :my_projects
831   def my_projects
832     return @my_projects if @my_projects
833     @my_projects = []
834     root_of = {}
835     all_projects.each do |g|
836       root_of[g.uuid] = g.owner_uuid
837       @my_projects << g
838     end
839     done = false
840     while not done
841       done = true
842       root_of = root_of.each_with_object({}) do |(child, parent), h|
843         if root_of[parent]
844           h[child] = root_of[parent]
845           done = false
846         else
847           h[child] = parent
848         end
849       end
850     end
851     @my_projects = @my_projects.select do |g|
852       root_of[g.uuid] == current_user.uuid
853     end
854   end
855
856   helper_method :projects_shared_with_me
857   def projects_shared_with_me
858     my_project_uuids = my_projects.collect &:uuid
859     all_projects.reject { |x| x.uuid.in? my_project_uuids }
860   end
861
862   helper_method :recent_jobs_and_pipelines
863   def recent_jobs_and_pipelines
864     (Job.limit(10) |
865      PipelineInstance.limit(10).with_count("none")).
866       sort_by do |x|
867       (x.finished_at || x.started_at rescue nil) || x.modified_at || x.created_at
868     end.reverse
869   end
870
871   helper_method :running_pipelines
872   def running_pipelines
873     pi = PipelineInstance.order(["started_at asc", "created_at asc"]).with_count("none").filter([["state", "in", ["RunningOnServer", "RunningOnClient"]]])
874     jobs = {}
875     pi.each do |pl|
876       pl.components.each do |k,v|
877         if v.is_a? Hash and v[:job]
878           jobs[v[:job][:uuid]] = {}
879         end
880       end
881     end
882
883     if jobs.keys.any?
884       Job.filter([["uuid", "in", jobs.keys]]).with_count("none").each do |j|
885         jobs[j[:uuid]] = j
886       end
887
888       pi.each do |pl|
889         pl.components.each do |k,v|
890           if v.is_a? Hash and v[:job]
891             v[:job] = jobs[v[:job][:uuid]]
892           end
893         end
894       end
895     end
896
897     pi
898   end
899
900   helper_method :recent_processes
901   def recent_processes lim
902     lim = 12 if lim.nil?
903
904     procs = {}
905     if PipelineInstance.api_exists?(:index)
906       cols = %w(uuid owner_uuid created_at modified_at pipeline_template_uuid name state started_at finished_at)
907       pipelines = PipelineInstance.select(cols).limit(lim).order(["created_at desc"]).with_count("none")
908       pipelines.results.each { |pi| procs[pi] = pi.created_at }
909     end
910
911     crs = ContainerRequest.limit(lim).with_count("none").order(["created_at desc"]).filter([["requesting_container_uuid", "=", nil]])
912     crs.results.each { |c| procs[c] = c.created_at }
913
914     Hash[procs.sort_by {|key, value| value}].keys.reverse.first(lim)
915   end
916
917   helper_method :recent_collections
918   def recent_collections lim
919     c = Collection.limit(lim).with_count("none").order(["modified_at desc"]).results
920     own = {}
921     Group.filter([["uuid", "in", c.map(&:owner_uuid)]]).with_count("none").each do |g|
922       own[g[:uuid]] = g
923     end
924     {collections: c, owners: own}
925   end
926
927   helper_method :my_starred_projects
928   def my_starred_projects user
929     return if defined?(@starred_projects) && @starred_projects
930     links = Link.filter([['owner_uuid', 'in', ["#{Rails.configuration.ClusterID}-j7d0g-fffffffffffffff", user.uuid]],
931                          ['link_class', '=', 'star'],
932                          ['head_uuid', 'is_a', 'arvados#group']]).with_count("none").select(%w(head_uuid))
933     uuids = links.collect { |x| x.head_uuid }
934     starred_projects = Group.filter([['uuid', 'in', uuids]]).order('name').with_count("none")
935     @starred_projects = starred_projects.results
936   end
937
938   # If there are more than 200 projects that are readable by the user,
939   # build the tree using only the top 200+ projects owned by the user,
940   # from the top three levels.
941   # That is: get toplevel projects under home, get subprojects of
942   # these projects, and so on until we hit the limit.
943   def my_wanted_projects(user, page_size=100)
944     return @my_wanted_projects if defined?(@my_wanted_projects) && @my_wanted_projects
945
946     from_top = []
947     uuids = [user.uuid]
948     depth = 0
949     @too_many_projects = false
950     @reached_level_limit = false
951     while from_top.size <= page_size*2
952       current_level = Group.filter([['group_class','=','project'],
953                                     ['owner_uuid', 'in', uuids]])
954                       .order('name').limit(page_size*2)
955       break if current_level.results.size == 0
956       @too_many_projects = true if current_level.items_available > current_level.results.size
957       from_top.concat current_level.results
958       uuids = current_level.results.collect(&:uuid)
959       depth += 1
960       if depth >= 3
961         @reached_level_limit = true
962         break
963       end
964     end
965     @my_wanted_projects = from_top
966   end
967
968   helper_method :my_wanted_projects_tree
969   def my_wanted_projects_tree(user, page_size=100)
970     build_my_wanted_projects_tree(user, page_size)
971     [@my_wanted_projects_tree, @too_many_projects, @reached_level_limit]
972   end
973
974   def build_my_wanted_projects_tree(user, page_size=100)
975     return @my_wanted_projects_tree if defined?(@my_wanted_projects_tree) && @my_wanted_projects_tree
976
977     parent_of = {user.uuid => 'me'}
978     my_wanted_projects(user, page_size).each do |ob|
979       parent_of[ob.uuid] = ob.owner_uuid
980     end
981     children_of = {false => [], 'me' => [user]}
982     my_wanted_projects(user, page_size).each do |ob|
983       if ob.owner_uuid != user.uuid and
984           not parent_of.has_key? ob.owner_uuid
985         parent_of[ob.uuid] = false
986       end
987       children_of[parent_of[ob.uuid]] ||= []
988       children_of[parent_of[ob.uuid]] << ob
989     end
990     buildtree = lambda do |chldrn_of, root_uuid=false|
991       tree = {}
992       chldrn_of[root_uuid].andand.each do |ob|
993         tree[ob] = buildtree.call(chldrn_of, ob.uuid)
994       end
995       tree
996     end
997     sorted_paths = lambda do |tree, depth=0|
998       paths = []
999       tree.keys.sort_by { |ob|
1000         ob.is_a?(String) ? ob : ob.friendly_link_name
1001       }.each do |ob|
1002         paths << {object: ob, depth: depth}
1003         paths += sorted_paths.call tree[ob], depth+1
1004       end
1005       paths
1006     end
1007     @my_wanted_projects_tree =
1008       sorted_paths.call buildtree.call(children_of, 'me')
1009   end
1010
1011   helper_method :get_object
1012   def get_object uuid
1013     if @get_object.nil? and @objects
1014       @get_object = @objects.each_with_object({}) do |object, h|
1015         h[object.uuid] = object
1016       end
1017     end
1018     @get_object ||= {}
1019     @get_object[uuid]
1020   end
1021
1022   helper_method :project_breadcrumbs
1023   def project_breadcrumbs
1024     crumbs = []
1025     current = @name_link || @object
1026     while current
1027       # Halt if a group ownership loop is detected. API should refuse
1028       # to produce this state, but it could still arise from a race
1029       # condition when group ownership changes between our find()
1030       # queries.
1031       break if crumbs.collect(&:uuid).include? current.uuid
1032
1033       if current.is_a?(Group) and current.group_class == 'project'
1034         crumbs.prepend current
1035       end
1036       if current.is_a? Link
1037         current = Group.find?(current.tail_uuid)
1038       else
1039         current = Group.find?(current.owner_uuid)
1040       end
1041     end
1042     crumbs
1043   end
1044
1045   helper_method :current_project_uuid
1046   def current_project_uuid
1047     if @object.is_a? Group and @object.group_class == 'project'
1048       @object.uuid
1049     elsif @name_link.andand.tail_uuid
1050       @name_link.tail_uuid
1051     elsif @object and resource_class_for_uuid(@object.owner_uuid) == Group
1052       @object.owner_uuid
1053     else
1054       nil
1055     end
1056   end
1057
1058   # helper method to get links for given object or uuid
1059   helper_method :links_for_object
1060   def links_for_object object_or_uuid
1061     raise ArgumentError, 'No input argument' unless object_or_uuid
1062     preload_links_for_objects([object_or_uuid])
1063     uuid = object_or_uuid.is_a?(String) ? object_or_uuid : object_or_uuid.uuid
1064     @all_links_for[uuid] ||= []
1065   end
1066
1067   # helper method to preload links for given objects and uuids
1068   helper_method :preload_links_for_objects
1069   def preload_links_for_objects objects_and_uuids
1070     @all_links_for ||= {}
1071
1072     raise ArgumentError, 'Argument is not an array' unless objects_and_uuids.is_a? Array
1073     return @all_links_for if objects_and_uuids.empty?
1074
1075     uuids = objects_and_uuids.collect { |x| x.is_a?(String) ? x : x.uuid }
1076
1077     # if already preloaded for all of these uuids, return
1078     if not uuids.select { |x| @all_links_for[x].nil? }.any?
1079       return @all_links_for
1080     end
1081
1082     uuids.each do |x|
1083       @all_links_for[x] = []
1084     end
1085
1086     # TODO: make sure we get every page of results from API server
1087     Link.filter([['head_uuid', 'in', uuids]]).with_count("none").each do |link|
1088       @all_links_for[link.head_uuid] << link
1089     end
1090     @all_links_for
1091   end
1092
1093   # helper method to get a certain number of objects of a specific type
1094   # this can be used to replace any uses of: "dataclass.limit(n)"
1095   helper_method :get_n_objects_of_class
1096   def get_n_objects_of_class dataclass, size
1097     @objects_map_for ||= {}
1098
1099     raise ArgumentError, 'Argument is not a data class' unless dataclass.is_a? Class and dataclass < ArvadosBase
1100     raise ArgumentError, 'Argument is not a valid limit size' unless (size && size>0)
1101
1102     # if the objects_map_for has a value for this dataclass, and the
1103     # size used to retrieve those objects is equal, return it
1104     size_key = "#{dataclass.name}_size"
1105     if @objects_map_for[dataclass.name] && @objects_map_for[size_key] &&
1106         (@objects_map_for[size_key] == size)
1107       return @objects_map_for[dataclass.name]
1108     end
1109
1110     @objects_map_for[size_key] = size
1111     @objects_map_for[dataclass.name] = dataclass.limit(size)
1112   end
1113
1114   # helper method to get collections for the given uuid
1115   helper_method :collections_for_object
1116   def collections_for_object uuid
1117     raise ArgumentError, 'No input argument' unless uuid
1118     preload_collections_for_objects([uuid])
1119     @all_collections_for[uuid] ||= []
1120   end
1121
1122   # helper method to preload collections for the given uuids
1123   helper_method :preload_collections_for_objects
1124   def preload_collections_for_objects uuids
1125     @all_collections_for ||= {}
1126
1127     raise ArgumentError, 'Argument is not an array' unless uuids.is_a? Array
1128     return @all_collections_for if uuids.empty?
1129
1130     # if already preloaded for all of these uuids, return
1131     if not uuids.select { |x| @all_collections_for[x].nil? }.any?
1132       return @all_collections_for
1133     end
1134
1135     uuids.each do |x|
1136       @all_collections_for[x] = []
1137     end
1138
1139     # TODO: make sure we get every page of results from API server
1140     Collection.where(uuid: uuids).with_count("none").each do |collection|
1141       @all_collections_for[collection.uuid] << collection
1142     end
1143     @all_collections_for
1144   end
1145
1146   # helper method to get log collections for the given log
1147   helper_method :log_collections_for_object
1148   def log_collections_for_object log
1149     raise ArgumentError, 'No input argument' unless log
1150
1151     preload_log_collections_for_objects([log])
1152
1153     uuid = log
1154     fixup = /([a-f0-9]{32}\+\d+)(\+?.*)/.match(log)
1155     if fixup && fixup.size>1
1156       uuid = fixup[1]
1157     end
1158
1159     @all_log_collections_for[uuid] ||= []
1160   end
1161
1162   # helper method to preload collections for the given uuids
1163   helper_method :preload_log_collections_for_objects
1164   def preload_log_collections_for_objects logs
1165     @all_log_collections_for ||= {}
1166
1167     raise ArgumentError, 'Argument is not an array' unless logs.is_a? Array
1168     return @all_log_collections_for if logs.empty?
1169
1170     uuids = []
1171     logs.each do |log|
1172       fixup = /([a-f0-9]{32}\+\d+)(\+?.*)/.match(log)
1173       if fixup && fixup.size>1
1174         uuids << fixup[1]
1175       else
1176         uuids << log
1177       end
1178     end
1179
1180     # if already preloaded for all of these uuids, return
1181     if not uuids.select { |x| @all_log_collections_for[x].nil? }.any?
1182       return @all_log_collections_for
1183     end
1184
1185     uuids.each do |x|
1186       @all_log_collections_for[x] = []
1187     end
1188
1189     # TODO: make sure we get every page of results from API server
1190     Collection.where(uuid: uuids).with_count("none").each do |collection|
1191       @all_log_collections_for[collection.uuid] << collection
1192     end
1193     @all_log_collections_for
1194   end
1195
1196   # Helper method to get one collection for the given portable_data_hash
1197   # This is used to determine if a pdh is readable by the current_user
1198   helper_method :collection_for_pdh
1199   def collection_for_pdh pdh
1200     raise ArgumentError, 'No input argument' unless pdh
1201     preload_for_pdhs([pdh])
1202     @all_pdhs_for[pdh] ||= []
1203   end
1204
1205   # Helper method to preload one collection each for the given pdhs
1206   # This is used to determine if a pdh is readable by the current_user
1207   helper_method :preload_for_pdhs
1208   def preload_for_pdhs pdhs
1209     @all_pdhs_for ||= {}
1210
1211     raise ArgumentError, 'Argument is not an array' unless pdhs.is_a? Array
1212     return @all_pdhs_for if pdhs.empty?
1213
1214     # if already preloaded for all of these pdhs, return
1215     if not pdhs.select { |x| @all_pdhs_for[x].nil? }.any?
1216       return @all_pdhs_for
1217     end
1218
1219     pdhs.each do |x|
1220       @all_pdhs_for[x] = []
1221     end
1222
1223     Collection.select(%w(portable_data_hash)).where(portable_data_hash: pdhs).distinct().with_count("none").each do |collection|
1224       @all_pdhs_for[collection.portable_data_hash] << collection
1225     end
1226     @all_pdhs_for
1227   end
1228
1229   # helper method to get object of a given dataclass and uuid
1230   helper_method :object_for_dataclass
1231   def object_for_dataclass dataclass, uuid, by_attr=nil
1232     raise ArgumentError, 'No input argument dataclass' unless (dataclass && uuid)
1233     preload_objects_for_dataclass(dataclass, [uuid], by_attr)
1234     @objects_for[uuid]
1235   end
1236
1237   # helper method to preload objects for given dataclass and uuids
1238   helper_method :preload_objects_for_dataclass
1239   def preload_objects_for_dataclass dataclass, uuids, by_attr=nil
1240     @objects_for ||= {}
1241
1242     raise ArgumentError, 'Argument is not a data class' unless dataclass.is_a? Class
1243     raise ArgumentError, 'Argument is not an array' unless uuids.is_a? Array
1244
1245     return @objects_for if uuids.empty?
1246
1247     # if already preloaded for all of these uuids, return
1248     if not uuids.select { |x| !@objects_for.include?(x) }.any?
1249       return @objects_for
1250     end
1251
1252     # preset all uuids to nil
1253     uuids.each do |x|
1254       @objects_for[x] = nil
1255     end
1256     if by_attr and ![:uuid, :name].include?(by_attr)
1257       raise ArgumentError, "Preloading only using lookups by uuid or name are supported: #{by_attr}"
1258     elsif by_attr and by_attr == :name
1259       dataclass.where(name: uuids).each do |obj|
1260         @objects_for[obj.name] = obj
1261       end
1262     else
1263       key_prefix = "request_#{Thread.current.object_id}_#{dataclass.to_s}_"
1264       dataclass.where(uuid: uuids).each do |obj|
1265         @objects_for[obj.uuid] = obj
1266         if dataclass == Collection
1267           # The collecions#index defaults to "all attributes except manifest_text"
1268           # Hence, this object is not suitable for preloading the find() cache.
1269         else
1270           Rails.cache.write(key_prefix + obj.uuid, obj.as_json)
1271         end
1272       end
1273     end
1274     @objects_for
1275   end
1276
1277   # helper method to load objects that are already preloaded
1278   helper_method :load_preloaded_objects
1279   def load_preloaded_objects objs
1280     @objects_for ||= {}
1281     objs.each do |obj|
1282       @objects_for[obj.uuid] = obj
1283     end
1284   end
1285
1286   # helper method to get the names of collection files selected
1287   helper_method :selected_collection_files
1288   def selected_collection_files params
1289     link_uuids, coll_ids = params["selection"].partition do |sel_s|
1290       ArvadosBase::resource_class_for_uuid(sel_s) == Link
1291     end
1292
1293     unless link_uuids.empty?
1294       Link.select([:head_uuid]).where(uuid: link_uuids).with_count("none").each do |link|
1295         if ArvadosBase::resource_class_for_uuid(link.head_uuid) == Collection
1296           coll_ids << link.head_uuid
1297         end
1298       end
1299     end
1300
1301     uuids = []
1302     pdhs = []
1303     source_paths = Hash.new { |hash, key| hash[key] = [] }
1304     coll_ids.each do |coll_id|
1305       if m = CollectionsHelper.match(coll_id)
1306         key = m[1] + m[2]
1307         pdhs << key
1308         source_paths[key] << m[4]
1309       elsif m = CollectionsHelper.match_uuid_with_optional_filepath(coll_id)
1310         key = m[1]
1311         uuids << key
1312         source_paths[key] << m[4]
1313       end
1314     end
1315
1316     unless pdhs.empty?
1317       Collection.where(portable_data_hash: pdhs.uniq).with_count("none").
1318           select([:uuid, :portable_data_hash]).each do |coll|
1319         unless source_paths[coll.portable_data_hash].empty?
1320           uuids << coll.uuid
1321           source_paths[coll.uuid] = source_paths.delete(coll.portable_data_hash)
1322         end
1323       end
1324     end
1325
1326     [uuids, source_paths]
1327   end
1328
1329   def wiselinks_layout
1330     'body'
1331   end
1332 end