View Javadoc

1   /**
2    * Copyright 2005-2013 The Kuali Foundation
3    *
4    * Licensed under the Educational Community License, Version 2.0 (the "License");
5    * you may not use this file except in compliance with the License.
6    * You may obtain a copy of the License at
7    *
8    * http://www.opensource.org/licenses/ecl2.php
9    *
10   * Unless required by applicable law or agreed to in writing, software
11   * distributed under the License is distributed on an "AS IS" BASIS,
12   * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13   * See the License for the specific language governing permissions and
14   * limitations under the License.
15   */
16  package org.kuali.rice.krad.web.controller;
17  
18  import org.apache.commons.lang.StringUtils;
19  import org.kuali.rice.core.api.config.property.ConfigContext;
20  import org.kuali.rice.core.api.exception.RiceRuntimeException;
21  import org.kuali.rice.kim.api.identity.Person;
22  import org.kuali.rice.krad.exception.AuthorizationException;
23  import org.kuali.rice.krad.service.KRADServiceLocatorWeb;
24  import org.kuali.rice.krad.service.ModuleService;
25  import org.kuali.rice.krad.uif.UifConstants;
26  import org.kuali.rice.krad.uif.UifParameters;
27  import org.kuali.rice.krad.uif.UifPropertyPaths;
28  import org.kuali.rice.krad.uif.field.AttributeQueryResult;
29  import org.kuali.rice.krad.uif.service.ViewService;
30  import org.kuali.rice.krad.uif.util.LookupInquiryUtils;
31  import org.kuali.rice.krad.uif.view.DialogManager;
32  import org.kuali.rice.krad.uif.view.MessageView;
33  import org.kuali.rice.krad.uif.view.View;
34  import org.kuali.rice.krad.util.GlobalVariables;
35  import org.kuali.rice.krad.util.KRADConstants;
36  import org.kuali.rice.krad.util.KRADUtils;
37  import org.kuali.rice.krad.util.UrlFactory;
38  import org.kuali.rice.krad.web.controller.helper.DataTablesPagingHelper;
39  import org.kuali.rice.krad.web.form.HistoryFlow;
40  import org.kuali.rice.krad.web.form.HistoryManager;
41  import org.kuali.rice.krad.web.form.UifFormBase;
42  import org.kuali.rice.krad.web.form.UifFormManager;
43  import org.springframework.util.Assert;
44  import org.springframework.validation.BindingResult;
45  import org.springframework.web.bind.annotation.ModelAttribute;
46  import org.springframework.web.bind.annotation.RequestMapping;
47  import org.springframework.web.bind.annotation.RequestMethod;
48  import org.springframework.web.bind.annotation.ResponseBody;
49  import org.springframework.web.servlet.ModelAndView;
50  import org.springframework.web.servlet.support.RequestContextUtils;
51  import org.springframework.web.servlet.view.UrlBasedViewResolver;
52  
53  import javax.servlet.http.HttpServletRequest;
54  import javax.servlet.http.HttpServletResponse;
55  import java.util.Enumeration;
56  import java.util.HashMap;
57  import java.util.Map;
58  import java.util.Map.Entry;
59  import java.util.Properties;
60  
61  /**
62   * Base controller class for views within the KRAD User Interface Framework
63   *
64   * Provides common methods such as:
65   *
66   * <ul>
67   * <li>Authorization methods such as method to call check</li>
68   * <li>Preparing the View instance and setup in the returned
69   * <code>ModelAndView</code></li>
70   * </ul>
71   *
72   * All subclass controller methods after processing should call one of the
73   * #getUIFModelAndView methods to setup the <code>View</code> and return the
74   * <code>ModelAndView</code> instance.
75   *
76   * @author Kuali Rice Team (rice.collab@kuali.org)
77   */
78  public abstract class UifControllerBase {
79      private static final org.apache.log4j.Logger LOG = org.apache.log4j.Logger.getLogger(UifControllerBase.class);
80  
81      private UrlBasedViewResolver viewResolver;
82  
83      /**
84       * Create/obtain the model(form) object before it is passed to the Binder/BeanWrapper. This method
85       * is not intended to be overridden by client applications as it handles framework setup and session
86       * maintenance. Clients should override createInitialForm() instead when they need custom form initialization.
87       *
88       * @param request the http request that was made
89       * @param response the http response object
90       */
91      @ModelAttribute(value = "KualiForm")
92      public UifFormBase initForm(HttpServletRequest request, HttpServletResponse response) {
93          UifFormBase requestForm = null;
94  
95          // get Uif form manager from session if exists or setup a new one for the session
96          UifFormManager uifFormManager = (UifFormManager) request.getSession().getAttribute(UifParameters.FORM_MANAGER);
97          if (uifFormManager == null) {
98              uifFormManager = new UifFormManager();
99              request.getSession().setAttribute(UifParameters.FORM_MANAGER, uifFormManager);
100         }
101 
102         // add form manager to GlobalVariables for easy reference by other controller methods
103         GlobalVariables.setUifFormManager(uifFormManager);
104 
105         // create a new form for every request
106         requestForm = createInitialForm(request);
107 
108         String formKeyParam = request.getParameter(UifParameters.FORM_KEY);
109         if (StringUtils.isNotBlank(formKeyParam)) {
110             // retrieves the session form and updates the request from with the session transient attributes
111             uifFormManager.updateFormWithSession(requestForm, formKeyParam);
112         }
113 
114         //set the originally requested form key
115         String requestedFormKey = request.getParameter(UifParameters.REQUESTED_FORM_KEY);
116         if (StringUtils.isNotBlank(requestedFormKey)) {
117             requestForm.setRequestedFormKey(requestedFormKey);
118         } else {
119             requestForm.setRequestedFormKey(formKeyParam);
120         }
121 
122         //get the initial referer
123         String referer = request.getHeader(UifConstants.REFERER);
124 
125         //if none, set the no return flag string
126         if (StringUtils.isBlank(referer) && StringUtils.isBlank(requestForm.getReturnLocation())) {
127             requestForm.setReturnLocation(UifConstants.NO_RETURN);
128         } else if (StringUtils.isBlank(requestForm.getReturnLocation())) {
129             requestForm.setReturnLocation(referer);
130         }
131 
132         //get initial request params
133         if (requestForm.getInitialRequestParameters() == null) {
134             Map<String, String> requestParams = new HashMap<String, String>();
135             Enumeration<String> names = request.getParameterNames();
136 
137             while (names != null && names.hasMoreElements()) {
138                 String name = KRADUtils.stripXSSPatterns(names.nextElement());
139                 String value = KRADUtils.stripXSSPatterns(request.getParameter(name));
140 
141                 requestParams.put(name, value);
142             }
143 
144             requestParams.remove(UifConstants.UrlParams.LOGIN_USER);
145             requestForm.setInitialRequestParameters(requestParams);
146         }
147 
148         //set the original request url for this view/form
149         String requestUrl = KRADUtils.stripXSSPatterns(KRADUtils.getFullURL(request));
150         requestForm.setRequestUrl(requestUrl);
151 
152         Object historyManager = request.getSession().getAttribute(UifConstants.HistoryFlow.HISTORY_MANAGER);
153         String flowKey = request.getParameter(UifConstants.HistoryFlow.FLOW);
154 
155         //add history manager and current flowKey to the form
156         if (requestForm != null && historyManager != null && historyManager instanceof HistoryManager) {
157             requestForm.setHistoryManager((HistoryManager) historyManager);
158             requestForm.setFlowKey(flowKey);
159         }
160 
161         // sets the request form in the request for later retrieval
162         request.setAttribute(UifConstants.REQUEST_FORM, requestForm);
163 
164         return requestForm;
165     }
166 
167     /**
168      * Called to create a new model(form) object when necessary. This usually occurs on the initial request
169      * in a conversation (when the model is not present in the session). This method must be
170      * overridden when extending a controller and using a different form type than the superclass.
171      *
172      * @param request - the http request that was made
173      */
174     protected abstract UifFormBase createInitialForm(HttpServletRequest request);
175 
176     /**
177      * Default method mapping for cases where the method to call is not passed, calls the start method
178      */
179     @RequestMapping()
180     public ModelAndView defaultMapping(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
181             HttpServletRequest request, HttpServletResponse response) {
182         return start(form, result, request, response);
183     }
184 
185     /**
186      * Initial method called when requesting a new view instance which checks authorization and forwards
187      * the view for rendering
188      */
189     @RequestMapping(params = "methodToCall=start")
190     public ModelAndView start(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
191             HttpServletRequest request, HttpServletResponse response) {
192 
193         // check view authorization
194         // TODO: this needs to be invoked for each request
195         if (form.getView() != null) {
196             String methodToCall = request.getParameter(KRADConstants.DISPATCH_REQUEST_PARAMETER);
197             checkViewAuthorization(form, methodToCall);
198         }
199 
200         return getUIFModelAndView(form);
201     }
202 
203     /**
204      * Invokes the configured {@link org.kuali.rice.krad.uif.view.ViewAuthorizer} to verify the user has access to
205      * open the view. An exception is thrown if access has not been granted
206      *
207      * <p>
208      * Note this method is invoked automatically by the controller interceptor for each request
209      * </p>
210      *
211      * @param form - form instance containing the request data
212      * @param methodToCall - the request parameter 'methodToCall' which is used to determine the controller
213      * method invoked
214      */
215     public void checkViewAuthorization(UifFormBase form, String methodToCall) throws AuthorizationException {
216         // if user session not established we cannnot authorize the view request
217         if (GlobalVariables.getUserSession() == null) {
218             return;
219         }
220 
221         Person user = GlobalVariables.getUserSession().getPerson();
222 
223         boolean canOpenView = form.getView().getAuthorizer().canOpenView(form.getView(), form, user);
224         if (!canOpenView) {
225             throw new AuthorizationException(user.getPrincipalName(), "open", form.getView().getId(),
226                     "User '" + user.getPrincipalName() + "' is not authorized to open view ID: " + form.getView()
227                             .getId(), null);
228         }
229     }
230 
231     /**
232      * Invoked when a session timeout occurs, default impl does nothing but render the view
233      */
234     @RequestMapping(params = "methodToCall=sessionTimeout")
235     public ModelAndView sessionTimeout(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
236             HttpServletRequest request, HttpServletResponse response) {
237         return getUIFModelAndView(form);
238     }
239 
240     /**
241      * Called by the add line action for a new collection line. Method
242      * determines which collection the add action was selected for and invokes
243      * the view helper service to add the line
244      */
245     @RequestMapping(method = RequestMethod.POST, params = "methodToCall=addLine")
246     public ModelAndView addLine(@ModelAttribute("KualiForm") UifFormBase uifForm, BindingResult result,
247             HttpServletRequest request, HttpServletResponse response) {
248 
249         String selectedCollectionPath = uifForm.getActionParamaterValue(UifParameters.SELLECTED_COLLECTION_PATH);
250         if (StringUtils.isBlank(selectedCollectionPath)) {
251             throw new RuntimeException("Selected collection was not set for add line action, cannot add new line");
252         }
253 
254         View view = uifForm.getPostedView();
255         view.getViewHelperService().processCollectionAddLine(view, uifForm, selectedCollectionPath);
256 
257         return getUIFModelAndView(uifForm);
258     }
259 
260     /**
261      * Called by the add blank line action for a new collection line
262      *
263      * <p>
264      * Method determines which collection the add action was selected for and invokes the view helper service to
265      * add the blank line.
266      * </p>
267      *
268      * @param uifForm - form instance containing the request data
269      * @return the  ModelAndView object
270      */
271     @RequestMapping(method = RequestMethod.POST, params = "methodToCall=addBlankLine")
272     public ModelAndView addBlankLine(@ModelAttribute("KualiForm") UifFormBase uifForm) {
273 
274         String selectedCollectionPath = uifForm.getActionParamaterValue(UifParameters.SELLECTED_COLLECTION_PATH);
275         if (StringUtils.isBlank(selectedCollectionPath)) {
276             throw new RuntimeException("Selected collection was not set for add line action, cannot add new line");
277         }
278 
279         View view = uifForm.getPostedView();
280         view.getViewHelperService().processCollectionAddBlankLine(view, uifForm, selectedCollectionPath);
281 
282         return getUIFModelAndView(uifForm);
283     }
284 
285     /**
286      * Called by the save line action for a new collection line. Does server side validation and provides hook
287      * for client application to persist specific data.
288      */
289     @RequestMapping(method = RequestMethod.POST, params = "methodToCall=saveLine")
290     public ModelAndView saveLine(@ModelAttribute("KualiForm") UifFormBase uifForm, BindingResult result,
291             HttpServletRequest request, HttpServletResponse response) {
292 
293         String selectedCollectionPath = uifForm.getActionParamaterValue(UifParameters.SELLECTED_COLLECTION_PATH);
294         if (StringUtils.isBlank(selectedCollectionPath)) {
295             throw new RuntimeException("Selected collection was not set for add line action, cannot add new line");
296         }
297 
298         int selectedLineIndex = -1;
299         String selectedLine = uifForm.getActionParamaterValue(UifParameters.SELECTED_LINE_INDEX);
300         if (StringUtils.isNotBlank(selectedLine)) {
301             selectedLineIndex = Integer.parseInt(selectedLine);
302         }
303 
304         if (selectedLineIndex == -1) {
305             throw new RuntimeException("Selected line index was not set for delete line action, cannot delete line");
306         }
307 
308         View view = uifForm.getPostedView();
309         view.getViewHelperService().processCollectionSaveLine(view, uifForm, selectedCollectionPath, selectedLineIndex);
310 
311         return getUIFModelAndView(uifForm);
312     }
313 
314     /**
315      * Called by the delete line action for a model collection. Method
316      * determines which collection the action was selected for and the line
317      * index that should be removed, then invokes the view helper service to
318      * process the action
319      */
320     @RequestMapping(method = RequestMethod.POST, params = "methodToCall=deleteLine")
321     public ModelAndView deleteLine(@ModelAttribute("KualiForm") UifFormBase uifForm, BindingResult result,
322             HttpServletRequest request, HttpServletResponse response) {
323 
324         String selectedCollectionPath = uifForm.getActionParamaterValue(UifParameters.SELLECTED_COLLECTION_PATH);
325         if (StringUtils.isBlank(selectedCollectionPath)) {
326             throw new RuntimeException("Selected collection was not set for delete line action, cannot delete line");
327         }
328 
329         int selectedLineIndex = -1;
330         String selectedLine = uifForm.getActionParamaterValue(UifParameters.SELECTED_LINE_INDEX);
331         if (StringUtils.isNotBlank(selectedLine)) {
332             selectedLineIndex = Integer.parseInt(selectedLine);
333         }
334 
335         if (selectedLineIndex == -1) {
336             throw new RuntimeException("Selected line index was not set for delete line action, cannot delete line");
337         }
338 
339         View view = uifForm.getPostedView();
340         view.getViewHelperService().processCollectionDeleteLine(view, uifForm, selectedCollectionPath,
341                 selectedLineIndex);
342 
343         return getUIFModelAndView(uifForm);
344     }
345 
346     /**
347      * Just returns as if return with no value was selected.
348      */
349     @RequestMapping(params = "methodToCall=cancel")
350     public ModelAndView cancel(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
351             HttpServletRequest request, HttpServletResponse response) {
352         return back(form, result, request, response);
353     }
354 
355     /**
356      * Attempts to go back by looking at various return mechanisms in HistoryFlow and on the form.  If a back cannot
357      * be determined, returns to the application url.
358      */
359     @RequestMapping(params = "methodToCall=back")
360     public ModelAndView back(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
361             HttpServletRequest request, HttpServletResponse response) {
362         Properties props = new Properties();
363         props.put(UifParameters.METHOD_TO_CALL, UifConstants.MethodToCallNames.REFRESH);
364 
365         if (StringUtils.isNotBlank(form.getReturnFormKey())) {
366             props.put(UifParameters.FORM_KEY, form.getReturnFormKey());
367         }
368 
369         HistoryFlow historyFlow = form.getHistoryManager().getMostRecentFlowByFormKey(form.getFlowKey(),
370                 form.getRequestedFormKey());
371 
372         String returnUrl = form.getReturnLocation();
373 
374         //use history flow return location
375         if (historyFlow != null) {
376             returnUrl = historyFlow.getFlowReturnPoint();
377         }
378 
379         //return to start handling
380         String returnToStart = form.getActionParamaterValue(UifConstants.HistoryFlow.RETURN_TO_START);
381         if (StringUtils.isBlank(returnToStart)) {
382             returnToStart = request.getParameter(UifConstants.HistoryFlow.RETURN_TO_START);
383         }
384 
385         if (StringUtils.isNotBlank(returnToStart)
386                 && Boolean.parseBoolean(returnToStart)
387                 && historyFlow != null
388                 && StringUtils.isNotBlank(historyFlow.getFlowStartPoint())) {
389             returnUrl = historyFlow.getFlowStartPoint();
390         }
391 
392         //return to app url if returnUrl still blank
393         if (StringUtils.isBlank(returnUrl) || returnUrl.equals(UifConstants.NO_RETURN)) {
394             returnUrl = ConfigContext.getCurrentContextConfig().getProperty(KRADConstants.APPLICATION_URL_KEY);
395         }
396 
397         // clear current form from session
398         GlobalVariables.getUifFormManager().removeSessionForm(form);
399 
400         return performRedirect(form, returnUrl, props);
401     }
402 
403     /**
404      * Invoked to navigate back one page in history..
405      *
406      * @param form - form object that should contain the history object
407      */
408     @RequestMapping(params = "methodToCall=returnToPrevious")
409     public ModelAndView returnToPrevious(@ModelAttribute("KualiForm") UifFormBase form) {
410 
411         return returnToHistory(form, false);
412     }
413 
414     /**
415      * Invoked to navigate back to the first page in history.
416      *
417      * @param form - form object that should contain the history object
418      */
419     @RequestMapping(params = "methodToCall=returnToHub")
420     public ModelAndView returnToHub(@ModelAttribute("KualiForm") UifFormBase form) {
421 
422         return returnToHistory(form, true);
423     }
424 
425     /**
426      * Invoked to navigate back to a history entry. The homeFlag will determine whether navigation
427      * will be back to the first or last history entry.
428      *
429      * @param form - form object that should contain the history object
430      * @param homeFlag - if true will navigate back to first entry else will navigate to last entry
431      * in the history
432      */
433     public ModelAndView returnToHistory(UifFormBase form, boolean homeFlag) {
434         String returnUrl = form.getReturnLocation();
435 
436         if (StringUtils.isBlank(returnUrl) || homeFlag) {
437             returnUrl = ConfigContext.getCurrentContextConfig().getProperty(KRADConstants.APPLICATION_URL_KEY);
438         }
439 
440         // Add the refresh call
441         Properties props = new Properties();
442         props.put(UifParameters.METHOD_TO_CALL, UifConstants.MethodToCallNames.REFRESH);
443 
444         // clear current form from session
445         GlobalVariables.getUifFormManager().removeSessionForm(form);
446 
447         return performRedirect(form, returnUrl, props);
448     }
449 
450     /**
451      * Handles menu navigation between view pages
452      */
453     @RequestMapping(method = RequestMethod.POST, params = "methodToCall=navigate")
454     public ModelAndView navigate(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
455             HttpServletRequest request, HttpServletResponse response) {
456         String pageId = form.getActionParamaterValue(UifParameters.NAVIGATE_TO_PAGE_ID);
457 
458         //clear dirty flag, if set
459         form.setDirtyForm(false);
460 
461         return getUIFModelAndView(form, pageId);
462     }
463 
464     /**
465      * handles an ajax refresh
466      *
467      * <p>The query form plugin  activates this request via a form post, where on the JS side,
468      * {@code org.kuali.rice.krad.uif.UifParameters#RENDER_FULL_VIEW} is set to false</p>
469      *
470      * @param form -  Holds properties necessary to determine the <code>View</code> instance that will be used to
471      * render
472      * the UI
473      * @param result -   represents binding results
474      * @param request - http servlet request data
475      * @param response - http servlet response object
476      * @return the  ModelAndView object
477      * @throws Exception
478      */
479     @RequestMapping(params = "methodToCall=refresh")
480     public ModelAndView refresh(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
481             HttpServletRequest request, HttpServletResponse response) throws Exception {
482         // TODO: this code still needs to handle reference refreshes
483 
484         String flashMapSelectedLineValues = "";
485         if (RequestContextUtils.getInputFlashMap(request) != null) {
486             flashMapSelectedLineValues = (String) RequestContextUtils.getInputFlashMap(request).get(
487                     UifParameters.SELECTED_LINE_VALUES);
488         }
489         String refreshCallerType = "";
490         if (request.getParameterMap().containsKey(KRADConstants.REFRESH_CALLER_TYPE)) {
491             refreshCallerType = request.getParameter(KRADConstants.REFRESH_CALLER_TYPE);
492         }
493 
494         // process multi-value lookup returns
495         if (StringUtils.equals(refreshCallerType, UifConstants.RefreshCallerTypes.MULTI_VALUE_LOOKUP)) {
496             String lookupCollectionName = "";
497             if (request.getParameterMap().containsKey(UifParameters.LOOKUP_COLLECTION_NAME)) {
498                 lookupCollectionName = request.getParameter(UifParameters.LOOKUP_COLLECTION_NAME);
499             }
500 
501             if (StringUtils.isBlank(lookupCollectionName)) {
502                 throw new RuntimeException(
503                         "Lookup collection name is required for processing multi-value lookup results");
504             }
505 
506             String selectedLineValues = "";
507             if (request.getParameterMap().containsKey(UifParameters.SELECTED_LINE_VALUES)) {
508                 selectedLineValues = request.getParameter(UifParameters.SELECTED_LINE_VALUES);
509             }
510             if (!StringUtils.isBlank(flashMapSelectedLineValues)) {
511                 selectedLineValues = flashMapSelectedLineValues;
512             }
513 
514             // invoked view helper to populate the collection from lookup results
515             form.getPostedView().getViewHelperService().processMultipleValueLookupResults(form.getPostedView(), form,
516                     lookupCollectionName, selectedLineValues);
517         }
518 
519         if (request.getParameterMap().containsKey(KRADConstants.REFERENCES_TO_REFRESH)) {
520             String referencesToRefresh = request.getParameter(KRADConstants.REFERENCES_TO_REFRESH);
521             form.getPostedView().getViewHelperService().refreshReferences(form, referencesToRefresh);
522         }
523 
524         return getUIFModelAndView(form);
525     }
526 
527     /**
528      * Builds up a URL to the lookup view based on the given post action
529      * parameters and redirects
530      */
531     @RequestMapping(method = RequestMethod.POST, params = "methodToCall=performLookup")
532     public ModelAndView performLookup(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
533             HttpServletRequest request, HttpServletResponse response) {
534         Properties lookupParameters = form.getActionParametersAsProperties();
535 
536         String lookupObjectClassName = (String) lookupParameters.get(UifParameters.DATA_OBJECT_CLASS_NAME);
537         Class<?> lookupObjectClass = null;
538         try {
539             lookupObjectClass = Class.forName(lookupObjectClassName);
540         } catch (ClassNotFoundException e) {
541             LOG.error("Unable to get class for name: " + lookupObjectClassName);
542             throw new RuntimeException("Unable to get class for name: " + lookupObjectClassName, e);
543         }
544 
545         // get form values for the lookup parameter fields
546         String lookupParameterString = (String) lookupParameters.get(UifParameters.LOOKUP_PARAMETERS);
547         if (lookupParameterString != null) {
548             Map<String, String> lookupParameterFields = KRADUtils.getMapFromParameterString(lookupParameterString);
549             for (Entry<String, String> lookupParameter : lookupParameterFields.entrySet()) {
550                 String lookupParameterValue = LookupInquiryUtils.retrieveLookupParameterValue(form, request,
551                         lookupObjectClass, lookupParameter.getValue(), lookupParameter.getKey());
552 
553                 if (StringUtils.isNotBlank(lookupParameterValue)) {
554                     lookupParameters.put(UifPropertyPaths.LOOKUP_CRITERIA + "['" + lookupParameter.getValue() + "']",
555                             lookupParameterValue);
556                 }
557             }
558 
559             lookupParameters.remove(UifParameters.LOOKUP_PARAMETERS);
560         }
561 
562         // TODO: lookup anchors and doc number?
563 
564         String baseLookupUrl = (String) lookupParameters.get(UifParameters.BASE_LOOKUP_URL);
565         lookupParameters.remove(UifParameters.BASE_LOOKUP_URL);
566 
567         // set lookup method to call
568         lookupParameters.put(UifParameters.METHOD_TO_CALL, UifConstants.MethodToCallNames.START);
569         String autoSearchString = (String) lookupParameters.get(UifParameters.AUTO_SEARCH);
570         if (Boolean.parseBoolean(autoSearchString)) {
571             lookupParameters.put(UifParameters.METHOD_TO_CALL, UifConstants.MethodToCallNames.SEARCH);
572         }
573 
574         lookupParameters.put(UifParameters.RETURN_LOCATION, form.getFormPostUrl());
575         lookupParameters.put(UifParameters.RETURN_FORM_KEY, form.getFormKey());
576 
577         // special check for external object classes
578         if (lookupObjectClass != null) {
579             ModuleService responsibleModuleService =
580                     KRADServiceLocatorWeb.getKualiModuleService().getResponsibleModuleService(lookupObjectClass);
581             if (responsibleModuleService != null && responsibleModuleService.isExternalizable(lookupObjectClass)) {
582                 String lookupUrl = responsibleModuleService.getExternalizableDataObjectLookupUrl(lookupObjectClass,
583                         lookupParameters);
584 
585                 return performRedirect(form, lookupUrl, new Properties());
586             }
587         }
588 
589         return performRedirect(form, baseLookupUrl, lookupParameters);
590     }
591 
592     /**
593      * Checks the form/view against all current and future validations and returns warnings for any validations
594      * that fail
595      */
596     @RequestMapping(method = RequestMethod.POST, params = "methodToCall=checkForm")
597     public ModelAndView checkForm(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
598             HttpServletRequest request, HttpServletResponse response) {
599         KRADServiceLocatorWeb.getViewValidationService().validateViewSimulation(form.getPostedView(), form);
600 
601         return getUIFModelAndView(form);
602     }
603 
604     /**
605      * Invoked to provide the options for a suggest widget. The valid options are retrieved by the associated
606      * <code>AttributeQuery</code> for the field containing the suggest widget. The controller method picks
607      * out the query parameters from the request and calls <code>AttributeQueryService</code> to perform the
608      * suggest query and prepare the result object that will be exposed with JSON
609      */
610     @RequestMapping(method = RequestMethod.GET, params = "methodToCall=performFieldSuggest")
611     public
612     @ResponseBody
613     AttributeQueryResult performFieldSuggest(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
614             HttpServletRequest request, HttpServletResponse response) {
615 
616         // retrieve query fields from request
617         Map<String, String> queryParameters = new HashMap<String, String>();
618         for (Object parameterName : request.getParameterMap().keySet()) {
619             if (parameterName.toString().startsWith(UifParameters.QUERY_PARAMETER + ".")) {
620                 String fieldName = StringUtils.substringAfter(parameterName.toString(),
621                         UifParameters.QUERY_PARAMETER + ".");
622                 String fieldValue = request.getParameter(parameterName.toString());
623                 queryParameters.put(fieldName, fieldValue);
624             }
625         }
626 
627         // retrieve id for field to perform query for
628         String queryFieldId = request.getParameter(UifParameters.QUERY_FIELD_ID);
629         if (StringUtils.isBlank(queryFieldId)) {
630             throw new RuntimeException("Unable to find id for field to perform query on under request parameter name: "
631                     + UifParameters.QUERY_FIELD_ID);
632         }
633 
634         // get the field term to match
635         String queryTerm = request.getParameter(UifParameters.QUERY_TERM);
636         if (StringUtils.isBlank(queryTerm)) {
637             throw new RuntimeException(
638                     "Unable to find id for query term value for attribute query on under request parameter name: "
639                             + UifParameters.QUERY_TERM);
640         }
641 
642         // invoke attribute query service to perform the query
643         AttributeQueryResult queryResult = KRADServiceLocatorWeb.getAttributeQueryService().performFieldSuggestQuery(
644                 form.getPostedView(), queryFieldId, queryTerm, queryParameters);
645 
646         return queryResult;
647     }
648 
649     /**
650      * Invoked to execute the <code>AttributeQuery</code> associated with a field given the query parameters
651      * found in the request. This controller method picks out the query parameters from the request and calls
652      * <code>AttributeQueryService</code> to perform the field query and prepare the result object
653      * that will be exposed with JSON. The result is then used to update field values in the UI with client
654      * script.
655      */
656     @RequestMapping(method = RequestMethod.GET, params = "methodToCall=performFieldQuery")
657     public
658     @ResponseBody
659     AttributeQueryResult performFieldQuery(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
660             HttpServletRequest request, HttpServletResponse response) {
661 
662         // retrieve query fields from request
663         Map<String, String> queryParameters = new HashMap<String, String>();
664         for (Object parameterName : request.getParameterMap().keySet()) {
665             if (parameterName.toString().startsWith(UifParameters.QUERY_PARAMETER + ".")) {
666                 String fieldName = StringUtils.substringAfter(parameterName.toString(),
667                         UifParameters.QUERY_PARAMETER + ".");
668                 String fieldValue = request.getParameter(parameterName.toString());
669                 queryParameters.put(fieldName, fieldValue);
670             }
671         }
672 
673         // retrieve id for field to perform query for
674         String queryFieldId = request.getParameter(UifParameters.QUERY_FIELD_ID);
675         if (StringUtils.isBlank(queryFieldId)) {
676             throw new RuntimeException("Unable to find id for field to perform query on under request parameter name: "
677                     + UifParameters.QUERY_FIELD_ID);
678         }
679 
680         // invoke attribute query service to perform the query
681         AttributeQueryResult queryResult = KRADServiceLocatorWeb.getAttributeQueryService().performFieldQuery(
682                 form.getPostedView(), queryFieldId, queryParameters);
683 
684         return queryResult;
685     }
686 
687     /**
688      * returns whether this dialog has been displayed on the client
689      *
690      * @param dialogId - the id of the dialog
691      * @param form - form instance containing the request data
692      * @return boolean - true if dialog has been displayed, false if not
693      */
694     protected boolean hasDialogBeenDisplayed(String dialogId, UifFormBase form) {
695         return (form.getDialogManager().hasDialogBeenDisplayed(dialogId));
696     }
697 
698     /**
699      * returns whether the dialog has already been answered by the user
700      *
701      * @param dialogId - identifier for the dialog group
702      * @param form - form instance containing the request data
703      * @return boolean - true if client has already responded to the dialog, false otherwise
704      */
705     protected boolean hasDialogBeenAnswered(String dialogId, UifFormBase form) {
706         return (form.getDialogManager().hasDialogBeenAnswered(dialogId));
707     }
708 
709     /**
710      * Handles modal dialog interactions for a view controller When a controller method wishes to prompt the user
711      * for additional information before continuing to process the request.
712      *
713      * <p>
714      * If this modal dialog has not yet been presented to the user, a redirect back to the client
715      * is performed to display the modal dialog as a Lightbox. The DialogGroup identified by the
716      * dialogId is used as the Lightbox content.
717      * </p>
718      *
719      * <p>
720      * If the dialog has already been answered by the user.  The boolean value representing the
721      * option chosen by the user is returned back to the calling controller
722      * </p>
723      *
724      * @param dialogId - identifier of the dialog group
725      * @param form - form instance containing the request data
726      * @param request - the http request
727      * @param response - the http response
728      * @return boolean - true if user chose affirmative response, false if negative response was chosen
729      */
730     protected boolean getBooleanDialogResponse(String dialogId, UifFormBase form, HttpServletRequest request,
731             HttpServletResponse response) {
732         DialogManager dm = form.getDialogManager();
733         if (!dm.hasDialogBeenAnswered(dialogId)) {
734             showDialog(dialogId, form, request, response);
735 
736             // throw an exception until showDialog is able to complete request.
737             // until then, programmers should check hasDialogBeenAnswered
738             throw new RiceRuntimeException("Dialog has not yet been answered by client. "
739                     + "Check that hasDialogBeenAnswered(id) returns true.");
740         }
741 
742         return dm.wasDialogAnswerAffirmative(dialogId);
743     }
744 
745     /**
746      * Handles a modal dialog interaction with the client user when a String response is desired
747      *
748      * <p>
749      * Similar to askYesOrNoQuestion() but returns a string instead of a boolean.  The string value is the key
750      * string of the key/value pair assigned to the button that the user chose.
751      * </p>
752      *
753      * @param dialogId - identifier of the dialog group
754      * @param form - form instance containing the request data
755      * @param request - the http request
756      * @param response - the http response
757      * @return
758      * @throws Exception
759      */
760     protected String getStringDialogResponse(String dialogId, UifFormBase form, HttpServletRequest request,
761             HttpServletResponse response) {
762         DialogManager dm = form.getDialogManager();
763         if (!dm.hasDialogBeenAnswered(dialogId)) {
764             showDialog(dialogId, form, request, response);
765 
766             // throw an exception until showDialog is able to complete request.
767             // until then, programmers should check hasDialogBeenAnswered
768             throw new RiceRuntimeException("Dialog has not yet been answered by client. "
769                     + "Check that hasDialogBeenAnswered(id) returns true.");
770         }
771 
772         return dm.getDialogAnswer(dialogId);
773     }
774 
775     /**
776      * Complete the response directly and launch lightbox with dialog content upon returning back to the client. If it
777      * is an ajax request then set the ajaxReturnType and set the updateComponentId to the dialogId.
778      *
779      * <p>
780      * Need to build up the view/component properly as we would if we returned normally back to the DispatcherServlet
781      * from the controller method.
782      * </p>
783      *
784      * @param dialogId - id of the dialog or group to use as content in the lightbox.
785      * @param form - the form associated with the view
786      * @param request - the http request
787      * @param response - the http response
788      * @return will return void.  actually, won't return at all.
789      * @throws Exception
790      */
791     protected ModelAndView showDialog(String dialogId, UifFormBase form, HttpServletRequest request,
792             HttpServletResponse response) {
793         // js script to invoke lightbox: runs onDocumentReady
794         form.setLightboxScript("openLightboxOnLoad('" + dialogId + "');");
795         form.getDialogManager().addDialog(dialogId, form.getMethodToCall());
796 
797         // if the dialog is being invoked sever side via ajax set the ajaxReturnType to update-dialog
798         // and set the updateComponentId to the dialogId
799         if (form.isAjaxRequest()) {
800             form.setAjaxReturnType(UifConstants.AjaxReturnTypes.UPDATEDIALOG.getKey());
801             form.setUpdateComponentId(dialogId);
802         }
803 
804         return getUIFModelAndView(form);
805     }
806 
807     /**
808      * Common return point for dialogs
809      *
810      * <p>
811      * Determines the user responses to the dialog. Performs dialog management and then redirects to the
812      * original contoller method.
813      * </p>
814      *
815      * @param form - current form
816      * @param result - binding result
817      * @param request - http request
818      * @param response - http response
819      * @return ModelAndView setup for redirect to original controller methodToCall
820      * @throws Exception
821      */
822     @RequestMapping(params = "methodToCall=returnFromLightbox")
823     public ModelAndView returnFromLightbox(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
824             HttpServletRequest request, HttpServletResponse response) {
825         String newMethodToCall = "";
826 
827         // Save user responses from dialog
828         DialogManager dm = form.getDialogManager();
829         String dialogId = dm.getCurrentDialogId();
830         if (dialogId == null) {
831             // may have been invoked by client.
832             // TODO:  handle this case (scheduled for 2.2-m3)
833             // for now, log WARNING and default to start, can we add a growl?
834             newMethodToCall = "start";
835         } else {
836             dm.setDialogAnswer(dialogId, form.getDialogResponse());
837             dm.setDialogExplanation(dialogId, form.getDialogExplanation());
838             newMethodToCall = dm.getDialogReturnMethod(dialogId);
839             dm.setCurrentDialogId(null);
840         }
841 
842         // call intended controller method
843         Properties props = new Properties();
844         props.put(UifParameters.METHOD_TO_CALL, newMethodToCall);
845         props.put(UifParameters.VIEW_ID, form.getViewId());
846         props.put(UifParameters.FORM_KEY, form.getFormKey());
847         props.put(UifParameters.AJAX_REQUEST, "false");
848 
849         return performRedirect(form, form.getFormPostUrl(), props);
850     }
851 
852     /**
853      * Builds a <code>ModelAndView</code> instance configured to redirect to the
854      * URL formed by joining the base URL with the given URL parameters
855      *
856      * @param form current form instance
857      * @param baseUrl base url to redirect to
858      * @param urlParameters properties containing key/value pairs for the url parameters, if null or empty,
859      * the baseUrl will be used as the full URL
860      * @return ModelAndView configured to redirect to the given URL
861      */
862     protected ModelAndView performRedirect(UifFormBase form, String baseUrl, Properties urlParameters) {
863         String redirectUrl = UrlFactory.parameterizeUrl(baseUrl, urlParameters);
864 
865         return performRedirect(form, redirectUrl);
866     }
867 
868     /**
869      * Builds a <code>ModelAndView</code> instance configured to redirect to the given URL
870      *
871      * @param form current form instance
872      * @param redirectUrl URL to redirect to
873      * @return ModelAndView configured to redirect to the given URL
874      */
875     protected ModelAndView performRedirect(UifFormBase form, String redirectUrl) {
876         // indicate a redirect is occuring to prevent view processing down the line
877         form.setRequestRedirected(true);
878 
879         // set the ajaxReturnType on the form this will override the return type requested by the client
880         form.setAjaxReturnType(UifConstants.AjaxReturnTypes.REDIRECT.getKey());
881 
882         ModelAndView modelAndView;
883         if (form.isAjaxRequest()) {
884             modelAndView = getUIFModelAndView(form, form.getPageId());
885             modelAndView.addObject("redirectUrl", redirectUrl);
886         } else {
887             modelAndView = new ModelAndView(UifConstants.REDIRECT_PREFIX + redirectUrl);
888         }
889 
890         return modelAndView;
891     }
892 
893     /**
894      * Builds a message view from the given header and message text then forwards the UIF model and view
895      *
896      * <p>
897      * If an error or other type of interruption occurs during the request processing the controller can
898      * invoke this message to display the message to the user. This will abandon the view that was requested
899      * and display a view with just the message
900      * </p>
901      *
902      * @param form UIF form instance
903      * @param headerText header text for the message view (can be blank)
904      * @param messageText text for the message to display
905      * @return ModelAndView
906      */
907     protected ModelAndView getMessageView(UifFormBase form, String headerText, String messageText) {
908         // get a new message view
909         MessageView messageView = (MessageView) getViewService().getViewById(UifConstants.MESSAGE_VIEW_ID);
910 
911         messageView.setHeaderText(headerText);
912         messageView.setMessageText(messageText);
913 
914         form.setViewId(UifConstants.MESSAGE_VIEW_ID);
915         form.setView(messageView);
916 
917         return getUIFModelAndView(form);
918     }
919 
920     /**
921      * Configures the <code>ModelAndView</code> instance containing the form
922      * data and pointing to the UIF generic spring view
923      *
924      * @param form form instance containing the model data
925      * @return ModelAndView object with the contained form
926      */
927     protected ModelAndView getUIFModelAndView(UifFormBase form) {
928         return getUIFModelAndView(form, form.getPageId());
929     }
930 
931     /**
932      * Configures the <code>ModelAndView</code> instance containing the form
933      * data and pointing to the UIF generic spring view
934      *
935      * @param form form instance containing the model data
936      * @param pageId id of the page within the view that should be rendered, can
937      * be left blank in which the current or default page is rendered
938      * @return ModelAndView object with the contained form
939      */
940     protected ModelAndView getUIFModelAndView(UifFormBase form, String pageId) {
941         return UifControllerHelper.getUIFModelAndView(form, pageId);
942     }
943 
944     /**
945      * Retrieves a new view instance for the given view id and then configures the <code>ModelAndView</code>
946      * instance containing the form data and pointing to the UIF generic spring view
947      *
948      * @param form form instance containing the model data
949      * @param viewId id for the view that should be built
950      * @return ModelAndView object with the contained form
951      */
952     protected ModelAndView getUIFModelAndViewWithInit(UifFormBase form, String viewId) {
953         View view = getViewService().getViewById(viewId);
954 
955         Assert.notNull(view, "View not found with id: " + viewId);
956 
957         form.setView(view);
958         form.setViewId(viewId);
959 
960         return UifControllerHelper.getUIFModelAndView(form, form.getPageId());
961     }
962 
963     /**
964      * Configures the <code>ModelAndView</code> instance containing the form data and pointing to the UIF
965      * generic spring view, additional attributes may be exposed to the view through the map argument
966      *
967      * @param form form instance containing the model data
968      * @param additionalViewAttributes map of additional attributes to expose, key will be string the object
969      * is exposed under
970      * @return ModelAndView object with the contained form
971      */
972     protected ModelAndView getUIFModelAndView(UifFormBase form, Map<String, Object> additionalViewAttributes) {
973         ModelAndView modelAndView = UifControllerHelper.getUIFModelAndView(form, form.getPageId());
974 
975         if (additionalViewAttributes != null) {
976             for (Map.Entry<String, Object> additionalViewAttribute : additionalViewAttributes.entrySet()) {
977                 modelAndView.getModelMap().put(additionalViewAttribute.getKey(), additionalViewAttribute.getValue());
978             }
979         }
980 
981         return modelAndView;
982     }
983 
984     protected ViewService getViewService() {
985         return KRADServiceLocatorWeb.getViewService();
986     }
987 
988     /**
989      * Generates exportable table data as CSV based on the rich table selected
990      *
991      * @param form - current form
992      * @param result - binding result
993      * @param request - http request
994      * @param response - http response
995      * @return
996      */
997     @RequestMapping(method = RequestMethod.GET, params = "methodToCall=" + UifConstants.MethodToCallNames.TABLE_CSV,
998             produces = {"text/csv"})
999     @ResponseBody
1000     public String tableCsvRetrieval(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
1001             HttpServletRequest request, HttpServletResponse response) {
1002         LOG.debug("processing csv table data request");
1003 
1004         return retrieveTableData(form, result, request, response);
1005     }
1006 
1007     /**
1008      * Generates exportable table data in xsl based on the rich table selected
1009      *
1010      * @param form - current form
1011      * @param result - binding result
1012      * @param request - http request
1013      * @param response - http response
1014      * @return
1015      */
1016     @RequestMapping(method = RequestMethod.GET, params = "methodToCall=" + UifConstants.MethodToCallNames.TABLE_XLS,
1017             produces = {"application/vnd.ms-excel"})
1018     @ResponseBody
1019     public String tableXlsRetrieval(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
1020             HttpServletRequest request, HttpServletResponse response) {
1021         LOG.debug("processing xls table data request");
1022 
1023         return retrieveTableData(form, result, request, response);
1024     }
1025 
1026     /**
1027      * Generates exportable table data based on the rich table selected
1028      *
1029      * @param form - current form
1030      * @param result - binding result
1031      * @param request - http request
1032      * @param response - http response
1033      * @return
1034      */
1035     @RequestMapping(method = RequestMethod.GET, params = "methodToCall=" + UifConstants.MethodToCallNames.TABLE_XML,
1036             produces = {"application/xml"})
1037     @ResponseBody
1038     public String tableXmlRetrieval(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
1039             HttpServletRequest request, HttpServletResponse response) {
1040         LOG.debug("processing xml table data request");
1041 
1042         return retrieveTableData(form, result, request, response);
1043     }
1044 
1045     /**
1046      * Generates exportable table data based on the rich table selected
1047      *
1048      */
1049     private String retrieveTableData(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
1050             HttpServletRequest request, HttpServletResponse response) {
1051         LOG.debug("processing table data request");
1052 
1053         String tableData = "";
1054         String formatType = getValidatedFormatType(request.getParameter("formatType"));
1055         String contentType = getContentType(formatType);
1056 
1057         UifFormManager uifFormManager = (UifFormManager) request.getSession().getAttribute(UifParameters.FORM_MANAGER);
1058         String formKey = request.getParameter(UifParameters.FORM_KEY);
1059         String tableId = request.getParameter(UifParameters.TABLE_ID);
1060         UifFormBase currentForm = uifFormManager.getSessionForm(formKey);
1061         View view;
1062         if (currentForm.getPostedView() != null) {
1063             view = currentForm.getPostedView();
1064         } else {
1065             view = currentForm.getView();
1066         }
1067 
1068         LOG.debug("identifying table from model and form");
1069         tableData = view.getViewHelperService().buildExportTableData(view, currentForm, tableId, formatType);
1070 
1071         // if table data to be returned, format response appropriately
1072         response.setHeader("content-type", contentType);
1073         response.setHeader("Content-disposition", "attachment; filename=\"export." + formatType + "\"");
1074         response.setHeader("Expires", "0");
1075         response.setHeader("Cache-Control", "must-revalidate, post-check=0, pre-check=0");
1076         response.setHeader("Pragma", "public");
1077 
1078         return tableData;
1079     }
1080 
1081     /**
1082      * Reviews and returns a valid format type, defaults to csv
1083      *
1084      * @param formatType
1085      * @return
1086      */
1087     private String getValidatedFormatType(String formatType) {
1088         if ("xls".equals(formatType) || "xml".equals(formatType) || "csv".equals(formatType)) {
1089             return formatType;
1090         }
1091         return "csv";
1092     }
1093 
1094     /**
1095      * Reviews and returns a valid content type, defaults to text/csv
1096      *
1097      * @param formatType
1098      * @return
1099      */
1100     private String getContentType(String formatType) {
1101         if ("csv".equals(formatType)) {
1102             return "text/csv";
1103         } else if ("xls".equals(formatType)) {
1104             return "application/vnd.ms-excel";
1105         } else if ("xml".equals(formatType)) {
1106             return "application/xml";
1107         }
1108         return "text/csv";
1109     }
1110 
1111     /**
1112      * Get method for getting aaData for jquery datatables which are using sAjaxSource option.
1113      *
1114      * <p>This will render the aaData JSON for the displayed page of the table matching the tableId passed in the
1115      * request parameters.</p>
1116      */
1117     @RequestMapping(method = RequestMethod.GET, params = "methodToCall=tableJsonRetrieval")
1118     public ModelAndView tableJsonRetrieval(@ModelAttribute("KualiForm") UifFormBase form, BindingResult result,
1119             HttpServletRequest request, HttpServletResponse response) {
1120         String tableId = request.getParameter(UifParameters.TABLE_ID);
1121 
1122         DataTablesPagingHelper.DataTablesInputs dataTablesInputs = new DataTablesPagingHelper.DataTablesInputs(request);
1123 
1124         DataTablesPagingHelper pagingHelper = createDataTablesPagingHelperInstance(form, request);
1125         pagingHelper.processPagingRequest(form.getPostedView(), tableId, form, dataTablesInputs);
1126 
1127         Map<String, Object> additionalViewAttributes = new HashMap<String, Object>();
1128         additionalViewAttributes.put(UifParameters.DATA_TABLES_PAGING_HELPER, pagingHelper);
1129 
1130         return getUIFModelAndView(form, additionalViewAttributes);
1131     }
1132 
1133     /**
1134      * Creates a DataTablesPagingHelper which is used within {@link #tableJsonRetrieval(org.kuali.rice.krad.web.form.UifFormBase, org.springframework.validation.BindingResult, javax.servlet.http.HttpServletRequest, javax.servlet.http.HttpServletResponse)}
1135      * for rendering pages of data in JSON form.
1136      *
1137      * <p>This template method can be overridden to supply a custom extension of DataTablesPagingHelper e.g. for paging
1138      * and sorting at the data layer.</p>
1139      *
1140      * @return the DataTablesPagingHelper instance
1141      */
1142     protected DataTablesPagingHelper createDataTablesPagingHelperInstance(UifFormBase form,
1143             HttpServletRequest request) {
1144         return new DataTablesPagingHelper();
1145     }
1146 }