OTRS API Reference JavaScript

Source: Core.UI.js

  1. // --
  2. // Copyright (C) 2001-2020 OTRS AG, https://otrs.com/
  3. // --
  4. // This software comes with ABSOLUTELY NO WARRANTY. For details, see
  5. // the enclosed file COPYING for license information (GPL). If you
  6. // did not receive this file, see https://www.gnu.org/licenses/gpl-3.0.txt.
  7. // --
  8. "use strict";
  9. var Core = Core || {};
  10. /**
  11. * @namespace Core.UI
  12. * @memberof Core
  13. * @author OTRS AG
  14. * @description
  15. * This namespace contains all UI functions.
  16. */
  17. Core.UI = (function (TargetNS) {
  18. /**
  19. * @private
  20. * @name IDGeneratorCount
  21. * @memberof Core.UI
  22. * @member {Number}
  23. * @description
  24. * Counter for automatic HTML element ID generation.
  25. */
  26. var IDGeneratorCount = 0;
  27. /**
  28. * @name InitWidgetActionToggle
  29. * @memberof Core.UI
  30. * @function
  31. * @description
  32. * This function initializes the toggle mechanism for all widgets with a WidgetAction toggle icon.
  33. */
  34. TargetNS.InitWidgetActionToggle = function () {
  35. $(".WidgetAction.Toggle > a")
  36. .each(function () {
  37. var $WidgetElement = $(this).closest("div.Header").parent('div'),
  38. ContentDivID = TargetNS.GetID($WidgetElement.children('.Content'));
  39. // fallback to Expanded if default state was not given
  40. if (!$WidgetElement.hasClass('Expanded') && !$WidgetElement.hasClass('Collapsed')){
  41. $WidgetElement.addClass('Expanded');
  42. }
  43. $(this)
  44. .attr('aria-controls', ContentDivID)
  45. .attr('aria-expanded', $WidgetElement.hasClass('Expanded'));
  46. })
  47. .off('click.WidgetToggle')
  48. .on('click.WidgetToggle', function (Event) {
  49. var $WidgetElement = $(this).closest("div.Header").parent('div'),
  50. Animate = $WidgetElement.hasClass('Animate'),
  51. $that = $(this);
  52. function ToggleWidget() {
  53. $WidgetElement
  54. .toggleClass('Collapsed')
  55. .toggleClass('Expanded')
  56. .end()
  57. .end()
  58. .attr('aria-expanded', $that.closest("div.Header").parent('div').hasClass('Expanded'));
  59. Core.App.Publish('Event.UI.ToggleWidget', [$WidgetElement]);
  60. }
  61. if (Animate) {
  62. $WidgetElement.addClass('AnimationRunning').find('.Content').slideToggle("fast", function () {
  63. ToggleWidget();
  64. $WidgetElement.removeClass('AnimationRunning');
  65. });
  66. } else {
  67. ToggleWidget();
  68. }
  69. Event.preventDefault();
  70. });
  71. };
  72. /**
  73. * @name WidgetOverlayShow
  74. * @memberof Core.UI
  75. * @function
  76. * @param {jQueryObject} $Widget - Widget element
  77. * @param {String} Type - type of icon which should be displayed (currently only 'Loading' is possible)
  78. * @description
  79. * This function covers a given widget with an overlay
  80. */
  81. TargetNS.WidgetOverlayShow = function ($Widget, Type) {
  82. var IconClass = 'fa-check'
  83. if (Type || Type == 'Loading') {
  84. IconClass = 'fa-circle-o-notch fa-spin'
  85. }
  86. $Widget
  87. .addClass('HasOverlay')
  88. .find('.Content')
  89. .prepend('<div class="Overlay" style="display: none;"><i class="fa ' + IconClass + '"></i></div>')
  90. .children('.Overlay')
  91. .fadeIn();
  92. };
  93. /**
  94. * @name InitWidgetTabs
  95. * @memberof Core.UI
  96. * @function
  97. * @description
  98. * Initializes tab functions (e.g. link navigation) on widgets with class 'Tabs'.
  99. */
  100. TargetNS.InitWidgetTabs = function() {
  101. function ActivateTab($TriggerObj) {
  102. var $ContainerObj = $TriggerObj.closest('.WidgetSimple'),
  103. TargetID = $TriggerObj.attr('href').replace('#', ''),
  104. $TargetObj = $ContainerObj.find('div[data-id="' + TargetID + '"]');
  105. if ($TriggerObj.hasClass('Disabled')) {
  106. return false;
  107. }
  108. // if tab doesnt exist or is already active, do nothing
  109. if ($TargetObj.length && !$TargetObj.hasClass('Active')) {
  110. $ContainerObj.find('.Header > a').removeClass('Active');
  111. $TriggerObj.addClass('Active');
  112. $ContainerObj.find('.Content > div.Active').hide().removeClass('Active');
  113. $TargetObj.fadeIn(function() {
  114. $(this).addClass('Active');
  115. // activate any modern input fields on the active tab
  116. Core.UI.InputFields.Activate($TargetObj);
  117. });
  118. }
  119. }
  120. // check if the url contains a tab id anchor and jump directly
  121. // to this tab if it's the case.
  122. $('.WidgetSimple.Tabs .Header a').each(function() {
  123. var TargetID = $(this).attr('href');
  124. if (window.location.href.indexOf(TargetID) > -1) {
  125. ActivateTab($(this));
  126. return false;
  127. }
  128. });
  129. $('.WidgetSimple.Tabs .Header a').on('click', function(Event) {
  130. if ($(this).hasClass('Disabled')) {
  131. Event.stopPropagation();
  132. Event.preventDefault();
  133. return false;
  134. }
  135. ActivateTab($(this));
  136. });
  137. };
  138. /**
  139. * @name WidgetOverlayHide
  140. * @memberof Core.UI
  141. * @function
  142. * @param {jQueryObject} $Widget - Widget element
  143. * @param {Boolean} Switch - Whether the overlay should show a success icon before being removed
  144. * @description
  145. * This function removes an overlay from a given widget
  146. */
  147. TargetNS.WidgetOverlayHide = function ($Widget, Switch) {
  148. if (Switch) {
  149. $Widget
  150. .find('.Overlay i')
  151. .fadeOut()
  152. .parent()
  153. .append('<i class="fa fa-check" style="display: none;" />')
  154. .find('i:last-child')
  155. .fadeIn()
  156. .parent()
  157. .delay(1000)
  158. .fadeOut(function() {
  159. $(this).remove();
  160. $Widget.removeClass('HasOverlay');
  161. });
  162. }
  163. else {
  164. $Widget
  165. .find('.Overlay')
  166. .fadeOut(function() {
  167. $(this).remove();
  168. $Widget.removeClass('HasOverlay');
  169. });
  170. }
  171. };
  172. /**
  173. * @name InitMessageBoxClose
  174. * @memberof Core.UI
  175. * @function
  176. * @description
  177. * This function initializes the close buttons for the message boxes that show server messages.
  178. */
  179. TargetNS.InitMessageBoxClose = function () {
  180. $(".MessageBox > a.Close")
  181. .off('click.MessageBoxClose')
  182. .on('click.MessageBoxClose', function (Event) {
  183. $(this).parent().remove();
  184. Event.preventDefault();
  185. });
  186. };
  187. /**
  188. * @name GetID
  189. * @memberof Core.UI
  190. * @function
  191. * @returns {String} ID of the element
  192. * @param {jQueryObject} $Element - The HTML element
  193. * @description
  194. * Returns the ID of the Element and creates one for it if nessessary.
  195. */
  196. TargetNS.GetID = function ($Element) {
  197. var ID;
  198. function GenerateID() {
  199. return 'Core_UI_AutogeneratedID_' + IDGeneratorCount++;
  200. }
  201. if ($Element) {
  202. if ($Element.attr('id')) {
  203. ID = $Element.attr('id');
  204. }
  205. else {
  206. ID = GenerateID();
  207. $Element.attr('id', ID);
  208. }
  209. }
  210. else {
  211. ID = GenerateID();
  212. }
  213. return ID;
  214. };
  215. /**
  216. * @name ToggleTwoContainer
  217. * @memberof Core.UI
  218. * @function
  219. * @param {jQueryObject} $Element1 - First container element.
  220. * @param {jQueryObject} $Element2 - Second container element.
  221. * @description
  222. * This functions toggles two Containers with a nice slide effect.
  223. */
  224. TargetNS.ToggleTwoContainer = function ($Element1, $Element2) {
  225. if (isJQueryObject($Element1, $Element2) && $Element1.length && $Element2.length) {
  226. $Element1.slideToggle('fast', function () {
  227. $Element2.slideToggle('fast', function() {
  228. Core.UI.InputFields.InitSelect($Element2.find('.Modernize'));
  229. });
  230. Core.UI.InputFields.InitSelect($Element1.find('.Modernize'));
  231. });
  232. }
  233. };
  234. /**
  235. * @name RegisterToggleTwoContainer
  236. * @memberof Core.UI
  237. * @function
  238. * @param {jQueryObject} $ClickedElement
  239. * @param {jQueryObject} $Element1 - First container element.
  240. * @param {jQueryObject} $Element2 - Second container element.
  241. * @description
  242. * Registers click event to toggle the container.
  243. */
  244. TargetNS.RegisterToggleTwoContainer = function ($ClickedElement, $Element1, $Element2) {
  245. if (isJQueryObject($ClickedElement) && $ClickedElement.length) {
  246. $ClickedElement.click(function () {
  247. var $ContainerObj = $(this).closest('.WidgetSimple').find('.AllocationListContainer'),
  248. FieldName,
  249. Data = {};
  250. if ($Element1.is(':visible')) {
  251. TargetNS.ToggleTwoContainer($Element1, $Element2);
  252. }
  253. else {
  254. TargetNS.ToggleTwoContainer($Element2, $Element1);
  255. }
  256. Data.Columns = {};
  257. Data.Order = [];
  258. // Get initial columns order (see bug#10683).
  259. $ContainerObj.find('.AvailableFields').find('li').each(function() {
  260. FieldName = $(this).attr('data-fieldname');
  261. Data.Columns[FieldName] = 0;
  262. });
  263. $ContainerObj.find('.AssignedFields').find('li').each(function() {
  264. FieldName = $(this).attr('data-fieldname');
  265. Data.Columns[FieldName] = 1;
  266. Data.Order.push(FieldName);
  267. });
  268. $ContainerObj.closest('form').find('.ColumnsJSON').val(Core.JSON.Stringify(Data));
  269. return false;
  270. });
  271. }
  272. };
  273. /**
  274. * @name ScrollTo
  275. * @memberof Core.UI
  276. * @function
  277. * @param {jQueryObject} $Element
  278. * @description
  279. * Scrolls the active window until an element is visible.
  280. */
  281. TargetNS.ScrollTo = function ($Element) {
  282. if (isJQueryObject($Element) && $Element.length) {
  283. window.scrollTo(0, $Element.offset().top);
  284. }
  285. };
  286. /**
  287. * @name ShowNotification
  288. * @memberof Core.UI
  289. * @function
  290. * @param {String} Text the text which should be shown in the notification (untranslated)
  291. * @param {String} Type Error|Notice (default)
  292. * @param {String} Link the (internal) URL to which the notification text should point
  293. * @param {Function} Callback function which should be executed once the notification was hidden
  294. * @param {String} ID The id for the newly created notification (default: no ID)
  295. * @param {String} Icon Class of a fontawesome icon which will be added before the text (optional)
  296. * @returns {Boolean} true or false depending on if the notification could be shown or not
  297. * @description
  298. * Displays a notification on top of the page.
  299. */
  300. TargetNS.ShowNotification = function (Text, Type, Link, Callback, ID, Icon) {
  301. var $ExistingNotifications,
  302. $NotificationObj;
  303. if (!Text) {
  304. return false;
  305. }
  306. if (!Type) {
  307. Type = 'Notice';
  308. }
  309. // check if a similar notification is already shown,
  310. // in this case do nothing
  311. $ExistingNotifications = $('.MessageBox').filter(
  312. function() {
  313. var Match = 0;
  314. if ($(this).find('a').text().indexOf(Text) > 0 && $(this).hasClass(Type)) {
  315. Match = 1;
  316. }
  317. return Match;
  318. }
  319. );
  320. if ($ExistingNotifications.length) {
  321. return false;
  322. }
  323. if (Link) {
  324. Link = Core.Config.Get('Baselink') + Link;
  325. }
  326. // render the notification
  327. $NotificationObj = $(
  328. Core.Template.Render("Agent/Notification", {
  329. Class: Type,
  330. URL: Link,
  331. ID: ID,
  332. Icon: Icon,
  333. Text: Text
  334. })
  335. );
  336. // hide it initially
  337. $NotificationObj.hide();
  338. // if there are other notifications, append the new on the bottom
  339. if ($('.MessageBox:visible').length) {
  340. $NotificationObj.insertAfter('.MessageBox:visible:last');
  341. }
  342. // otherwise insert it on top
  343. else {
  344. $NotificationObj.insertAfter('#NavigationContainer');
  345. }
  346. // show it finally with animation and execute possible callbacks
  347. $NotificationObj.slideDown(function() {
  348. if ($.isFunction(Callback)) {
  349. Callback();
  350. }
  351. });
  352. return true;
  353. };
  354. /**
  355. * @name HideNotification
  356. * @memberof Core.UI
  357. * @function
  358. * @param {String} Text the text by which the notification can be recognized (untranslated).
  359. * @param {String} Type Error|Notice
  360. * @param {Function} Callback function which should be executed once the notification was hidden
  361. * @returns {Boolean} true or false depending on if the notification could be removed or not
  362. * @description
  363. * Hides a certain notification.
  364. */
  365. TargetNS.HideNotification = function (Text, Type, Callback) {
  366. if (!Text || !Type) {
  367. return false;
  368. }
  369. $('.MessageBox').filter(
  370. function() {
  371. if ($(this).find('a').text().indexOf(Text) > 0 && $(this).hasClass(Type)) {
  372. $(this).slideUp(function() {
  373. $(this).remove();
  374. if ($.isFunction(Callback)) {
  375. Callback();
  376. }
  377. })
  378. }
  379. }
  380. );
  381. return true;
  382. }
  383. /**
  384. * @name InitCheckboxSelection
  385. * @memberof Core.UI
  386. * @function
  387. * @param {jQueryObject} $Element - The element selector which describes the element(s) which surround the checkboxes.
  388. * @description
  389. * This function initializes a click event for tables / divs with checkboxes.
  390. * If you click in the table cell / div around the checkbox the checkbox will be selected.
  391. * A possible MasterAction will not be executed.
  392. */
  393. TargetNS.InitCheckboxSelection = function ($Element) {
  394. if (!$Element.length) {
  395. return;
  396. }
  397. // e.g. 'table td.Checkbox' or 'div.Checkbox'
  398. $Element.off('click.CheckboxSelection').on('click.CheckboxSelection', function (Event) {
  399. var $Checkbox = $(this).find('input[type="checkbox"]');
  400. if (!$Checkbox.length) {
  401. return;
  402. }
  403. if ($(Event.target).is('input[type="checkbox"]')) {
  404. return;
  405. }
  406. Event.stopPropagation();
  407. $Checkbox
  408. .prop('checked', !$Checkbox.prop('checked'))
  409. .triggerHandler('click');
  410. });
  411. };
  412. /**
  413. * @name Animate
  414. * @memberof Core.UI
  415. * @function
  416. * @param {jQueryObject} $Element - The element to animate.
  417. * @param {String} Type - The animation type as defined in Core.Animations.css, e.g. 'Shake'
  418. * @description
  419. * Animate an element on demand using a css-based animation of the given type
  420. */
  421. TargetNS.Animate = function ($Element, Type) {
  422. if (!$Element.length || !Type) {
  423. return;
  424. }
  425. $Element.addClass('Animation' + Type);
  426. };
  427. /**
  428. * @name InitMasterAction
  429. * @memberof Core.UI
  430. * @function
  431. * @description
  432. * Extend click event to the whole table row.
  433. */
  434. TargetNS.InitMasterAction = function () {
  435. $('.MasterAction').click(function (Event) {
  436. var $MasterActionLink = $(this).find('.MasterActionLink');
  437. // only act if the link was not clicked directly
  438. if (Event.target !== $MasterActionLink.get(0)) {
  439. window.location = $MasterActionLink.attr('href');
  440. return false;
  441. }
  442. });
  443. };
  444. /**
  445. * @name InitAjaxDnDUpload
  446. * @memberof Core.UI
  447. * @function
  448. * @description
  449. * Init drag & drop ajax upload on relevant input fields of type "file"
  450. */
  451. TargetNS.InitAjaxDnDUpload = function () {
  452. function UploadFiles(SelectedFiles, $DropObj) {
  453. var $ContainerObj = $DropObj.closest('.Field'),
  454. $FileuploadFieldObj = $ContainerObj.find('.AjaxDnDUpload'),
  455. FormID = $FileuploadFieldObj.data('form-id') ? $FileuploadFieldObj.data('form-id') : $DropObj.closest('form').find('input[name=FormID]').val(),
  456. ChallengeToken = $DropObj.closest('form').find('input[name=ChallengeToken]').val(),
  457. IsMultiple = ($FileuploadFieldObj.attr('multiple') == 'multiple'),
  458. MaxFiles = $FileuploadFieldObj.data('max-files'),
  459. MaxSizePerFile = $FileuploadFieldObj.data('max-size-per-file'),
  460. MaxSizePerFileHR = $FileuploadFieldObj.data('max-size-per-file-hr'),
  461. FileTypes = $FileuploadFieldObj.data('file-types'),
  462. Upload,
  463. XHRObj,
  464. FileTypeNotAllowed = [],
  465. FileTypeNotAllowedText,
  466. FilesTooBig = [],
  467. FilesTooBigText,
  468. AttemptedToUploadAgain = [],
  469. AttemptedToUploadAgainText,
  470. NoSpaceLeft = [],
  471. NoSpaceLeftText,
  472. UsedSpace = 0,
  473. WebMaxFileUpload = Core.Config.Get('WebMaxFileUpload'),
  474. CGIHandle = Core.Config.Get('CGIHandle'),
  475. SessionToken = '',
  476. SessionName;
  477. if (!FormID || !SelectedFiles || !$DropObj || !ChallengeToken) {
  478. return false;
  479. }
  480. // If SessionUseCookie is disabled use Session cookie in AjaxAttachment. See bug#14432.
  481. if (Core.Config.Get('SessionUseCookie') === '0') {
  482. if (CGIHandle.indexOf('index') > -1) {
  483. SessionName = Core.Config.Get('SessionName');
  484. }
  485. else if (CGIHandle.indexOf('customer') > -1) {
  486. SessionName = Core.Config.Get('CustomerPanelSessionName');
  487. }
  488. SessionToken = ';' + SessionName + '=' + $DropObj.closest('form').find('input[name=' + SessionName + ']').val();
  489. }
  490. // if the original upload field doesn't have the multiple attribute,
  491. // prevent uploading of more than one file
  492. if (!IsMultiple && SelectedFiles.length > 1) {
  493. alert(Core.Language.Translate("Please only select one file for upload."));
  494. return false;
  495. }
  496. // if multiple is not allowed and a file has already been uploaded, don't allow uploading more
  497. if (!IsMultiple && $FileuploadFieldObj.closest('.Field').find('.AttachmentList tbody tr').length > 0) {
  498. alert(Core.Language.Translate("Sorry, you can only upload one file here."));
  499. return false;
  500. }
  501. if (MaxFiles && $FileuploadFieldObj.closest('.Field').find('.AttachmentList tbody tr').length >= MaxFiles) {
  502. alert(Core.Language.Translate("Sorry, you can only upload %s files.", [ MaxFiles ]));
  503. return false;
  504. }
  505. if (MaxFiles && SelectedFiles.length > MaxFiles) {
  506. alert(Core.Language.Translate("Please only select at most %s files for upload.", [ MaxFiles ]));
  507. return false;
  508. }
  509. // check for allowed file types
  510. if (FileTypes) {
  511. FileTypes = FileTypes.split(',');
  512. }
  513. $DropObj.prev('input[type=file]').removeClass('Error');
  514. // collect size of already uploaded files
  515. $.each($FileuploadFieldObj.closest('.Field').find('.AttachmentList tbody tr td.Filesize'), function() {
  516. var FileSize = parseFloat($(this).attr('data-file-size'));
  517. if (FileSize) {
  518. UsedSpace += FileSize;
  519. }
  520. });
  521. $.each(SelectedFiles, function(index, File) {
  522. var $CurrentRowObj,
  523. FileExtension = File.name.slice((File.name.lastIndexOf(".") - 1 >>> 0) + 2),
  524. AttachmentItem = Core.Template.Render('AjaxDnDUpload/AttachmentItemUploading', {
  525. 'Filename' : File.name,
  526. 'Filetype' : File.type
  527. }),
  528. FileExist;
  529. // check uploaded file size
  530. if (File.size > (WebMaxFileUpload - UsedSpace)) {
  531. NoSpaceLeft.push(
  532. File.name + ' (' + Core.App.HumanReadableDataSize(File.size) + ')'
  533. );
  534. return true;
  535. }
  536. UsedSpace += File.size;
  537. // check for allowed file types
  538. if (typeof FileTypes === 'object' && FileTypes.indexOf(FileExtension) < 0) {
  539. FileTypeNotAllowed.push(File.name);
  540. return true;
  541. }
  542. // check for max file size per file
  543. if (MaxSizePerFile && File.size > MaxSizePerFile) {
  544. FilesTooBig.push(File.name);
  545. return true;
  546. }
  547. // don't allow uploading multiple files with the same name
  548. FileExist = $ContainerObj.find('.AttachmentList tbody tr td.Filename').filter(function() {
  549. if ($(this).text() === File.name) {
  550. return $(this);
  551. }
  552. });
  553. if (FileExist.length) {
  554. AttemptedToUploadAgain.push(File.name);
  555. return true;
  556. }
  557. $DropObj.addClass('Uploading');
  558. $ContainerObj.find('.AttachmentList').show();
  559. $(AttachmentItem).prependTo($ContainerObj.find('.AttachmentList tbody')).fadeIn();
  560. $CurrentRowObj = $ContainerObj.find('.AttachmentList tbody tr:first-child');
  561. Upload = new FormData();
  562. Upload.append('Files', File);
  563. $.ajax({
  564. url: Core.Config.Get('CGIHandle') + '?Action=AjaxAttachment;Subaction=Upload;FormID=' + FormID + ';ChallengeToken=' + ChallengeToken + SessionToken,
  565. type: 'post',
  566. data: Upload,
  567. xhr: function() {
  568. XHRObj = $.ajaxSettings.xhr();
  569. if(XHRObj.upload){
  570. XHRObj.upload.addEventListener(
  571. 'progress',
  572. function(Upload) {
  573. var Percentage = (Upload.loaded * 100) / Upload.total;
  574. $CurrentRowObj.find('.Progress').animate({
  575. 'width': Percentage + '%'
  576. });
  577. if (Percentage === 100) {
  578. $CurrentRowObj.find('.Progress').delay(1000).fadeOut(function() {
  579. $(this).remove();
  580. });
  581. }
  582. },
  583. false
  584. );
  585. }
  586. return XHRObj;
  587. },
  588. dataType: 'json',
  589. cache: false,
  590. contentType: false,
  591. processData: false,
  592. success: function(Response) {
  593. $.each(Response, function(index, Attachment) {
  594. // walk through the list to see if we can update an entry
  595. var AttachmentItem,
  596. $ExistingItemObj = $ContainerObj.find('.AttachmentList tbody tr td.Filename').filter(function() {
  597. if ($(this).text() === Attachment.Filename) {
  598. return $(this);
  599. }
  600. }),
  601. $TargetObj;
  602. // update the existing item if one exists
  603. if ($ExistingItemObj.length) {
  604. $TargetObj = $ExistingItemObj.closest('tr');
  605. if ($TargetObj.find('a').data('file-id')) {
  606. return;
  607. }
  608. $TargetObj
  609. .find('.Filetype')
  610. .text(Attachment.ContentType)
  611. .closest('tr')
  612. .find('.Filesize')
  613. .text(Attachment.HumanReadableDataSize)
  614. .attr('data-file-size', Attachment.Filesize)
  615. .next('td')
  616. .find('a')
  617. .removeClass('Hidden')
  618. .data('file-id', Attachment.FileID);
  619. }
  620. else {
  621. AttachmentItem = Core.Template.Render('AjaxDnDUpload/AttachmentItem', {
  622. 'Filename' : Attachment.Filename,
  623. 'Filetype' : Attachment.ContentType,
  624. 'Filesize' : Attachment.Filesize,
  625. 'FileID' : Attachment.FileID,
  626. });
  627. $(AttachmentItem).prependTo($ContainerObj.find('.AttachmentList tbody')).fadeIn();
  628. }
  629. // Append input field for validation (see bug#13081).
  630. if (!$('#AttachmentExists').length) {
  631. $('.AttachmentListContainer').append('<input type="hidden" id="AttachmentExists" name="AttachmentExists" value="1" />');
  632. }
  633. });
  634. // we need to empty the relevant file upload field because it would otherwise
  635. // transfer the selected files again (only on click select, not on drag & drop)
  636. $DropObj.prev('input[type=file]').val('');
  637. $DropObj.removeClass('Uploading');
  638. },
  639. error: function() {
  640. // TODO: show an error tooltip?
  641. $DropObj.removeClass('Uploading');
  642. }
  643. });
  644. });
  645. if (FileTypeNotAllowed.length || FilesTooBig.length || NoSpaceLeft.length || AttemptedToUploadAgain.length) {
  646. FileTypeNotAllowedText = '';
  647. FilesTooBigText = '';
  648. AttemptedToUploadAgainText = '';
  649. NoSpaceLeftText = '';
  650. if (FileTypeNotAllowed.length) {
  651. FileTypeNotAllowedText =
  652. Core.Language.Translate(
  653. 'The following files are not allowed to be uploaded: %s',
  654. '<br>' + FileTypeNotAllowed.join(',<br>') + '<br><br>'
  655. );
  656. }
  657. if (FilesTooBig.length) {
  658. FilesTooBigText =
  659. Core.Language.Translate(
  660. 'The following files exceed the maximum allowed size per file of %s and were not uploaded: %s',
  661. MaxSizePerFileHR,
  662. '<br>' + FilesTooBig.join(',<br>') + '<br><br>'
  663. );
  664. }
  665. if (AttemptedToUploadAgain.length) {
  666. AttemptedToUploadAgainText =
  667. Core.Language.Translate(
  668. 'The following files were already uploaded and have not been uploaded again: %s',
  669. '<br>' + AttemptedToUploadAgain.join(',<br>') + '<br><br>'
  670. );
  671. }
  672. if (NoSpaceLeft.length) {
  673. NoSpaceLeftText =
  674. Core.Language.Translate(
  675. 'No space left for the following files: %s',
  676. '<br>' + NoSpaceLeft.join(',<br>')
  677. )
  678. + '<br><br>'
  679. + Core.Language.Translate(
  680. 'Available space %s of %s.',
  681. Core.App.HumanReadableDataSize(WebMaxFileUpload - UsedSpace),
  682. Core.App.HumanReadableDataSize(WebMaxFileUpload)
  683. );
  684. }
  685. Core.UI.Dialog.ShowAlert(Core.Language.Translate('Upload information'), FileTypeNotAllowedText + FilesTooBigText + AttemptedToUploadAgainText + NoSpaceLeftText);
  686. }
  687. }
  688. $('.AttachmentList').each(function() {
  689. if ($(this).find('tbody tr').length) {
  690. $(this).show();
  691. }
  692. });
  693. // Attachment deletion
  694. $('.AttachmentList').off('click').on('click', '.AttachmentDelete', function() {
  695. var $TriggerObj = $(this),
  696. $AttachmentListContainerObj = $TriggerObj.closest('.AttachmentListContainer'),
  697. $UploadFieldObj = $AttachmentListContainerObj.next('.AjaxDnDUpload'),
  698. FormID = $UploadFieldObj.data('form-id') ? $UploadFieldObj.data('form-id') : $(this).closest('form').find('input[name=FormID]').val(),
  699. Data = {
  700. Action: $(this).data('delete-action') ? $(this).data('delete-action') : 'AjaxAttachment',
  701. Subaction: 'Delete',
  702. FileID: $(this).data('file-id'),
  703. FormID: FormID,
  704. ObjectID: $(this).data('object-id'),
  705. FieldID: $(this).data('field-id'),
  706. };
  707. $TriggerObj.closest('.AttachmentListContainer').find('.Busy').fadeIn();
  708. Core.AJAX.FunctionCall(Core.Config.Get('CGIHandle'), Data, function (Response) {
  709. if (Response && Response.Message && Response.Message == 'Success') {
  710. $TriggerObj.closest('tr').fadeOut(function() {
  711. $(this).remove();
  712. if (Response.Data && Response.Data.length) {
  713. // go through all attachments and update the FileIDs
  714. $.each(Response.Data, function(index, Attachment) {
  715. $AttachmentListContainerObj.find('.AttachmentList td:contains(' + Attachment.Filename + ')').closest('tr').find('a').data('file-id', Attachment.FileID);
  716. });
  717. $AttachmentListContainerObj.find('.Busy').fadeOut();
  718. }
  719. else {
  720. $AttachmentListContainerObj.find('.AttachmentList').hide();
  721. $AttachmentListContainerObj.find('.Busy').hide();
  722. // Remove input field because validation is not needed when there is no attachments (see bug#13081).
  723. $('#AttachmentExists').remove();
  724. }
  725. });
  726. }
  727. else {
  728. alert(Core.Language.Translate('An unknown error occurred when deleting the attachment. Please try again. If the error persists, please contact your system administrator.'));
  729. $AttachmentListContainerObj.find('.Busy').hide();
  730. }
  731. });
  732. return false;
  733. });
  734. $('input[type=file].AjaxDnDUpload').each(function() {
  735. var IsMultiple = ($(this).attr('multiple') == 'multiple'),
  736. UploadContainer = Core.Template.Render('AjaxDnDUpload/UploadContainer', {
  737. 'IsMultiple': IsMultiple
  738. });
  739. // Only initialize events once per attachment field.
  740. if ($(this).next().hasClass('AjaxDnDUploadReady')) {
  741. return;
  742. }
  743. $(this)
  744. .val('')
  745. .hide()
  746. .on('change', function(Event) {
  747. UploadFiles(Event.target.files, $(this).next('.DnDUpload'));
  748. })
  749. .after($(UploadContainer))
  750. .next('.DnDUpload')
  751. .on('click keydown', function(Event) {
  752. if (Event.keyCode && Event.keyCode == 9) {
  753. return true;
  754. }
  755. // The file selection dialog should also appear on focusing the element and pressing enter/space.
  756. if (Event.keyCode && (Event.keyCode != 13 && Event.keyCode != 32)) {
  757. return false;
  758. }
  759. // If this certain upload field does not allow uploading more than one file and a file has
  760. // already been uploaded, prevent the user from uploading more files.
  761. if (!IsMultiple && $(this).closest('.Field').find('.AttachmentList tbody tr').length > 0) {
  762. alert(Core.Language.Translate("Sorry, you can only upload one file here."));
  763. return false;
  764. }
  765. $(this).prev('input.AjaxDnDUpload').trigger('click');
  766. })
  767. .on('drag dragstart dragend dragover dragenter dragleave drop', function(Event) {
  768. Event.preventDefault();
  769. Event.stopPropagation();
  770. })
  771. .on('dragover dragenter', function() {
  772. $(this).addClass('DragOver');
  773. })
  774. .on('dragleave dragend drop', function() {
  775. $(this).removeClass('DragOver');
  776. })
  777. .on('drop', function(Event) {
  778. UploadFiles(Event.originalEvent.dataTransfer.files, $(this));
  779. })
  780. .addClass('AjaxDnDUploadReady');
  781. });
  782. };
  783. /**
  784. * @name InitStickyWidget
  785. * @memberof Core.UI
  786. * @function
  787. * @param {jQueryObject} $Element - The element to animate.
  788. * @param {String} Type - The animation type as defined in Core.Animations.css, e.g. 'Shake'
  789. * @description
  790. * Animate an element on demand using a css-based animation of the given type
  791. */
  792. TargetNS.InitStickyElement = function () {
  793. var Position = $('.StickyElement').offset(),
  794. Width = $('.StickyElement').outerWidth(),
  795. $Element = $('.StickyElement'),
  796. Visible = $('.StickyElement').is(':visible');
  797. if (!Visible) {
  798. return;
  799. }
  800. // if we are on a mobile environment, don't use sticky elements
  801. if (Core.App.Responsive.IsSmallerOrEqual(Core.App.Responsive.GetScreenSize(), 'ScreenL')) {
  802. return;
  803. }
  804. if (!$Element.length || $Element.length > 1) {
  805. return;
  806. }
  807. if ($Element.hasClass('IsSticky')) {
  808. return;
  809. }
  810. function RepositionElement($Element, Width) {
  811. if ($(window).scrollTop() > Position.top) {
  812. if ($Element.hasClass('IsSticky')) {
  813. return false;
  814. }
  815. $Element.css({
  816. 'position' : 'fixed',
  817. 'top' : '9px',
  818. 'width' : Width
  819. }).addClass('IsSticky');
  820. }
  821. else {
  822. $Element.css('position', 'static').removeClass('IsSticky');
  823. }
  824. }
  825. RepositionElement($Element, Width);
  826. $(window).off('scroll.StickyElement').on('scroll.StickyElement', function() {
  827. RepositionElement($Element, Width);
  828. });
  829. };
  830. /**
  831. * @name Init
  832. * @memberof Core.UI
  833. * @function
  834. * @description
  835. * Initializes the namespace.
  836. */
  837. TargetNS.Init = function() {
  838. Core.UI.InitWidgetActionToggle();
  839. Core.UI.InitWidgetTabs();
  840. Core.UI.InitMessageBoxClose();
  841. Core.UI.InitMasterAction();
  842. Core.UI.InitAjaxDnDUpload();
  843. Core.UI.InitStickyElement();
  844. };
  845. Core.Init.RegisterNamespace(TargetNS, 'APP_GLOBAL');
  846. return TargetNS;
  847. }(Core.UI || {}));

^ Use Elevator