diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Ajax/AjaxQueue.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Ajax/AjaxQueue.ts
index 263991781473408c9d33782a161479e4df3b9a3e..8a31afa7ca11c3b1f427e6fdd6551d88ba3470fb 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Ajax/AjaxQueue.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Ajax/AjaxQueue.ts
@@ -11,7 +11,16 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import * as $ from 'jquery';
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+
+interface Payload {
+  url: string;
+  method?: string;
+  data?: { [key: string]: any},
+  onfulfilled: Function;
+  onrejected: Function;
+  finally?: Function;
+}
 
 /**
  * Module: TYPO3/CMS/Install/Module/AjaxQueue
@@ -19,32 +28,42 @@ import * as $ from 'jquery';
 class AjaxQueue {
   private requestCount: number = 0;
   private threshold: number = 10;
-  private queue: Array<any> = [];
-
-  public add(payload: JQueryAjaxSettings): void {
-    const oldComplete = payload.complete;
-    payload.complete = (jqXHR: JQueryXHR, textStatus: string): void => {
-      if (this.queue.length > 0 && this.requestCount <= this.threshold) {
-        $.ajax(this.queue.shift()).always((): void => {
-          this.decrementRequestCount();
-        });
-      } else {
+  private queue: Array<Payload> = [];
+
+  public async add(payload: Payload): Promise<any> {
+    const oldFinally = payload.finally;
+    if (this.queue.length > 0 && this.requestCount <= this.threshold) {
+      this.sendRequest(this.queue.shift()).finally((): void => {
         this.decrementRequestCount();
-      }
+      });
+    } else {
+      this.decrementRequestCount();
+    }
 
-      if (oldComplete) {
-        oldComplete(jqXHR, textStatus);
-      }
-    };
+    if (oldFinally) {
+      oldFinally(...arguments);
+    }
 
     if (this.requestCount >= this.threshold) {
       this.queue.push(payload);
     } else {
       this.incrementRequestCount();
-      $.ajax(payload);
+      this.sendRequest(payload);
     }
   }
 
+  private async sendRequest(payload: Payload): Promise<any> {
+    const request = new AjaxRequest(payload.url);
+    let response: any;
+    if (typeof payload.method !== 'undefined' && payload.method.toUpperCase() === 'POST') {
+      response = request.post(payload.data);
+    } else {
+      response = request.withQueryArguments(payload.data || {}).get();
+    }
+
+    return response.then(payload.onfulfilled, payload.onrejected);
+  }
+
   private incrementRequestCount(): void {
     this.requestCount++;
   }
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Installer.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Installer.ts
index a970b99bf70d067e016b37e68462890f9a84f09c..30eda1a69f0a460786040684638e9ea6a3bfd86c 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Installer.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Installer.ts
@@ -12,10 +12,12 @@
  */
 
 import * as $ from 'jquery';
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import PasswordStrength = require('./Module/PasswordStrength');
 import InfoBox = require('./Renderable/InfoBox');
-import Severity = require('./Renderable/Severity');
 import ProgressBar = require('./Renderable/ProgressBar');
-import PasswordStrength = require('./Module/PasswordStrength');
+import Severity = require('./Renderable/Severity');
 
 /**
  * Walk through the installation process of TYPO3
@@ -103,62 +105,58 @@ class Installer {
   }
 
   private getMainLayout(): void {
-    $.ajax({
-      url: this.getUrl('mainLayout'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('mainLayout')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         $(this.selectorBody).empty().append(data.html);
         this.checkInstallerAvailable();
-      },
-    });
+      });
   }
 
   private checkInstallerAvailable(): void {
-    $.ajax({
-      url: this.getUrl('checkInstallerAvailable'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('checkInstallerAvailable')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         data.success
           ? this.checkEnvironmentAndFolders()
           : this.showInstallerNotAvailable();
-      },
-    });
+      });
   }
 
   private showInstallerNotAvailable(): void {
     let $outputContainer: JQuery = $(this.selectorMainContent);
-    $.ajax({
-      url: this.getUrl('showInstallerNotAvailable'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('showInstallerNotAvailable')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           $outputContainer.empty().append(data.html);
         }
-      },
-    });
+      });
   }
 
   private checkEnvironmentAndFolders(): void {
     this.setProgress(1);
-    $.ajax({
-      url: this.getUrl('checkEnvironmentAndFolders'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('checkEnvironmentAndFolders')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.checkTrustedHostsPattern();
         } else {
           this.showEnvironmentAndFolders();
         }
-      },
-    });
+      });
   }
 
   private showEnvironmentAndFolders(): void {
     let $outputContainer: JQuery = $(this.selectorMainContent);
-    $.ajax({
-      url: this.getUrl('showEnvironmentAndFolders'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('showEnvironmentAndFolders')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           $outputContainer.empty().html(data.html);
           let $detailContainer: JQuery = $('.t3js-installer-environment-details');
@@ -191,89 +189,81 @@ class Installer {
             $('.t3js-installer-environmentFolders-good').show();
           }
         }
-      },
-    });
+      });
   }
 
   private executeEnvironmentAndFolders(): void {
-    $.ajax({
-      url: this.getUrl('executeEnvironmentAndFolders'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('executeEnvironmentAndFolders')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.checkTrustedHostsPattern();
         } else {
           // @todo message output handling
         }
-      },
-    });
+      });
   }
 
   private checkTrustedHostsPattern(): void {
-    $.ajax({
-      url: this.getUrl('checkTrustedHostsPattern'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('checkTrustedHostsPattern')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.executeSilentConfigurationUpdate();
         } else {
           this.executeAdjustTrustedHostsPattern();
         }
-      },
-    });
+      });
   }
 
   private executeAdjustTrustedHostsPattern(): void {
-    $.ajax({
-      url: this.getUrl('executeAdjustTrustedHostsPattern'),
-      cache: false,
-      success: (): void => {
+    (new AjaxRequest(this.getUrl('executeAdjustTrustedHostsPattern')))
+      .get({cache: 'no-cache'})
+      .then((): void => {
         this.executeSilentConfigurationUpdate();
-      },
-    });
+      });
   }
 
   private executeSilentConfigurationUpdate(): void {
-    $.ajax({
-      url: this.getUrl('executeSilentConfigurationUpdate'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('executeSilentConfigurationUpdate')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.checkDatabaseConnect();
         } else {
           this.executeSilentConfigurationUpdate();
         }
-      },
-    });
+      });
   }
 
   private checkDatabaseConnect(): void {
     this.setProgress(2);
-    $.ajax({
-      url: this.getUrl('checkDatabaseConnect'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('checkDatabaseConnect')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.checkDatabaseSelect();
         } else {
           this.showDatabaseConnect();
         }
-      },
-    });
+      });
   }
 
   private showDatabaseConnect(): void {
     let $outputContainer: JQuery = $(this.selectorMainContent);
-    $.ajax({
-      url: this.getUrl('showDatabaseConnect'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('showDatabaseConnect')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           $outputContainer.empty().html(data.html);
           $('#t3js-connect-database-driver').trigger('change');
         }
-      },
-    });
+      });
   }
 
   private executeDatabaseConnect(): void {
@@ -285,12 +275,10 @@ class Installer {
     $($(this.selectorBody + ' form').serializeArray()).each((index: number, element: any): void => {
       postData[element.name] = element.value;
     });
-    $.ajax({
-      url: this.getUrl(),
-      cache: false,
-      method: 'POST',
-      data: postData,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl()))
+      .post(postData)
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.checkDatabaseSelect();
         } else {
@@ -301,36 +289,33 @@ class Installer {
             });
           }
         }
-      },
-    });
+      });
   }
 
   private checkDatabaseSelect(): void {
     this.setProgress(3);
-    $.ajax({
-      url: this.getUrl('checkDatabaseSelect'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('checkDatabaseSelect')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.checkDatabaseData();
         } else {
           this.showDatabaseSelect();
         }
-      },
-    });
+      });
   }
 
   private showDatabaseSelect(): void {
     let $outputContainer: JQuery = $(this.selectorMainContent);
-    $.ajax({
-      url: this.getUrl('showDatabaseSelect'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('showDatabaseSelect')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           $outputContainer.empty().html(data.html);
         }
-      },
-    });
+      });
   }
 
   private executeDatabaseSelect(): void {
@@ -342,12 +327,10 @@ class Installer {
     $($(this.selectorBody + ' form').serializeArray()).each((index: number, element: any): void => {
       postData[element.name] = element.value;
     });
-    $.ajax({
-      url: this.getUrl(),
-      cache: false,
-      method: 'POST',
-      data: postData,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl()))
+      .post(postData)
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.checkDatabaseData();
         } else {
@@ -358,36 +341,33 @@ class Installer {
             });
           }
         }
-      },
-    });
+      });
   }
 
   private checkDatabaseData(): void {
     this.setProgress(4);
-    $.ajax({
-      url: this.getUrl('checkDatabaseData'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('checkDatabaseData')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.showDefaultConfiguration();
         } else {
           this.showDatabaseData();
         }
-      },
-    });
+      });
   }
 
   private showDatabaseData(): void {
     let $outputContainer: JQuery = $(this.selectorMainContent);
-    $.ajax({
-      url: this.getUrl('showDatabaseData'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('showDatabaseData')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           $outputContainer.empty().html(data.html);
         }
-      },
-    });
+      });
   }
 
   private executeDatabaseData(): void {
@@ -401,12 +381,10 @@ class Installer {
     });
     let message: any = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().html(message);
-    $.ajax({
-      url: this.getUrl(),
-      cache: false,
-      method: 'POST',
-      data: postData,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl()))
+      .post(postData)
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           this.showDefaultConfiguration();
         } else {
@@ -417,22 +395,20 @@ class Installer {
             });
           }
         }
-      },
-    });
+      });
   }
 
   private showDefaultConfiguration(): void {
     let $outputContainer: JQuery = $(this.selectorMainContent);
     this.setProgress(5);
-    $.ajax({
-      url: this.getUrl('showDefaultConfiguration'),
-      cache: false,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl('showDefaultConfiguration')))
+      .get({cache: 'no-cache'})
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           $outputContainer.empty().html(data.html);
         }
-      },
-    });
+      });
   }
 
   private executeDefaultConfiguration(): void {
@@ -443,15 +419,12 @@ class Installer {
     $($(this.selectorBody + ' form').serializeArray()).each((index: number, element: any): void => {
       postData[element.name] = element.value;
     });
-    $.ajax({
-      url: this.getUrl(),
-      cache: false,
-      method: 'POST',
-      data: postData,
-      success: (data: any): void => {
+    (new AjaxRequest(this.getUrl()))
+      .post(postData)
+      .then(async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         top.location.href = data.redirect;
-      },
-    });
+      });
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/EnvironmentCheck.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/EnvironmentCheck.ts
index 390dd17c5060912843ea7bae4ab8d32e9cab8fee..56e78d3652c5ac1bdc15ae7495eae4edc46f1f67 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/EnvironmentCheck.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/EnvironmentCheck.ts
@@ -11,15 +11,18 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
-import ProgressBar = require('../../Renderable/ProgressBar');
-import InfoBox = require('../../Renderable/InfoBox');
-import Severity = require('../../Renderable/Severity');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import InfoBox = require('../../Renderable/InfoBox');
+import ProgressBar = require('../../Renderable/ProgressBar');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/EnvironmentCheck
@@ -49,42 +52,43 @@ class EnvironmentCheck extends AbstractInteractableModule {
     modalContent.find(this.selectorOutputContainer).empty().append(message);
     this.findInModal(this.selectorExecuteTrigger).addClass('disabled').prop('disabled', true);
 
-    $.ajax({
-      url: Router.getUrl('environmentCheckGetStatus'),
-      cache: false,
-      success: (data: any): void => {
-        modalContent.empty().append(data.html);
-        Modal.setButtons(data.buttons);
-        let warningCount = 0;
-        let errorCount = 0;
-        if (data.success === true && typeof(data.status) === 'object') {
-          $.each(data.status, (i: number, element: any): void => {
-            if (Array.isArray(element) && element.length > 0) {
-              element.forEach((aStatus: any): void => {
-                if (aStatus.severity === 1) {
-                  warningCount++;
-                }
-                if (aStatus.severity === 2) {
-                  errorCount++;
-                }
-                const aMessage = InfoBox.render(aStatus.severity, aStatus.title, aStatus.message);
-                modalContent.find(this.selectorOutputContainer).append(aMessage);
-              });
+    (new AjaxRequest(Router.getUrl('environmentCheckGetStatus')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          modalContent.empty().append(data.html);
+          Modal.setButtons(data.buttons);
+          let warningCount = 0;
+          let errorCount = 0;
+          if (data.success === true && typeof (data.status) === 'object') {
+            $.each(data.status, (i: number, element: any): void => {
+              if (Array.isArray(element) && element.length > 0) {
+                element.forEach((aStatus: any): void => {
+                  if (aStatus.severity === 1) {
+                    warningCount++;
+                  }
+                  if (aStatus.severity === 2) {
+                    errorCount++;
+                  }
+                  const aMessage = InfoBox.render(aStatus.severity, aStatus.title, aStatus.message);
+                  modalContent.find(this.selectorOutputContainer).append(aMessage);
+                });
+              }
+            });
+            if (errorCount > 0) {
+              $errorBadge.removeClass('label-warning').addClass('label-danger').text(errorCount).show();
+            } else if (warningCount > 0) {
+              $errorBadge.removeClass('label-error').addClass('label-warning').text(warningCount).show();
             }
-          });
-          if (errorCount > 0) {
-            $errorBadge.removeClass('label-warning').addClass('label-danger').text(errorCount).show();
-          } else if (warningCount > 0) {
-            $errorBadge.removeClass('label-error').addClass('label-warning').text(warningCount).show();
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/FolderStructure.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/FolderStructure.ts
index 768061482f276defff821aa64fd34ab04442712b..e15dc78370e7f15de9432454b366f02e664ac3f0 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/FolderStructure.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/FolderStructure.ts
@@ -11,15 +11,18 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
-import ProgressBar = require('../../Renderable/ProgressBar');
-import InfoBox = require('../../Renderable/InfoBox');
-import Severity = require('../../Renderable/Severity');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import InfoBox = require('../../Renderable/InfoBox');
+import ProgressBar = require('../../Renderable/ProgressBar');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/FolderStructure
@@ -58,52 +61,53 @@ class FolderStructure extends AbstractInteractableModule {
     modalContent.find(this.selectorOutputContainer).empty().append(
       ProgressBar.render(Severity.loading, 'Loading...', ''),
     );
-    $.ajax({
-      url: Router.getUrl('folderStructureGetStatus'),
-      cache: false,
-      success: (data: any): void => {
-        modalContent.empty().append(data.html);
-        Modal.setButtons(data.buttons);
-        if (data.success === true && Array.isArray(data.errorStatus)) {
-          let errorCount = 0;
-          if (data.errorStatus.length > 0) {
-            modalContent.find(this.selectorErrorContainer).show();
-            modalContent.find(this.selectorErrorList).empty();
-            data.errorStatus.forEach(((aElement: any): void => {
-              errorCount++;
-              $errorBadge.text(errorCount).show();
-              const aMessage = InfoBox.render(aElement.severity, aElement.title, aElement.message);
-              modalContent.find(this.selectorErrorList).append(aMessage);
-            }));
-          } else {
-            modalContent.find(this.selectorErrorContainer).hide();
+    (new AjaxRequest(Router.getUrl('folderStructureGetStatus')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          modalContent.empty().append(data.html);
+          Modal.setButtons(data.buttons);
+          if (data.success === true && Array.isArray(data.errorStatus)) {
+            let errorCount = 0;
+            if (data.errorStatus.length > 0) {
+              modalContent.find(this.selectorErrorContainer).show();
+              modalContent.find(this.selectorErrorList).empty();
+              data.errorStatus.forEach(((aElement: any): void => {
+                errorCount++;
+                $errorBadge.text(errorCount).show();
+                const aMessage = InfoBox.render(aElement.severity, aElement.title, aElement.message);
+                modalContent.find(this.selectorErrorList).append(aMessage);
+              }));
+            } else {
+              modalContent.find(this.selectorErrorContainer).hide();
+            }
           }
-        }
-        if (data.success === true && Array.isArray(data.okStatus)) {
-          if (data.okStatus.length > 0) {
-            modalContent.find(this.selectorOkContainer).show();
-            modalContent.find(this.selectorOkList).empty();
-            data.okStatus.forEach(((aElement: any): void => {
-              const aMessage = InfoBox.render(aElement.severity, aElement.title, aElement.message);
-              modalContent.find(this.selectorOkList).append(aMessage);
-            }));
-          } else {
-            modalContent.find(this.selectorOkContainer).hide();
+          if (data.success === true && Array.isArray(data.okStatus)) {
+            if (data.okStatus.length > 0) {
+              modalContent.find(this.selectorOkContainer).show();
+              modalContent.find(this.selectorOkList).empty();
+              data.okStatus.forEach(((aElement: any): void => {
+                const aMessage = InfoBox.render(aElement.severity, aElement.title, aElement.message);
+                modalContent.find(this.selectorOkList).append(aMessage);
+              }));
+            } else {
+              modalContent.find(this.selectorOkContainer).hide();
+            }
           }
+          let element = data.folderStructureFilePermissionStatus;
+          modalContent.find(this.selectorPermissionContainer).empty().append(
+            InfoBox.render(element.severity, element.title, element.message),
+          );
+          element = data.folderStructureDirectoryPermissionStatus;
+          modalContent.find(this.selectorPermissionContainer).append(
+            InfoBox.render(element.severity, element.title, element.message),
+          );
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-        let element = data.folderStructureFilePermissionStatus;
-        modalContent.find(this.selectorPermissionContainer).empty().append(
-          InfoBox.render(element.severity, element.title, element.message),
-        );
-        element = data.folderStructureDirectoryPermissionStatus;
-        modalContent.find(this.selectorPermissionContainer).append(
-          InfoBox.render(element.severity, element.title, element.message),
-        );
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private fix(): void {
@@ -111,32 +115,33 @@ class FolderStructure extends AbstractInteractableModule {
     const $outputContainer: JQuery = this.findInModal(this.selectorOutputContainer);
     const message: any = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().html(message);
-    $.ajax({
-      url: Router.getUrl('folderStructureFix'),
-      cache: false,
-      success: (data: any): void => {
-        FolderStructure.removeLoadingMessage($outputContainer);
-        if (data.success === true && Array.isArray(data.fixedStatus)) {
-          if (data.fixedStatus.length > 0) {
-            data.fixedStatus.forEach((element: any): void => {
+    (new AjaxRequest(Router.getUrl('folderStructureFix')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          FolderStructure.removeLoadingMessage($outputContainer);
+          if (data.success === true && Array.isArray(data.fixedStatus)) {
+            if (data.fixedStatus.length > 0) {
+              data.fixedStatus.forEach((element: any): void => {
+                $outputContainer.append(
+                  InfoBox.render(element.severity, element.title, element.message),
+                );
+              });
+            } else {
               $outputContainer.append(
-                InfoBox.render(element.severity, element.title, element.message),
+                InfoBox.render(Severity.warning, 'Nothing fixed', ''),
               );
-            });
+            }
+            this.getStatus();
           } else {
-            $outputContainer.append(
-              InfoBox.render(Severity.warning, 'Nothing fixed', ''),
-            );
+            Notification.error('Something went wrong');
           }
-          this.getStatus();
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/ImageProcessing.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/ImageProcessing.ts
index 733bb433b868c494135b4c3626aa5581e3a4c898..10a2abea0c16b5a767a9aa4e76d8783dcba78c11 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/ImageProcessing.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/ImageProcessing.ts
@@ -11,14 +11,17 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
-import InfoBox = require('../../Renderable/InfoBox');
-import Severity = require('../../Renderable/Severity');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import InfoBox = require('../../Renderable/InfoBox');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/ImageProcessing
@@ -43,22 +46,23 @@ class ImageProcessing extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('imageProcessingGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-          this.runTests();
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('imageProcessingGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+            this.runTests();
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private runTests(): void {
@@ -67,52 +71,54 @@ class ImageProcessing extends AbstractInteractableModule {
     $triggerButton.addClass('disabled').prop('disabled', true);
 
     const $twinImageTemplate = this.findInModal(this.selectorTwinImageTemplate);
-    const promises: Array<JQueryXHR> = [];
+    const promises: Array<Promise<any>> = [];
     modalContent.find(this.selectorTestContainer).each((index: number, element: any): void => {
       const $container: JQuery = $(element);
       const testType: string = $container.data('test');
       const message: any = InfoBox.render(Severity.loading, 'Loading...', '');
       $container.empty().html(message);
-      promises.push($.ajax({
-        url: Router.getUrl(testType),
-        cache: false,
-        success: (data: any): void => {
-          if (data.success === true) {
-            $container.empty();
-            if (Array.isArray(data.status)) {
-              data.status.forEach((): void => {
-                const aMessage = InfoBox.render(element.severity, element.title, element.message);
-                $container.append(aMessage);
-              });
+      const request = (new AjaxRequest(Router.getUrl(testType)))
+        .get({cache: 'no-cache'})
+        .then(
+          async (response: AjaxResponse): Promise<any> => {
+            const data = await response.resolve();
+            if (data.success === true) {
+              $container.empty();
+              if (Array.isArray(data.status)) {
+                data.status.forEach((): void => {
+                  const aMessage = InfoBox.render(element.severity, element.title, element.message);
+                  $container.append(aMessage);
+                });
+              }
+              const $aTwin = $twinImageTemplate.clone();
+              $aTwin.removeClass('t3js-imageProcessing-twinImage-template');
+              if (data.fileExists === true) {
+                $aTwin.find('img.reference').attr('src', data.referenceFile);
+                $aTwin.find('img.result').attr('src', data.outputFile);
+                $aTwin.find(this.selectorTwinImages).show();
+              }
+              if (Array.isArray(data.command) && data.command.length > 0) {
+                $aTwin.find(this.selectorCommandContainer).show();
+                const commandText: Array<string> = [];
+                data.command.forEach((aElement: any): void => {
+                  commandText.push('<strong>Command:</strong>\n' + aElement[1]);
+                  if (aElement.length === 3) {
+                    commandText.push('<strong>Result:</strong>\n' + aElement[2]);
+                  }
+                });
+                $aTwin.find(this.selectorCommandText).html(commandText.join('\n'));
+              }
+              $container.append($aTwin);
             }
-            const $aTwin = $twinImageTemplate.clone();
-            $aTwin.removeClass('t3js-imageProcessing-twinImage-template');
-            if (data.fileExists === true) {
-              $aTwin.find('img.reference').attr('src', data.referenceFile);
-              $aTwin.find('img.result').attr('src', data.outputFile);
-              $aTwin.find(this.selectorTwinImages).show();
-            }
-            if (Array.isArray(data.command) && data.command.length > 0) {
-              $aTwin.find(this.selectorCommandContainer).show();
-              const commandText: Array<string> = [];
-              data.command.forEach((aElement: any): void => {
-                commandText.push('<strong>Command:</strong>\n' + aElement[1]);
-                if (aElement.length === 3) {
-                  commandText.push('<strong>Result:</strong>\n' + aElement[2]);
-                }
-              });
-              $aTwin.find(this.selectorCommandText).html(commandText.join('\n'));
-            }
-            $container.append($aTwin);
+          },
+          (error: ResponseError): void => {
+            Router.handleAjaxError(error, modalContent);
           }
-        },
-        error: (xhr: XMLHttpRequest): void => {
-          Router.handleAjaxError(xhr, modalContent);
-        },
-      }));
+        );
+      promises.push(request);
     });
 
-    $.when.apply($, promises).done((): void => {
+    Promise.all(promises).then((): void => {
       $triggerButton.removeClass('disabled').prop('disabled', false);
     });
   }
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/MailTest.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/MailTest.ts
index 17b20713173879a018456a3e1bfb7cbc81489994..436400cbe3439e222b07affe39aabddf481bae4d 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/MailTest.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/MailTest.ts
@@ -11,15 +11,17 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
-import ProgressBar = require('../../Renderable/ProgressBar');
-import Severity = require('../../Renderable/Severity');
-import InfoBox = require('../../Renderable/InfoBox');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import InfoBox = require('../../Renderable/InfoBox');
+import ProgressBar = require('../../Renderable/ProgressBar');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/CreateAdmin
@@ -39,21 +41,22 @@ class MailTest extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('mailTestGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('mailTestGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private send(): void {
@@ -61,33 +64,32 @@ class MailTest extends AbstractInteractableModule {
     const $outputContainer: JQuery = this.findInModal(this.selectorOutputContainer);
     const message: any = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().html(message);
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'mailTest',
-          'token': executeToken,
-          'email': this.findInModal('.t3js-mailTest-email').val(),
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'mailTest',
+          token: executeToken,
+          email: this.findInModal('.t3js-mailTest-email').val(),
+        },
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          $outputContainer.empty();
+          if (Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              const aMessage: any = InfoBox.render(element.severity, element.title, element.message);
+              $outputContainer.html(aMessage);
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        $outputContainer.empty();
-        if (Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            const aMessage: any = InfoBox.render(element.severity, element.title, element.message);
-            $outputContainer.html(aMessage);
-          });
-        } else {
+        (): void => {
+          // 500 can happen here if the mail configuration is broken
           Notification.error('Something went wrong');
         }
-      },
-      error: (): void => {
-        // 500 can happen here if the mail configuration is broken
-        Notification.error('Something went wrong');
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/PhpInfo.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/PhpInfo.ts
index e85c59df94f688e770500bae74276b59a620f8ca..18874de9e73ecba99a106e6f07ba460f454136a3 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/PhpInfo.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/PhpInfo.ts
@@ -11,10 +11,12 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
-import Router = require('../../Router');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 
 /**
  * Module: TYPO3/CMS/Install/Module/PhpInfo
@@ -27,20 +29,21 @@ class PhpInfo extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('phpInfoGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('phpInfoGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/SystemInformation.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/SystemInformation.ts
index 6e30a38421aac2cf7c4998887f4555b07b4a7eed..8bb77517dceaaa980cff8749ea83b055f4f9a109 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/SystemInformation.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Environment/SystemInformation.ts
@@ -11,10 +11,12 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
-import Router = require('../../Router');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 
 /**
  * Module: TYPO3/CMS/Install/Module/SystemInformation
@@ -27,20 +29,21 @@ class SystemInformation extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('systemInformationGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('systemInformationGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/Cache.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/Cache.ts
index 0333c3fe898a705953d4fbe66955c5e1cf81db83..62586344f88fce521c88c0e21a0a02f5fc79f895 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/Cache.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/Cache.ts
@@ -11,44 +11,45 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {InlineModuleInterface} from './../InlineModuleInterface';
-import * as $ from 'jquery';
-import Router = require('../../Router');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {InlineModuleInterface} from './../InlineModuleInterface';
 
 /**
  * Module: TYPO3/CMS/Install/Module/Cache
  */
 class Cache implements InlineModuleInterface {
   public initialize($trigger: JQuery): void {
-    $.ajax({
-      url: Router.getUrl('cacheClearAll', 'maintenance'),
-      cache: false,
-      beforeSend: (): void => {
-        $trigger.addClass('disabled').prop('disabled', true);
-      },
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          if (data.status.length > 0) {
-            data.status.forEach((element: any): void => {
-              Notification.success(element.title, element.message);
-            });
+    $trigger.addClass('disabled').prop('disabled', true);
+
+    (new AjaxRequest(Router.getUrl('cacheClearAll', 'maintenance')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            if (data.status.length > 0) {
+              data.status.forEach((element: any): void => {
+                Notification.success(element.title, element.message);
+              });
+            }
+          } else {
+            Notification.error('Something went wrong clearing caches');
           }
-        } else {
-          Notification.error('Something went wrong clearing caches');
+        },
+        (): void => {
+          // In case the clear cache action fails (typically 500 from server), do not kill the entire
+          // install tool, instead show a notification that something went wrong.
+          Notification.error(
+            'Clearing caches went wrong on the server side. Check the system for broken extensions or missing database tables and try again',
+          );
         }
-      },
-      error: (): void => {
-        // In case the clear cache action fails (typically 500 from server), do not kill the entire
-        // install tool, instead show a notification that something went wrong.
-        Notification.error(
-          'Clearing caches went wrong on the server side. Check the system for broken extensions or missing database tables and try again',
-        );
-      },
-      complete: (): void => {
+      )
+      .finally((): void => {
         $trigger.removeClass('disabled').prop('disabled', false);
-      },
-    });
+      });
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTables.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTables.ts
index 1bc4a8afbc309a3b8161407c823ffb715376ddd2..e52d51c4fa2a1b76efc2cb97247cdd8d0fd7f868 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTables.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTables.ts
@@ -11,11 +11,14 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import * as $ from 'jquery';
-import Router = require('../../Router');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/ClearTables
@@ -49,64 +52,63 @@ class ClearTables extends AbstractInteractableModule {
 
   private getStats(): void {
     const modalContent: JQuery = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('clearTablesStats'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-          if (Array.isArray(data.stats) && data.stats.length > 0) {
-            data.stats.forEach((element: any): void => {
-              if (element.rowCount > 0) {
-                const aStat = modalContent.find(this.selectorStatTemplate).clone();
-                aStat.find(this.selectorStatDescription).text(element.description);
-                aStat.find(this.selectorStatName).text(element.name);
-                aStat.find(this.selectorStatRows).text(element.rowCount);
-                aStat.find(this.selectorClearTrigger).attr('data-table', element.name);
-                modalContent.find(this.selectorStatContainer).append(aStat.html());
-              }
-            });
+    (new AjaxRequest(Router.getUrl('clearTablesStats')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+            if (Array.isArray(data.stats) && data.stats.length > 0) {
+              data.stats.forEach((element: any): void => {
+                if (element.rowCount > 0) {
+                  const aStat = modalContent.find(this.selectorStatTemplate).clone();
+                  aStat.find(this.selectorStatDescription).text(element.description);
+                  aStat.find(this.selectorStatName).text(element.name);
+                  aStat.find(this.selectorStatRows).text(element.rowCount);
+                  aStat.find(this.selectorClearTrigger).attr('data-table', element.name);
+                  modalContent.find(this.selectorStatContainer).append(aStat.html());
+                }
+              });
+            }
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private clear(table: string): void {
     const modalContent = this.getModalBody();
     const executeToken = this.getModuleContent().data('clear-tables-clear-token');
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      context: this,
-      data: {
-        'install': {
-          'action': 'clearTablesClear',
-          'token': executeToken,
-          'table': table,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'clearTablesClear',
+          token: executeToken,
+          table: table,
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.success(element.message);
-          });
-        } else {
-          Notification.error('Something went wrong');
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.success(element.message);
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+          this.getStats();
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-        this.getStats();
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTypo3tempFiles.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTypo3tempFiles.ts
index 51ea5193ea92ee922ad43335b6794b52e5e7937e..1603c29fcd715ef578b3241ca1d17b0c3f404510 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTypo3tempFiles.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ClearTypo3tempFiles.ts
@@ -11,11 +11,14 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import * as $ from 'jquery';
-import Router = require('../../Router');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/ClearTypo3tempFiles
@@ -48,65 +51,64 @@ class ClearTypo3tempFiles extends AbstractInteractableModule {
 
   private getStats(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('clearTypo3tempFilesStats'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-          if (Array.isArray(data.stats) && data.stats.length > 0) {
-            data.stats.forEach((element: any): void => {
-              if (element.numberOfFiles > 0) {
-                const aStat = modalContent.find(this.selectorStatTemplate).clone();
-                aStat.find(this.selectorStatNumberOfFiles).text(element.numberOfFiles);
-                aStat.find(this.selectorStatDirectory).text(element.directory);
-                aStat.find(this.selectorDeleteTrigger).attr('data-folder', element.directory);
-                aStat.find(this.selectorDeleteTrigger).attr('data-storage-uid', element.storageUid);
-                modalContent.find(this.selectorStatContainer).append(aStat.html());
-              }
-            });
+    (new AjaxRequest(Router.getUrl('clearTypo3tempFilesStats')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+            if (Array.isArray(data.stats) && data.stats.length > 0) {
+              data.stats.forEach((element: any): void => {
+                if (element.numberOfFiles > 0) {
+                  const aStat = modalContent.find(this.selectorStatTemplate).clone();
+                  aStat.find(this.selectorStatNumberOfFiles).text(element.numberOfFiles);
+                  aStat.find(this.selectorStatDirectory).text(element.directory);
+                  aStat.find(this.selectorDeleteTrigger).attr('data-folder', element.directory);
+                  aStat.find(this.selectorDeleteTrigger).attr('data-storage-uid', element.storageUid);
+                  modalContent.find(this.selectorStatContainer).append(aStat.html());
+                }
+              });
+            }
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private delete(folder: string, storageUid: number): void {
     const modalContent = this.getModalBody();
     const executeToken = this.getModuleContent().data('clear-typo3temp-delete-token');
-    $.ajax({
-      method: 'POST',
-      url: Router.getUrl(),
-      context: this,
-      data: {
-        'install': {
-          'action': 'clearTypo3tempFiles',
-          'token': executeToken,
-          'folder': folder,
-          'storageUid': storageUid,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'clearTypo3tempFiles',
+          token: executeToken,
+          folder: folder,
+          storageUid: storageUid,
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.success(element.message);
-          });
-          this.getStats();
-        } else {
-          Notification.error('Something went wrong');
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.success(element.message);
+            });
+            this.getStats();
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/CreateAdmin.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/CreateAdmin.ts
index 8010aa5634bfe246b393859f36823b4da19abd6d..c06852d3799f0e5889baf57dbb672acfa0fee888 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/CreateAdmin.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/CreateAdmin.ts
@@ -11,12 +11,14 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
-import Router = require('../../Router');
-import PasswordStrength = require('../PasswordStrength');
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
+import PasswordStrength = require('../PasswordStrength');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 
 /**
  * Module: TYPO3/CMS/Install/Module/CreateAdmin
@@ -40,58 +42,58 @@ class CreateAdmin extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('createAdminGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('createAdminGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private create(): void {
     const modalContent = this.getModalBody();
     const executeToken = this.getModuleContent().data('create-admin-token');
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'createAdmin',
-          'token': executeToken,
-          'userName': this.findInModal('.t3js-createAdmin-user').val(),
-          'userPassword': this.findInModal('.t3js-createAdmin-password').val(),
-          'userPasswordCheck': this.findInModal('.t3js-createAdmin-password-check').val(),
-          'userEmail': this.findInModal('.t3js-createAdmin-email').val(),
-          'userSystemMaintainer': (this.findInModal('.t3js-createAdmin-system-maintainer').is(':checked')) ? 1 : 0,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'createAdmin',
+          token: executeToken,
+          userName: this.findInModal('.t3js-createAdmin-user').val(),
+          userPassword: this.findInModal('.t3js-createAdmin-password').val(),
+          userPasswordCheck: this.findInModal('.t3js-createAdmin-password-check').val(),
+          userEmail: this.findInModal('.t3js-createAdmin-email').val(),
+          userSystemMaintainer: (this.findInModal('.t3js-createAdmin-system-maintainer').is(':checked')) ? 1 : 0,
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            if (element.severity === 2) {
-              Notification.error(element.message);
-            } else {
-              Notification.success(element.title);
-            }
-          });
-        } else {
-          Notification.error('Something went wrong');
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              if (element.severity === 2) {
+                Notification.error(element.message);
+              } else {
+                Notification.success(element.title);
+              }
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
     this.findInModal('.t3js-createAdmin-user').val('');
     this.findInModal('.t3js-createAdmin-password').val('');
     this.findInModal('.t3js-createAdmin-password-check').val('');
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DatabaseAnalyzer.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DatabaseAnalyzer.ts
index 686719ae553cfc98b80a79b65aa13ed4acf71fd3..8da4c4c9345efca2404f260a3c3b9f8452ede266 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DatabaseAnalyzer.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DatabaseAnalyzer.ts
@@ -11,14 +11,17 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import * as $ from 'jquery';
-import Router = require('../../Router');
-import ProgressBar = require('../../Renderable/ProgressBar');
-import InfoBox = require('../../Renderable/InfoBox');
-import Severity = require('../../Renderable/Severity');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import InfoBox = require('../../Renderable/InfoBox');
+import ProgressBar = require('../../Renderable/ProgressBar');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/DatabaseAnalyzer
@@ -52,22 +55,23 @@ class DatabaseAnalyzer extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('databaseAnalyzer'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-          this.analyze();
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('databaseAnalyzer')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+            this.analyze();
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private analyze(): void {
@@ -87,67 +91,68 @@ class DatabaseAnalyzer extends AbstractInteractableModule {
       executeTrigger.prop('disabled', !hasCheckedCheckboxes);
     });
 
-    $.ajax({
-      url: Router.getUrl('databaseAnalyzerAnalyze'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            outputContainer.find('.alert-loading').remove();
-            data.status.forEach((element: any): void => {
-              const message = InfoBox.render(element.severity, element.title, element.message);
-              outputContainer.append(message);
-            });
-          }
-          if (Array.isArray(data.suggestions)) {
-            data.suggestions.forEach((element: any): void => {
-              const aBlock = modalContent.find(this.selectorSuggestionBlock).clone();
-              aBlock.removeClass(this.selectorSuggestionBlock.substr(1));
-              const key = element.key;
-              aBlock.find('.t3js-databaseAnalyzer-suggestion-block-legend').text(element.label);
-              aBlock.find('.t3js-databaseAnalyzer-suggestion-block-checkbox').attr('id', 't3-install-' + key + '-checkbox');
-              if (element.enabled) {
-                aBlock.find('.t3js-databaseAnalyzer-suggestion-block-checkbox').attr('checked', 'checked');
-              }
-              aBlock.find('.t3js-databaseAnalyzer-suggestion-block-label').attr('for', 't3-install-' + key + '-checkbox');
-              element.children.forEach((line: any): void => {
-                const aLine = modalContent.find(this.selectorSuggestionLineTemplate).children().clone();
-                const hash = line.hash;
-                const $checkbox = aLine.find('.t3js-databaseAnalyzer-suggestion-line-checkbox');
-                $checkbox.attr('id', 't3-install-db-' + hash).attr('data-hash', hash);
+    (new AjaxRequest(Router.getUrl('databaseAnalyzerAnalyze')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              outputContainer.find('.alert-loading').remove();
+              data.status.forEach((element: any): void => {
+                const message = InfoBox.render(element.severity, element.title, element.message);
+                outputContainer.append(message);
+              });
+            }
+            if (Array.isArray(data.suggestions)) {
+              data.suggestions.forEach((element: any): void => {
+                const aBlock = modalContent.find(this.selectorSuggestionBlock).clone();
+                aBlock.removeClass(this.selectorSuggestionBlock.substr(1));
+                const key = element.key;
+                aBlock.find('.t3js-databaseAnalyzer-suggestion-block-legend').text(element.label);
+                aBlock.find('.t3js-databaseAnalyzer-suggestion-block-checkbox').attr('id', 't3-install-' + key + '-checkbox');
                 if (element.enabled) {
-                  $checkbox.attr('checked', 'checked');
+                  aBlock.find('.t3js-databaseAnalyzer-suggestion-block-checkbox').attr('checked', 'checked');
                 }
-                aLine.find('.t3js-databaseAnalyzer-suggestion-line-label').attr('for', 't3-install-db-' + hash);
-                aLine.find('.t3js-databaseAnalyzer-suggestion-line-statement').text(line.statement);
-                if (typeof line.current !== 'undefined') {
-                  aLine.find('.t3js-databaseAnalyzer-suggestion-line-current-value').text(line.current);
-                  aLine.find('.t3js-databaseAnalyzer-suggestion-line-current').show();
-                }
-                if (typeof line.rowCount !== 'undefined') {
-                  aLine.find('.t3js-databaseAnalyzer-suggestion-line-count-value').text(line.rowCount);
-                  aLine.find('.t3js-databaseAnalyzer-suggestion-line-count').show();
-                }
-                aBlock.find(this.selectorSuggestionList).append(aLine);
+                aBlock.find('.t3js-databaseAnalyzer-suggestion-block-label').attr('for', 't3-install-' + key + '-checkbox');
+                element.children.forEach((line: any): void => {
+                  const aLine = modalContent.find(this.selectorSuggestionLineTemplate).children().clone();
+                  const hash = line.hash;
+                  const $checkbox = aLine.find('.t3js-databaseAnalyzer-suggestion-line-checkbox');
+                  $checkbox.attr('id', 't3-install-db-' + hash).attr('data-hash', hash);
+                  if (element.enabled) {
+                    $checkbox.attr('checked', 'checked');
+                  }
+                  aLine.find('.t3js-databaseAnalyzer-suggestion-line-label').attr('for', 't3-install-db-' + hash);
+                  aLine.find('.t3js-databaseAnalyzer-suggestion-line-statement').text(line.statement);
+                  if (typeof line.current !== 'undefined') {
+                    aLine.find('.t3js-databaseAnalyzer-suggestion-line-current-value').text(line.current);
+                    aLine.find('.t3js-databaseAnalyzer-suggestion-line-current').show();
+                  }
+                  if (typeof line.rowCount !== 'undefined') {
+                    aLine.find('.t3js-databaseAnalyzer-suggestion-line-count-value').text(line.rowCount);
+                    aLine.find('.t3js-databaseAnalyzer-suggestion-line-count').show();
+                  }
+                  aBlock.find(this.selectorSuggestionList).append(aLine);
+                });
+                outputContainer.append(aBlock.html());
               });
-              outputContainer.append(aBlock.html());
-            });
 
-            const isInitiallyDisabled = outputContainer.find(':checked').length === 0;
-            analyzeTrigger.prop('disabled', false);
-            executeTrigger.prop('disabled', isInitiallyDisabled);
-          }
-          if (data.suggestions.length === 0 && data.status.length === 0) {
-            outputContainer.append(InfoBox.render(Severity.ok, 'Database schema is up to date. Good job!', ''));
+              const isInitiallyDisabled = outputContainer.find(':checked').length === 0;
+              analyzeTrigger.prop('disabled', false);
+              executeTrigger.prop('disabled', isInitiallyDisabled);
+            }
+            if (data.suggestions.length === 0 && data.status.length === 0) {
+              outputContainer.append(InfoBox.render(Severity.ok, 'Database schema is up to date. Good job!', ''));
+            }
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private execute(): void {
@@ -163,31 +168,30 @@ class DatabaseAnalyzer extends AbstractInteractableModule {
     modalContent.find(this.selectorExecuteTrigger).prop('disabled', true);
     modalContent.find(this.selectorAnalyzeTrigger).prop('disabled', true);
 
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'databaseAnalyzerExecute',
-          'token': executeToken,
-          'hashes': selectedHashes,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'databaseAnalyzerExecute',
+          token: executeToken,
+          hashes: selectedHashes,
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              Notification.showMessage(element.title, element.message, element.severity);
-            });
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                Notification.showMessage(element.title, element.message, element.severity);
+              });
+            }
           }
+          this.analyze();
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-        this.analyze();
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DumpAutoload.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DumpAutoload.ts
index 4780c541c276255cbe90bd89cbecd0c6767935f5..bd6821a1b2fcfa8cb9d070e8c9a88bde5b581f57 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DumpAutoload.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/DumpAutoload.ts
@@ -11,42 +11,43 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {InlineModuleInterface} from './../InlineModuleInterface';
-import * as $ from 'jquery';
-import Router = require('../../Router');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {InlineModuleInterface} from './../InlineModuleInterface';
 
 /**
  * Module: TYPO3/CMS/Install/Module/DumpAutoload
  */
 class DumpAutoload implements InlineModuleInterface {
   public initialize($trigger: JQuery): void {
-    $.ajax({
-      url: Router.getUrl('dumpAutoload'),
-      cache: false,
-      beforeSend: (): void => {
-        $trigger.addClass('disabled').prop('disabled', true);
-      },
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          if (data.status.length > 0) {
-            data.status.forEach((element: any): void => {
-              Notification.success(element.message);
-            });
+    $trigger.addClass('disabled').prop('disabled', true);
+
+    (new AjaxRequest(Router.getUrl('dumpAutoload')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            if (data.status.length > 0) {
+              data.status.forEach((element: any): void => {
+                Notification.success(element.message);
+              });
+            }
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (): void => {
+          // In case the dump action fails (typically 500 from server), do not kill the entire
+          // install tool, instead show a notification that something went wrong.
+          Notification.error('Dumping autoload files went wrong on the server side. Check the system for broken extensions and try again');
         }
-      },
-      error: (): void => {
-        // In case the dump action fails (typically 500 from server), do not kill the entire
-        // install tool, instead show a notification that something went wrong.
-        Notification.error('Dumping autoload files went wrong on the server side. Check the system for broken extensions and try again');
-      },
-      complete: (): void => {
+      )
+      .finally((): void => {
         $trigger.removeClass('disabled').prop('disabled', false);
-      },
-    });
+      });
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/LanguagePacks.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/LanguagePacks.ts
index f35c179c4c0dafe88afbc20a5a63e409811ab747..f593a58e22437a037af2e9a8843ea35ad094653b 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/LanguagePacks.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/LanguagePacks.ts
@@ -11,15 +11,18 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import SecurityUtility = require('TYPO3/CMS/Core/SecurityUtility');
 import FlashMessage = require('../../Renderable/FlashMessage');
-import ProgressBar = require('../../Renderable/ProgressBar');
 import InfoBox = require('../../Renderable/InfoBox');
-import SecurityUtility = require('TYPO3/CMS/Core/SecurityUtility');
+import ProgressBar = require('../../Renderable/ProgressBar');
 import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/LanguagePacks
@@ -87,30 +90,31 @@ class LanguagePacks extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('languagePacksGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          this.activeLanguages = data.activeLanguages;
-          this.activeExtensions = data.activeExtensions;
-          modalContent.empty().append(data.html);
-          const contentContainer: JQuery = modalContent.parent().find(this.selectorContentContainer);
-          contentContainer.empty();
-          contentContainer.append(this.languageMatrixHtml(data));
-          contentContainer.append(this.extensionMatrixHtml(data));
-          $('[data-toggle="tooltip"]').tooltip(<any>({container: contentContainer}));
-        } else {
-          const message = InfoBox.render(Severity.error, 'Something went wrong', '');
-          this.addNotification(message);
-        }
+    (new AjaxRequest(Router.getUrl('languagePacksGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            this.activeLanguages = data.activeLanguages;
+            this.activeExtensions = data.activeExtensions;
+            modalContent.empty().append(data.html);
+            const contentContainer: JQuery = modalContent.parent().find(this.selectorContentContainer);
+            contentContainer.empty();
+            contentContainer.append(this.languageMatrixHtml(data));
+            contentContainer.append(this.extensionMatrixHtml(data));
+            $('[data-toggle="tooltip"]').tooltip(<any>({container: contentContainer}));
+          } else {
+            const message = InfoBox.render(Severity.error, 'Something went wrong', '');
+            this.addNotification(message);
+          }
 
-        this.renderNotifications();
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+          this.renderNotifications();
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
+        }
+      );
   }
 
   private activateLanguage(iso: string): void {
@@ -119,38 +123,34 @@ class LanguagePacks extends AbstractInteractableModule {
     const message = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().append(message);
 
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      context: this,
-      data: {
-        'install': {
-          'action': 'languagePacksActivateLanguage',
-          'token': this.getModuleContent().data('language-packs-activate-language-token'),
-          'iso': iso,
+    this.getNotificationBox().empty();
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'languagePacksActivateLanguage',
+          token: this.getModuleContent().data('language-packs-activate-language-token'),
+          iso: iso,
         },
-      },
-      cache: false,
-      beforeSend: (): void => {
-        this.getNotificationBox().empty();
-      },
-      success: (data: any): void => {
-        $outputContainer.empty();
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            const m: any = InfoBox.render(element.severity, element.title, element.message);
-            this.addNotification(m);
-          });
-        } else {
-          const m2: any = FlashMessage.render(Severity.error, 'Something went wrong', '');
-          this.addNotification(m2);
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          $outputContainer.empty();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              const m: any = InfoBox.render(element.severity, element.title, element.message);
+              this.addNotification(m);
+            });
+          } else {
+            const m2: any = FlashMessage.render(Severity.error, 'Something went wrong', '');
+            this.addNotification(m2);
+          }
+          this.getData();
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-        this.getData();
-      },
-      error: (xhr: XMLHttpRequest): any => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private deactivateLanguage(iso: string): void {
@@ -158,48 +158,44 @@ class LanguagePacks extends AbstractInteractableModule {
     const $outputContainer = this.findInModal(this.selectorOutputContainer);
     const message = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().append(message);
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      context: this,
-      data: {
-        'install': {
-          'action': 'languagePacksDeactivateLanguage',
-          'token': this.getModuleContent().data('language-packs-deactivate-language-token'),
-          'iso': iso,
+    this.getNotificationBox().empty();
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'languagePacksDeactivateLanguage',
+          token: this.getModuleContent().data('language-packs-deactivate-language-token'),
+          iso: iso,
         },
-      },
-      cache: false,
-      beforeSend: (): void => {
-        this.getNotificationBox().empty();
-      },
-      success: (data: any): void => {
-        $outputContainer.empty();
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            const m: any = InfoBox.render(element.severity, element.title, element.message);
-            this.addNotification(m);
-          });
-        } else {
-          const m2: any = FlashMessage.render(Severity.error, 'Something went wrong', '');
-          this.addNotification(m2);
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          $outputContainer.empty();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              const m: any = InfoBox.render(element.severity, element.title, element.message);
+              this.addNotification(m);
+            });
+          } else {
+            const m2: any = FlashMessage.render(Severity.error, 'Something went wrong', '');
+            this.addNotification(m2);
+          }
+          this.getData();
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-        this.getData();
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private updatePacks(iso: string, extension: string): void {
     const $outputContainer = this.findInModal(this.selectorOutputContainer);
     const $contentContainer = this.findInModal(this.selectorContentContainer);
-    const isos = iso === undefined ? this.activeLanguages : [ iso ];
+    const isos = iso === undefined ? this.activeLanguages : [iso];
     let updateIsoTimes = true;
     let extensions = this.activeExtensions;
     if (extension !== undefined) {
-      extensions = [ extension ];
+      extensions = [extension];
       updateIsoTimes = false;
     }
 
@@ -232,45 +228,42 @@ class LanguagePacks extends AbstractInteractableModule {
 
     isos.forEach((isoCode: string): void => {
       extensions.forEach((extensionKey: string): void => {
-        $.ajax({
-          url: Router.getUrl(),
-          method: 'POST',
-          context: this,
-          data: {
-            'install': {
-              'action': 'languagePacksUpdatePack',
-              'token': this.getModuleContent().data('language-packs-update-pack-token'),
-              'iso': isoCode,
-              'extension': extensionKey,
+        this.getNotificationBox().empty();
+
+        (new AjaxRequest(Router.getUrl()))
+          .post({
+            install: {
+              action: 'languagePacksUpdatePack',
+              token: this.getModuleContent().data('language-packs-update-pack-token'),
+              iso: isoCode,
+              extension: extensionKey,
             },
-          },
-          cache: false,
-          beforeSend: (): void => {
-            this.getNotificationBox().empty();
-          },
-          success: (data: any): void => {
-            if (data.success === true) {
-              this.packsUpdateDetails.handled++;
-              if (data.packResult === 'new') {
-                this.packsUpdateDetails.new++;
-              } else if (data.packResult === 'update') {
-                this.packsUpdateDetails.updated++;
+          })
+          .then(
+            async (response: AjaxResponse): Promise<any> => {
+              const data = await response.resolve();
+              if (data.success === true) {
+                this.packsUpdateDetails.handled++;
+                if (data.packResult === 'new') {
+                  this.packsUpdateDetails.new++;
+                } else if (data.packResult === 'update') {
+                  this.packsUpdateDetails.updated++;
+                } else {
+                  this.packsUpdateDetails.failed++;
+                }
+                this.packUpdateDone(updateIsoTimes, isos);
               } else {
+                this.packsUpdateDetails.handled++;
                 this.packsUpdateDetails.failed++;
+                this.packUpdateDone(updateIsoTimes, isos);
               }
-              this.packUpdateDone(updateIsoTimes, isos);
-            } else {
+            },
+            (): void => {
               this.packsUpdateDetails.handled++;
               this.packsUpdateDetails.failed++;
               this.packUpdateDone(updateIsoTimes, isos);
             }
-          },
-          error: (): void => {
-            this.packsUpdateDetails.handled++;
-            this.packsUpdateDetails.failed++;
-            this.packUpdateDone(updateIsoTimes, isos);
-          },
-        });
+          );
       });
     });
   }
@@ -289,30 +282,28 @@ class LanguagePacks extends AbstractInteractableModule {
       );
       this.addNotification(message);
       if (updateIsoTimes === true) {
-        $.ajax({
-          url: Router.getUrl(),
-          method: 'POST',
-          context: this,
-          data: {
-            'install': {
-              'action': 'languagePacksUpdateIsoTimes',
-              'token': this.getModuleContent().data('language-packs-update-iso-times-token'),
-              'isos': isos,
+        (new AjaxRequest(Router.getUrl()))
+          .post({
+            install: {
+              action: 'languagePacksUpdateIsoTimes',
+              token: this.getModuleContent().data('language-packs-update-iso-times-token'),
+              isos: isos,
             },
-          },
-          cache: false,
-          success: (data: any): void => {
-            if (data.success === true) {
-              this.getData();
-            } else {
-              const m: any = FlashMessage.render(Severity.error, 'Something went wrong', '');
-              this.addNotification(m);
+          })
+          .then(
+            async (response: AjaxResponse): Promise<any> => {
+              const data = await response.resolve();
+              if (data.success === true) {
+                this.getData();
+              } else {
+                const m: any = FlashMessage.render(Severity.error, 'Something went wrong', '');
+                this.addNotification(m);
+              }
+            },
+            (error: ResponseError): void => {
+              Router.handleAjaxError(error, modalContent);
             }
-          },
-          error: (xhr: XMLHttpRequest): void => {
-            Router.handleAjaxError(xhr, modalContent);
-          },
-        });
+          );
       } else {
         this.getData();
       }
@@ -392,7 +383,10 @@ class LanguagePacks extends AbstractInteractableModule {
           $('<tr>').append(
             $('<th>').append(
               $('<div />', {class: 'btn-group'}).append(
-                $('<button>', {'class': 'btn btn-default t3js-languagePacks-addLanguage-toggle', 'type': 'button'}).append(
+                $('<button>', {
+                  'class': 'btn btn-default t3js-languagePacks-addLanguage-toggle',
+                  'type': 'button'
+                }).append(
                   $('<span>').append(activateIcon),
                   ' Add language',
                 ),
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ResetBackendUserUc.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ResetBackendUserUc.ts
index 9f555ae98c5cc1a5c98ed25d04ddbcdbbd51fd2f..bea2b6ac7c4993ef1cb8e50fae0b7375eb60d779 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ResetBackendUserUc.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Maintenance/ResetBackendUserUc.ts
@@ -11,42 +11,43 @@
  * The TYPO3 project - inspiring people to share!
  */
 
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
 import {InlineModuleInterface} from './../InlineModuleInterface';
-import * as $ from 'jquery';
-import Router = require('../../Router');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/ResetBackendUserUc
  */
 class ResetBackendUserUc implements InlineModuleInterface {
   public initialize($trigger: JQuery): void {
-    $.ajax({
-      url: Router.getUrl('resetBackendUserUc'),
-      cache: false,
-      beforeSend: (): void => {
-        $trigger.addClass('disabled').prop('disabled', true);
-      },
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          if (data.status.length > 0) {
-            data.status.forEach((element: any): void => {
-              Notification.success(element.message);
-            });
+    $trigger.addClass('disabled').prop('disabled', true);
+
+    (new AjaxRequest(Router.getUrl('resetBackendUserUc')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            if (data.status.length > 0) {
+              data.status.forEach((element: any): void => {
+                Notification.success(element.message);
+              });
+            }
+          } else {
+            Notification.error('Something went wrong ...');
           }
-        } else {
-          Notification.error('Something went wrong ...');
+        },
+        (): void => {
+          // In case the dump action fails (typically 500 from server), do not kill the entire
+          // install tool, instead show a notification that something went wrong.
+          Notification.error('Dumping autoload files went wrong on the server side. Check the system for broken extensions and try again');
         }
-      },
-      error: (): void => {
-        // If reset fails on server side (typically a 500), do not crash entire install tool
-        // but render an error notification instead.
-        Notification.error('Resetting backend user uc failed. Please check the system for missing database fields and try again.');
-      },
-      complete: (): void => {
+      )
+      .finally((): void => {
         $trigger.removeClass('disabled').prop('disabled', false);
-      },
-    });
+      });
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ChangeInstallToolPassword.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ChangeInstallToolPassword.ts
index 76dea41cbfaed990cd112eb2aac1481451d01d79..df15657a30304a37e9ce3067a13545b3f6a92dae 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ChangeInstallToolPassword.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ChangeInstallToolPassword.ts
@@ -11,12 +11,14 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
-import Router = require('../../Router');
-import PasswordStrength = require('../PasswordStrength');
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
+import PasswordStrength = require('../PasswordStrength');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 
 /**
  * Module: TYPO3/CMS/Install/Module/ChangeInstallToolPassword
@@ -39,54 +41,54 @@ class ChangeInstallToolPassword extends AbstractInteractableModule {
 
   private getData(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('changeInstallToolPasswordGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('changeInstallToolPasswordGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private change(): void {
     const modalContent = this.getModalBody();
     const executeToken = this.getModuleContent().data('install-tool-token');
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'changeInstallToolPassword',
-          'token': executeToken,
-          'password': this.findInModal('.t3js-changeInstallToolPassword-password').val(),
-          'passwordCheck': this.findInModal('.t3js-changeInstallToolPassword-password-check').val(),
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'changeInstallToolPassword',
+          token: executeToken,
+          password: this.findInModal('.t3js-changeInstallToolPassword-password').val(),
+          passwordCheck: this.findInModal('.t3js-changeInstallToolPassword-password-check').val(),
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.showMessage('', element.message, element.severity);
-          });
-        } else {
-          Notification.error('Something went wrong');
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.showMessage('', element.message, element.severity);
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-      complete: (): void => {
+      )
+      .finally((): void => {
         this.findInModal('.t3js-changeInstallToolPassword-password,.t3js-changeInstallToolPassword-password-check').val('');
-      },
-    });
+      });
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ExtensionConfiguration.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ExtensionConfiguration.ts
index f4120e472bdeac111c50c0f5170e76c9e9634f08..65037ff17c68977c62445596c3e71af0f867a139 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ExtensionConfiguration.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/ExtensionConfiguration.ts
@@ -11,13 +11,16 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
 import '../../Renderable/Clearable';
-import Router = require('../../Router');
-import Notification = require('TYPO3/CMS/Backend/Notification');
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import ModuleMenu = require('TYPO3/CMS/Backend/ModuleMenu');
+import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/ExtensionConfiguration
@@ -73,24 +76,25 @@ class ExtensionConfiguration extends AbstractInteractableModule {
 
   private getContent(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('extensionConfigurationGetContent'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              Notification.success(element.title, element.message);
-            });
+    (new AjaxRequest(Router.getUrl('extensionConfigurationGetContent')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                Notification.success(element.title, element.message);
+              });
+            }
+            modalContent.html(data.html);
+            this.initializeWrap();
           }
-          modalContent.html(data.html);
-          this.initializeWrap();
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   /**
@@ -106,35 +110,33 @@ class ExtensionConfiguration extends AbstractInteractableModule {
       extensionConfiguration[element.name] = element.value;
     });
 
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'token': executeToken,
-          'action': 'extensionConfigurationWrite',
-          'extensionKey': $form.attr('data-extensionKey'),
-          'extensionConfiguration': extensionConfiguration,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          token: executeToken,
+          action: 'extensionConfigurationWrite',
+          extensionKey: $form.attr('data-extensionKey'),
+          extensionConfiguration: extensionConfiguration,
         },
-      },
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.showMessage(element.title, element.message, element.severity);
-          });
-          if ($('body').data('context') === 'backend') {
-            ModuleMenu.App.refreshMenu();
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.showMessage(element.title, element.message, element.severity);
+            });
+            if ($('body').data('context') === 'backend') {
+              ModuleMenu.App.refreshMenu();
+            }
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    }).always((): void => {
-      // empty method? why? I guess there is a reason, so let's keep it for the time being.
-    });
+      );
   }
 
   /**
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Features.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Features.ts
index 1cadecf3b46a0472ac0c029b61c86cc0be0a3f3d..0e4cb99960d26b683e5b4fa0d1d86455f65e5ca6 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Features.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Features.ts
@@ -11,11 +11,14 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import * as $ from 'jquery';
-import Router = require('../../Router');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/Features
@@ -35,21 +38,22 @@ class Features extends AbstractInteractableModule {
 
   private getContent(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('featuresGetContent'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('featuresGetContent')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private save(): void {
@@ -61,24 +65,23 @@ class Features extends AbstractInteractableModule {
     });
     postData['install[action]'] = 'featuresSave';
     postData['install[token]'] = executeToken;
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: postData,
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.showMessage(element.title, element.message, element.severity);
-          });
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl()))
+      .post(postData)
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.showMessage(element.title, element.message, element.severity);
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/LocalConfiguration.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/LocalConfiguration.ts
index 1d84df60199336ac4a77e0c7edbf5dabdf221125..fa1d7785b1ccfcee5e505a8f9a2f2a75fda7ec22 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/LocalConfiguration.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/LocalConfiguration.ts
@@ -11,13 +11,16 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
 import '../../Renderable/Clearable';
-import Router = require('../../Router');
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/LocalConfiguration
@@ -89,24 +92,25 @@ class LocalConfiguration extends AbstractInteractableModule {
 
   private getContent(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('localConfigurationGetContent'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              Notification.success(element.title, element.message);
-            });
+    (new AjaxRequest(Router.getUrl('localConfigurationGetContent')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                Notification.success(element.title, element.message);
+              });
+            }
+            modalContent.html(data.html);
+            Modal.setButtons(data.buttons);
           }
-          modalContent.html(data.html);
-          Modal.setButtons(data.buttons);
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private write(): void {
@@ -125,30 +129,29 @@ class LocalConfiguration extends AbstractInteractableModule {
         configurationValues[$element.data('path')] = $element.val();
       }
     });
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'localConfigurationWrite',
-          'token': executeToken,
-          'configurationValues': configurationValues,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'localConfigurationWrite',
+          token: executeToken,
+          configurationValues: configurationValues,
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.showMessage(element.title, element.message, element.severity);
-          });
-        } else {
-          Notification.error('Something went wrong');
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.showMessage(element.title, element.message, element.severity);
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Presets.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Presets.ts
index d278f7e39921197dc701db9234ea89a5e424d7e6..70d40fdefddd91860fc293df6e897c2fae15dbcd 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Presets.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/Presets.ts
@@ -11,12 +11,15 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/Presets
@@ -50,52 +53,52 @@ class Presets extends AbstractInteractableModule {
 
   private getContent(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('presetsGetContent'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl('presetsGetContent')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private getCustomImagePathContent(): void {
     const modalContent = this.getModalBody();
     const presetsContentToken = this.getModuleContent().data('presets-content-token');
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'token': presetsContentToken,
-          'action': 'presetsGetContent',
-          'values': {
-            'Image': {
-              'additionalSearchPath': this.findInModal(this.selectorImageExecutable).val(),
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          token: presetsContentToken,
+          action: 'presetsGetContent',
+          values: {
+            Image: {
+              additionalSearchPath: this.findInModal(this.selectorImageExecutable).val(),
             },
           },
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
-          modalContent.empty().append(data.html);
-        } else {
-          Notification.error('Something went wrong');
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
+            modalContent.empty().append(data.html);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private activate(): void {
@@ -107,24 +110,23 @@ class Presets extends AbstractInteractableModule {
     });
     postData['install[action]'] = 'presetsActivate';
     postData['install[token]'] = executeToken;
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: postData,
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.showMessage(element.title, element.message, element.severity);
-          });
-        } else {
-          Notification.error('Something went wrong');
+    (new AjaxRequest(Router.getUrl()))
+      .post(postData)
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.showMessage(element.title, element.message, element.severity);
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/SystemMaintainer.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/SystemMaintainer.ts
index bd31801a4e593e7b3b7856fbaf91c150d7588a14..461cacba72cc86e8cab561f7430fb2f85a309b45 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/SystemMaintainer.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Settings/SystemMaintainer.ts
@@ -11,12 +11,15 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/SystemMaintainer
@@ -47,82 +50,83 @@ class SystemMaintainer extends AbstractInteractableModule {
 
   private getList(): void {
     const modalContent = this.getModalBody();
-    $.ajax({
-      url: Router.getUrl('systemMaintainerGetList'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              Notification.success(element.title, element.message);
-            });
-          }
-          modalContent.html(data.html);
-          Modal.setButtons(data.buttons);
-          if (Array.isArray(data.users)) {
-            data.users.forEach((element: any): void => {
-              let name = element.username;
-              if (element.disable) {
-                name = '[DISABLED] ' + name;
-              }
-              const $option = $('<option>', {'value': element.uid}).text(name);
-              if (element.isSystemMaintainer) {
-                $option.attr('selected', 'selected');
-              }
-              modalContent.find(this.selectorChosenField).append($option);
-            });
-          }
-          const config: any = {
-            '.t3js-systemMaintainer-chosen-select': {
-              width: '100%',
-              placeholder_text_multiple: 'users',
-            },
-          };
+    (new AjaxRequest(Router.getUrl('systemMaintainerGetList')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                Notification.success(element.title, element.message);
+              });
+            }
+            modalContent.html(data.html);
+            Modal.setButtons(data.buttons);
+            if (Array.isArray(data.users)) {
+              data.users.forEach((element: any): void => {
+                let name = element.username;
+                if (element.disable) {
+                  name = '[DISABLED] ' + name;
+                }
+                const $option = $('<option>', {'value': element.uid}).text(name);
+                if (element.isSystemMaintainer) {
+                  $option.attr('selected', 'selected');
+                }
+                modalContent.find(this.selectorChosenField).append($option);
+              });
+            }
+            const config: any = {
+              '.t3js-systemMaintainer-chosen-select': {
+                width: '100%',
+                placeholder_text_multiple: 'users',
+              },
+            };
 
-          for (const selector in config) {
-            if (config.hasOwnProperty(selector)) {
-              modalContent.find(selector).chosen(config[selector]);
+            for (const selector in config) {
+              if (config.hasOwnProperty(selector)) {
+                modalContent.find(selector).chosen(config[selector]);
+              }
             }
+            modalContent.find(this.selectorChosenContainer).show();
+            modalContent.find(this.selectorChosenField).trigger('chosen:updated');
           }
-          modalContent.find(this.selectorChosenContainer).show();
-          modalContent.find(this.selectorChosenField).trigger('chosen:updated');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private write(): void {
     const modalContent = this.getModalBody();
     const executeToken = this.getModuleContent().data('system-maintainer-write-token');
     const selectedUsers = this.findInModal(this.selectorChosenField).val();
-    $.ajax({
-      method: 'POST',
-      url: Router.getUrl(),
-      data: {
-        'install': {
-          'users': selectedUsers,
-          'token': executeToken,
-          'action': 'systemMaintainerWrite',
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          users: selectedUsers,
+          token: executeToken,
+          action: 'systemMaintainerWrite',
         },
-      },
-      success: (data: any): void => {
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              Notification.success(element.title, element.message);
-            });
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                Notification.success(element.title, element.message);
+              });
+            }
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/CoreUpdate.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/CoreUpdate.ts
index 9b31422bf88742329ad730f5d5141129e00f0591..97a13567808549b28e750f456374fd3d11b962d3 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/CoreUpdate.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/CoreUpdate.ts
@@ -11,13 +11,16 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import * as $ from 'jquery';
-import Router = require('../../Router');
-import FlashMessage = require('../../Renderable/FlashMessage');
-import Severity = require('../../Renderable/Severity');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import FlashMessage = require('../../Renderable/FlashMessage');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 interface ActionItem {
   loadingMessage: string;
@@ -81,7 +84,7 @@ class CoreUpdate extends AbstractInteractableModule {
    */
   public initialize(currentModal: JQuery): void {
     this.currentModal = currentModal;
-    this.getData().done((): void => {
+    this.getData().then((): void => {
       this.buttonTemplate = this.findInModal(this.updateButton).clone();
     });
 
@@ -108,23 +111,24 @@ class CoreUpdate extends AbstractInteractableModule {
     });
   }
 
-  private getData(): JQueryXHR {
+  private getData(): Promise<any> {
     const modalContent = this.getModalBody();
-    return $.ajax({
-      url: Router.getUrl('coreUpdateGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          Modal.setButtons(data.buttons);
-        } else {
-          Notification.error('Something went wrong');
+    return (new AjaxRequest(Router.getUrl('coreUpdateGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            Modal.setButtons(data.buttons);
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   /**
@@ -155,20 +159,21 @@ class CoreUpdate extends AbstractInteractableModule {
       data.install.type = type;
     }
     this.addLoadingMessage(this.actionQueue[actionName].loadingMessage);
-    $.ajax({
-      url: Router.getUrl(),
-      data: data,
-      cache: false,
-      success: (result: any): void => {
-        const canContinue = this.handleResult(result, this.actionQueue[actionName].finishMessage);
-        if (canContinue === true && (this.actionQueue[actionName].nextActionName !== undefined)) {
-          this.callAction(this.actionQueue[actionName].nextActionName, type);
+    (new AjaxRequest(Router.getUrl()))
+      .withQueryArguments(data)
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const result = await response.resolve();
+          const canContinue = this.handleResult(result, this.actionQueue[actionName].finishMessage);
+          if (canContinue === true && (this.actionQueue[actionName].nextActionName !== undefined)) {
+            this.callAction(this.actionQueue[actionName].nextActionName, type);
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, this.getModalBody());
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, this.getModalBody());
-      },
-    });
+      );
   }
 
   /**
@@ -178,10 +183,10 @@ class CoreUpdate extends AbstractInteractableModule {
     const canContinue: boolean = data.success;
     this.removeLoadingMessage();
 
-    if (data.status && typeof(data.status) === 'object') {
+    if (data.status && typeof (data.status) === 'object') {
       this.showStatusMessages(data.status);
     }
-    if (data.action && typeof(data.action) === 'object') {
+    if (data.action && typeof (data.action) === 'object') {
       this.showActionButton(data.action);
     }
     if (successMessage) {
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionCompatTester.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionCompatTester.ts
index 0dd32bc421f7a800b5640ba43cb03316a5c32bff..b3f191c99236761299126eb1f40d5d389ae3a6e7 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionCompatTester.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionCompatTester.ts
@@ -13,9 +13,12 @@
 
 import 'bootstrap';
 import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
 import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
 import InfoBox = require('../../Renderable/InfoBox');
 import ProgressBar = require('../../Renderable/ProgressBar');
 import Severity = require('../../Renderable/Severity');
@@ -56,45 +59,46 @@ class ExtensionCompatTester extends AbstractInteractableModule {
     const message = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.append(message);
 
-    $.ajax({
-      url: Router.getUrl('extensionCompatTesterLoadedExtensionList'),
-      cache: false,
-      success: (data: any): void => {
-        modalContent.empty().append(data.html);
-        Modal.setButtons(data.buttons);
-        const $innerOutputContainer: JQuery = this.findInModal(this.selectorOutputContainer);
-        const progressBar = ProgressBar.render(Severity.loading, 'Loading...', '');
-        $innerOutputContainer.append(progressBar);
+    (new AjaxRequest(Router.getUrl('extensionCompatTesterLoadedExtensionList')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          modalContent.empty().append(data.html);
+          Modal.setButtons(data.buttons);
+          const $innerOutputContainer: JQuery = this.findInModal(this.selectorOutputContainer);
+          const progressBar = ProgressBar.render(Severity.loading, 'Loading...', '');
+          $innerOutputContainer.append(progressBar);
 
-        if (data.success === true) {
-          this.loadExtLocalconf().done((): void => {
-            $innerOutputContainer.append(
-              InfoBox.render(Severity.ok, 'ext_localconf.php of all loaded extensions successfully loaded', ''),
-            );
-            this.loadExtTables().done((): void => {
+          if (data.success === true) {
+            this.loadExtLocalconf().then((): void => {
               $innerOutputContainer.append(
-                InfoBox.render(Severity.ok, 'ext_tables.php of all loaded extensions successfully loaded', ''),
+                InfoBox.render(Severity.ok, 'ext_localconf.php of all loaded extensions successfully loaded', ''),
+              );
+              this.loadExtTables().then((): void => {
+                $innerOutputContainer.append(
+                  InfoBox.render(Severity.ok, 'ext_tables.php of all loaded extensions successfully loaded', ''),
+                );
+              }, async (error: ResponseError): Promise<void> => {
+                this.renderFailureMessages('ext_tables.php', (await error.response.json()).brokenExtensions, $innerOutputContainer);
+              }).finally((): void => {
+                this.unlockModal();
+              })
+            }, async (error: ResponseError): Promise<void> => {
+              this.renderFailureMessages('ext_localconf.php', (await error.response.json()).brokenExtensions, $innerOutputContainer);
+              $innerOutputContainer.append(
+                InfoBox.render(Severity.notice, 'Skipped scanning ext_tables.php files due to previous errors', ''),
               );
-            }).fail((xhr: JQueryXHR): void => {
-              this.renderFailureMessages('ext_tables.php', xhr.responseJSON.brokenExtensions, $innerOutputContainer);
-            }).always((): void => {
               this.unlockModal();
-            })
-          }).fail((xhr: JQueryXHR): void => {
-            this.renderFailureMessages('ext_localconf.php', xhr.responseJSON.brokenExtensions, $innerOutputContainer);
-            $innerOutputContainer.append(
-              InfoBox.render(Severity.notice, 'Skipped scanning ext_tables.php files due to previous errors', ''),
-            );
-            this.unlockModal();
-          })
-        } else {
-          Notification.error('Something went wrong');
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private unlockModal(): void {
@@ -123,32 +127,22 @@ class ExtensionCompatTester extends AbstractInteractableModule {
     this.unlockModal();
   }
 
-  private loadExtLocalconf(): JQueryPromise<JQueryXHR> {
+  private loadExtLocalconf(): Promise<AjaxResponse> {
     const executeToken = this.getModuleContent().data('extension-compat-tester-load-ext_localconf-token');
-    return $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      cache: false,
-      data: {
-        'install': {
-          'action': 'extensionCompatTesterLoadExtLocalconf',
-          'token': executeToken,
-        },
+    return new AjaxRequest(Router.getUrl()).post({
+      'install': {
+        'action': 'extensionCompatTesterLoadExtLocalconf',
+        'token': executeToken,
       },
     });
   }
 
-  private loadExtTables(): JQueryPromise<JQueryXHR> {
+  private loadExtTables(): Promise<AjaxResponse> {
     const executeToken = this.getModuleContent().data('extension-compat-tester-load-ext_tables-token');
-    return $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      cache: false,
-      data: {
-        'install': {
-          'action': 'extensionCompatTesterLoadExtTables',
-          'token': executeToken,
-        },
+    return new AjaxRequest(Router.getUrl()).post({
+      'install': {
+        'action': 'extensionCompatTesterLoadExtTables',
+        'token': executeToken,
       },
     });
   }
@@ -164,35 +158,34 @@ class ExtensionCompatTester extends AbstractInteractableModule {
     const $outputContainer = $(this.selectorOutputContainer);
     const message = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.append(message);
-    $.ajax({
-      url: Router.getUrl(),
-      cache: false,
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'extensionCompatTesterUninstallExtension',
-          'token': executeToken,
-          'extension': extension,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'extensionCompatTesterUninstallExtension',
+          token: executeToken,
+          extension: extension,
         },
-      },
-      success: (data: any): void => {
-        if (data.success) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              const aMessage = InfoBox.render(element.severity, element.title, element.message);
-              modalContent.find(this.selectorOutputContainer).empty().append(aMessage);
-            });
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                const aMessage = InfoBox.render(element.severity, element.title, element.message);
+                modalContent.find(this.selectorOutputContainer).empty().append(aMessage);
+              });
+            }
+            this.findInModal(this.selectorUninstallTrigger).addClass('hidden');
+            this.getLoadedExtensionList();
+          } else {
+            Notification.error('Something went wrong');
           }
-          this.findInModal(this.selectorUninstallTrigger).addClass('hidden');
-          this.getLoadedExtensionList();
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionScanner.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionScanner.ts
index 6f2d6cc8d7d8501b0ea7953e74cb8c7e4b04ba43..a9480170e352de327f65cb3226d807d1e5fa9379 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionScanner.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/ExtensionScanner.ts
@@ -11,13 +11,15 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import AjaxQueue = require('../../Ajax/AjaxQueue');
-import Router = require('../../Router');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxQueue = require('../../Ajax/AjaxQueue');
+import Router = require('../../Router');
 
 interface FileData {
   success: boolean;
@@ -83,8 +85,8 @@ class ExtensionScanner extends AbstractInteractableModule {
     const modalContent = this.getModalBody();
     AjaxQueue.add({
       url: Router.getUrl('extensionScannerGetData'),
-      cache: false,
-      success: (data: any): void => {
+      onfulfilled: async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true) {
           modalContent.empty().append(data.html);
           Modal.setButtons(data.buttons);
@@ -92,8 +94,8 @@ class ExtensionScanner extends AbstractInteractableModule {
           Notification.error('Something went wrong');
         }
       },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
+      onrejected: (error: ResponseError): void => {
+        Router.handleAjaxError(error, modalContent);
       },
     });
   }
@@ -159,20 +161,20 @@ class ExtensionScanner extends AbstractInteractableModule {
         url: Router.getUrl(),
         method: 'POST',
         data: {
-          'install': {
-            'action': 'extensionScannerMarkFullyScannedRestFiles',
-            'token': this.getModuleContent().data('extension-scanner-mark-fully-scanned-rest-files-token'),
-            'hashes': this.uniqueArray(this.listOfAffectedRestFileHashes),
+          install: {
+            action: 'extensionScannerMarkFullyScannedRestFiles',
+            token: this.getModuleContent().data('extension-scanner-mark-fully-scanned-rest-files-token'),
+            hashes: this.uniqueArray(this.listOfAffectedRestFileHashes),
           },
         },
-        cache: false,
-        success: (data: any): void => {
+        onfulfilled: async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
           if (data.success === true) {
             Notification.success('Marked not affected files', 'Marked ' + data.markedAsNotAffected + ' ReST files as not affected.');
           }
         },
-        error: (xhr: XMLHttpRequest): void => {
-          Router.handleAjaxError(xhr, modalContent);
+        onrejected: (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         },
       });
     }
@@ -208,14 +210,14 @@ class ExtensionScanner extends AbstractInteractableModule {
       url: Router.getUrl(),
       method: 'POST',
       data: {
-        'install': {
-          'action': 'extensionScannerFiles',
-          'token': executeToken,
-          'extension': extension,
+        install: {
+          action: 'extensionScannerFiles',
+          token: executeToken,
+          extension: extension,
         },
       },
-      cache: false,
-      success: (data: any): void => {
+      onfulfilled: async (response: AjaxResponse): Promise<any> => {
+        const data = await response.resolve();
         if (data.success === true && Array.isArray(data.files)) {
           const numberOfFiles = data.files.length;
           if (numberOfFiles > 0) {
@@ -226,16 +228,16 @@ class ExtensionScanner extends AbstractInteractableModule {
               AjaxQueue.add({
                 method: 'POST',
                 data: {
-                  'install': {
-                    'action': 'extensionScannerScanFile',
-                    'token': this.getModuleContent().data('extension-scanner-scan-file-token'),
-                    'extension': extension,
-                    'file': file,
+                  install: {
+                    action: 'extensionScannerScanFile',
+                    token: this.getModuleContent().data('extension-scanner-scan-file-token'),
+                    extension: extension,
+                    file: file,
                   },
                 },
                 url: Router.getUrl(),
-                cache: false,
-                success: (fileData: FileData): void => {
+                onfulfilled: async (response: AjaxResponse): Promise<any> => {
+                  const fileData: FileData = await response.resolve();
                   doneFiles++;
                   this.setStatusMessageForScan(extension, doneFiles, numberOfFiles);
                   this.setProgressForScan(extension, doneFiles, numberOfFiles);
@@ -315,13 +317,13 @@ class ExtensionScanner extends AbstractInteractableModule {
                     $extensionContainer.find('.t3js-extensionScanner-scan-single').text('Rescan').attr('disabled', null);
                   }
                 },
-                error: (xhr: XMLHttpRequest): void => {
+                onrejected: (reason: string): void => {
                   doneFiles = doneFiles + 1;
                   this.setStatusMessageForScan(extension, doneFiles, numberOfFiles);
                   this.setProgressForScan(extension, doneFiles, numberOfFiles);
                   this.setProgressForAll();
                   Notification.error('Oops, an error occurred', 'Please look at the console output for details');
-                  console.error(xhr);
+                  console.error(reason);
                 },
               });
             });
@@ -333,11 +335,10 @@ class ExtensionScanner extends AbstractInteractableModule {
           console.error(data);
         }
       },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
+      onrejected: (error: ResponseError): void => {
+        Router.handleAjaxError(error, modalContent);
       },
-    },
-    );
+    });
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaExtTablesCheck.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaExtTablesCheck.ts
index 2dd9d89dd16dd374ff9273b8867935004954fa58..a7bacf92ec0407fad1e0a9369dcd72e44f91fb72 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaExtTablesCheck.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaExtTablesCheck.ts
@@ -11,14 +11,17 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import * as $ from 'jquery';
-import Router = require('../../Router');
-import ProgressBar = require('../../Renderable/ProgressBar');
-import Severity = require('../../Renderable/Severity');
-import InfoBox = require('../../Renderable/InfoBox');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Modal = require('TYPO3/CMS/Backend/Modal');
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import InfoBox = require('../../Renderable/InfoBox');
+import ProgressBar = require('../../Renderable/ProgressBar');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/TcaExtTablesCheck
@@ -30,7 +33,7 @@ class TcaExtTablesCheck extends AbstractInteractableModule {
   public initialize(currentModal: JQuery): void {
     this.currentModal = currentModal;
     this.check();
-    currentModal.on('click',  this.selectorCheckTrigger, (e: JQueryEventObject): void => {
+    currentModal.on('click', this.selectorCheckTrigger, (e: JQueryEventObject): void => {
       e.preventDefault();
       this.check();
     });
@@ -41,37 +44,38 @@ class TcaExtTablesCheck extends AbstractInteractableModule {
     const $outputContainer = $(this.selectorOutputContainer);
     const m: any = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().html(m);
-    $.ajax({
-      url: Router.getUrl('tcaExtTablesCheck'),
-      cache: false,
-      success: (data: any): void => {
-        modalContent.empty().append(data.html);
-        Modal.setButtons(data.buttons);
-        if (data.success === true && Array.isArray(data.status)) {
-          if (data.status.length > 0) {
-            const aMessage: any = InfoBox.render(
-              Severity.warning,
-              'Following extensions change TCA in ext_tables.php',
-              'Check ext_tables.php files, look for ExtensionManagementUtility calls and $GLOBALS[\'TCA\'] modifications',
-            );
-            modalContent.find(this.selectorOutputContainer).append(aMessage);
-            data.status.forEach((element: any): void => {
-              const m2: any = InfoBox.render(element.severity, element.title, element.message);
-              $outputContainer.append(m2);
-              modalContent.append(m2);
-            });
+    (new AjaxRequest(Router.getUrl('tcaExtTablesCheck')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          modalContent.empty().append(data.html);
+          Modal.setButtons(data.buttons);
+          if (data.success === true && Array.isArray(data.status)) {
+            if (data.status.length > 0) {
+              const aMessage: any = InfoBox.render(
+                Severity.warning,
+                'Following extensions change TCA in ext_tables.php',
+                'Check ext_tables.php files, look for ExtensionManagementUtility calls and $GLOBALS[\'TCA\'] modifications',
+              );
+              modalContent.find(this.selectorOutputContainer).append(aMessage);
+              data.status.forEach((element: any): void => {
+                const m2: any = InfoBox.render(element.severity, element.title, element.message);
+                $outputContainer.append(m2);
+                modalContent.append(m2);
+              });
+            } else {
+              const aMessage: any = InfoBox.render(Severity.ok, 'No TCA changes in ext_tables.php files. Good job!', '');
+              modalContent.find(this.selectorOutputContainer).append(aMessage);
+            }
           } else {
-            const aMessage: any = InfoBox.render(Severity.ok, 'No TCA changes in ext_tables.php files. Good job!', '');
-            modalContent.find(this.selectorOutputContainer).append(aMessage);
+            Notification.error('Something went wrong', 'Use "Check for broken extensions"');
           }
-        } else {
-          Notification.error('Something went wrong', 'Use "Check for broken extensions"');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaMigrationsCheck.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaMigrationsCheck.ts
index 109e1268f56d8d5e90563f674b1c69afc5598854..04f36268e50c3756058b3bde40ac1f1447c2503c 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaMigrationsCheck.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/TcaMigrationsCheck.ts
@@ -11,14 +11,17 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import * as $ from 'jquery';
-import Router = require('../../Router');
-import ProgressBar = require('../../Renderable/ProgressBar');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
+import Modal = require('TYPO3/CMS/Backend/Modal');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
 import FlashMessage = require('../../Renderable/FlashMessage');
-import Severity = require('../../Renderable/Severity');
 import InfoBox = require('../../Renderable/InfoBox');
-import Modal = require('TYPO3/CMS/Backend/Modal');
+import ProgressBar = require('../../Renderable/ProgressBar');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/TcaMigrationsCheck
@@ -30,7 +33,7 @@ class TcaMigrationsCheck extends AbstractInteractableModule {
   public initialize(currentModal: JQuery): void {
     this.currentModal = currentModal;
     this.check();
-    currentModal.on('click',  this.selectorCheckTrigger, (e: JQueryEventObject): void => {
+    currentModal.on('click', this.selectorCheckTrigger, (e: JQueryEventObject): void => {
       e.preventDefault();
       this.check();
     });
@@ -41,38 +44,39 @@ class TcaMigrationsCheck extends AbstractInteractableModule {
     const modalContent: JQuery = this.getModalBody();
     const message: any = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().html(message);
-    $.ajax({
-      url: Router.getUrl('tcaMigrationsCheck'),
-      cache: false,
-      success: (data: any): void => {
-        modalContent.empty().append(data.html);
-        Modal.setButtons(data.buttons);
-        if (data.success === true && Array.isArray(data.status)) {
-          if (data.status.length > 0) {
-            const m: any = InfoBox.render(
-              Severity.warning,
-              'TCA migrations need to be applied',
-              'Check the following list and apply needed changes.',
-            );
-            modalContent.find(this.selectorOutputContainer).empty();
-            modalContent.find(this.selectorOutputContainer).append(m);
-            data.status.forEach((element: any): void => {
-              const m2 = InfoBox.render(element.severity, element.title, element.message);
-              modalContent.find(this.selectorOutputContainer).append(m2);
-            });
+    (new AjaxRequest(Router.getUrl('tcaMigrationsCheck')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          modalContent.empty().append(data.html);
+          Modal.setButtons(data.buttons);
+          if (data.success === true && Array.isArray(data.status)) {
+            if (data.status.length > 0) {
+              const m: any = InfoBox.render(
+                Severity.warning,
+                'TCA migrations need to be applied',
+                'Check the following list and apply needed changes.',
+              );
+              modalContent.find(this.selectorOutputContainer).empty();
+              modalContent.find(this.selectorOutputContainer).append(m);
+              data.status.forEach((element: any): void => {
+                const m2 = InfoBox.render(element.severity, element.title, element.message);
+                modalContent.find(this.selectorOutputContainer).append(m2);
+              });
+            } else {
+              const m3 = InfoBox.render(Severity.ok, 'No TCA migrations need to be applied', 'Your TCA looks good.');
+              modalContent.find(this.selectorOutputContainer).append(m3);
+            }
           } else {
-            const m3 = InfoBox.render(Severity.ok, 'No TCA migrations need to be applied', 'Your TCA looks good.');
-            modalContent.find(this.selectorOutputContainer).append(m3);
+            const m4 = FlashMessage.render(Severity.error, 'Something went wrong', 'Use "Check for broken extensions"');
+            modalContent.find(this.selectorOutputContainer).append(m4);
           }
-        } else {
-          const m4 = FlashMessage.render(Severity.error, 'Something went wrong', 'Use "Check for broken extensions"');
-          modalContent.find(this.selectorOutputContainer).append(m4);
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
 }
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeDocs.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeDocs.ts
index 0232ed299e8de21c57b2f4a1fd3950b0b61acefa..47862c02b4d92e88d764598f52f5845a635b5c57 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeDocs.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeDocs.ts
@@ -11,12 +11,15 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
 import '../../Renderable/Clearable';
-import Router = require('../../Router');
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/UpgradeDocs
@@ -59,10 +62,10 @@ class UpgradeDocs extends AbstractInteractableModule {
     }
 
     // Mark a file as read
-    currentModal.on('click',  '.t3js-upgradeDocs-markRead', (e: JQueryEventObject): void => {
+    currentModal.on('click', '.t3js-upgradeDocs-markRead', (e: JQueryEventObject): void => {
       this.markRead(e.target);
     });
-    currentModal.on('click',  '.t3js-upgradeDocs-unmarkRead', (e: JQueryEventObject): void => {
+    currentModal.on('click', '.t3js-upgradeDocs-unmarkRead', (e: JQueryEventObject): void => {
       this.unmarkRead(e.target);
     });
 
@@ -83,59 +86,60 @@ class UpgradeDocs extends AbstractInteractableModule {
     modalContent.on('show.bs.collapse', this.selectorUpgradeDoc, (e: JQueryEventObject): void => {
       this.renderTags($(e.currentTarget));
     });
+    (new AjaxRequest(Router.getUrl('upgradeDocsGetContent')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
+            modalContent.empty().append(data.html);
 
-    $.ajax({
-      url: Router.getUrl('upgradeDocsGetContent'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
-          modalContent.empty().append(data.html);
-
-          this.initializeFullTextSearch();
-          this.initializeChosenSelector();
-          this.loadChangelogs();
+            this.initializeFullTextSearch();
+            this.initializeChosenSelector();
+            this.loadChangelogs();
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, modalContent);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      );
   }
 
   private loadChangelogs(): void {
-    const promises: Array<any> = [];
+    const promises: Array<Promise<any>> = [];
     const modalContent = this.getModalBody();
     this.findInModal(this.selectorChangeLogsForVersionContainer).each((index: number, el: any): void => {
-      const $request = $.ajax({
-        url: Router.getUrl('upgradeDocsGetChangelogForVersion'),
-        cache: false,
-        data: {
+      const request = (new AjaxRequest(Router.getUrl('upgradeDocsGetChangelogForVersion')))
+        .withQueryArguments({
           install: {
             version: el.dataset.version,
           },
-        },
-        success: (data: any): void => {
-          if (data.success === true) {
-            const $panelGroup = $(el);
-            const $container = $panelGroup.find(this.selectorChangeLogsForVersion);
-            $container.html(data.html);
-            this.moveNotRelevantDocuments($container);
+        })
+        .get({cache: 'no-cache'})
+        .then(
+          async (response: AjaxResponse): Promise<any> => {
+            const data = await response.resolve();
+            if (data.success === true) {
+              const $panelGroup = $(el);
+              const $container = $panelGroup.find(this.selectorChangeLogsForVersion);
+              $container.html(data.html);
+              this.moveNotRelevantDocuments($container);
 
-            // Remove loading spinner form panel
-            $panelGroup.find('.t3js-panel-loading').remove();
-          } else {
-            Notification.error('Something went wrong');
+              // Remove loading spinner form panel
+              $panelGroup.find('.t3js-panel-loading').remove();
+            } else {
+              Notification.error('Something went wrong');
+            }
+          },
+          (error: ResponseError): void => {
+            Router.handleAjaxError(error, modalContent);
           }
-        },
-        error: (xhr: XMLHttpRequest): void => {
-          Router.handleAjaxError(xhr, modalContent);
-        },
-      });
+        );
 
-      promises.push($request);
+      promises.push(request);
     });
 
-    $.when.apply($, promises).done((): void => {
+    Promise.all(promises).then((): void => {
       this.fulltextSearchField.prop('disabled', false);
       this.appendItemsToChosenSelector();
     });
@@ -284,20 +288,17 @@ class UpgradeDocs extends AbstractInteractableModule {
     $button.toggleClass('t3js-upgradeDocs-unmarkRead t3js-upgradeDocs-markRead');
     $button.find('i').toggleClass('fa-check fa-ban');
     $button.closest('.panel').appendTo(this.findInModal('.panel-body-read'));
-    $.ajax({
-      method: 'POST',
-      url: Router.getUrl(),
-      data: {
-        'install': {
-          'ignoreFile': $button.data('filepath'),
-          'token': executeToken,
-          'action': 'upgradeDocsMarkRead',
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          ignoreFile: $button.data('filepath'),
+          token: executeToken,
+          action: 'upgradeDocsMarkRead',
         },
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      })
+      .catch((error: ResponseError): void => {
+        Router.handleAjaxError(error, modalContent);
+      });
   }
 
   private unmarkRead(element: any): void {
@@ -308,20 +309,17 @@ class UpgradeDocs extends AbstractInteractableModule {
     $button.toggleClass('t3js-upgradeDocs-markRead t3js-upgradeDocs-unmarkRead');
     $button.find('i').toggleClass('fa-check fa-ban');
     $button.closest('.panel').appendTo(this.findInModal('*[data-group-version="' + version + '"] .panel-body'));
-    $.ajax({
-      method: 'POST',
-      url: Router.getUrl(),
-      data: {
-        'install': {
-          'ignoreFile': $button.data('filepath'),
-          'token': executeToken,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          ignoreFile: $button.data('filepath'),
+          token: executeToken,
           action: 'upgradeDocsUnmarkRead',
         },
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, modalContent);
-      },
-    });
+      })
+      .catch((error: ResponseError): void => {
+        Router.handleAjaxError(error, modalContent);
+      });
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeWizards.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeWizards.ts
index 27664cf4254a80a35b45687ae75191ca62ad41e7..8bc4c678266684a0b711f27465a3c2ea29a3688a 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeWizards.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Module/Upgrade/UpgradeWizards.ts
@@ -11,16 +11,19 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {AbstractInteractableModule} from '../AbstractInteractableModule';
-import * as $ from 'jquery';
 import 'bootstrap';
-import Router = require('../../Router');
-import Severity = require('../../Renderable/Severity');
-import ProgressBar = require('../../Renderable/ProgressBar');
-import InfoBox = require('../../Renderable/InfoBox');
-import FlashMessage = require('../../Renderable/FlashMessage');
+import * as $ from 'jquery';
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from '../AbstractInteractableModule';
 import Notification = require('TYPO3/CMS/Backend/Notification');
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
 import SecurityUtility = require('TYPO3/CMS/Core/SecurityUtility');
+import FlashMessage = require('../../Renderable/FlashMessage');
+import InfoBox = require('../../Renderable/InfoBox');
+import ProgressBar = require('../../Renderable/ProgressBar');
+import Severity = require('../../Renderable/Severity');
+import Router = require('../../Router');
 
 /**
  * Module: TYPO3/CMS/Install/Module/UpgradeWizards
@@ -96,205 +99,210 @@ class UpgradeWizards extends AbstractInteractableModule {
     });
   }
 
-  private getData(): JQueryPromise<any> {
+  private getData(): Promise<any> {
     const modalContent = this.getModalBody();
-    return $.ajax({
-      url: Router.getUrl('upgradeWizardsGetData'),
-      cache: false,
-      success: (data: any): void => {
-        if (data.success === true) {
-          modalContent.empty().append(data.html);
-          this.blockingUpgradesDatabaseCharsetTest();
-        } else {
-          Notification.error('Something went wrong');
+    return (new AjaxRequest(Router.getUrl('upgradeWizardsGetData')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            modalContent.empty().append(data.html);
+            this.blockingUpgradesDatabaseCharsetTest();
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   private blockingUpgradesDatabaseCharsetTest(): void {
     const modalContent = this.getModalBody();
     const $outputContainer = this.findInModal(this.selectorOutputWizardsContainer);
     $outputContainer.empty().html(UpgradeWizards.renderProgressBar('Checking database charset...'));
-    $.ajax({
-      url: Router.getUrl('upgradeWizardsBlockingDatabaseCharsetTest'),
-      cache: false,
-      success: (data: any): void => {
-        UpgradeWizards.removeLoadingMessage($outputContainer);
-        if (data.success === true) {
-          if (data.needsUpdate === true) {
-            modalContent.find(this.selectorOutputWizardsContainer)
-              .append(modalContent.find(this.selectorWizardsBlockingCharsetTemplate)).clone();
-          } else {
-            this.blockingUpgradesDatabaseAdds();
+    (new AjaxRequest(Router.getUrl('upgradeWizardsBlockingDatabaseCharsetTest')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          UpgradeWizards.removeLoadingMessage($outputContainer);
+          if (data.success === true) {
+            if (data.needsUpdate === true) {
+              modalContent.find(this.selectorOutputWizardsContainer)
+                .append(modalContent.find(this.selectorWizardsBlockingCharsetTemplate)).clone();
+            } else {
+              this.blockingUpgradesDatabaseAdds();
+            }
           }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, $outputContainer);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private blockingUpgradesDatabaseCharsetFix(): void {
     const $outputContainer = $(this.selectorOutputWizardsContainer);
     $outputContainer.empty().html(UpgradeWizards.renderProgressBar('Setting database charset to UTF-8...'));
-    $.ajax({
-      url: Router.getUrl('upgradeWizardsBlockingDatabaseCharsetFix'),
-      cache: false,
-      success: (data: any): void => {
-        UpgradeWizards.removeLoadingMessage($outputContainer);
-        if (data.success === true) {
-          if (Array.isArray(data.status) && data.status.length > 0) {
-            data.status.forEach((element: any): void => {
-              const message: any = InfoBox.render(element.severity, element.title, element.message);
-              $outputContainer.append(message);
-            });
-          }
-        } else {
-          const message = FlashMessage.render(Severity.error, 'Something went wrong', '');
+    (new AjaxRequest(Router.getUrl('upgradeWizardsBlockingDatabaseCharsetFix')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
           UpgradeWizards.removeLoadingMessage($outputContainer);
-          $outputContainer.append(message);
+          if (data.success === true) {
+            if (Array.isArray(data.status) && data.status.length > 0) {
+              data.status.forEach((element: any): void => {
+                const message: any = InfoBox.render(element.severity, element.title, element.message);
+                $outputContainer.append(message);
+              });
+            }
+          } else {
+            const message = FlashMessage.render(Severity.error, 'Something went wrong', '');
+            UpgradeWizards.removeLoadingMessage($outputContainer);
+            $outputContainer.append(message);
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, $outputContainer);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private blockingUpgradesDatabaseAdds(): void {
     const modalContent = this.getModalBody();
     const $outputContainer = this.findInModal(this.selectorOutputWizardsContainer);
     $outputContainer.empty().html(UpgradeWizards.renderProgressBar('Check for missing mandatory database tables and fields...'));
-    $.ajax({
-      url: Router.getUrl('upgradeWizardsBlockingDatabaseAdds'),
-      cache: false,
-      success: (data: any): void => {
-        UpgradeWizards.removeLoadingMessage($outputContainer);
-        if (data.success === true) {
-          if (data.needsUpdate === true) {
-            const adds = modalContent.find(this.selectorWizardsBlockingAddsTemplate).clone();
-            if (typeof(data.adds.tables) === 'object') {
-              data.adds.tables.forEach((element: any): void => {
-                const title = 'Table: ' + this.securityUtility.encodeHtml(element.table);
-                adds.find(this.selectorWizardsBlockingAddsRows).append(title, '<br>');
-              });
-            }
-            if (typeof(data.adds.columns) === 'object') {
-              data.adds.columns.forEach((element: any): void => {
-                const title = 'Table: ' + this.securityUtility.encodeHtml(element.table)
-                  + ', Field: ' + this.securityUtility.encodeHtml(element.field);
-                adds.find(this.selectorWizardsBlockingAddsRows).append(title, '<br>');
-              });
-            }
-            if (typeof(data.adds.indexes) === 'object') {
-              data.adds.indexes.forEach((element: any): void => {
-                const title = 'Table: ' + this.securityUtility.encodeHtml(element.table)
-                  + ', Index: ' + this.securityUtility.encodeHtml(element.index);
-                adds.find(this.selectorWizardsBlockingAddsRows).append(title, '<br>');
-              });
+    (new AjaxRequest(Router.getUrl('upgradeWizardsBlockingDatabaseAdds')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          UpgradeWizards.removeLoadingMessage($outputContainer);
+          if (data.success === true) {
+            if (data.needsUpdate === true) {
+              const adds = modalContent.find(this.selectorWizardsBlockingAddsTemplate).clone();
+              if (typeof (data.adds.tables) === 'object') {
+                data.adds.tables.forEach((element: any): void => {
+                  const title = 'Table: ' + this.securityUtility.encodeHtml(element.table);
+                  adds.find(this.selectorWizardsBlockingAddsRows).append(title, '<br>');
+                });
+              }
+              if (typeof (data.adds.columns) === 'object') {
+                data.adds.columns.forEach((element: any): void => {
+                  const title = 'Table: ' + this.securityUtility.encodeHtml(element.table)
+                    + ', Field: ' + this.securityUtility.encodeHtml(element.field);
+                  adds.find(this.selectorWizardsBlockingAddsRows).append(title, '<br>');
+                });
+              }
+              if (typeof (data.adds.indexes) === 'object') {
+                data.adds.indexes.forEach((element: any): void => {
+                  const title = 'Table: ' + this.securityUtility.encodeHtml(element.table)
+                    + ', Index: ' + this.securityUtility.encodeHtml(element.index);
+                  adds.find(this.selectorWizardsBlockingAddsRows).append(title, '<br>');
+                });
+              }
+              modalContent.find(this.selectorOutputWizardsContainer).append(adds);
+            } else {
+              this.wizardsList();
             }
-            modalContent.find(this.selectorOutputWizardsContainer).append(adds);
           } else {
-            this.wizardsList();
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private blockingUpgradesDatabaseAddsExecute(): void {
     const $outputContainer = this.findInModal(this.selectorOutputWizardsContainer);
     $outputContainer.empty().html(UpgradeWizards.renderProgressBar('Adding database tables and fields...'));
-    $.ajax({
-      url: Router.getUrl('upgradeWizardsBlockingDatabaseExecute'),
-      cache: false,
-      success: (data: any): void => {
-        UpgradeWizards.removeLoadingMessage($outputContainer);
-        if (data.success === true) {
-          if (Array.isArray(data.status) && data.status.length > 0) {
-            data.status.forEach((element: any): void => {
-              const message = InfoBox.render(element.severity, element.title, element.message);
-              $outputContainer.append(message);
-            });
-            this.wizardsList();
-          }
-        } else {
-          const message = FlashMessage.render(Severity.error, 'Something went wrong', '');
+    (new AjaxRequest(Router.getUrl('upgradeWizardsBlockingDatabaseExecute')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
           UpgradeWizards.removeLoadingMessage($outputContainer);
-          $outputContainer.append(message);
+          if (data.success === true) {
+            if (Array.isArray(data.status) && data.status.length > 0) {
+              data.status.forEach((element: any): void => {
+                const message = InfoBox.render(element.severity, element.title, element.message);
+                $outputContainer.append(message);
+              });
+              this.wizardsList();
+            }
+          } else {
+            const message = FlashMessage.render(Severity.error, 'Something went wrong', '');
+            UpgradeWizards.removeLoadingMessage($outputContainer);
+            $outputContainer.append(message);
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, $outputContainer);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private wizardsList(): void {
     const modalContent = this.getModalBody();
     const $outputContainer = this.findInModal(this.selectorOutputWizardsContainer);
     $outputContainer.append(UpgradeWizards.renderProgressBar('Loading upgrade wizards...'));
-
-    $.ajax({
-      url: Router.getUrl('upgradeWizardsList'),
-      cache: false,
-      success: (data: any): void => {
-        UpgradeWizards.removeLoadingMessage($outputContainer);
-        const list = modalContent.find(this.selectorWizardsListTemplate).clone();
-        list.removeClass('t3js-upgradeWizards-list-template');
-        if (data.success === true) {
-          let numberOfWizardsTodo = 0;
-          let numberOfWizards = 0;
-          if (Array.isArray(data.wizards) && data.wizards.length > 0) {
-            numberOfWizards = data.wizards.length;
-            data.wizards.forEach((element: any): void => {
-              if (element.shouldRenderWizard === true) {
-                const aRow = modalContent.find(this.selectorWizardsListRowTemplate).clone();
-                numberOfWizardsTodo = numberOfWizardsTodo + 1;
-                aRow.removeClass('t3js-upgradeWizards-list-row-template');
-                aRow.find(this.selectorWizardsListRowTitle).empty().text(element.title);
-                aRow.find(this.selectorWizardsListRowExplanation).empty().text(element.explanation);
-                aRow.find(this.selectorWizardsListRowExecute).attr('data-identifier', element.identifier).attr('data-title', element.title);
-                list.find(this.selectorWizardsListRows).append(aRow);
-              }
-            });
-            list.find(this.selectorWizardsListRows + ' hr:last').remove();
-          }
-          let percent: number = 100;
-          const $progressBar = list.find('.progress-bar');
-          if (numberOfWizardsTodo > 0) {
-            percent = Math.round((numberOfWizards - numberOfWizardsTodo) / data.wizards.length * 100);
-          } else {
+    (new AjaxRequest(Router.getUrl('upgradeWizardsList')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          UpgradeWizards.removeLoadingMessage($outputContainer);
+          const list = modalContent.find(this.selectorWizardsListTemplate).clone();
+          list.removeClass('t3js-upgradeWizards-list-template');
+          if (data.success === true) {
+            let numberOfWizardsTodo = 0;
+            let numberOfWizards = 0;
+            if (Array.isArray(data.wizards) && data.wizards.length > 0) {
+              numberOfWizards = data.wizards.length;
+              data.wizards.forEach((element: any): void => {
+                if (element.shouldRenderWizard === true) {
+                  const aRow = modalContent.find(this.selectorWizardsListRowTemplate).clone();
+                  numberOfWizardsTodo = numberOfWizardsTodo + 1;
+                  aRow.removeClass('t3js-upgradeWizards-list-row-template');
+                  aRow.find(this.selectorWizardsListRowTitle).empty().text(element.title);
+                  aRow.find(this.selectorWizardsListRowExplanation).empty().text(element.explanation);
+                  aRow.find(this.selectorWizardsListRowExecute).attr('data-identifier', element.identifier).attr('data-title', element.title);
+                  list.find(this.selectorWizardsListRows).append(aRow);
+                }
+              });
+              list.find(this.selectorWizardsListRows + ' hr:last').remove();
+            }
+            let percent: number = 100;
+            const $progressBar = list.find('.progress-bar');
+            if (numberOfWizardsTodo > 0) {
+              percent = Math.round((numberOfWizards - numberOfWizardsTodo) / data.wizards.length * 100);
+            } else {
+              $progressBar
+                .removeClass('progress-bar-info')
+                .addClass('progress-bar-success');
+            }
             $progressBar
-              .removeClass('progress-bar-info')
-              .addClass('progress-bar-success');
+              .removeClass('progress-bar-striped')
+              .css('width', percent + '%')
+              .attr('aria-valuenow', percent)
+              .find('span')
+              .text(percent + '%');
+            modalContent.find(this.selectorOutputWizardsContainer).append(list);
+            this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop('disabled', false);
+          } else {
+            Notification.error('Something went wrong');
           }
-          $progressBar
-            .removeClass('progress-bar-striped')
-            .css('width', percent + '%')
-            .attr('aria-valuenow', percent)
-            .find('span')
-            .text(percent + '%');
-          modalContent.find(this.selectorOutputWizardsContainer).append(list);
-          this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop('disabled', false);
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private wizardInput(identifier: string, title: string): void {
@@ -310,42 +318,41 @@ class UpgradeWizards extends AbstractInteractableModule {
       250,
     );
 
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'upgradeWizardsInput',
-          'token': executeToken,
-          'identifier': identifier,
+    (new AjaxRequest(Router.getUrl('upgradeWizardsInput')))
+      .post({
+        install: {
+          action: 'upgradeWizardsInput',
+          token: executeToken,
+          identifier: identifier,
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        $outputContainer.empty();
-        const input = modalContent.find(this.selectorWizardsInputTemplate).clone();
-        input.removeClass('t3js-upgradeWizards-input');
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              const message = FlashMessage.render(element.severity, element.title, element.message);
-              $outputContainer.append(message);
-            });
-          }
-          if (data.userInput.wizardHtml.length > 0) {
-            input.find(this.selectorWizardsInputHtml).html(data.userInput.wizardHtml);
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          $outputContainer.empty();
+          const input = modalContent.find(this.selectorWizardsInputTemplate).clone();
+          input.removeClass('t3js-upgradeWizards-input');
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                const message = FlashMessage.render(element.severity, element.title, element.message);
+                $outputContainer.append(message);
+              });
+            }
+            if (data.userInput.wizardHtml.length > 0) {
+              input.find(this.selectorWizardsInputHtml).html(data.userInput.wizardHtml);
+            }
+            input.find(this.selectorWizardsInputTitle).text(data.userInput.title);
+            input.find(this.selectorWizardsInputPerform)
+              .attr('data-identifier', data.userInput.identifier)
+              .attr('data-title', data.userInput.title);
           }
-          input.find(this.selectorWizardsInputTitle).text(data.userInput.title);
-          input.find(this.selectorWizardsInputPerform)
-            .attr('data-identifier', data.userInput.identifier)
-            .attr('data-title', data.userInput.title);
+          modalContent.find(this.selectorOutputWizardsContainer).append(input);
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, $outputContainer);
         }
-        modalContent.find(this.selectorOutputWizardsContainer).append(input);
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private wizardExecute(identifier: string, title: string): void {
@@ -363,83 +370,82 @@ class UpgradeWizards extends AbstractInteractableModule {
     // modalContent.find(this.selectorOutputWizardsContainer).empty();
     $outputContainer.empty().html(UpgradeWizards.renderProgressBar('Executing "' + title + '"...'));
     this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop('disabled', true);
-    $.ajax({
-      method: 'POST',
-      data: postData,
-      url: Router.getUrl(),
-      cache: false,
-      success: (data: any): void => {
-        $outputContainer.empty();
-        if (data.success === true) {
-          if (Array.isArray(data.status)) {
-            data.status.forEach((element: any): void => {
-              const message = InfoBox.render(element.severity, element.title, element.message);
-              $outputContainer.append(message);
-            });
+    (new AjaxRequest(Router.getUrl()))
+      .post(postData)
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          $outputContainer.empty();
+          if (data.success === true) {
+            if (Array.isArray(data.status)) {
+              data.status.forEach((element: any): void => {
+                const message = InfoBox.render(element.severity, element.title, element.message);
+                $outputContainer.append(message);
+              });
+            }
+            this.wizardsList();
+            modalContent.find(this.selectorOutputDoneContainer).empty();
+            this.doneUpgrades();
+          } else {
+            Notification.error('Something went wrong');
           }
-          this.wizardsList();
-          modalContent.find(this.selectorOutputDoneContainer).empty();
-          this.doneUpgrades();
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, $outputContainer);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private doneUpgrades(): void {
     const modalContent = this.getModalBody();
     const $outputContainer = modalContent.find(this.selectorOutputDoneContainer);
     $outputContainer.empty().html(UpgradeWizards.renderProgressBar('Loading executed upgrade wizards...'));
-
-    $.ajax({
-      url: Router.getUrl('upgradeWizardsDoneUpgrades'),
-      cache: false,
-      success: (data: any): void => {
-        UpgradeWizards.removeLoadingMessage($outputContainer);
-        if (data.success === true) {
-          if (Array.isArray(data.status) && data.status.length > 0) {
-            data.status.forEach((element: any): void => {
-              const message = InfoBox.render(element.severity, element.title, element.message);
-              $outputContainer.append(message);
-            });
-          }
-          const body = modalContent.find(this.selectorWizardsDoneBodyTemplate).clone();
-          const $wizardsDoneContainer = body.find(this.selectorWizardsDoneRows);
-          let hasBodyContent: boolean = false;
-          if (Array.isArray(data.wizardsDone) && data.wizardsDone.length > 0) {
-            data.wizardsDone.forEach((element: any): void => {
-              hasBodyContent = true;
-              const aRow = modalContent.find(this.selectorWizardsDoneRowTemplate).clone();
-              aRow.find(this.selectorWizardsDoneRowMarkUndone).attr('data-identifier', element.identifier);
-              aRow.find(this.selectorWizardsDoneRowTitle).text(element.title);
-              $wizardsDoneContainer.append(aRow);
-            });
-          }
-          if (Array.isArray(data.rowUpdatersDone) && data.rowUpdatersDone.length > 0) {
-            data.rowUpdatersDone.forEach((element: any): void => {
-              hasBodyContent = true;
-              const aRow = modalContent.find(this.selectorWizardsDoneRowTemplate).clone();
-              aRow.find(this.selectorWizardsDoneRowMarkUndone).attr('data-identifier', element.identifier);
-              aRow.find(this.selectorWizardsDoneRowTitle).text(element.title);
-              $wizardsDoneContainer.append(aRow);
-            });
-          }
-          if (hasBodyContent) {
-            modalContent.find(this.selectorOutputDoneContainer).append(body);
-            this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop('disabled', true);
+    (new AjaxRequest(Router.getUrl('upgradeWizardsDoneUpgrades')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          UpgradeWizards.removeLoadingMessage($outputContainer);
+          if (data.success === true) {
+            if (Array.isArray(data.status) && data.status.length > 0) {
+              data.status.forEach((element: any): void => {
+                const message = InfoBox.render(element.severity, element.title, element.message);
+                $outputContainer.append(message);
+              });
+            }
+            const body = modalContent.find(this.selectorWizardsDoneBodyTemplate).clone();
+            const $wizardsDoneContainer = body.find(this.selectorWizardsDoneRows);
+            let hasBodyContent: boolean = false;
+            if (Array.isArray(data.wizardsDone) && data.wizardsDone.length > 0) {
+              data.wizardsDone.forEach((element: any): void => {
+                hasBodyContent = true;
+                const aRow = modalContent.find(this.selectorWizardsDoneRowTemplate).clone();
+                aRow.find(this.selectorWizardsDoneRowMarkUndone).attr('data-identifier', element.identifier);
+                aRow.find(this.selectorWizardsDoneRowTitle).text(element.title);
+                $wizardsDoneContainer.append(aRow);
+              });
+            }
+            if (Array.isArray(data.rowUpdatersDone) && data.rowUpdatersDone.length > 0) {
+              data.rowUpdatersDone.forEach((element: any): void => {
+                hasBodyContent = true;
+                const aRow = modalContent.find(this.selectorWizardsDoneRowTemplate).clone();
+                aRow.find(this.selectorWizardsDoneRowMarkUndone).attr('data-identifier', element.identifier);
+                aRow.find(this.selectorWizardsDoneRowTitle).text(element.title);
+                $wizardsDoneContainer.append(aRow);
+              });
+            }
+            if (hasBodyContent) {
+              modalContent.find(this.selectorOutputDoneContainer).append(body);
+              this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop('disabled', true);
+            }
+          } else {
+            Notification.error('Something went wrong');
           }
-        } else {
-          Notification.error('Something went wrong');
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, $outputContainer);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 
   private markUndone(identifier: string): void {
@@ -447,34 +453,33 @@ class UpgradeWizards extends AbstractInteractableModule {
     const modalContent = this.getModalBody();
     const $outputContainer = this.findInModal(this.selectorOutputDoneContainer);
     $outputContainer.empty().html(UpgradeWizards.renderProgressBar('Marking upgrade wizard as undone...'));
-    $.ajax({
-      url: Router.getUrl(),
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'upgradeWizardsMarkUndone',
-          'token': executeToken,
-          'identifier': identifier,
+    (new AjaxRequest(Router.getUrl()))
+      .post({
+        install: {
+          action: 'upgradeWizardsMarkUndone',
+          token: executeToken,
+          identifier: identifier,
         },
-      },
-      cache: false,
-      success: (data: any): void => {
-        $outputContainer.empty();
-        modalContent.find(this.selectorOutputDoneContainer).empty();
-        if (data.success === true && Array.isArray(data.status)) {
-          data.status.forEach((element: any): void => {
-            Notification.success(element.message);
-            this.doneUpgrades();
-            this.blockingUpgradesDatabaseCharsetTest();
-          });
-        } else {
-          Notification.error('Something went wrong');
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          $outputContainer.empty();
+          modalContent.find(this.selectorOutputDoneContainer).empty();
+          if (data.success === true && Array.isArray(data.status)) {
+            data.status.forEach((element: any): void => {
+              Notification.success(element.message);
+              this.doneUpgrades();
+              this.blockingUpgradesDatabaseCharsetTest();
+            });
+          } else {
+            Notification.error('Something went wrong');
+          }
+        },
+        (error: ResponseError): void => {
+          Router.handleAjaxError(error, $outputContainer);
         }
-      },
-      error: (xhr: XMLHttpRequest): void => {
-        Router.handleAjaxError(xhr, $outputContainer);
-      },
-    });
+      );
   }
 }
 
diff --git a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Router.ts b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Router.ts
index 6ae5c2a5337a8a17861610a51f84e0b43e62189d..49ced9cbe47dd023e7cb1b17b974d4d0f76702ee 100644
--- a/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Router.ts
+++ b/Build/Sources/TypeScript/install/Resources/Public/TypeScript/Router.ts
@@ -11,14 +11,17 @@
  * The TYPO3 project - inspiring people to share!
  */
 
-import {InlineModuleInterface} from './Module/InlineModuleInterface';
-import {AbstractInteractableModule} from './Module/AbstractInteractableModule';
 import * as $ from 'jquery';
+import AjaxRequest = require('TYPO3/CMS/Core/Ajax/AjaxRequest');
+import {AjaxResponse} from 'TYPO3/CMS/Core/Ajax/AjaxResponse';
+import {ResponseError} from 'TYPO3/CMS/Core/Ajax/ResponseError';
+import {AbstractInteractableModule} from './Module/AbstractInteractableModule';
+import {InlineModuleInterface} from './Module/InlineModuleInterface';
+import Icons = require('TYPO3/CMS/Backend/Icons');
+import Modal = require('TYPO3/CMS/Backend/Modal');
 import InfoBox = require('./Renderable/InfoBox');
-import Severity = require('./Renderable/Severity');
 import ProgressBar = require('./Renderable/ProgressBar');
-import Modal = require('TYPO3/CMS/Backend/Modal');
-import Icons = require('TYPO3/CMS/Backend/Icons');
+import Severity = require('./Renderable/Severity');
 
 class Router {
   private selectorBody: string = '.t3js-body';
@@ -57,7 +60,7 @@ class Router {
         const modalTitle = $me.closest('.card').find('.card-title').html();
         const modalSize = $me.data('modalSize') || Modal.sizes.large;
 
-        Icons.getIcon('spinner-circle', Icons.sizes.default, null, null, Icons.markupIdentifiers.inline).done((icon: any): void => {
+        Icons.getIcon('spinner-circle', Icons.sizes.default, null, null, Icons.markupIdentifiers.inline).then((icon: any): void => {
           const configuration = {
             type: Modal.types.default,
             title: modalTitle,
@@ -113,20 +116,21 @@ class Router {
 
   public executeSilentConfigurationUpdate(): void {
     this.updateLoadingInfo('Checking session and executing silent configuration update');
-    $.ajax({
-      url: this.getUrl('executeSilentConfigurationUpdate', 'layout'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          this.executeSilentExtensionConfigurationSynchronization();
-        } else {
-          this.executeSilentConfigurationUpdate();
+    (new AjaxRequest(this.getUrl('executeSilentConfigurationUpdate', 'layout')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            this.executeSilentExtensionConfigurationSynchronization();
+          } else {
+            this.executeSilentConfigurationUpdate();
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   /**
@@ -136,52 +140,54 @@ class Router {
   public executeSilentExtensionConfigurationSynchronization(): void {
     const $outputContainer = $(this.selectorBody);
     this.updateLoadingInfo('Executing silent extension configuration synchronization');
-    $.ajax({
-      url: this.getUrl('executeSilentExtensionConfigurationSynchronization', 'layout'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          this.loadMainLayout();
-        } else {
-          const message = InfoBox.render(Severity.error, 'Something went wrong', '');
-          $outputContainer.empty().append(message);
+    (new AjaxRequest(this.getUrl('executeSilentExtensionConfigurationSynchronization', 'layout')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            this.loadMainLayout();
+          } else {
+            const message = InfoBox.render(Severity.error, 'Something went wrong', '');
+            $outputContainer.empty().append(message);
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public loadMainLayout(): void {
     const $outputContainer = $(this.selectorBody);
     this.updateLoadingInfo('Loading main layout');
-    $.ajax({
-      url: this.getUrl('mainLayout', 'layout'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
-          $outputContainer.empty().append(data.html);
-          // Mark main module as active in standalone
-          if ($(this.selectorBody).data('context') !== 'backend') {
-            const controller = $outputContainer.data('controller');
-            $outputContainer.find('.t3js-mainmodule[data-controller="' + controller + '"]').addClass('active');
+    (new AjaxRequest(this.getUrl('mainLayout', 'layout')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
+            $outputContainer.empty().append(data.html);
+            // Mark main module as active in standalone
+            if ($(this.selectorBody).data('context') !== 'backend') {
+              const controller = $outputContainer.data('controller');
+              $outputContainer.find('.t3js-mainmodule[data-controller="' + controller + '"]').addClass('active');
+            }
+            this.loadCards();
+          } else {
+            const message = InfoBox.render(Severity.error, 'Something went wrong', '');
+            $outputContainer.empty().append(message);
           }
-          this.loadCards();
-        } else {
-          const message = InfoBox.render(Severity.error, 'Something went wrong', '');
-          $outputContainer.empty().append(message);
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
-  public handleAjaxError(xhr: XMLHttpRequest, $outputContainer?: JQuery): void {
+  public async handleAjaxError(error: ResponseError, $outputContainer?: JQuery): Promise<any> {
     let $message: any;
-    if (xhr.status === 403) {
+    if (error.response.status === 403) {
       // Install tool session expired - depending on context render error message or login
       const $context = $(this.selectorBody).data('context');
       if ($context === 'backend') {
@@ -195,36 +201,36 @@ class Router {
       const url = this.getUrl(undefined, 'upgrade');
       $message = $(
         '<div class="t3js-infobox callout callout-sm callout-danger">'
-          + '<div class="callout-body">'
-            + '<p>Something went wrong. Please use <b><a href="' + url + '">Check for broken'
-            + ' extensions</a></b> to see if a loaded extension breaks this part of the install tool'
-            + ' and unload it.</p>'
-            + '<p>The box below may additionally reveal further details on what went wrong depending on your debug settings.'
-            + ' It may help to temporarily switch to debug mode using <b>Settings > Configuration Presets > Debug settings.</b></p>'
-            + '<p>If this error happens at an early state and no full exception back trace is shown, it may also help'
-            + ' to manually increase debugging output in <code>typo3conf/LocalConfiguration.php</code>:'
-            + '<code>[\'BE\'][\'debug\'] => true</code>, <code>[\'SYS\'][\'devIPmask\'] => \'*\'</code>, '
-            + '<code>[\'SYS\'][\'displayErrors\'] => 1</code>,'
-            + '<code>[\'SYS\'][\'exceptionalErrors\'] => 12290</code></p>'
-          + '</div>'
+        + '<div class="callout-body">'
+        + '<p>Something went wrong. Please use <b><a href="' + url + '">Check for broken'
+        + ' extensions</a></b> to see if a loaded extension breaks this part of the install tool'
+        + ' and unload it.</p>'
+        + '<p>The box below may additionally reveal further details on what went wrong depending on your debug settings.'
+        + ' It may help to temporarily switch to debug mode using <b>Settings > Configuration Presets > Debug settings.</b></p>'
+        + '<p>If this error happens at an early state and no full exception back trace is shown, it may also help'
+        + ' to manually increase debugging output in <code>typo3conf/LocalConfiguration.php</code>:'
+        + '<code>[\'BE\'][\'debug\'] => true</code>, <code>[\'SYS\'][\'devIPmask\'] => \'*\'</code>, '
+        + '<code>[\'SYS\'][\'displayErrors\'] => 1</code>,'
+        + '<code>[\'SYS\'][\'systemLogLevel\'] => 0</code>, <code>[\'SYS\'][\'exceptionalErrors\'] => 12290</code></p>'
+        + '</div>'
         + '</div>'
         + '<div class="panel-group" role="tablist" aria-multiselectable="true">'
-          + '<div class="panel panel-default panel-flat searchhit">'
-            + '<div class="panel-heading" role="tab" id="heading-error">'
-              + '<h3 class="panel-title">'
-                + '<a role="button" data-toggle="collapse" data-parent="#accordion" href="#collapse-error" aria-expanded="true" '
-                    + 'aria-controls="collapse-error" class="collapsed">'
-                  + '<span class="caret"></span>'
-                  + '<strong>Ajax error</strong>'
-                + '</a>'
-              + '</h3>'
-            + '</div>'
-            + '<div id="collapse-error" class="panel-collapse collapse" role="tabpanel" aria-labelledby="heading-error">'
-              + '<div class="panel-body">'
-                + xhr.responseText
-              + '</div>'
-            + '</div>'
-          + '</div>'
+        + '<div class="panel panel-default panel-flat searchhit">'
+        + '<div class="panel-heading" role="tab" id="heading-error">'
+        + '<h3 class="panel-title">'
+        + '<a role="button" data-toggle="collapse" data-parent="#accordion" href="#collapse-error" aria-expanded="true" '
+        + 'aria-controls="collapse-error" class="collapsed">'
+        + '<span class="caret"></span>'
+        + '<strong>Ajax error</strong>'
+        + '</a>'
+        + '</h3>'
+        + '</div>'
+        + '<div id="collapse-error" class="panel-collapse collapse" role="tabpanel" aria-labelledby="heading-error">'
+        + '<div class="panel-body">'
+        + (await error.response.text())
+        + '</div>'
+        + '</div>'
+        + '</div>'
         + '</div>',
       );
 
@@ -239,132 +245,137 @@ class Router {
   }
 
   public checkEnableInstallToolFile(): void {
-    $.ajax({
-      url: this.getUrl('checkEnableInstallToolFile'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          this.checkLogin();
-        } else {
-          this.showEnableInstallTool();
+    (new AjaxRequest(this.getUrl('checkEnableInstallToolFile')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            this.checkLogin();
+          } else {
+            this.showEnableInstallTool();
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public showEnableInstallTool(): void {
-    $.ajax({
-      url: this.getUrl('showEnableInstallToolFile'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          $(this.selectorBody).empty().append(data.html);
+    (new AjaxRequest(this.getUrl('showEnableInstallToolFile')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            $(this.selectorBody).empty().append(data.html);
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public checkLogin(): void {
-    $.ajax({
-      url: this.getUrl('checkLogin'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          this.loadMainLayout();
-        } else {
-          this.showLogin();
+    (new AjaxRequest(this.getUrl('checkLogin')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            this.loadMainLayout();
+          } else {
+            this.showLogin();
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public showLogin(): void {
-    $.ajax({
-      url: this.getUrl('showLogin'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          $(this.selectorBody).empty().append(data.html);
+    (new AjaxRequest(this.getUrl('showLogin')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            $(this.selectorBody).empty().append(data.html);
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public login(): void {
     const $outputContainer: JQuery = $('.t3js-login-output');
     const message: any = ProgressBar.render(Severity.loading, 'Loading...', '');
     $outputContainer.empty().html(message);
-    $.ajax({
-      url: this.getUrl(),
-      cache: false,
-      method: 'POST',
-      data: {
-        'install': {
-          'action': 'login',
-          'token': $('[data-login-token]').data('login-token'),
-          'password': $('.t3-install-form-input-text').val(),
+    (new AjaxRequest(this.getUrl()))
+      .post({
+        install: {
+          action: 'login',
+          token: $('[data-login-token]').data('login-token'),
+          password: $('.t3-install-form-input-text').val(),
+        },
+      })
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            this.executeSilentConfigurationUpdate();
+          } else {
+            data.status.forEach((element: any): void => {
+              const m: any = InfoBox.render(element.severity, element.title, element.message);
+              $outputContainer.empty().html(m);
+            });
+          }
         },
-      },
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          this.executeSilentConfigurationUpdate();
-        } else {
-          data.status.forEach((element: any): void => {
-            const m: any = InfoBox.render(element.severity, element.title, element.message);
-            $outputContainer.empty().html(m);
-          });
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public logout(): void {
-    $.ajax({
-      url: this.getUrl('logout'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true) {
-          this.showEnableInstallTool();
+    (new AjaxRequest(this.getUrl('logout')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true) {
+            this.showEnableInstallTool();
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public loadCards(): void {
     const outputContainer = $(this.selectorMainContent);
-    $.ajax({
-      url: this.getUrl('cards'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
-          outputContainer.empty().append(data.html);
-        } else {
-          const message = InfoBox.render(Severity.error, 'Something went wrong', '');
-          outputContainer.empty().append(message);
+    (new AjaxRequest(this.getUrl('cards')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.success === true && data.html !== 'undefined' && data.html.length > 0) {
+            outputContainer.empty().append(data.html);
+          } else {
+            const message = InfoBox.render(Severity.error, 'Something went wrong', '');
+            outputContainer.empty().append(message);
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 
   public updateLoadingInfo(info: string): void {
@@ -374,22 +385,23 @@ class Router {
 
   private preAccessCheck(): void {
     this.updateLoadingInfo('Execute pre access check');
-    $.ajax({
-      url: this.getUrl('preAccessCheck', 'layout'),
-      cache: false,
-      success: (data: { [key: string]: any }): void => {
-        if (data.installToolLocked) {
-          this.checkEnableInstallToolFile();
-        } else if (!data.isAuthorized) {
-          this.showLogin();
-        } else {
-          this.executeSilentConfigurationUpdate();
+    (new AjaxRequest(this.getUrl('preAccessCheck', 'layout')))
+      .get({cache: 'no-cache'})
+      .then(
+        async (response: AjaxResponse): Promise<any> => {
+          const data = await response.resolve();
+          if (data.installToolLocked) {
+            this.checkEnableInstallToolFile();
+          } else if (!data.isAuthorized) {
+            this.showLogin();
+          } else {
+            this.executeSilentConfigurationUpdate();
+          }
+        },
+        (error: ResponseError): void => {
+          this.handleAjaxError(error)
         }
-      },
-      error: (xhr: JQueryXHR): void => {
-        this.handleAjaxError(xhr);
-      },
-    });
+      );
   }
 }
 
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Ajax/AjaxQueue.js b/typo3/sysext/install/Resources/Public/JavaScript/Ajax/AjaxQueue.js
index ac92cdb4ea0daf3c431183f446f0a17878166da1..0f171ff8a15247128bd43ba8a2603b27dc37c1eb 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Ajax/AjaxQueue.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Ajax/AjaxQueue.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","jquery"],(function(e,t,s){"use strict";return new class{constructor(){this.requestCount=0,this.threshold=10,this.queue=[]}add(e){const t=e.complete;e.complete=(e,u)=>{this.queue.length>0&&this.requestCount<=this.threshold?s.ajax(this.queue.shift()).always(()=>{this.decrementRequestCount()}):this.decrementRequestCount(),t&&t(e,u)},this.requestCount>=this.threshold?this.queue.push(e):(this.incrementRequestCount(),s.ajax(e))}incrementRequestCount(){this.requestCount++}decrementRequestCount(){this.requestCount>0&&this.requestCount--}}}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,n,s){return new(n||(n=Promise))((function(u,i){function r(t){try{h(s.next(t))}catch(t){i(t)}}function o(t){try{h(s.throw(t))}catch(t){i(t)}}function h(t){var e;t.done?u(t.value):(e=t.value,e instanceof n?e:new n((function(t){t(e)}))).then(r,o)}h((s=s.apply(t,e||[])).next())}))};define(["require","exports","TYPO3/CMS/Core/Ajax/AjaxRequest"],(function(t,e,n){"use strict";return new class{constructor(){this.requestCount=0,this.threshold=10,this.queue=[]}add(t){return __awaiter(this,arguments,void 0,(function*(){const e=t.finally;this.queue.length>0&&this.requestCount<=this.threshold?this.sendRequest(this.queue.shift()).finally(()=>{this.decrementRequestCount()}):this.decrementRequestCount(),e&&e(...arguments),this.requestCount>=this.threshold?this.queue.push(t):(this.incrementRequestCount(),this.sendRequest(t))}))}sendRequest(t){return __awaiter(this,void 0,void 0,(function*(){const e=new n(t.url);let s;return(s=void 0!==t.method&&"POST"===t.method.toUpperCase()?e.post(t.data):e.withQueryArguments(t.data||{}).get()).then(t.onfulfilled,t.onrejected)}))}incrementRequestCount(){this.requestCount++}decrementRequestCount(){this.requestCount>0&&this.requestCount--}}}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Installer.js b/typo3/sysext/install/Resources/Public/JavaScript/Installer.js
index f199e2a66c3f6a58def5e1f5836ffcedec49c87a..dbb3c9062a91963f9f18d6f3d08e98c4717d21d9 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Installer.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Installer.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","jquery","./Renderable/InfoBox","./Renderable/Severity","./Renderable/ProgressBar","./Module/PasswordStrength"],(function(e,t,s,a,r,n,c){"use strict";return new class{constructor(){this.selectorBody=".t3js-body",this.selectorModuleContent=".t3js-module-content",this.selectorMainContent=".t3js-installer-content",this.selectorProgressBar=".t3js-installer-progress",this.selectorDatabaseConnectOutput=".t3js-installer-databaseConnect-output",this.selectorDatabaseSelectOutput=".t3js-installer-databaseSelect-output",this.selectorDatabaseDataOutput=".t3js-installer-databaseData-output",this.initializeEvents(),s(()=>{this.initialize()})}initializeEvents(){s(document).on("click",".t3js-installer-environmentFolders-retry",e=>{e.preventDefault(),this.showEnvironmentAndFolders()}),s(document).on("click",".t3js-installer-environmentFolders-execute",e=>{e.preventDefault(),this.executeEnvironmentAndFolders()}),s(document).on("click",".t3js-installer-databaseConnect-execute",e=>{e.preventDefault(),this.executeDatabaseConnect()}),s(document).on("click",".t3js-installer-databaseSelect-execute",e=>{e.preventDefault(),this.executeDatabaseSelect()}),s(document).on("click",".t3js-installer-databaseData-execute",e=>{e.preventDefault(),this.executeDatabaseData()}),s(document).on("click",".t3js-installer-defaultConfiguration-execute",e=>{e.preventDefault(),this.executeDefaultConfiguration()}),s(document).on("keyup",".t3-install-form-password-strength",()=>{c.initialize(".t3-install-form-password-strength")}),s(document).on("change","#t3js-connect-database-driver",e=>{let t=s(e.currentTarget).val();s(".t3-install-driver-data").hide(),s(".t3-install-driver-data input").attr("disabled","disabled"),s("#"+t+" input").attr("disabled",null),s("#"+t).show()})}initialize(){this.setProgress(0),this.getMainLayout()}getUrl(e){let t=location.href;return t=t.replace(location.search,""),void 0!==e&&(t=t+"?install[action]="+e),t}setProgress(e){let t=s(this.selectorProgressBar),a=0;0!==e&&(a=e/5*100,t.find(".progress-bar").empty().text(e+" / 5 - "+a+"% Complete")),t.find(".progress-bar").css("width",a+"%").attr("aria-valuenow",a)}getMainLayout(){s.ajax({url:this.getUrl("mainLayout"),cache:!1,success:e=>{s(this.selectorBody).empty().append(e.html),this.checkInstallerAvailable()}})}checkInstallerAvailable(){s.ajax({url:this.getUrl("checkInstallerAvailable"),cache:!1,success:e=>{e.success?this.checkEnvironmentAndFolders():this.showInstallerNotAvailable()}})}showInstallerNotAvailable(){let e=s(this.selectorMainContent);s.ajax({url:this.getUrl("showInstallerNotAvailable"),cache:!1,success:t=>{!0===t.success&&e.empty().append(t.html)}})}checkEnvironmentAndFolders(){this.setProgress(1),s.ajax({url:this.getUrl("checkEnvironmentAndFolders"),cache:!1,success:e=>{!0===e.success?this.checkTrustedHostsPattern():this.showEnvironmentAndFolders()}})}showEnvironmentAndFolders(){let e=s(this.selectorMainContent);s.ajax({url:this.getUrl("showEnvironmentAndFolders"),cache:!1,success:t=>{if(!0===t.success){e.empty().html(t.html);let r=s(".t3js-installer-environment-details"),n=!1;Array.isArray(t.environmentStatusErrors)&&t.environmentStatusErrors.forEach(e=>{n=!0;let t=a.render(e.severity,e.title,e.message);r.append(t)}),Array.isArray(t.environmentStatusWarnings)&&t.environmentStatusWarnings.forEach(e=>{n=!0;let t=a.render(e.severity,e.title,e.message);r.append(t)}),Array.isArray(t.structureErrors)&&t.structureErrors.forEach(e=>{n=!0;let t=a.render(e.severity,e.title,e.message);r.append(t)}),n?(r.show(),s(".t3js-installer-environmentFolders-bad").show()):s(".t3js-installer-environmentFolders-good").show()}}})}executeEnvironmentAndFolders(){s.ajax({url:this.getUrl("executeEnvironmentAndFolders"),cache:!1,success:e=>{!0===e.success&&this.checkTrustedHostsPattern()}})}checkTrustedHostsPattern(){s.ajax({url:this.getUrl("checkTrustedHostsPattern"),cache:!1,success:e=>{!0===e.success?this.executeSilentConfigurationUpdate():this.executeAdjustTrustedHostsPattern()}})}executeAdjustTrustedHostsPattern(){s.ajax({url:this.getUrl("executeAdjustTrustedHostsPattern"),cache:!1,success:()=>{this.executeSilentConfigurationUpdate()}})}executeSilentConfigurationUpdate(){s.ajax({url:this.getUrl("executeSilentConfigurationUpdate"),cache:!1,success:e=>{!0===e.success?this.checkDatabaseConnect():this.executeSilentConfigurationUpdate()}})}checkDatabaseConnect(){this.setProgress(2),s.ajax({url:this.getUrl("checkDatabaseConnect"),cache:!1,success:e=>{!0===e.success?this.checkDatabaseSelect():this.showDatabaseConnect()}})}showDatabaseConnect(){let e=s(this.selectorMainContent);s.ajax({url:this.getUrl("showDatabaseConnect"),cache:!1,success:t=>{!0===t.success&&(e.empty().html(t.html),s("#t3js-connect-database-driver").trigger("change"))}})}executeDatabaseConnect(){let e=s(this.selectorDatabaseConnectOutput),t={"install[action]":"executeDatabaseConnect","install[token]":s(this.selectorModuleContent).data("installer-database-connect-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((e,s)=>{t[s.name]=s.value}),s.ajax({url:this.getUrl(),cache:!1,method:"POST",data:t,success:t=>{!0===t.success?this.checkDatabaseSelect():Array.isArray(t.status)&&t.status.forEach(t=>{let s=a.render(t.severity,t.title,t.message);e.empty().append(s)})}})}checkDatabaseSelect(){this.setProgress(3),s.ajax({url:this.getUrl("checkDatabaseSelect"),cache:!1,success:e=>{!0===e.success?this.checkDatabaseData():this.showDatabaseSelect()}})}showDatabaseSelect(){let e=s(this.selectorMainContent);s.ajax({url:this.getUrl("showDatabaseSelect"),cache:!1,success:t=>{!0===t.success&&e.empty().html(t.html)}})}executeDatabaseSelect(){let e=s(this.selectorDatabaseSelectOutput),t={"install[action]":"executeDatabaseSelect","install[token]":s(this.selectorModuleContent).data("installer-database-select-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((e,s)=>{t[s.name]=s.value}),s.ajax({url:this.getUrl(),cache:!1,method:"POST",data:t,success:t=>{!0===t.success?this.checkDatabaseData():Array.isArray(t.status)&&t.status.forEach(t=>{let s=a.render(t.severity,t.title,t.message);e.empty().append(s)})}})}checkDatabaseData(){this.setProgress(4),s.ajax({url:this.getUrl("checkDatabaseData"),cache:!1,success:e=>{!0===e.success?this.showDefaultConfiguration():this.showDatabaseData()}})}showDatabaseData(){let e=s(this.selectorMainContent);s.ajax({url:this.getUrl("showDatabaseData"),cache:!1,success:t=>{!0===t.success&&e.empty().html(t.html)}})}executeDatabaseData(){let e=s(this.selectorDatabaseDataOutput),t={"install[action]":"executeDatabaseData","install[token]":s(this.selectorModuleContent).data("installer-database-data-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((e,s)=>{t[s.name]=s.value});let c=n.render(r.loading,"Loading...","");e.empty().html(c),s.ajax({url:this.getUrl(),cache:!1,method:"POST",data:t,success:t=>{!0===t.success?this.showDefaultConfiguration():Array.isArray(t.status)&&t.status.forEach(t=>{let s=a.render(t.severity,t.title,t.message);e.empty().append(s)})}})}showDefaultConfiguration(){let e=s(this.selectorMainContent);this.setProgress(5),s.ajax({url:this.getUrl("showDefaultConfiguration"),cache:!1,success:t=>{!0===t.success&&e.empty().html(t.html)}})}executeDefaultConfiguration(){let e={"install[action]":"executeDefaultConfiguration","install[token]":s(this.selectorModuleContent).data("installer-default-configuration-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((t,s)=>{e[s.name]=s.value}),s.ajax({url:this.getUrl(),cache:!1,method:"POST",data:e,success:e=>{top.location.href=e.redirect}})}}}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,s,a){return new(s||(s=Promise))((function(n,i){function o(e){try{c(a.next(e))}catch(e){i(e)}}function r(e){try{c(a.throw(e))}catch(e){i(e)}}function c(e){var t;e.done?n(e.value):(t=e.value,t instanceof s?t:new s((function(e){e(t)}))).then(o,r)}c((a=a.apply(e,t||[])).next())}))};define(["require","exports","jquery","TYPO3/CMS/Core/Ajax/AjaxRequest","./Module/PasswordStrength","./Renderable/InfoBox","./Renderable/ProgressBar","./Renderable/Severity"],(function(e,t,s,a,n,i,o,r){"use strict";return new class{constructor(){this.selectorBody=".t3js-body",this.selectorModuleContent=".t3js-module-content",this.selectorMainContent=".t3js-installer-content",this.selectorProgressBar=".t3js-installer-progress",this.selectorDatabaseConnectOutput=".t3js-installer-databaseConnect-output",this.selectorDatabaseSelectOutput=".t3js-installer-databaseSelect-output",this.selectorDatabaseDataOutput=".t3js-installer-databaseData-output",this.initializeEvents(),s(()=>{this.initialize()})}initializeEvents(){s(document).on("click",".t3js-installer-environmentFolders-retry",e=>{e.preventDefault(),this.showEnvironmentAndFolders()}),s(document).on("click",".t3js-installer-environmentFolders-execute",e=>{e.preventDefault(),this.executeEnvironmentAndFolders()}),s(document).on("click",".t3js-installer-databaseConnect-execute",e=>{e.preventDefault(),this.executeDatabaseConnect()}),s(document).on("click",".t3js-installer-databaseSelect-execute",e=>{e.preventDefault(),this.executeDatabaseSelect()}),s(document).on("click",".t3js-installer-databaseData-execute",e=>{e.preventDefault(),this.executeDatabaseData()}),s(document).on("click",".t3js-installer-defaultConfiguration-execute",e=>{e.preventDefault(),this.executeDefaultConfiguration()}),s(document).on("keyup",".t3-install-form-password-strength",()=>{n.initialize(".t3-install-form-password-strength")}),s(document).on("change","#t3js-connect-database-driver",e=>{let t=s(e.currentTarget).val();s(".t3-install-driver-data").hide(),s(".t3-install-driver-data input").attr("disabled","disabled"),s("#"+t+" input").attr("disabled",null),s("#"+t).show()})}initialize(){this.setProgress(0),this.getMainLayout()}getUrl(e){let t=location.href;return t=t.replace(location.search,""),void 0!==e&&(t=t+"?install[action]="+e),t}setProgress(e){let t=s(this.selectorProgressBar),a=0;0!==e&&(a=e/5*100,t.find(".progress-bar").empty().text(e+" / 5 - "+a+"% Complete")),t.find(".progress-bar").css("width",a+"%").attr("aria-valuenow",a)}getMainLayout(){new a(this.getUrl("mainLayout")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();s(this.selectorBody).empty().append(t.html),this.checkInstallerAvailable()})))}checkInstallerAvailable(){new a(this.getUrl("checkInstallerAvailable")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){(yield e.resolve()).success?this.checkEnvironmentAndFolders():this.showInstallerNotAvailable()})))}showInstallerNotAvailable(){let e=s(this.selectorMainContent);new a(this.getUrl("showInstallerNotAvailable")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success&&e.empty().append(s.html)})))}checkEnvironmentAndFolders(){this.setProgress(1),new a(this.getUrl("checkEnvironmentAndFolders")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.checkTrustedHostsPattern():this.showEnvironmentAndFolders()})))}showEnvironmentAndFolders(){let e=s(this.selectorMainContent);new a(this.getUrl("showEnvironmentAndFolders")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const a=yield t.resolve();if(!0===a.success){e.empty().html(a.html);let t=s(".t3js-installer-environment-details"),n=!1;Array.isArray(a.environmentStatusErrors)&&a.environmentStatusErrors.forEach(e=>{n=!0;let s=i.render(e.severity,e.title,e.message);t.append(s)}),Array.isArray(a.environmentStatusWarnings)&&a.environmentStatusWarnings.forEach(e=>{n=!0;let s=i.render(e.severity,e.title,e.message);t.append(s)}),Array.isArray(a.structureErrors)&&a.structureErrors.forEach(e=>{n=!0;let s=i.render(e.severity,e.title,e.message);t.append(s)}),n?(t.show(),s(".t3js-installer-environmentFolders-bad").show()):s(".t3js-installer-environmentFolders-good").show()}})))}executeEnvironmentAndFolders(){new a(this.getUrl("executeEnvironmentAndFolders")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success&&this.checkTrustedHostsPattern()})))}checkTrustedHostsPattern(){new a(this.getUrl("checkTrustedHostsPattern")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.executeSilentConfigurationUpdate():this.executeAdjustTrustedHostsPattern()})))}executeAdjustTrustedHostsPattern(){new a(this.getUrl("executeAdjustTrustedHostsPattern")).get({cache:"no-cache"}).then(()=>{this.executeSilentConfigurationUpdate()})}executeSilentConfigurationUpdate(){new a(this.getUrl("executeSilentConfigurationUpdate")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.checkDatabaseConnect():this.executeSilentConfigurationUpdate()})))}checkDatabaseConnect(){this.setProgress(2),new a(this.getUrl("checkDatabaseConnect")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.checkDatabaseSelect():this.showDatabaseConnect()})))}showDatabaseConnect(){let e=s(this.selectorMainContent);new a(this.getUrl("showDatabaseConnect")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const a=yield t.resolve();!0===a.success&&(e.empty().html(a.html),s("#t3js-connect-database-driver").trigger("change"))})))}executeDatabaseConnect(){let e=s(this.selectorDatabaseConnectOutput),t={"install[action]":"executeDatabaseConnect","install[token]":s(this.selectorModuleContent).data("installer-database-connect-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((e,s)=>{t[s.name]=s.value}),new a(this.getUrl()).post(t).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success?this.checkDatabaseSelect():Array.isArray(s.status)&&s.status.forEach(t=>{let s=i.render(t.severity,t.title,t.message);e.empty().append(s)})})))}checkDatabaseSelect(){this.setProgress(3),new a(this.getUrl("checkDatabaseSelect")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.checkDatabaseData():this.showDatabaseSelect()})))}showDatabaseSelect(){let e=s(this.selectorMainContent);new a(this.getUrl("showDatabaseSelect")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success&&e.empty().html(s.html)})))}executeDatabaseSelect(){let e=s(this.selectorDatabaseSelectOutput),t={"install[action]":"executeDatabaseSelect","install[token]":s(this.selectorModuleContent).data("installer-database-select-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((e,s)=>{t[s.name]=s.value}),new a(this.getUrl()).post(t).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success?this.checkDatabaseData():Array.isArray(s.status)&&s.status.forEach(t=>{let s=i.render(t.severity,t.title,t.message);e.empty().append(s)})})))}checkDatabaseData(){this.setProgress(4),new a(this.getUrl("checkDatabaseData")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.showDefaultConfiguration():this.showDatabaseData()})))}showDatabaseData(){let e=s(this.selectorMainContent);new a(this.getUrl("showDatabaseData")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success&&e.empty().html(s.html)})))}executeDatabaseData(){let e=s(this.selectorDatabaseDataOutput),t={"install[action]":"executeDatabaseData","install[token]":s(this.selectorModuleContent).data("installer-database-data-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((e,s)=>{t[s.name]=s.value});let n=o.render(r.loading,"Loading...","");e.empty().html(n),new a(this.getUrl()).post(t).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success?this.showDefaultConfiguration():Array.isArray(s.status)&&s.status.forEach(t=>{let s=i.render(t.severity,t.title,t.message);e.empty().append(s)})})))}showDefaultConfiguration(){let e=s(this.selectorMainContent);this.setProgress(5),new a(this.getUrl("showDefaultConfiguration")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success&&e.empty().html(s.html)})))}executeDefaultConfiguration(){let e={"install[action]":"executeDefaultConfiguration","install[token]":s(this.selectorModuleContent).data("installer-default-configuration-execute-token")};s(s(this.selectorBody+" form").serializeArray()).each((t,s)=>{e[s.name]=s.value}),new a(this.getUrl()).post(e).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();top.location.href=t.redirect})))}}}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/EnvironmentCheck.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/EnvironmentCheck.js
index dcf996c3d6af357ae983217f24894133c1cbcab4..588b490ef3daecb2586e7e3d4cb750d54c9961f4 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/EnvironmentCheck.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/EnvironmentCheck.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/ProgressBar","../../Renderable/InfoBox","../../Renderable/Severity","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap"],(function(e,t,r,s,n,a,o,i,l,d){"use strict";class c extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorGridderBadge=".t3js-environmentCheck-badge",this.selectorExecuteTrigger=".t3js-environmentCheck-execute",this.selectorOutputContainer=".t3js-environmentCheck-output"}initialize(e){this.currentModal=e,this.runTests(),e.on("click",this.selectorExecuteTrigger,e=>{e.preventDefault(),this.runTests()})}runTests(){const e=this.getModalBody(),t=s(this.selectorGridderBadge);t.text("").hide();const r=a.render(i.loading,"Loading...","");e.find(this.selectorOutputContainer).empty().append(r),this.findInModal(this.selectorExecuteTrigger).addClass("disabled").prop("disabled",!0),s.ajax({url:n.getUrl("environmentCheckGetStatus"),cache:!1,success:r=>{e.empty().append(r.html),l.setButtons(r.buttons);let n=0,a=0;!0===r.success&&"object"==typeof r.status?(s.each(r.status,(t,r)=>{Array.isArray(r)&&r.length>0&&r.forEach(t=>{1===t.severity&&n++,2===t.severity&&a++;const r=o.render(t.severity,t.title,t.message);e.find(this.selectorOutputContainer).append(r)})}),a>0?t.removeClass("label-warning").addClass("label-danger").text(a).show():n>0&&t.removeClass("label-error").addClass("label-warning").text(n).show()):d.error("Something went wrong")},error:t=>{n.handleAjaxError(t,e)}})}}return new c}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,r,n){return new(r||(r=Promise))((function(s,a){function o(e){try{c(n.next(e))}catch(e){a(e)}}function i(e){try{c(n.throw(e))}catch(e){a(e)}}function c(e){var t;e.done?s(e.value):(t=e.value,t instanceof r?t:new r((function(e){e(t)}))).then(o,i)}c((n=n.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router","bootstrap"],(function(e,t,r,n,s,a,o,i,c,l,d){"use strict";class u extends n.AbstractInteractableModule{constructor(){super(...arguments),this.selectorGridderBadge=".t3js-environmentCheck-badge",this.selectorExecuteTrigger=".t3js-environmentCheck-execute",this.selectorOutputContainer=".t3js-environmentCheck-output"}initialize(e){this.currentModal=e,this.runTests(),e.on("click",this.selectorExecuteTrigger,e=>{e.preventDefault(),this.runTests()})}runTests(){const e=this.getModalBody(),t=r(this.selectorGridderBadge);t.text("").hide();const n=c.render(l.loading,"Loading...","");e.find(this.selectorOutputContainer).empty().append(n),this.findInModal(this.selectorExecuteTrigger).addClass("disabled").prop("disabled",!0),new o(d.getUrl("environmentCheckGetStatus")).get({cache:"no-cache"}).then(n=>__awaiter(this,void 0,void 0,(function*(){const o=yield n.resolve();e.empty().append(o.html),s.setButtons(o.buttons);let c=0,l=0;!0===o.success&&"object"==typeof o.status?(r.each(o.status,(t,r)=>{Array.isArray(r)&&r.length>0&&r.forEach(t=>{1===t.severity&&c++,2===t.severity&&l++;const r=i.render(t.severity,t.title,t.message);e.find(this.selectorOutputContainer).append(r)})}),l>0?t.removeClass("label-warning").addClass("label-danger").text(l).show():c>0&&t.removeClass("label-error").addClass("label-warning").text(c).show()):a.error("Something went wrong")})),t=>{d.handleAjaxError(t,e)})}}return new u}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/FolderStructure.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/FolderStructure.js
index 2fcadf79e869bec3fe9e19210da98ad0e7e116c2..8e45747710446ff9c8830d36055a4ea85d334db5 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/FolderStructure.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/FolderStructure.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/ProgressBar","../../Renderable/InfoBox","../../Renderable/Severity","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap"],(function(e,t,r,s,i,o,n,a,d,l){"use strict";class c extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorGridderBadge=".t3js-folderStructure-badge",this.selectorOutputContainer=".t3js-folderStructure-output",this.selectorErrorContainer=".t3js-folderStructure-errors",this.selectorErrorList=".t3js-folderStructure-errors-list",this.selectorErrorFixTrigger=".t3js-folderStructure-errors-fix",this.selectorOkContainer=".t3js-folderStructure-ok",this.selectorOkList=".t3js-folderStructure-ok-list",this.selectorPermissionContainer=".t3js-folderStructure-permissions"}static removeLoadingMessage(e){e.find(".alert-loading").remove()}initialize(e){this.currentModal=e,this.getStatus(),e.on("click",this.selectorErrorFixTrigger,e=>{e.preventDefault(),s(e.currentTarget).addClass("disabled").prop("disabled",!0),this.fix()})}getStatus(){const e=this.getModalBody(),t=s(this.selectorGridderBadge);t.text("").hide(),e.find(this.selectorOutputContainer).empty().append(o.render(a.loading,"Loading...","")),s.ajax({url:i.getUrl("folderStructureGetStatus"),cache:!1,success:r=>{if(e.empty().append(r.html),d.setButtons(r.buttons),!0===r.success&&Array.isArray(r.errorStatus)){let s=0;r.errorStatus.length>0?(e.find(this.selectorErrorContainer).show(),e.find(this.selectorErrorList).empty(),r.errorStatus.forEach(r=>{s++,t.text(s).show();const i=n.render(r.severity,r.title,r.message);e.find(this.selectorErrorList).append(i)})):e.find(this.selectorErrorContainer).hide()}!0===r.success&&Array.isArray(r.okStatus)&&(r.okStatus.length>0?(e.find(this.selectorOkContainer).show(),e.find(this.selectorOkList).empty(),r.okStatus.forEach(t=>{const r=n.render(t.severity,t.title,t.message);e.find(this.selectorOkList).append(r)})):e.find(this.selectorOkContainer).hide());let s=r.folderStructureFilePermissionStatus;e.find(this.selectorPermissionContainer).empty().append(n.render(s.severity,s.title,s.message)),s=r.folderStructureDirectoryPermissionStatus,e.find(this.selectorPermissionContainer).append(n.render(s.severity,s.title,s.message))},error:t=>{i.handleAjaxError(t,e)}})}fix(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputContainer),r=o.render(a.loading,"Loading...","");t.empty().html(r),s.ajax({url:i.getUrl("folderStructureFix"),cache:!1,success:e=>{c.removeLoadingMessage(t),!0===e.success&&Array.isArray(e.fixedStatus)?(e.fixedStatus.length>0?e.fixedStatus.forEach(e=>{t.append(n.render(e.severity,e.title,e.message))}):t.append(n.render(a.warning,"Nothing fixed","")),this.getStatus()):l.error("Something went wrong")},error:t=>{i.handleAjaxError(t,e)}})}}return new c}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,r,s){return new(r||(r=Promise))((function(i,o){function n(e){try{d(s.next(e))}catch(e){o(e)}}function a(e){try{d(s.throw(e))}catch(e){o(e)}}function d(e){var t;e.done?i(e.value):(t=e.value,t instanceof r?t:new r((function(e){e(t)}))).then(n,a)}d((s=s.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router","bootstrap"],(function(e,t,r,s,i,o,n,a,d,c,l){"use strict";class u extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorGridderBadge=".t3js-folderStructure-badge",this.selectorOutputContainer=".t3js-folderStructure-output",this.selectorErrorContainer=".t3js-folderStructure-errors",this.selectorErrorList=".t3js-folderStructure-errors-list",this.selectorErrorFixTrigger=".t3js-folderStructure-errors-fix",this.selectorOkContainer=".t3js-folderStructure-ok",this.selectorOkList=".t3js-folderStructure-ok-list",this.selectorPermissionContainer=".t3js-folderStructure-permissions"}static removeLoadingMessage(e){e.find(".alert-loading").remove()}initialize(e){this.currentModal=e,this.getStatus(),e.on("click",this.selectorErrorFixTrigger,e=>{e.preventDefault(),r(e.currentTarget).addClass("disabled").prop("disabled",!0),this.fix()})}getStatus(){const e=this.getModalBody(),t=r(this.selectorGridderBadge);t.text("").hide(),e.find(this.selectorOutputContainer).empty().append(d.render(c.loading,"Loading...","")),new n(l.getUrl("folderStructureGetStatus")).get({cache:"no-cache"}).then(r=>__awaiter(this,void 0,void 0,(function*(){const s=yield r.resolve();if(e.empty().append(s.html),i.setButtons(s.buttons),!0===s.success&&Array.isArray(s.errorStatus)){let r=0;s.errorStatus.length>0?(e.find(this.selectorErrorContainer).show(),e.find(this.selectorErrorList).empty(),s.errorStatus.forEach(s=>{r++,t.text(r).show();const i=a.render(s.severity,s.title,s.message);e.find(this.selectorErrorList).append(i)})):e.find(this.selectorErrorContainer).hide()}!0===s.success&&Array.isArray(s.okStatus)&&(s.okStatus.length>0?(e.find(this.selectorOkContainer).show(),e.find(this.selectorOkList).empty(),s.okStatus.forEach(t=>{const r=a.render(t.severity,t.title,t.message);e.find(this.selectorOkList).append(r)})):e.find(this.selectorOkContainer).hide());let o=s.folderStructureFilePermissionStatus;e.find(this.selectorPermissionContainer).empty().append(a.render(o.severity,o.title,o.message)),o=s.folderStructureDirectoryPermissionStatus,e.find(this.selectorPermissionContainer).append(a.render(o.severity,o.title,o.message))})),t=>{l.handleAjaxError(t,e)})}fix(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputContainer),r=d.render(c.loading,"Loading...","");t.empty().html(r),new n(l.getUrl("folderStructureFix")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const r=yield e.resolve();u.removeLoadingMessage(t),!0===r.success&&Array.isArray(r.fixedStatus)?(r.fixedStatus.length>0?r.fixedStatus.forEach(e=>{t.append(a.render(e.severity,e.title,e.message))}):t.append(a.render(c.warning,"Nothing fixed","")),this.getStatus()):o.error("Something went wrong")})),t=>{l.handleAjaxError(t,e)})}}return new u}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/ImageProcessing.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/ImageProcessing.js
index 3a3bf80797e93d2c8e098bbfabf4280cf527867d..c20f07e74486f716bdf060848a17ea17e5365b3f 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/ImageProcessing.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/ImageProcessing.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/InfoBox","../../Renderable/Severity","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap"],(function(e,t,s,r,n,a,i,o,c){"use strict";class l extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorExecuteTrigger=".t3js-imageProcessing-execute",this.selectorTestContainer=".t3js-imageProcessing-twinContainer",this.selectorTwinImageTemplate=".t3js-imageProcessing-twinImage-template",this.selectorCommandContainer=".t3js-imageProcessing-command",this.selectorCommandText=".t3js-imageProcessing-command-text",this.selectorTwinImages=".t3js-imageProcessing-images"}initialize(e){this.currentModal=e,this.getData(),e.on("click",this.selectorExecuteTrigger,e=>{e.preventDefault(),this.runTests()})}getData(){const e=this.getModalBody();r.ajax({url:n.getUrl("imageProcessingGetData"),cache:!1,success:t=>{!0===t.success?(e.empty().append(t.html),o.setButtons(t.buttons),this.runTests()):c.error("Something went wrong")},error:t=>{n.handleAjaxError(t,e)}})}runTests(){const e=this.getModalBody(),t=this.findInModal(this.selectorExecuteTrigger);t.addClass("disabled").prop("disabled",!0);const s=this.findInModal(this.selectorTwinImageTemplate),o=[];e.find(this.selectorTestContainer).each((t,c)=>{const l=r(c),d=l.data("test"),m=a.render(i.loading,"Loading...","");l.empty().html(m),o.push(r.ajax({url:n.getUrl(d),cache:!1,success:e=>{if(!0===e.success){l.empty(),Array.isArray(e.status)&&e.status.forEach(()=>{const e=a.render(c.severity,c.title,c.message);l.append(e)});const t=s.clone();if(t.removeClass("t3js-imageProcessing-twinImage-template"),!0===e.fileExists&&(t.find("img.reference").attr("src",e.referenceFile),t.find("img.result").attr("src",e.outputFile),t.find(this.selectorTwinImages).show()),Array.isArray(e.command)&&e.command.length>0){t.find(this.selectorCommandContainer).show();const s=[];e.command.forEach(e=>{s.push("<strong>Command:</strong>\n"+e[1]),3===e.length&&s.push("<strong>Result:</strong>\n"+e[2])}),t.find(this.selectorCommandText).html(s.join("\n"))}l.append(t)}},error:t=>{n.handleAjaxError(t,e)}}))}),r.when.apply(r,o).done(()=>{t.removeClass("disabled").prop("disabled",!1)})}}return new l}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,s,n){return new(s||(s=Promise))((function(i,r){function a(e){try{c(n.next(e))}catch(e){r(e)}}function o(e){try{c(n.throw(e))}catch(e){r(e)}}function c(e){var t;e.done?i(e.value):(t=e.value,t instanceof s?t:new s((function(e){e(t)}))).then(a,o)}c((n=n.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/InfoBox","../../Renderable/Severity","../../Router","bootstrap"],(function(e,t,s,n,i,r,a,o,c,l){"use strict";class d extends n.AbstractInteractableModule{constructor(){super(...arguments),this.selectorExecuteTrigger=".t3js-imageProcessing-execute",this.selectorTestContainer=".t3js-imageProcessing-twinContainer",this.selectorTwinImageTemplate=".t3js-imageProcessing-twinImage-template",this.selectorCommandContainer=".t3js-imageProcessing-command",this.selectorCommandText=".t3js-imageProcessing-command-text",this.selectorTwinImages=".t3js-imageProcessing-images"}initialize(e){this.currentModal=e,this.getData(),e.on("click",this.selectorExecuteTrigger,e=>{e.preventDefault(),this.runTests()})}getData(){const e=this.getModalBody();new a(l.getUrl("imageProcessingGetData")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success?(e.empty().append(s.html),i.setButtons(s.buttons),this.runTests()):r.error("Something went wrong")})),t=>{l.handleAjaxError(t,e)})}runTests(){const e=this.getModalBody(),t=this.findInModal(this.selectorExecuteTrigger);t.addClass("disabled").prop("disabled",!0);const n=this.findInModal(this.selectorTwinImageTemplate),i=[];e.find(this.selectorTestContainer).each((t,r)=>{const d=s(r),m=d.data("test"),h=o.render(c.loading,"Loading...","");d.empty().html(h);const g=new a(l.getUrl(m)).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();if(!0===t.success){d.empty(),Array.isArray(t.status)&&t.status.forEach(()=>{const e=o.render(r.severity,r.title,r.message);d.append(e)});const e=n.clone();if(e.removeClass("t3js-imageProcessing-twinImage-template"),!0===t.fileExists&&(e.find("img.reference").attr("src",t.referenceFile),e.find("img.result").attr("src",t.outputFile),e.find(this.selectorTwinImages).show()),Array.isArray(t.command)&&t.command.length>0){e.find(this.selectorCommandContainer).show();const s=[];t.command.forEach(e=>{s.push("<strong>Command:</strong>\n"+e[1]),3===e.length&&s.push("<strong>Result:</strong>\n"+e[2])}),e.find(this.selectorCommandText).html(s.join("\n"))}d.append(e)}})),t=>{l.handleAjaxError(t,e)});i.push(g)}),Promise.all(i).then(()=>{t.removeClass("disabled").prop("disabled",!1)})}}return new d}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/MailTest.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/MailTest.js
index 6fd0ed4dc9e95bb5279447188812a2d74eec7887..0a875b554e003ceef4ebf56351423e35eebc3ad3 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/MailTest.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/MailTest.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/ProgressBar","../../Renderable/Severity","../../Renderable/InfoBox","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap"],(function(t,e,r,s,a,n,o,i,l,c){"use strict";class u extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorOutputContainer=".t3js-mailTest-output",this.selectorMailTestButton=".t3js-mailTest-execute"}initialize(t){this.currentModal=t,this.getData(),t.on("click",this.selectorMailTestButton,t=>{t.preventDefault(),this.send()})}getData(){const t=this.getModalBody();s.ajax({url:a.getUrl("mailTestGetData"),cache:!1,success:e=>{!0===e.success?(t.empty().append(e.html),l.setButtons(e.buttons)):c.error("Something went wrong")},error:e=>{a.handleAjaxError(e,t)}})}send(){const t=this.getModuleContent().data("mail-test-token"),e=this.findInModal(this.selectorOutputContainer),r=n.render(o.loading,"Loading...","");e.empty().html(r),s.ajax({url:a.getUrl(),method:"POST",data:{install:{action:"mailTest",token:t,email:this.findInModal(".t3js-mailTest-email").val()}},cache:!1,success:t=>{e.empty(),Array.isArray(t.status)?t.status.forEach(t=>{const r=i.render(t.severity,t.title,t.message);e.html(r)}):c.error("Something went wrong")},error:()=>{c.error("Something went wrong")}})}}return new u}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,n,a){return new(n||(n=Promise))((function(o,r){function i(t){try{l(a.next(t))}catch(t){r(t)}}function s(t){try{l(a.throw(t))}catch(t){r(t)}}function l(t){var e;t.done?o(t.value):(e=t.value,e instanceof n?e:new n((function(t){t(e)}))).then(i,s)}l((a=a.apply(t,e||[])).next())}))};define(["require","exports","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router","bootstrap"],(function(t,e,n,a,o,r,i,s,l,c){"use strict";class u extends n.AbstractInteractableModule{constructor(){super(...arguments),this.selectorOutputContainer=".t3js-mailTest-output",this.selectorMailTestButton=".t3js-mailTest-execute"}initialize(t){this.currentModal=t,this.getData(),t.on("click",this.selectorMailTestButton,t=>{t.preventDefault(),this.send()})}getData(){const t=this.getModalBody();new r(c.getUrl("mailTestGetData")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const n=yield e.resolve();!0===n.success?(t.empty().append(n.html),a.setButtons(n.buttons)):o.error("Something went wrong")})),e=>{c.handleAjaxError(e,t)})}send(){const t=this.getModuleContent().data("mail-test-token"),e=this.findInModal(this.selectorOutputContainer),n=s.render(l.loading,"Loading...","");e.empty().html(n),new r(c.getUrl()).post({install:{action:"mailTest",token:t,email:this.findInModal(".t3js-mailTest-email").val()}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const n=yield t.resolve();e.empty(),Array.isArray(n.status)?n.status.forEach(t=>{const n=i.render(t.severity,t.title,t.message);e.html(n)}):o.error("Something went wrong")})),()=>{o.error("Something went wrong")})}}return new u}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/PhpInfo.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/PhpInfo.js
index d89061d5161e480c7f8948e69aec73ddb9d407bf..4003bbde9216337798bbdf2d4d260a142f29d097 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/PhpInfo.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/PhpInfo.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Notification"],(function(e,t,r,a,n,s){"use strict";class c extends r.AbstractInteractableModule{initialize(e){this.currentModal=e,this.getData()}getData(){const e=this.getModalBody();a.ajax({url:n.getUrl("phpInfoGetData"),cache:!1,success:t=>{!0===t.success?e.empty().append(t.html):s.error("Something went wrong")},error:t=>{n.handleAjaxError(t,e)}})}}return new c}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,n,a){return new(n||(n=Promise))((function(r,i){function o(t){try{s(a.next(t))}catch(t){i(t)}}function c(t){try{s(a.throw(t))}catch(t){i(t)}}function s(t){var e;t.done?r(t.value):(e=t.value,e instanceof n?e:new n((function(t){t(e)}))).then(o,c)}s((a=a.apply(t,e||[])).next())}))};define(["require","exports","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","../AbstractInteractableModule"],(function(t,e,n,a,r,i){"use strict";class o extends i.AbstractInteractableModule{initialize(t){this.currentModal=t,this.getData()}getData(){const t=this.getModalBody();new a(r.getUrl("phpInfoGetData")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const a=yield e.resolve();!0===a.success?t.empty().append(a.html):n.error("Something went wrong")})),e=>{r.handleAjaxError(e,t)})}}return new o}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/SystemInformation.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/SystemInformation.js
index def206ff3c378889aa458a1ca8480b44b17c0772..d2d17f92b784f143e6dbb1e8362f18e7cc6b7226 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/SystemInformation.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Environment/SystemInformation.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Notification"],(function(e,t,r,a,n,s){"use strict";class o extends r.AbstractInteractableModule{initialize(e){this.currentModal=e,this.getData()}getData(){const e=this.getModalBody();a.ajax({url:n.getUrl("systemInformationGetData"),cache:!1,success:t=>{!0===t.success?e.empty().append(t.html):s.error("Something went wrong")},error:t=>{n.handleAjaxError(t,e)}})}}return new o}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,n,a){return new(n||(n=Promise))((function(r,i){function o(t){try{s(a.next(t))}catch(t){i(t)}}function c(t){try{s(a.throw(t))}catch(t){i(t)}}function s(t){var e;t.done?r(t.value):(e=t.value,e instanceof n?e:new n((function(t){t(e)}))).then(o,c)}s((a=a.apply(t,e||[])).next())}))};define(["require","exports","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","../AbstractInteractableModule"],(function(t,e,n,a,r,i){"use strict";class o extends i.AbstractInteractableModule{initialize(t){this.currentModal=t,this.getData()}getData(){const t=this.getModalBody();new a(r.getUrl("systemInformationGetData")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const a=yield e.resolve();!0===a.success?t.empty().append(a.html):n.error("Something went wrong")})),e=>{r.handleAjaxError(e,t)})}}return new o}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/Cache.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/Cache.js
index 17ef06c067f6e83741a3c16cf222bd67a74bf1b8..f38f72f2c59c4b03e4da7292b49efa130a0a6c4d 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/Cache.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/Cache.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","jquery","../../Router","TYPO3/CMS/Backend/Notification"],(function(e,s,r,a,t){"use strict";return new class{initialize(e){r.ajax({url:a.getUrl("cacheClearAll","maintenance"),cache:!1,beforeSend:()=>{e.addClass("disabled").prop("disabled",!0)},success:e=>{!0===e.success&&Array.isArray(e.status)?e.status.length>0&&e.status.forEach(e=>{t.success(e.title,e.message)}):t.error("Something went wrong clearing caches")},error:()=>{t.error("Clearing caches went wrong on the server side. Check the system for broken extensions or missing database tables and try again")},complete:()=>{e.removeClass("disabled").prop("disabled",!1)}})}}}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,n,a){return new(n||(n=Promise))((function(s,r){function i(e){try{o(a.next(e))}catch(e){r(e)}}function c(e){try{o(a.throw(e))}catch(e){r(e)}}function o(e){var t;e.done?s(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(i,c)}o((a=a.apply(e,t||[])).next())}))};define(["require","exports","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router"],(function(e,t,n,a,s){"use strict";return new class{initialize(e){e.addClass("disabled").prop("disabled",!0),new a(s.getUrl("cacheClearAll","maintenance")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&Array.isArray(t.status)?t.status.length>0&&t.status.forEach(e=>{n.success(e.title,e.message)}):n.error("Something went wrong clearing caches")})),()=>{n.error("Clearing caches went wrong on the server side. Check the system for broken extensions or missing database tables and try again")}).finally(()=>{e.removeClass("disabled").prop("disabled",!1)})}}}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTables.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTables.js
index b2150ede3fd5b59eff169c0669ab0a9c883b981e..e065739c3dc2d8a85807bfba31821bbc71fd20d1 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTables.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTables.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(t,e,s,a,r,l,c){"use strict";class o extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorClearTrigger=".t3js-clearTables-clear",this.selectorStatsTrigger=".t3js-clearTables-stats",this.selectorOutputContainer=".t3js-clearTables-output",this.selectorStatContainer=".t3js-clearTables-stat-container",this.selectorStatTemplate=".t3js-clearTables-stat-template",this.selectorStatDescription=".t3js-clearTables-stat-description",this.selectorStatRows=".t3js-clearTables-stat-rows",this.selectorStatName=".t3js-clearTables-stat-name"}initialize(t){this.currentModal=t,this.getStats(),t.on("click",this.selectorStatsTrigger,t=>{t.preventDefault(),a(this.selectorOutputContainer).empty(),this.getStats()}),t.on("click",this.selectorClearTrigger,t=>{const e=a(t.target).closest(this.selectorClearTrigger).data("table");t.preventDefault(),this.clear(e)})}getStats(){const t=this.getModalBody();a.ajax({url:r.getUrl("clearTablesStats"),cache:!1,success:e=>{!0===e.success?(t.empty().append(e.html),l.setButtons(e.buttons),Array.isArray(e.stats)&&e.stats.length>0&&e.stats.forEach(e=>{if(e.rowCount>0){const s=t.find(this.selectorStatTemplate).clone();s.find(this.selectorStatDescription).text(e.description),s.find(this.selectorStatName).text(e.name),s.find(this.selectorStatRows).text(e.rowCount),s.find(this.selectorClearTrigger).attr("data-table",e.name),t.find(this.selectorStatContainer).append(s.html())}})):c.error("Something went wrong")},error:e=>{r.handleAjaxError(e,t)}})}clear(t){const e=this.getModalBody(),s=this.getModuleContent().data("clear-tables-clear-token");a.ajax({url:r.getUrl(),method:"POST",context:this,data:{install:{action:"clearTablesClear",token:s,table:t}},cache:!1,success:t=>{!0===t.success&&Array.isArray(t.status)?t.status.forEach(t=>{c.success(t.message)}):c.error("Something went wrong"),this.getStats()},error:t=>{r.handleAjaxError(t,e)}})}}return new o}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,s,a){return new(s||(s=Promise))((function(r,n){function o(t){try{c(a.next(t))}catch(t){n(t)}}function i(t){try{c(a.throw(t))}catch(t){n(t)}}function c(t){var e;t.done?r(t.value):(e=t.value,e instanceof s?e:new s((function(t){t(e)}))).then(o,i)}c((a=a.apply(t,e||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router"],(function(t,e,s,a,r,n,o,i){"use strict";class c extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorClearTrigger=".t3js-clearTables-clear",this.selectorStatsTrigger=".t3js-clearTables-stats",this.selectorOutputContainer=".t3js-clearTables-output",this.selectorStatContainer=".t3js-clearTables-stat-container",this.selectorStatTemplate=".t3js-clearTables-stat-template",this.selectorStatDescription=".t3js-clearTables-stat-description",this.selectorStatRows=".t3js-clearTables-stat-rows",this.selectorStatName=".t3js-clearTables-stat-name"}initialize(t){this.currentModal=t,this.getStats(),t.on("click",this.selectorStatsTrigger,t=>{t.preventDefault(),s(this.selectorOutputContainer).empty(),this.getStats()}),t.on("click",this.selectorClearTrigger,t=>{const e=s(t.target).closest(this.selectorClearTrigger).data("table");t.preventDefault(),this.clear(e)})}getStats(){const t=this.getModalBody();new o(i.getUrl("clearTablesStats")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const s=yield e.resolve();!0===s.success?(t.empty().append(s.html),r.setButtons(s.buttons),Array.isArray(s.stats)&&s.stats.length>0&&s.stats.forEach(e=>{if(e.rowCount>0){const s=t.find(this.selectorStatTemplate).clone();s.find(this.selectorStatDescription).text(e.description),s.find(this.selectorStatName).text(e.name),s.find(this.selectorStatRows).text(e.rowCount),s.find(this.selectorClearTrigger).attr("data-table",e.name),t.find(this.selectorStatContainer).append(s.html())}})):n.error("Something went wrong")})),e=>{i.handleAjaxError(e,t)})}clear(t){const e=this.getModalBody(),s=this.getModuleContent().data("clear-tables-clear-token");new o(i.getUrl()).post({install:{action:"clearTablesClear",token:s,table:t}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success&&Array.isArray(e.status)?e.status.forEach(t=>{n.success(t.message)}):n.error("Something went wrong"),this.getStats()})),t=>{i.handleAjaxError(t,e)})}}return new c}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTypo3tempFiles.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTypo3tempFiles.js
index 26e4280cda9aa2edba50ae55ba884ff2f00e7dc1..ca45426ccf8116484d9bfca31439589c09e8f551 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTypo3tempFiles.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ClearTypo3tempFiles.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(t,e,r,s,a,o,i){"use strict";class c extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorDeleteTrigger=".t3js-clearTypo3temp-delete",this.selectorOutputContainer=".t3js-clearTypo3temp-output",this.selectorStatContainer=".t3js-clearTypo3temp-stat-container",this.selectorStatsTrigger=".t3js-clearTypo3temp-stats",this.selectorStatTemplate=".t3js-clearTypo3temp-stat-template",this.selectorStatNumberOfFiles=".t3js-clearTypo3temp-stat-numberOfFiles",this.selectorStatDirectory=".t3js-clearTypo3temp-stat-directory"}initialize(t){this.currentModal=t,this.getStats(),t.on("click",this.selectorStatsTrigger,t=>{t.preventDefault(),s(this.selectorOutputContainer).empty(),this.getStats()}),t.on("click",this.selectorDeleteTrigger,t=>{const e=s(t.currentTarget).data("folder"),r=s(t.currentTarget).data("storage-uid");t.preventDefault(),this.delete(e,r)})}getStats(){const t=this.getModalBody();s.ajax({url:a.getUrl("clearTypo3tempFilesStats"),cache:!1,success:e=>{!0===e.success?(t.empty().append(e.html),o.setButtons(e.buttons),Array.isArray(e.stats)&&e.stats.length>0&&e.stats.forEach(e=>{if(e.numberOfFiles>0){const r=t.find(this.selectorStatTemplate).clone();r.find(this.selectorStatNumberOfFiles).text(e.numberOfFiles),r.find(this.selectorStatDirectory).text(e.directory),r.find(this.selectorDeleteTrigger).attr("data-folder",e.directory),r.find(this.selectorDeleteTrigger).attr("data-storage-uid",e.storageUid),t.find(this.selectorStatContainer).append(r.html())}})):i.error("Something went wrong")},error:e=>{a.handleAjaxError(e,t)}})}delete(t,e){const r=this.getModalBody(),o=this.getModuleContent().data("clear-typo3temp-delete-token");s.ajax({method:"POST",url:a.getUrl(),context:this,data:{install:{action:"clearTypo3tempFiles",token:o,folder:t,storageUid:e}},cache:!1,success:t=>{!0===t.success&&Array.isArray(t.status)?(t.status.forEach(t=>{i.success(t.message)}),this.getStats()):i.error("Something went wrong")},error:t=>{a.handleAjaxError(t,r)}})}}return new c}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,r,s){return new(r||(r=Promise))((function(a,o){function i(t){try{c(s.next(t))}catch(t){o(t)}}function n(t){try{c(s.throw(t))}catch(t){o(t)}}function c(t){var e;t.done?a(t.value):(e=t.value,e instanceof r?e:new r((function(t){t(e)}))).then(i,n)}c((s=s.apply(t,e||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router"],(function(t,e,r,s,a,o,i,n){"use strict";class c extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorDeleteTrigger=".t3js-clearTypo3temp-delete",this.selectorOutputContainer=".t3js-clearTypo3temp-output",this.selectorStatContainer=".t3js-clearTypo3temp-stat-container",this.selectorStatsTrigger=".t3js-clearTypo3temp-stats",this.selectorStatTemplate=".t3js-clearTypo3temp-stat-template",this.selectorStatNumberOfFiles=".t3js-clearTypo3temp-stat-numberOfFiles",this.selectorStatDirectory=".t3js-clearTypo3temp-stat-directory"}initialize(t){this.currentModal=t,this.getStats(),t.on("click",this.selectorStatsTrigger,t=>{t.preventDefault(),r(this.selectorOutputContainer).empty(),this.getStats()}),t.on("click",this.selectorDeleteTrigger,t=>{const e=r(t.currentTarget).data("folder"),s=r(t.currentTarget).data("storage-uid");t.preventDefault(),this.delete(e,s)})}getStats(){const t=this.getModalBody();new i(n.getUrl("clearTypo3tempFilesStats")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const r=yield e.resolve();!0===r.success?(t.empty().append(r.html),a.setButtons(r.buttons),Array.isArray(r.stats)&&r.stats.length>0&&r.stats.forEach(e=>{if(e.numberOfFiles>0){const r=t.find(this.selectorStatTemplate).clone();r.find(this.selectorStatNumberOfFiles).text(e.numberOfFiles),r.find(this.selectorStatDirectory).text(e.directory),r.find(this.selectorDeleteTrigger).attr("data-folder",e.directory),r.find(this.selectorDeleteTrigger).attr("data-storage-uid",e.storageUid),t.find(this.selectorStatContainer).append(r.html())}})):o.error("Something went wrong")})),e=>{n.handleAjaxError(e,t)})}delete(t,e){const r=this.getModalBody(),s=this.getModuleContent().data("clear-typo3temp-delete-token");new i(n.getUrl()).post({install:{action:"clearTypo3tempFiles",token:s,folder:t,storageUid:e}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success&&Array.isArray(e.status)?(e.status.forEach(t=>{o.success(t.message)}),this.getStats()):o.error("Something went wrong")})),t=>{n.handleAjaxError(t,r)})}}return new c}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/CreateAdmin.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/CreateAdmin.js
index f6d30e3580117a39aea762ad57fd5bd9ce15a664..79ea0e7745c7894f079ee8870decceee99dbc9fe 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/CreateAdmin.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/CreateAdmin.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../PasswordStrength","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(e,t,a,s,r,n,i,d){"use strict";class o extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorAdminCreateButton=".t3js-createAdmin-create"}initialize(e){this.currentModal=e,this.getData(),e.on("click",this.selectorAdminCreateButton,e=>{e.preventDefault(),this.create()}),e.on("click",".t3-install-form-password-strength",()=>{n.initialize(".t3-install-form-password-strength")})}getData(){const e=this.getModalBody();s.ajax({url:r.getUrl("createAdminGetData"),cache:!1,success:t=>{!0===t.success?(e.empty().append(t.html),i.setButtons(t.buttons)):d.error("Something went wrong")},error:t=>{r.handleAjaxError(t,e)}})}create(){const e=this.getModalBody(),t=this.getModuleContent().data("create-admin-token");s.ajax({url:r.getUrl(),method:"POST",data:{install:{action:"createAdmin",token:t,userName:this.findInModal(".t3js-createAdmin-user").val(),userPassword:this.findInModal(".t3js-createAdmin-password").val(),userPasswordCheck:this.findInModal(".t3js-createAdmin-password-check").val(),userEmail:this.findInModal(".t3js-createAdmin-email").val(),userSystemMaintainer:this.findInModal(".t3js-createAdmin-system-maintainer").is(":checked")?1:0}},cache:!1,success:e=>{!0===e.success&&Array.isArray(e.status)?e.status.forEach(e=>{2===e.severity?d.error(e.message):d.success(e.title)}):d.error("Something went wrong")},error:t=>{r.handleAjaxError(t,e)}}),this.findInModal(".t3js-createAdmin-user").val(""),this.findInModal(".t3js-createAdmin-password").val(""),this.findInModal(".t3js-createAdmin-password-check").val(""),this.findInModal(".t3js-createAdmin-email").val(""),this.findInModal(".t3js-createAdmin-system-maintainer").prop("checked",!1)}}return new o}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,n,a){return new(n||(n=Promise))((function(s,i){function r(t){try{c(a.next(t))}catch(t){i(t)}}function o(t){try{c(a.throw(t))}catch(t){i(t)}}function c(t){var e;t.done?s(t.value):(e=t.value,e instanceof n?e:new n((function(t){t(e)}))).then(r,o)}c((a=a.apply(t,e||[])).next())}))};define(["require","exports","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","../PasswordStrength","../AbstractInteractableModule"],(function(t,e,n,a,s,i,r,o){"use strict";class c extends o.AbstractInteractableModule{constructor(){super(...arguments),this.selectorAdminCreateButton=".t3js-createAdmin-create"}initialize(t){this.currentModal=t,this.getData(),t.on("click",this.selectorAdminCreateButton,t=>{t.preventDefault(),this.create()}),t.on("click",".t3-install-form-password-strength",()=>{r.initialize(".t3-install-form-password-strength")})}getData(){const t=this.getModalBody();new s(i.getUrl("createAdminGetData")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const s=yield e.resolve();!0===s.success?(t.empty().append(s.html),n.setButtons(s.buttons)):a.error("Something went wrong")})),e=>{i.handleAjaxError(e,t)})}create(){const t=this.getModalBody(),e=this.getModuleContent().data("create-admin-token");new s(i.getUrl()).post({install:{action:"createAdmin",token:e,userName:this.findInModal(".t3js-createAdmin-user").val(),userPassword:this.findInModal(".t3js-createAdmin-password").val(),userPasswordCheck:this.findInModal(".t3js-createAdmin-password-check").val(),userEmail:this.findInModal(".t3js-createAdmin-email").val(),userSystemMaintainer:this.findInModal(".t3js-createAdmin-system-maintainer").is(":checked")?1:0}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success&&Array.isArray(e.status)?e.status.forEach(t=>{2===t.severity?a.error(t.message):a.success(t.title)}):a.error("Something went wrong")})),e=>{i.handleAjaxError(e,t)}),this.findInModal(".t3js-createAdmin-user").val(""),this.findInModal(".t3js-createAdmin-password").val(""),this.findInModal(".t3js-createAdmin-password-check").val(""),this.findInModal(".t3js-createAdmin-email").val(""),this.findInModal(".t3js-createAdmin-system-maintainer").prop("checked",!1)}}return new c}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DatabaseAnalyzer.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DatabaseAnalyzer.js
index 618c788bc3331e88e49de249ac13ed0b404fbcfb..22df787321d5c2453d115393c5a30bd3315ba1f4 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DatabaseAnalyzer.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DatabaseAnalyzer.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/ProgressBar","../../Renderable/InfoBox","../../Renderable/Severity","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(e,t,a,s,n,r,o,i,l,c){"use strict";class d extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorAnalyzeTrigger=".t3js-databaseAnalyzer-analyze",this.selectorExecuteTrigger=".t3js-databaseAnalyzer-execute",this.selectorOutputContainer=".t3js-databaseAnalyzer-output",this.selectorSuggestionBlock=".t3js-databaseAnalyzer-suggestion-block",this.selectorSuggestionList=".t3js-databaseAnalyzer-suggestion-list",this.selectorSuggestionLineTemplate=".t3js-databaseAnalyzer-suggestion-line-template"}initialize(e){this.currentModal=e,this.getData(),e.on("click",".t3js-databaseAnalyzer-suggestion-block-checkbox",e=>{const t=s(e.currentTarget);t.closest("fieldset").find(":checkbox").prop("checked",t.get(0).checked)}),e.on("click",this.selectorAnalyzeTrigger,e=>{e.preventDefault(),this.analyze()}),e.on("click",this.selectorExecuteTrigger,e=>{e.preventDefault(),this.execute()})}getData(){const e=this.getModalBody();s.ajax({url:n.getUrl("databaseAnalyzer"),cache:!1,success:t=>{!0===t.success?(e.empty().append(t.html),l.setButtons(t.buttons),this.analyze()):c.error("Something went wrong")},error:t=>{n.handleAjaxError(t,e)}})}analyze(){const e=this.getModalBody(),t=this.getModalFooter(),a=e.find(this.selectorOutputContainer),l=t.find(this.selectorExecuteTrigger),d=t.find(this.selectorAnalyzeTrigger);a.empty().append(r.render(i.loading,"Analyzing current database schema...","")),d.prop("disabled",!0),l.prop("disabled",!0),a.on("change",'input[type="checkbox"]',()=>{const e=a.find(":checked").length>0;l.prop("disabled",!e)}),s.ajax({url:n.getUrl("databaseAnalyzerAnalyze"),cache:!1,success:t=>{if(!0===t.success){if(Array.isArray(t.status)&&(a.find(".alert-loading").remove(),t.status.forEach(e=>{const t=o.render(e.severity,e.title,e.message);a.append(t)})),Array.isArray(t.suggestions)){t.suggestions.forEach(t=>{const s=e.find(this.selectorSuggestionBlock).clone();s.removeClass(this.selectorSuggestionBlock.substr(1));const n=t.key;s.find(".t3js-databaseAnalyzer-suggestion-block-legend").text(t.label),s.find(".t3js-databaseAnalyzer-suggestion-block-checkbox").attr("id","t3-install-"+n+"-checkbox"),t.enabled&&s.find(".t3js-databaseAnalyzer-suggestion-block-checkbox").attr("checked","checked"),s.find(".t3js-databaseAnalyzer-suggestion-block-label").attr("for","t3-install-"+n+"-checkbox"),t.children.forEach(a=>{const n=e.find(this.selectorSuggestionLineTemplate).children().clone(),r=a.hash,o=n.find(".t3js-databaseAnalyzer-suggestion-line-checkbox");o.attr("id","t3-install-db-"+r).attr("data-hash",r),t.enabled&&o.attr("checked","checked"),n.find(".t3js-databaseAnalyzer-suggestion-line-label").attr("for","t3-install-db-"+r),n.find(".t3js-databaseAnalyzer-suggestion-line-statement").text(a.statement),void 0!==a.current&&(n.find(".t3js-databaseAnalyzer-suggestion-line-current-value").text(a.current),n.find(".t3js-databaseAnalyzer-suggestion-line-current").show()),void 0!==a.rowCount&&(n.find(".t3js-databaseAnalyzer-suggestion-line-count-value").text(a.rowCount),n.find(".t3js-databaseAnalyzer-suggestion-line-count").show()),s.find(this.selectorSuggestionList).append(n)}),a.append(s.html())});const s=0===a.find(":checked").length;d.prop("disabled",!1),l.prop("disabled",s)}0===t.suggestions.length&&0===t.status.length&&a.append(o.render(i.ok,"Database schema is up to date. Good job!",""))}else c.error("Something went wrong")},error:t=>{n.handleAjaxError(t,e)}})}execute(){const e=this.getModalBody(),t=this.getModuleContent().data("database-analyzer-execute-token"),a=e.find(this.selectorOutputContainer),o=[];a.find(".t3js-databaseAnalyzer-suggestion-line input:checked").each((e,t)=>{o.push(s(t).data("hash"))}),a.empty().append(r.render(i.loading,"Executing database updates...","")),e.find(this.selectorExecuteTrigger).prop("disabled",!0),e.find(this.selectorAnalyzeTrigger).prop("disabled",!0),s.ajax({url:n.getUrl(),method:"POST",data:{install:{action:"databaseAnalyzerExecute",token:t,hashes:o}},cache:!1,success:e=>{!0===e.success&&Array.isArray(e.status)&&e.status.forEach(e=>{c.showMessage(e.title,e.message,e.severity)}),this.analyze()},error:t=>{n.handleAjaxError(t,e)}})}}return new d}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,a,s){return new(a||(a=Promise))((function(n,i){function r(e){try{l(s.next(e))}catch(e){i(e)}}function o(e){try{l(s.throw(e))}catch(e){i(e)}}function l(e){var t;e.done?n(e.value):(t=e.value,t instanceof a?t:new a((function(e){e(t)}))).then(r,o)}l((s=s.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router"],(function(e,t,a,s,n,i,r,o,l,c,d){"use strict";class g extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorAnalyzeTrigger=".t3js-databaseAnalyzer-analyze",this.selectorExecuteTrigger=".t3js-databaseAnalyzer-execute",this.selectorOutputContainer=".t3js-databaseAnalyzer-output",this.selectorSuggestionBlock=".t3js-databaseAnalyzer-suggestion-block",this.selectorSuggestionList=".t3js-databaseAnalyzer-suggestion-list",this.selectorSuggestionLineTemplate=".t3js-databaseAnalyzer-suggestion-line-template"}initialize(e){this.currentModal=e,this.getData(),e.on("click",".t3js-databaseAnalyzer-suggestion-block-checkbox",e=>{const t=a(e.currentTarget);t.closest("fieldset").find(":checkbox").prop("checked",t.get(0).checked)}),e.on("click",this.selectorAnalyzeTrigger,e=>{e.preventDefault(),this.analyze()}),e.on("click",this.selectorExecuteTrigger,e=>{e.preventDefault(),this.execute()})}getData(){const e=this.getModalBody();new r(d.getUrl("databaseAnalyzer")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const a=yield t.resolve();!0===a.success?(e.empty().append(a.html),n.setButtons(a.buttons),this.analyze()):i.error("Something went wrong")})),t=>{d.handleAjaxError(t,e)})}analyze(){const e=this.getModalBody(),t=this.getModalFooter(),a=e.find(this.selectorOutputContainer),s=t.find(this.selectorExecuteTrigger),n=t.find(this.selectorAnalyzeTrigger);a.empty().append(l.render(c.loading,"Analyzing current database schema...","")),n.prop("disabled",!0),s.prop("disabled",!0),a.on("change",'input[type="checkbox"]',()=>{const e=a.find(":checked").length>0;s.prop("disabled",!e)}),new r(d.getUrl("databaseAnalyzerAnalyze")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const r=yield t.resolve();if(!0===r.success){if(Array.isArray(r.status)&&(a.find(".alert-loading").remove(),r.status.forEach(e=>{const t=o.render(e.severity,e.title,e.message);a.append(t)})),Array.isArray(r.suggestions)){r.suggestions.forEach(t=>{const s=e.find(this.selectorSuggestionBlock).clone();s.removeClass(this.selectorSuggestionBlock.substr(1));const n=t.key;s.find(".t3js-databaseAnalyzer-suggestion-block-legend").text(t.label),s.find(".t3js-databaseAnalyzer-suggestion-block-checkbox").attr("id","t3-install-"+n+"-checkbox"),t.enabled&&s.find(".t3js-databaseAnalyzer-suggestion-block-checkbox").attr("checked","checked"),s.find(".t3js-databaseAnalyzer-suggestion-block-label").attr("for","t3-install-"+n+"-checkbox"),t.children.forEach(a=>{const n=e.find(this.selectorSuggestionLineTemplate).children().clone(),i=a.hash,r=n.find(".t3js-databaseAnalyzer-suggestion-line-checkbox");r.attr("id","t3-install-db-"+i).attr("data-hash",i),t.enabled&&r.attr("checked","checked"),n.find(".t3js-databaseAnalyzer-suggestion-line-label").attr("for","t3-install-db-"+i),n.find(".t3js-databaseAnalyzer-suggestion-line-statement").text(a.statement),void 0!==a.current&&(n.find(".t3js-databaseAnalyzer-suggestion-line-current-value").text(a.current),n.find(".t3js-databaseAnalyzer-suggestion-line-current").show()),void 0!==a.rowCount&&(n.find(".t3js-databaseAnalyzer-suggestion-line-count-value").text(a.rowCount),n.find(".t3js-databaseAnalyzer-suggestion-line-count").show()),s.find(this.selectorSuggestionList).append(n)}),a.append(s.html())});const t=0===a.find(":checked").length;n.prop("disabled",!1),s.prop("disabled",t)}0===r.suggestions.length&&0===r.status.length&&a.append(o.render(c.ok,"Database schema is up to date. Good job!",""))}else i.error("Something went wrong")})),t=>{d.handleAjaxError(t,e)})}execute(){const e=this.getModalBody(),t=this.getModuleContent().data("database-analyzer-execute-token"),s=e.find(this.selectorOutputContainer),n=[];s.find(".t3js-databaseAnalyzer-suggestion-line input:checked").each((e,t)=>{n.push(a(t).data("hash"))}),s.empty().append(l.render(c.loading,"Executing database updates...","")),e.find(this.selectorExecuteTrigger).prop("disabled",!0),e.find(this.selectorAnalyzeTrigger).prop("disabled",!0),new r(d.getUrl()).post({install:{action:"databaseAnalyzerExecute",token:t,hashes:n}}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&Array.isArray(t.status)&&t.status.forEach(e=>{i.showMessage(e.title,e.message,e.severity)}),this.analyze()})),t=>{d.handleAjaxError(t,e)})}}return new g}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DumpAutoload.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DumpAutoload.js
index cbddbe7a432711be80172e0a320fe133510266dd..af06097ecfbea82c9a4fc15947a486a2ebe79e48 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DumpAutoload.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/DumpAutoload.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","jquery","../../Router","TYPO3/CMS/Backend/Notification"],(function(e,s,r,t,a){"use strict";return new class{initialize(e){r.ajax({url:t.getUrl("dumpAutoload"),cache:!1,beforeSend:()=>{e.addClass("disabled").prop("disabled",!0)},success:e=>{!0===e.success&&Array.isArray(e.status)?e.status.length>0&&e.status.forEach(e=>{a.success(e.message)}):a.error("Something went wrong")},error:()=>{a.error("Dumping autoload files went wrong on the server side. Check the system for broken extensions and try again")},complete:()=>{e.removeClass("disabled").prop("disabled",!1)}})}}}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,n,a){return new(n||(n=Promise))((function(s,r){function i(e){try{c(a.next(e))}catch(e){r(e)}}function o(e){try{c(a.throw(e))}catch(e){r(e)}}function c(e){var t;e.done?s(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(i,o)}c((a=a.apply(e,t||[])).next())}))};define(["require","exports","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router"],(function(e,t,n,a,s){"use strict";return new class{initialize(e){e.addClass("disabled").prop("disabled",!0),new a(s.getUrl("dumpAutoload")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&Array.isArray(t.status)?t.status.length>0&&t.status.forEach(e=>{n.success(e.message)}):n.error("Something went wrong")})),()=>{n.error("Dumping autoload files went wrong on the server side. Check the system for broken extensions and try again")}).finally(()=>{e.removeClass("disabled").prop("disabled",!1)})}}}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/LanguagePacks.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/LanguagePacks.js
index 22775ac7803ebff879a22b746ab922692cd41899..df1b872fbefc4de41cfc2285e5daecf98727afc6 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/LanguagePacks.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/LanguagePacks.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/FlashMessage","../../Renderable/ProgressBar","../../Renderable/InfoBox","TYPO3/CMS/Core/SecurityUtility","../../Renderable/Severity","bootstrap"],(function(t,a,e,s,n,i,o,d,l,c){"use strict";class p extends e.AbstractInteractableModule{constructor(){super(...arguments),this.selectorOutputContainer=".t3js-languagePacks-output",this.selectorContentContainer=".t3js-languagePacks-mainContent",this.selectorActivateLanguage=".t3js-languagePacks-activateLanguage",this.selectorActivateLanguageIcon="#t3js-languagePacks-activate-icon",this.selectorAddLanguageToggle=".t3js-languagePacks-addLanguage-toggle",this.selectorLanguageInactive=".t3js-languagePacks-inactive",this.selectorDeactivateLanguage=".t3js-languagePacks-deactivateLanguage",this.selectorDeactivateLanguageIcon="#t3js-languagePacks-deactivate-icon",this.selectorUpdate=".t3js-languagePacks-update",this.selectorLanguageUpdateIcon="#t3js-languagePacks-languageUpdate-icon",this.selectorExtensionPackMissesIcon="#t3js-languagePacks-extensionPack-misses-icon",this.selectorNotifications=".t3js-languagePacks-notifications",this.activeLanguages=[],this.activeExtensions=[],this.packsUpdateDetails={toHandle:0,handled:0,updated:0,new:0,failed:0},this.notifications=[]}static pluralize(t,a="pack",e="s",s=0){return 1!==t&&1!==s?a+e:a}initialize(t){this.currentModal=t,this.getData(),t.on("click",this.selectorAddLanguageToggle,()=>{t.find(this.selectorContentContainer+" "+this.selectorLanguageInactive).toggle()}),t.on("click",this.selectorActivateLanguage,t=>{const a=s(t.target).closest(this.selectorActivateLanguage).data("iso");t.preventDefault(),this.activateLanguage(a)}),t.on("click",this.selectorDeactivateLanguage,t=>{const a=s(t.target).closest(this.selectorDeactivateLanguage).data("iso");t.preventDefault(),this.deactivateLanguage(a)}),t.on("click",this.selectorUpdate,t=>{const a=s(t.target).closest(this.selectorUpdate).data("iso"),e=s(t.target).closest(this.selectorUpdate).data("extension");t.preventDefault(),this.updatePacks(a,e)})}getData(){const t=this.getModalBody();s.ajax({url:n.getUrl("languagePacksGetData"),cache:!1,success:a=>{if(!0===a.success){this.activeLanguages=a.activeLanguages,this.activeExtensions=a.activeExtensions,t.empty().append(a.html);const e=t.parent().find(this.selectorContentContainer);e.empty(),e.append(this.languageMatrixHtml(a)),e.append(this.extensionMatrixHtml(a)),s('[data-toggle="tooltip"]').tooltip({container:e})}else{const t=d.render(c.error,"Something went wrong","");this.addNotification(t)}this.renderNotifications()},error:a=>{n.handleAjaxError(a,t)}})}activateLanguage(t){const a=this.getModalBody(),e=this.findInModal(this.selectorOutputContainer),l=o.render(c.loading,"Loading...","");e.empty().append(l),s.ajax({url:n.getUrl(),method:"POST",context:this,data:{install:{action:"languagePacksActivateLanguage",token:this.getModuleContent().data("language-packs-activate-language-token"),iso:t}},cache:!1,beforeSend:()=>{this.getNotificationBox().empty()},success:t=>{if(e.empty(),!0===t.success&&Array.isArray(t.status))t.status.forEach(t=>{const a=d.render(t.severity,t.title,t.message);this.addNotification(a)});else{const t=i.render(c.error,"Something went wrong","");this.addNotification(t)}this.getData()},error:t=>{n.handleAjaxError(t,a)}})}deactivateLanguage(t){const a=this.getModalBody(),e=this.findInModal(this.selectorOutputContainer),l=o.render(c.loading,"Loading...","");e.empty().append(l),s.ajax({url:n.getUrl(),method:"POST",context:this,data:{install:{action:"languagePacksDeactivateLanguage",token:this.getModuleContent().data("language-packs-deactivate-language-token"),iso:t}},cache:!1,beforeSend:()=>{this.getNotificationBox().empty()},success:t=>{if(e.empty(),!0===t.success&&Array.isArray(t.status))t.status.forEach(t=>{const a=d.render(t.severity,t.title,t.message);this.addNotification(a)});else{const t=i.render(c.error,"Something went wrong","");this.addNotification(t)}this.getData()},error:t=>{n.handleAjaxError(t,a)}})}updatePacks(t,a){const e=this.findInModal(this.selectorOutputContainer),i=this.findInModal(this.selectorContentContainer),o=void 0===t?this.activeLanguages:[t];let d=!0,l=this.activeExtensions;void 0!==a&&(l=[a],d=!1),this.packsUpdateDetails={toHandle:o.length*l.length,handled:0,updated:0,new:0,failed:0},e.empty().append(s("<div>",{class:"progress"}).append(s("<div>",{class:"progress-bar progress-bar-info",role:"progressbar","aria-valuenow":0,"aria-valuemin":0,"aria-valuemax":100,style:"width: 0;"}).append(s("<span>",{class:"text-nowrap"}).text("0 of "+this.packsUpdateDetails.toHandle+" language "+p.pluralize(this.packsUpdateDetails.toHandle)+" updated")))),i.empty(),o.forEach(t=>{l.forEach(a=>{s.ajax({url:n.getUrl(),method:"POST",context:this,data:{install:{action:"languagePacksUpdatePack",token:this.getModuleContent().data("language-packs-update-pack-token"),iso:t,extension:a}},cache:!1,beforeSend:()=>{this.getNotificationBox().empty()},success:t=>{!0===t.success?(this.packsUpdateDetails.handled++,"new"===t.packResult?this.packsUpdateDetails.new++:"update"===t.packResult?this.packsUpdateDetails.updated++:this.packsUpdateDetails.failed++,this.packUpdateDone(d,o)):(this.packsUpdateDetails.handled++,this.packsUpdateDetails.failed++,this.packUpdateDone(d,o))},error:()=>{this.packsUpdateDetails.handled++,this.packsUpdateDetails.failed++,this.packUpdateDone(d,o)}})})})}packUpdateDone(t,a){const e=this.getModalBody(),o=this.findInModal(this.selectorOutputContainer);if(this.packsUpdateDetails.handled===this.packsUpdateDetails.toHandle){const o=d.render(c.ok,"Language packs updated",this.packsUpdateDetails.new+" new language "+p.pluralize(this.packsUpdateDetails.new)+" downloaded, "+this.packsUpdateDetails.updated+" language "+p.pluralize(this.packsUpdateDetails.updated)+" updated, "+this.packsUpdateDetails.failed+" language "+p.pluralize(this.packsUpdateDetails.failed)+" not available");this.addNotification(o),!0===t?s.ajax({url:n.getUrl(),method:"POST",context:this,data:{install:{action:"languagePacksUpdateIsoTimes",token:this.getModuleContent().data("language-packs-update-iso-times-token"),isos:a}},cache:!1,success:t=>{if(!0===t.success)this.getData();else{const t=i.render(c.error,"Something went wrong","");this.addNotification(t)}},error:t=>{n.handleAjaxError(t,e)}}):this.getData()}else{const t=this.packsUpdateDetails.handled/this.packsUpdateDetails.toHandle*100;o.find(".progress-bar").css("width",t+"%").attr("aria-valuenow",t).find("span").text(this.packsUpdateDetails.handled+" of "+this.packsUpdateDetails.toHandle+" language "+p.pluralize(this.packsUpdateDetails.handled,"pack","s",this.packsUpdateDetails.toHandle)+" updated")}}languageMatrixHtml(t){const a=this.findInModal(this.selectorActivateLanguageIcon).html(),e=this.findInModal(this.selectorDeactivateLanguageIcon).html(),n=this.findInModal(this.selectorLanguageUpdateIcon).html(),i=s("<div>"),o=s("<tbody>");return t.languages.forEach(t=>{const i=t.active,d=s("<tr>");i?o.append(d.append(s("<td>").text(" "+t.name).prepend(s("<div />",{class:"btn-group"}).append(s("<a>",{class:"btn btn-default t3js-languagePacks-deactivateLanguage","data-iso":t.iso,"data-toggle":"tooltip",title:"Deactivate"}).append(e),s("<a>",{class:"btn btn-default t3js-languagePacks-update","data-iso":t.iso,"data-toggle":"tooltip",title:"Download language packs"}).append(n))))):o.append(d.addClass("t3-languagePacks-inactive t3js-languagePacks-inactive").css({display:"none"}).append(s("<td>").text(" "+t.name).prepend(s("<div />",{class:"btn-group"}).append(s("<a>",{class:"btn btn-default t3js-languagePacks-activateLanguage","data-iso":t.iso,"data-toggle":"tooltip",title:"Activate"}).append(a))))),d.append(s("<td>").text(t.iso),s("<td>").text(t.dependencies.join(", ")),s("<td>").text(null===t.lastUpdate?"":t.lastUpdate)),o.append(d)}),i.append(s("<h3>").text("Active languages"),s("<table>",{class:"table table-striped table-bordered"}).append(s("<thead>").append(s("<tr>").append(s("<th>").append(s("<div />",{class:"btn-group"}).append(s("<button>",{class:"btn btn-default t3js-languagePacks-addLanguage-toggle",type:"button"}).append(s("<span>").append(a)," Add language"),s("<button>",{class:"btn btn-default disabled update-all t3js-languagePacks-update",type:"button",disabled:"disabled"}).append(s("<span>").append(n)," Update all"))),s("<th>").text("Locale"),s("<th>").text("Dependencies"),s("<th>").text("Last update"))),o)),Array.isArray(this.activeLanguages)&&this.activeLanguages.length&&i.find(".update-all").removeClass("disabled").removeAttr("disabled"),i.html()}extensionMatrixHtml(t){const a=new l,e=this.findInModal(this.selectorExtensionPackMissesIcon).html(),n=this.findInModal(this.selectorLanguageUpdateIcon).html();let i,o="",p=!0,r=0;const g=s("<div>"),u=s("<tr>");u.append(s("<th>").text("Extension"),s("<th>").text("Key")),t.activeLanguages.forEach(t=>{u.append(s("<th>").append(s("<a>",{class:"btn btn-default t3js-languagePacks-update","data-iso":t,"data-toggle":"tooltip",title:"Download and update all language packs"}).append(s("<span>").append(n)," "+t)))});const h=s("<tbody>");return t.extensions.forEach(t=>{if(p=!0,t.packs.forEach(t=>{!1===t.exists&&(p=!1)}),!0===p)return;r++,i=""!==t.icon?s("<span>").append(s("<img>",{style:"max-height: 16px; max-width: 16px;",src:"../"+t.icon,alt:t.title}),s("<span>").text(" "+t.title)):s("<span>").text(t.title);const n=s("<tr>");n.append(s("<td>").html(i.html()),s("<td>").text(t.key)),t.packs.forEach(i=>{const d=s("<td>");n.append(d),!0!==i.exists&&(o=null!==i.lastUpdate?"No language pack available for "+i.iso+" when tried at "+i.lastUpdate+". Click to re-try.":"Language pack not downloaded. Click to download",d.append(s("<a>",{class:"btn btn-default t3js-languagePacks-update","data-extension":t.key,"data-iso":i.iso,"data-toggle":"tooltip",title:a.encodeHtml(o)}).append(e)))}),h.append(n)}),g.append(s("<h3>").text("Translation status"),s("<table>",{class:"table table-striped table-bordered"}).append(s("<thead>").append(u),h)),0===r?d.render(c.ok,"Language packs have been found for every installed extension.","To download the latest changes, use the refresh button in the list above."):g.html()}getNotificationBox(){return this.findInModal(this.selectorNotifications)}addNotification(t){this.notifications.push(t)}renderNotifications(){const t=this.getNotificationBox();for(let a of this.notifications)t.append(a);this.notifications=[]}}return new p}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,a,s){return new(a||(a=Promise))((function(n,i){function o(t){try{l(s.next(t))}catch(t){i(t)}}function d(t){try{l(s.throw(t))}catch(t){i(t)}}function l(t){var e;t.done?n(t.value):(e=t.value,e instanceof a?e:new a((function(t){t(e)}))).then(o,d)}l((s=s.apply(t,e||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Core/Ajax/AjaxRequest","TYPO3/CMS/Core/SecurityUtility","../../Renderable/FlashMessage","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router","bootstrap"],(function(t,e,a,s,n,i,o,d,l,c,p){"use strict";class g extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorOutputContainer=".t3js-languagePacks-output",this.selectorContentContainer=".t3js-languagePacks-mainContent",this.selectorActivateLanguage=".t3js-languagePacks-activateLanguage",this.selectorActivateLanguageIcon="#t3js-languagePacks-activate-icon",this.selectorAddLanguageToggle=".t3js-languagePacks-addLanguage-toggle",this.selectorLanguageInactive=".t3js-languagePacks-inactive",this.selectorDeactivateLanguage=".t3js-languagePacks-deactivateLanguage",this.selectorDeactivateLanguageIcon="#t3js-languagePacks-deactivate-icon",this.selectorUpdate=".t3js-languagePacks-update",this.selectorLanguageUpdateIcon="#t3js-languagePacks-languageUpdate-icon",this.selectorExtensionPackMissesIcon="#t3js-languagePacks-extensionPack-misses-icon",this.selectorNotifications=".t3js-languagePacks-notifications",this.activeLanguages=[],this.activeExtensions=[],this.packsUpdateDetails={toHandle:0,handled:0,updated:0,new:0,failed:0},this.notifications=[]}static pluralize(t,e="pack",a="s",s=0){return 1!==t&&1!==s?e+a:e}initialize(t){this.currentModal=t,this.getData(),t.on("click",this.selectorAddLanguageToggle,()=>{t.find(this.selectorContentContainer+" "+this.selectorLanguageInactive).toggle()}),t.on("click",this.selectorActivateLanguage,t=>{const e=a(t.target).closest(this.selectorActivateLanguage).data("iso");t.preventDefault(),this.activateLanguage(e)}),t.on("click",this.selectorDeactivateLanguage,t=>{const e=a(t.target).closest(this.selectorDeactivateLanguage).data("iso");t.preventDefault(),this.deactivateLanguage(e)}),t.on("click",this.selectorUpdate,t=>{const e=a(t.target).closest(this.selectorUpdate).data("iso"),s=a(t.target).closest(this.selectorUpdate).data("extension");t.preventDefault(),this.updatePacks(e,s)})}getData(){const t=this.getModalBody();new n(p.getUrl("languagePacksGetData")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const s=yield e.resolve();if(!0===s.success){this.activeLanguages=s.activeLanguages,this.activeExtensions=s.activeExtensions,t.empty().append(s.html);const e=t.parent().find(this.selectorContentContainer);e.empty(),e.append(this.languageMatrixHtml(s)),e.append(this.extensionMatrixHtml(s)),a('[data-toggle="tooltip"]').tooltip({container:e})}else{const t=d.render(c.error,"Something went wrong","");this.addNotification(t)}this.renderNotifications()})),e=>{p.handleAjaxError(e,t)})}activateLanguage(t){const e=this.getModalBody(),a=this.findInModal(this.selectorOutputContainer),s=l.render(c.loading,"Loading...","");a.empty().append(s),this.getNotificationBox().empty(),new n(p.getUrl()).post({install:{action:"languagePacksActivateLanguage",token:this.getModuleContent().data("language-packs-activate-language-token"),iso:t}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();if(a.empty(),!0===e.success&&Array.isArray(e.status))e.status.forEach(t=>{const e=d.render(t.severity,t.title,t.message);this.addNotification(e)});else{const t=o.render(c.error,"Something went wrong","");this.addNotification(t)}this.getData()})),t=>{p.handleAjaxError(t,e)})}deactivateLanguage(t){const e=this.getModalBody(),a=this.findInModal(this.selectorOutputContainer),s=l.render(c.loading,"Loading...","");a.empty().append(s),this.getNotificationBox().empty(),new n(p.getUrl()).post({install:{action:"languagePacksDeactivateLanguage",token:this.getModuleContent().data("language-packs-deactivate-language-token"),iso:t}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();if(a.empty(),!0===e.success&&Array.isArray(e.status))e.status.forEach(t=>{const e=d.render(t.severity,t.title,t.message);this.addNotification(e)});else{const t=o.render(c.error,"Something went wrong","");this.addNotification(t)}this.getData()})),t=>{p.handleAjaxError(t,e)})}updatePacks(t,e){const s=this.findInModal(this.selectorOutputContainer),i=this.findInModal(this.selectorContentContainer),o=void 0===t?this.activeLanguages:[t];let d=!0,l=this.activeExtensions;void 0!==e&&(l=[e],d=!1),this.packsUpdateDetails={toHandle:o.length*l.length,handled:0,updated:0,new:0,failed:0},s.empty().append(a("<div>",{class:"progress"}).append(a("<div>",{class:"progress-bar progress-bar-info",role:"progressbar","aria-valuenow":0,"aria-valuemin":0,"aria-valuemax":100,style:"width: 0;"}).append(a("<span>",{class:"text-nowrap"}).text("0 of "+this.packsUpdateDetails.toHandle+" language "+g.pluralize(this.packsUpdateDetails.toHandle)+" updated")))),i.empty(),o.forEach(t=>{l.forEach(e=>{this.getNotificationBox().empty(),new n(p.getUrl()).post({install:{action:"languagePacksUpdatePack",token:this.getModuleContent().data("language-packs-update-pack-token"),iso:t,extension:e}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success?(this.packsUpdateDetails.handled++,"new"===e.packResult?this.packsUpdateDetails.new++:"update"===e.packResult?this.packsUpdateDetails.updated++:this.packsUpdateDetails.failed++,this.packUpdateDone(d,o)):(this.packsUpdateDetails.handled++,this.packsUpdateDetails.failed++,this.packUpdateDone(d,o))})),()=>{this.packsUpdateDetails.handled++,this.packsUpdateDetails.failed++,this.packUpdateDone(d,o)})})})}packUpdateDone(t,e){const a=this.getModalBody(),s=this.findInModal(this.selectorOutputContainer);if(this.packsUpdateDetails.handled===this.packsUpdateDetails.toHandle){const s=d.render(c.ok,"Language packs updated",this.packsUpdateDetails.new+" new language "+g.pluralize(this.packsUpdateDetails.new)+" downloaded, "+this.packsUpdateDetails.updated+" language "+g.pluralize(this.packsUpdateDetails.updated)+" updated, "+this.packsUpdateDetails.failed+" language "+g.pluralize(this.packsUpdateDetails.failed)+" not available");this.addNotification(s),!0===t?new n(p.getUrl()).post({install:{action:"languagePacksUpdateIsoTimes",token:this.getModuleContent().data("language-packs-update-iso-times-token"),isos:e}}).then(t=>__awaiter(this,void 0,void 0,(function*(){if(!0===(yield t.resolve()).success)this.getData();else{const t=o.render(c.error,"Something went wrong","");this.addNotification(t)}})),t=>{p.handleAjaxError(t,a)}):this.getData()}else{const t=this.packsUpdateDetails.handled/this.packsUpdateDetails.toHandle*100;s.find(".progress-bar").css("width",t+"%").attr("aria-valuenow",t).find("span").text(this.packsUpdateDetails.handled+" of "+this.packsUpdateDetails.toHandle+" language "+g.pluralize(this.packsUpdateDetails.handled,"pack","s",this.packsUpdateDetails.toHandle)+" updated")}}languageMatrixHtml(t){const e=this.findInModal(this.selectorActivateLanguageIcon).html(),s=this.findInModal(this.selectorDeactivateLanguageIcon).html(),n=this.findInModal(this.selectorLanguageUpdateIcon).html(),i=a("<div>"),o=a("<tbody>");return t.languages.forEach(t=>{const i=t.active,d=a("<tr>");i?o.append(d.append(a("<td>").text(" "+t.name).prepend(a("<div />",{class:"btn-group"}).append(a("<a>",{class:"btn btn-default t3js-languagePacks-deactivateLanguage","data-iso":t.iso,"data-toggle":"tooltip",title:"Deactivate"}).append(s),a("<a>",{class:"btn btn-default t3js-languagePacks-update","data-iso":t.iso,"data-toggle":"tooltip",title:"Download language packs"}).append(n))))):o.append(d.addClass("t3-languagePacks-inactive t3js-languagePacks-inactive").css({display:"none"}).append(a("<td>").text(" "+t.name).prepend(a("<div />",{class:"btn-group"}).append(a("<a>",{class:"btn btn-default t3js-languagePacks-activateLanguage","data-iso":t.iso,"data-toggle":"tooltip",title:"Activate"}).append(e))))),d.append(a("<td>").text(t.iso),a("<td>").text(t.dependencies.join(", ")),a("<td>").text(null===t.lastUpdate?"":t.lastUpdate)),o.append(d)}),i.append(a("<h3>").text("Active languages"),a("<table>",{class:"table table-striped table-bordered"}).append(a("<thead>").append(a("<tr>").append(a("<th>").append(a("<div />",{class:"btn-group"}).append(a("<button>",{class:"btn btn-default t3js-languagePacks-addLanguage-toggle",type:"button"}).append(a("<span>").append(e)," Add language"),a("<button>",{class:"btn btn-default disabled update-all t3js-languagePacks-update",type:"button",disabled:"disabled"}).append(a("<span>").append(n)," Update all"))),a("<th>").text("Locale"),a("<th>").text("Dependencies"),a("<th>").text("Last update"))),o)),Array.isArray(this.activeLanguages)&&this.activeLanguages.length&&i.find(".update-all").removeClass("disabled").removeAttr("disabled"),i.html()}extensionMatrixHtml(t){const e=new i,s=this.findInModal(this.selectorExtensionPackMissesIcon).html(),n=this.findInModal(this.selectorLanguageUpdateIcon).html();let o,l="",p=!0,g=0;const r=a("<div>"),u=a("<tr>");u.append(a("<th>").text("Extension"),a("<th>").text("Key")),t.activeLanguages.forEach(t=>{u.append(a("<th>").append(a("<a>",{class:"btn btn-default t3js-languagePacks-update","data-iso":t,"data-toggle":"tooltip",title:"Download and update all language packs"}).append(a("<span>").append(n)," "+t)))});const h=a("<tbody>");return t.extensions.forEach(t=>{if(p=!0,t.packs.forEach(t=>{!1===t.exists&&(p=!1)}),!0===p)return;g++,o=""!==t.icon?a("<span>").append(a("<img>",{style:"max-height: 16px; max-width: 16px;",src:"../"+t.icon,alt:t.title}),a("<span>").text(" "+t.title)):a("<span>").text(t.title);const n=a("<tr>");n.append(a("<td>").html(o.html()),a("<td>").text(t.key)),t.packs.forEach(i=>{const o=a("<td>");n.append(o),!0!==i.exists&&(l=null!==i.lastUpdate?"No language pack available for "+i.iso+" when tried at "+i.lastUpdate+". Click to re-try.":"Language pack not downloaded. Click to download",o.append(a("<a>",{class:"btn btn-default t3js-languagePacks-update","data-extension":t.key,"data-iso":i.iso,"data-toggle":"tooltip",title:e.encodeHtml(l)}).append(s)))}),h.append(n)}),r.append(a("<h3>").text("Translation status"),a("<table>",{class:"table table-striped table-bordered"}).append(a("<thead>").append(u),h)),0===g?d.render(c.ok,"Language packs have been found for every installed extension.","To download the latest changes, use the refresh button in the list above."):r.html()}getNotificationBox(){return this.findInModal(this.selectorNotifications)}addNotification(t){this.notifications.push(t)}renderNotifications(){const t=this.getNotificationBox();for(let e of this.notifications)t.append(e);this.notifications=[]}}return new g}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ResetBackendUserUc.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ResetBackendUserUc.js
index 02346363c326ed69b9fe163b0185a5df9eb45190..584e714413336746131da16eabd8311198d94db4 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ResetBackendUserUc.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Maintenance/ResetBackendUserUc.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","jquery","../../Router","TYPO3/CMS/Backend/Notification"],(function(e,s,r,a,t){"use strict";return new class{initialize(e){r.ajax({url:a.getUrl("resetBackendUserUc"),cache:!1,beforeSend:()=>{e.addClass("disabled").prop("disabled",!0)},success:e=>{!0===e.success&&Array.isArray(e.status)?e.status.length>0&&e.status.forEach(e=>{t.success(e.message)}):t.error("Something went wrong ...")},error:()=>{t.error("Resetting backend user uc failed. Please check the system for missing database fields and try again.")},complete:()=>{e.removeClass("disabled").prop("disabled",!1)}})}}}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,n,s){return new(n||(n=Promise))((function(r,a){function i(e){try{c(s.next(e))}catch(e){a(e)}}function o(e){try{c(s.throw(e))}catch(e){a(e)}}function c(e){var t;e.done?r(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(i,o)}c((s=s.apply(e,t||[])).next())}))};define(["require","exports","TYPO3/CMS/Core/Ajax/AjaxRequest","TYPO3/CMS/Backend/Notification","../../Router"],(function(e,t,n,s,r){"use strict";return new class{initialize(e){e.addClass("disabled").prop("disabled",!0),new n(r.getUrl("resetBackendUserUc")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&Array.isArray(t.status)?t.status.length>0&&t.status.forEach(e=>{s.success(e.message)}):s.error("Something went wrong ...")})),()=>{s.error("Dumping autoload files went wrong on the server side. Check the system for broken extensions and try again")}).finally(()=>{e.removeClass("disabled").prop("disabled",!1)})}}}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ChangeInstallToolPassword.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ChangeInstallToolPassword.js
index 377ba7125796ed9915e0d104d32e9834119f8c9d..e516d40f346c404db8e7e3ee45074b14d74d37a4 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ChangeInstallToolPassword.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ChangeInstallToolPassword.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../PasswordStrength","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(t,s,a,e,o,r,n,l){"use strict";class c extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorChangeButton=".t3js-changeInstallToolPassword-change"}initialize(t){this.currentModal=t,this.getData(),t.on("click",this.selectorChangeButton,t=>{t.preventDefault(),this.change()}),t.on("click",".t3-install-form-password-strength",()=>{r.initialize(".t3-install-form-password-strength")})}getData(){const t=this.getModalBody();e.ajax({url:o.getUrl("changeInstallToolPasswordGetData"),cache:!1,success:s=>{!0===s.success?(t.empty().append(s.html),n.setButtons(s.buttons)):l.error("Something went wrong")},error:s=>{o.handleAjaxError(s,t)}})}change(){const t=this.getModalBody(),s=this.getModuleContent().data("install-tool-token");e.ajax({url:o.getUrl(),method:"POST",data:{install:{action:"changeInstallToolPassword",token:s,password:this.findInModal(".t3js-changeInstallToolPassword-password").val(),passwordCheck:this.findInModal(".t3js-changeInstallToolPassword-password-check").val()}},cache:!1,success:t=>{!0===t.success&&Array.isArray(t.status)?t.status.forEach(t=>{l.showMessage("",t.message,t.severity)}):l.error("Something went wrong")},error:s=>{o.handleAjaxError(s,t)},complete:()=>{this.findInModal(".t3js-changeInstallToolPassword-password,.t3js-changeInstallToolPassword-password-check").val("")}})}}return new c}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,s,a){return new(s||(s=Promise))((function(n,o){function r(t){try{i(a.next(t))}catch(t){o(t)}}function l(t){try{i(a.throw(t))}catch(t){o(t)}}function i(t){var e;t.done?n(t.value):(e=t.value,e instanceof s?e:new s((function(t){t(e)}))).then(r,l)}i((a=a.apply(t,e||[])).next())}))};define(["require","exports","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","../PasswordStrength","../AbstractInteractableModule"],(function(t,e,s,a,n,o,r,l){"use strict";class i extends l.AbstractInteractableModule{constructor(){super(...arguments),this.selectorChangeButton=".t3js-changeInstallToolPassword-change"}initialize(t){this.currentModal=t,this.getData(),t.on("click",this.selectorChangeButton,t=>{t.preventDefault(),this.change()}),t.on("click",".t3-install-form-password-strength",()=>{r.initialize(".t3-install-form-password-strength")})}getData(){const t=this.getModalBody();new n(o.getUrl("changeInstallToolPasswordGetData")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const n=yield e.resolve();!0===n.success?(t.empty().append(n.html),s.setButtons(n.buttons)):a.error("Something went wrong")})),e=>{o.handleAjaxError(e,t)})}change(){const t=this.getModalBody(),e=this.getModuleContent().data("install-tool-token");new n(o.getUrl()).post({install:{action:"changeInstallToolPassword",token:e,password:this.findInModal(".t3js-changeInstallToolPassword-password").val(),passwordCheck:this.findInModal(".t3js-changeInstallToolPassword-password-check").val()}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success&&Array.isArray(e.status)?e.status.forEach(t=>{a.showMessage("",t.message,t.severity)}):a.error("Something went wrong")})),e=>{o.handleAjaxError(e,t)}).finally(()=>{this.findInModal(".t3js-changeInstallToolPassword-password,.t3js-changeInstallToolPassword-password-check").val("")})}}return new i}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ExtensionConfiguration.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ExtensionConfiguration.js
index 64fc6d4cafcde66e06da849bc151dfa43198c25c..a410d8f37447d5e1cc705487c6af07be9e1b61a4 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ExtensionConfiguration.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/ExtensionConfiguration.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Backend/ModuleMenu","bootstrap","../../Renderable/Clearable"],(function(t,e,a,r,s,n,i){"use strict";class o extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorFormListener=".t3js-extensionConfiguration-form",this.selectorSearchInput=".t3js-extensionConfiguration-search"}initialize(t){this.currentModal=t,this.getContent(),t.on("keydown",e=>{const a=t.find(this.selectorSearchInput);e.ctrlKey||e.metaKey?"f"===String.fromCharCode(e.which).toLowerCase()&&(e.preventDefault(),a.focus()):27===e.keyCode&&(e.preventDefault(),a.val("").focus())}),t.on("keyup",this.selectorSearchInput,e=>{const a=r(e.target).val(),s=t.find(this.selectorSearchInput);t.find(".search-item").each((t,e)=>{const s=r(e);r(":contains("+a+")",s).length>0||r('input[value*="'+a+'"]',s).length>0?s.removeClass("hidden").addClass("searchhit"):s.removeClass("searchhit").addClass("hidden")}),t.find(".searchhit").collapse("show");const n=s.get(0);n.clearable(),n.focus()}),t.on("submit",this.selectorFormListener,t=>{t.preventDefault(),this.write(r(t.currentTarget))})}getContent(){const t=this.getModalBody();r.ajax({url:s.getUrl("extensionConfigurationGetContent"),cache:!1,success:e=>{!0===e.success&&(Array.isArray(e.status)&&e.status.forEach(t=>{n.success(t.title,t.message)}),t.html(e.html),this.initializeWrap())},error:e=>{s.handleAjaxError(e,t)}})}write(t){const e=this.getModalBody(),a=this.getModuleContent().data("extension-configuration-write-token"),o={};r.each(t.serializeArray(),(t,e)=>{o[e.name]=e.value}),r.ajax({url:s.getUrl(),method:"POST",data:{install:{token:a,action:"extensionConfigurationWrite",extensionKey:t.attr("data-extensionKey"),extensionConfiguration:o}},success:t=>{!0===t.success&&Array.isArray(t.status)?(t.status.forEach(t=>{n.showMessage(t.title,t.message,t.severity)}),"backend"===r("body").data("context")&&i.App.refreshMenu()):n.error("Something went wrong")},error:t=>{s.handleAjaxError(t,e)}}).always(()=>{})}initializeWrap(){this.findInModal(".t3js-emconf-offset").each((t,e)=>{const a=r(e),s=a.parent(),n=a.attr("id"),i=a.attr("value").split(",");a.attr("data-offsetfield-x","#"+n+"_offset_x").attr("data-offsetfield-y","#"+n+"_offset_y").wrap('<div class="hidden"></div>');const o=r("<div>",{class:"form-multigroup-item"}).append(r("<div>",{class:"input-group"}).append(r("<div>",{class:"input-group-addon"}).text("x"),r("<input>",{id:n+"_offset_x",class:"form-control t3js-emconf-offsetfield","data-target":"#"+n,value:r.trim(i[0])}))),d=r("<div>",{class:"form-multigroup-item"}).append(r("<div>",{class:"input-group"}).append(r("<div>",{class:"input-group-addon"}).text("y"),r("<input>",{id:n+"_offset_y",class:"form-control t3js-emconf-offsetfield","data-target":"#"+n,value:r.trim(i[1])}))),l=r("<div>",{class:"form-multigroup-wrap"}).append(o,d);s.append(l),s.find(".t3js-emconf-offsetfield").keyup(t=>{const e=s.find(r(t.currentTarget).data("target"));e.val(s.find(e.data("offsetfield-x")).val()+","+s.find(e.data("offsetfield-y")).val())})}),this.findInModal(".t3js-emconf-wrap").each((t,e)=>{const a=r(e),s=a.parent(),n=a.attr("id"),i=a.attr("value").split("|");a.attr("data-wrapfield-start","#"+n+"_wrap_start").attr("data-wrapfield-end","#"+n+"_wrap_end").wrap('<div class="hidden"></div>');const o=r("<div>",{class:"form-multigroup-wrap"}).append(r("<div>",{class:"form-multigroup-item"}).append(r("<input>",{id:n+"_wrap_start",class:"form-control t3js-emconf-wrapfield","data-target":"#"+n,value:r.trim(i[0])})),r("<div>",{class:"form-multigroup-item"}).append(r("<input>",{id:n+"_wrap_end",class:"form-control t3js-emconf-wrapfield","data-target":"#"+n,value:r.trim(i[1])})));s.append(o),s.find(".t3js-emconf-wrapfield").keyup(t=>{const e=s.find(r(t.currentTarget).data("target"));e.val(s.find(e.data("wrapfield-start")).val()+"|"+s.find(e.data("wrapfield-end")).val())})})}}return new o}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,a,n){return new(a||(a=Promise))((function(r,i){function s(t){try{d(n.next(t))}catch(t){i(t)}}function o(t){try{d(n.throw(t))}catch(t){i(t)}}function d(t){var e;t.done?r(t.value):(e=t.value,e instanceof a?e:new a((function(t){t(e)}))).then(s,o)}d((n=n.apply(t,e||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/ModuleMenu","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","bootstrap","../../Renderable/Clearable"],(function(t,e,a,n,r,i,s,o){"use strict";class d extends n.AbstractInteractableModule{constructor(){super(...arguments),this.selectorFormListener=".t3js-extensionConfiguration-form",this.selectorSearchInput=".t3js-extensionConfiguration-search"}initialize(t){this.currentModal=t,this.getContent(),t.on("keydown",e=>{const a=t.find(this.selectorSearchInput);e.ctrlKey||e.metaKey?"f"===String.fromCharCode(e.which).toLowerCase()&&(e.preventDefault(),a.focus()):27===e.keyCode&&(e.preventDefault(),a.val("").focus())}),t.on("keyup",this.selectorSearchInput,e=>{const n=a(e.target).val(),r=t.find(this.selectorSearchInput);t.find(".search-item").each((t,e)=>{const r=a(e);a(":contains("+n+")",r).length>0||a('input[value*="'+n+'"]',r).length>0?r.removeClass("hidden").addClass("searchhit"):r.removeClass("searchhit").addClass("hidden")}),t.find(".searchhit").collapse("show");const i=r.get(0);i.clearable(),i.focus()}),t.on("submit",this.selectorFormListener,t=>{t.preventDefault(),this.write(a(t.currentTarget))})}getContent(){const t=this.getModalBody();new s(o.getUrl("extensionConfigurationGetContent")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const a=yield e.resolve();!0===a.success&&(Array.isArray(a.status)&&a.status.forEach(t=>{i.success(t.title,t.message)}),t.html(a.html),this.initializeWrap())})),e=>{o.handleAjaxError(e,t)})}write(t){const e=this.getModalBody(),n=this.getModuleContent().data("extension-configuration-write-token"),d={};a.each(t.serializeArray(),(t,e)=>{d[e.name]=e.value}),new s(o.getUrl()).post({install:{token:n,action:"extensionConfigurationWrite",extensionKey:t.attr("data-extensionKey"),extensionConfiguration:d}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success&&Array.isArray(e.status)?(e.status.forEach(t=>{i.showMessage(t.title,t.message,t.severity)}),"backend"===a("body").data("context")&&r.App.refreshMenu()):i.error("Something went wrong")})),t=>{o.handleAjaxError(t,e)})}initializeWrap(){this.findInModal(".t3js-emconf-offset").each((t,e)=>{const n=a(e),r=n.parent(),i=n.attr("id"),s=n.attr("value").split(",");n.attr("data-offsetfield-x","#"+i+"_offset_x").attr("data-offsetfield-y","#"+i+"_offset_y").wrap('<div class="hidden"></div>');const o=a("<div>",{class:"form-multigroup-item"}).append(a("<div>",{class:"input-group"}).append(a("<div>",{class:"input-group-addon"}).text("x"),a("<input>",{id:i+"_offset_x",class:"form-control t3js-emconf-offsetfield","data-target":"#"+i,value:a.trim(s[0])}))),d=a("<div>",{class:"form-multigroup-item"}).append(a("<div>",{class:"input-group"}).append(a("<div>",{class:"input-group-addon"}).text("y"),a("<input>",{id:i+"_offset_y",class:"form-control t3js-emconf-offsetfield","data-target":"#"+i,value:a.trim(s[1])}))),c=a("<div>",{class:"form-multigroup-wrap"}).append(o,d);r.append(c),r.find(".t3js-emconf-offsetfield").keyup(t=>{const e=r.find(a(t.currentTarget).data("target"));e.val(r.find(e.data("offsetfield-x")).val()+","+r.find(e.data("offsetfield-y")).val())})}),this.findInModal(".t3js-emconf-wrap").each((t,e)=>{const n=a(e),r=n.parent(),i=n.attr("id"),s=n.attr("value").split("|");n.attr("data-wrapfield-start","#"+i+"_wrap_start").attr("data-wrapfield-end","#"+i+"_wrap_end").wrap('<div class="hidden"></div>');const o=a("<div>",{class:"form-multigroup-wrap"}).append(a("<div>",{class:"form-multigroup-item"}).append(a("<input>",{id:i+"_wrap_start",class:"form-control t3js-emconf-wrapfield","data-target":"#"+i,value:a.trim(s[0])})),a("<div>",{class:"form-multigroup-item"}).append(a("<input>",{id:i+"_wrap_end",class:"form-control t3js-emconf-wrapfield","data-target":"#"+i,value:a.trim(s[1])})));r.append(o),r.find(".t3js-emconf-wrapfield").keyup(t=>{const e=r.find(a(t.currentTarget).data("target"));e.val(r.find(e.data("wrapfield-start")).val()+"|"+r.find(e.data("wrapfield-end")).val())})})}}return new d}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Features.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Features.js
index ae612b9e4442e7bb0073cb3ba76582f6ddeab8e1..6c56bfe54be2f5958bda2b111a3f543d031ba9c9 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Features.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Features.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(e,t,r,s,a,n,o){"use strict";class i extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorSaveTrigger=".t3js-features-save"}initialize(e){this.currentModal=e,this.getContent(),e.on("click",this.selectorSaveTrigger,e=>{e.preventDefault(),this.save()})}getContent(){const e=this.getModalBody();s.ajax({url:a.getUrl("featuresGetContent"),cache:!1,success:t=>{!0===t.success&&"undefined"!==t.html&&t.html.length>0?(e.empty().append(t.html),n.setButtons(t.buttons)):o.error("Something went wrong")},error:t=>{a.handleAjaxError(t,e)}})}save(){const e=this.getModalBody(),t=this.getModuleContent().data("features-save-token"),r={};s(this.findInModal("form").serializeArray()).each((e,t)=>{r[t.name]=t.value}),r["install[action]"]="featuresSave",r["install[token]"]=t,s.ajax({url:a.getUrl(),method:"POST",data:r,cache:!1,success:e=>{!0===e.success&&Array.isArray(e.status)?e.status.forEach(e=>{o.showMessage(e.title,e.message,e.severity)}):o.error("Something went wrong")},error:t=>{a.handleAjaxError(t,e)}})}}return new i}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,n,a){return new(n||(n=Promise))((function(r,s){function o(e){try{c(a.next(e))}catch(e){s(e)}}function i(e){try{c(a.throw(e))}catch(e){s(e)}}function c(e){var t;e.done?r(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(o,i)}c((a=a.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router"],(function(e,t,n,a,r,s,o,i){"use strict";class c extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorSaveTrigger=".t3js-features-save"}initialize(e){this.currentModal=e,this.getContent(),e.on("click",this.selectorSaveTrigger,e=>{e.preventDefault(),this.save()})}getContent(){const e=this.getModalBody();new o(i.getUrl("featuresGetContent")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const n=yield t.resolve();!0===n.success&&"undefined"!==n.html&&n.html.length>0?(e.empty().append(n.html),r.setButtons(n.buttons)):s.error("Something went wrong")})),t=>{i.handleAjaxError(t,e)})}save(){const e=this.getModalBody(),t=this.getModuleContent().data("features-save-token"),a={};n(this.findInModal("form").serializeArray()).each((e,t)=>{a[t.name]=t.value}),a["install[action]"]="featuresSave",a["install[token]"]=t,new o(i.getUrl()).post(a).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&Array.isArray(t.status)?t.status.forEach(e=>{s.showMessage(e.title,e.message,e.severity)}):s.error("Something went wrong")})),t=>{i.handleAjaxError(t,e)})}}return new c}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/LocalConfiguration.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/LocalConfiguration.js
index b659b488b54c5b574e94ce95bfa8258899b61710..8a11cded138172a72fc37fb77ba828ef20f51628 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/LocalConfiguration.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/LocalConfiguration.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap","../../Renderable/Clearable"],(function(e,t,r,a,s,o,i){"use strict";class l extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorToggleAllTrigger=".t3js-localConfiguration-toggleAll",this.selectorWriteTrigger=".t3js-localConfiguration-write",this.selectorSearchTrigger=".t3js-localConfiguration-search"}initialize(e){this.currentModal=e,this.getContent(),e.on("click",this.selectorWriteTrigger,()=>{this.write()}),e.on("click",this.selectorToggleAllTrigger,()=>{const e=this.getModalBody().find(".panel-collapse"),t=e.eq(0).hasClass("in")?"hide":"show";e.collapse(t)}),jQuery.expr[":"].contains=jQuery.expr.createPseudo(e=>t=>jQuery(t).text().toUpperCase().includes(e.toUpperCase())),e.on("keydown",t=>{const r=e.find(this.selectorSearchTrigger);t.ctrlKey||t.metaKey?"f"===String.fromCharCode(t.which).toLowerCase()&&(t.preventDefault(),r.focus()):27===t.keyCode&&(t.preventDefault(),r.val("").focus())}),e.on("keyup",this.selectorSearchTrigger,t=>{const r=a(t.target).val(),s=e.find(this.selectorSearchTrigger);e.find("div.item").each((e,t)=>{const s=a(t);a(":contains("+r+")",s).length>0||a('input[value*="'+r+'"]',s).length>0?s.removeClass("hidden").addClass("searchhit"):s.removeClass("searchhit").addClass("hidden")}),e.find(".searchhit").parent().collapse("show");const o=s.get(0);o.clearable(),o.focus()})}getContent(){const e=this.getModalBody();a.ajax({url:s.getUrl("localConfigurationGetContent"),cache:!1,success:t=>{!0===t.success&&(Array.isArray(t.status)&&t.status.forEach(e=>{i.success(e.title,e.message)}),e.html(t.html),o.setButtons(t.buttons))},error:t=>{s.handleAjaxError(t,e)}})}write(){const e=this.getModalBody(),t=this.getModuleContent().data("local-configuration-write-token"),r={};this.findInModal(".t3js-localConfiguration-pathValue").each((e,t)=>{const s=a(t);"checkbox"===s.attr("type")?t.checked?r[s.data("path")]="1":r[s.data("path")]="0":r[s.data("path")]=s.val()}),a.ajax({url:s.getUrl(),method:"POST",data:{install:{action:"localConfigurationWrite",token:t,configurationValues:r}},cache:!1,success:e=>{!0===e.success&&Array.isArray(e.status)?e.status.forEach(e=>{i.showMessage(e.title,e.message,e.severity)}):i.error("Something went wrong")},error:t=>{s.handleAjaxError(t,e)}})}}return new l}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,a,o){return new(a||(a=Promise))((function(r,s){function n(e){try{c(o.next(e))}catch(e){s(e)}}function i(e){try{c(o.throw(e))}catch(e){s(e)}}function c(e){var t;e.done?r(e.value):(t=e.value,t instanceof a?t:new a((function(e){e(t)}))).then(n,i)}c((o=o.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","bootstrap","../../Renderable/Clearable"],(function(e,t,a,o,r,s,n,i){"use strict";class c extends o.AbstractInteractableModule{constructor(){super(...arguments),this.selectorToggleAllTrigger=".t3js-localConfiguration-toggleAll",this.selectorWriteTrigger=".t3js-localConfiguration-write",this.selectorSearchTrigger=".t3js-localConfiguration-search"}initialize(e){this.currentModal=e,this.getContent(),e.on("click",this.selectorWriteTrigger,()=>{this.write()}),e.on("click",this.selectorToggleAllTrigger,()=>{const e=this.getModalBody().find(".panel-collapse"),t=e.eq(0).hasClass("in")?"hide":"show";e.collapse(t)}),jQuery.expr[":"].contains=jQuery.expr.createPseudo(e=>t=>jQuery(t).text().toUpperCase().includes(e.toUpperCase())),e.on("keydown",t=>{const a=e.find(this.selectorSearchTrigger);t.ctrlKey||t.metaKey?"f"===String.fromCharCode(t.which).toLowerCase()&&(t.preventDefault(),a.focus()):27===t.keyCode&&(t.preventDefault(),a.val("").focus())}),e.on("keyup",this.selectorSearchTrigger,t=>{const o=a(t.target).val(),r=e.find(this.selectorSearchTrigger);e.find("div.item").each((e,t)=>{const r=a(t);a(":contains("+o+")",r).length>0||a('input[value*="'+o+'"]',r).length>0?r.removeClass("hidden").addClass("searchhit"):r.removeClass("searchhit").addClass("hidden")}),e.find(".searchhit").parent().collapse("show");const s=r.get(0);s.clearable(),s.focus()})}getContent(){const e=this.getModalBody();new n(i.getUrl("localConfigurationGetContent")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const a=yield t.resolve();!0===a.success&&(Array.isArray(a.status)&&a.status.forEach(e=>{s.success(e.title,e.message)}),e.html(a.html),r.setButtons(a.buttons))})),t=>{i.handleAjaxError(t,e)})}write(){const e=this.getModalBody(),t=this.getModuleContent().data("local-configuration-write-token"),o={};this.findInModal(".t3js-localConfiguration-pathValue").each((e,t)=>{const r=a(t);"checkbox"===r.attr("type")?t.checked?o[r.data("path")]="1":o[r.data("path")]="0":o[r.data("path")]=r.val()}),new n(i.getUrl()).post({install:{action:"localConfigurationWrite",token:t,configurationValues:o}}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&Array.isArray(t.status)?t.status.forEach(e=>{s.showMessage(e.title,e.message,e.severity)}):s.error("Something went wrong")})),t=>{i.handleAjaxError(t,e)})}}return new c}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Presets.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Presets.js
index a7392b613800b5f1eeb9c2400992796d8cfdca25..c1e37e5277adba2c1654e188eaa6c4408ad98b57 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Presets.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/Presets.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap"],(function(e,t,a,s,r,n,o){"use strict";class c extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorActivateTrigger=".t3js-presets-activate",this.selectorImageExecutable=".t3js-presets-image-executable",this.selectorImageExecutableTrigger=".t3js-presets-image-executable-trigger"}initialize(e){this.currentModal=e,this.getContent(),e.on("click",this.selectorImageExecutableTrigger,e=>{e.preventDefault(),this.getCustomImagePathContent()}),e.on("click",this.selectorActivateTrigger,e=>{e.preventDefault(),this.activate()}),e.find(".t3js-custom-preset").on("input",".t3js-custom-preset",e=>{s("#"+s(e.currentTarget).data("radio")).prop("checked",!0)})}getContent(){const e=this.getModalBody();s.ajax({url:r.getUrl("presetsGetContent"),cache:!1,success:t=>{!0===t.success&&"undefined"!==t.html&&t.html.length>0?(e.empty().append(t.html),n.setButtons(t.buttons)):o.error("Something went wrong")},error:t=>{r.handleAjaxError(t,e)}})}getCustomImagePathContent(){const e=this.getModalBody(),t=this.getModuleContent().data("presets-content-token");s.ajax({url:r.getUrl(),method:"POST",data:{install:{token:t,action:"presetsGetContent",values:{Image:{additionalSearchPath:this.findInModal(this.selectorImageExecutable).val()}}}},cache:!1,success:t=>{!0===t.success&&"undefined"!==t.html&&t.html.length>0?e.empty().append(t.html):o.error("Something went wrong")},error:t=>{r.handleAjaxError(t,e)}})}activate(){const e=this.getModalBody(),t=this.getModuleContent().data("presets-activate-token"),a={};s(this.findInModal("form").serializeArray()).each((e,t)=>{a[t.name]=t.value}),a["install[action]"]="presetsActivate",a["install[token]"]=t,s.ajax({url:r.getUrl(),method:"POST",data:a,cache:!1,success:e=>{!0===e.success&&Array.isArray(e.status)?e.status.forEach(e=>{o.showMessage(e.title,e.message,e.severity)}):o.error("Something went wrong")},error:t=>{r.handleAjaxError(t,e)}})}}return new c}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,n,a){return new(n||(n=Promise))((function(s,o){function r(t){try{c(a.next(t))}catch(t){o(t)}}function i(t){try{c(a.throw(t))}catch(t){o(t)}}function c(t){var e;t.done?s(t.value):(e=t.value,e instanceof n?e:new n((function(t){t(e)}))).then(r,i)}c((a=a.apply(t,e||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","bootstrap"],(function(t,e,n,a,s,o,r,i){"use strict";class c extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorActivateTrigger=".t3js-presets-activate",this.selectorImageExecutable=".t3js-presets-image-executable",this.selectorImageExecutableTrigger=".t3js-presets-image-executable-trigger"}initialize(t){this.currentModal=t,this.getContent(),t.on("click",this.selectorImageExecutableTrigger,t=>{t.preventDefault(),this.getCustomImagePathContent()}),t.on("click",this.selectorActivateTrigger,t=>{t.preventDefault(),this.activate()}),t.find(".t3js-custom-preset").on("input",".t3js-custom-preset",t=>{n("#"+n(t.currentTarget).data("radio")).prop("checked",!0)})}getContent(){const t=this.getModalBody();new r(i.getUrl("presetsGetContent")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const n=yield e.resolve();!0===n.success&&"undefined"!==n.html&&n.html.length>0?(t.empty().append(n.html),s.setButtons(n.buttons)):o.error("Something went wrong")})),e=>{i.handleAjaxError(e,t)})}getCustomImagePathContent(){const t=this.getModalBody(),e=this.getModuleContent().data("presets-content-token");new r(i.getUrl()).post({install:{token:e,action:"presetsGetContent",values:{Image:{additionalSearchPath:this.findInModal(this.selectorImageExecutable).val()}}}}).then(e=>__awaiter(this,void 0,void 0,(function*(){const n=yield e.resolve();!0===n.success&&"undefined"!==n.html&&n.html.length>0?t.empty().append(n.html):o.error("Something went wrong")})),e=>{i.handleAjaxError(e,t)})}activate(){const t=this.getModalBody(),e=this.getModuleContent().data("presets-activate-token"),a={};n(this.findInModal("form").serializeArray()).each((t,e)=>{a[e.name]=e.value}),a["install[action]"]="presetsActivate",a["install[token]"]=e,new r(i.getUrl()).post(a).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success&&Array.isArray(e.status)?e.status.forEach(t=>{o.showMessage(t.title,t.message,t.severity)}):o.error("Something went wrong")})),e=>{i.handleAjaxError(e,t)})}}return new c}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/SystemMaintainer.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/SystemMaintainer.js
index 6a93a1c6c5b23b00e903913f0a32386223dc0885..5e7979ca5268d9de45b487cf668ac18c36f0fd4e 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/SystemMaintainer.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Settings/SystemMaintainer.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap"],(function(e,t,s,r,i,n,a){"use strict";class o extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorWriteTrigger=".t3js-systemMaintainer-write",this.selectorChosenContainer=".t3js-systemMaintainer-chosen",this.selectorChosenField=".t3js-systemMaintainer-chosen-select"}initialize(t){this.currentModal=t,window.location!==window.parent.location?top.require(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getList()}):e(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getList()}),t.on("click",this.selectorWriteTrigger,e=>{e.preventDefault(),this.write()})}getList(){const e=this.getModalBody();r.ajax({url:i.getUrl("systemMaintainerGetList"),cache:!1,success:t=>{if(!0===t.success){Array.isArray(t.status)&&t.status.forEach(e=>{a.success(e.title,e.message)}),e.html(t.html),n.setButtons(t.buttons),Array.isArray(t.users)&&t.users.forEach(t=>{let s=t.username;t.disable&&(s="[DISABLED] "+s);const i=r("<option>",{value:t.uid}).text(s);t.isSystemMaintainer&&i.attr("selected","selected"),e.find(this.selectorChosenField).append(i)});const s={".t3js-systemMaintainer-chosen-select":{width:"100%",placeholder_text_multiple:"users"}};for(const t in s)s.hasOwnProperty(t)&&e.find(t).chosen(s[t]);e.find(this.selectorChosenContainer).show(),e.find(this.selectorChosenField).trigger("chosen:updated")}},error:t=>{i.handleAjaxError(t,e)}})}write(){const e=this.getModalBody(),t=this.getModuleContent().data("system-maintainer-write-token"),s=this.findInModal(this.selectorChosenField).val();r.ajax({method:"POST",url:i.getUrl(),data:{install:{users:s,token:t,action:"systemMaintainerWrite"}},success:e=>{!0===e.success?Array.isArray(e.status)&&e.status.forEach(e=>{a.success(e.title,e.message)}):a.error("Something went wrong")},error:t=>{i.handleAjaxError(t,e)}})}}return new o}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(t,e,s,n){return new(s||(s=Promise))((function(i,r){function o(t){try{c(n.next(t))}catch(t){r(t)}}function a(t){try{c(n.throw(t))}catch(t){r(t)}}function c(t){var e;t.done?i(t.value):(e=t.value,e instanceof s?e:new s((function(t){t(e)}))).then(o,a)}c((n=n.apply(t,e||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","bootstrap"],(function(t,e,s,n,i,r,o,a){"use strict";class c extends n.AbstractInteractableModule{constructor(){super(...arguments),this.selectorWriteTrigger=".t3js-systemMaintainer-write",this.selectorChosenContainer=".t3js-systemMaintainer-chosen",this.selectorChosenField=".t3js-systemMaintainer-chosen-select"}initialize(e){this.currentModal=e,window.location!==window.parent.location?top.require(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getList()}):t(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getList()}),e.on("click",this.selectorWriteTrigger,t=>{t.preventDefault(),this.write()})}getList(){const t=this.getModalBody();new o(a.getUrl("systemMaintainerGetList")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const n=yield e.resolve();if(!0===n.success){Array.isArray(n.status)&&n.status.forEach(t=>{r.success(t.title,t.message)}),t.html(n.html),i.setButtons(n.buttons),Array.isArray(n.users)&&n.users.forEach(e=>{let n=e.username;e.disable&&(n="[DISABLED] "+n);const i=s("<option>",{value:e.uid}).text(n);e.isSystemMaintainer&&i.attr("selected","selected"),t.find(this.selectorChosenField).append(i)});const e={".t3js-systemMaintainer-chosen-select":{width:"100%",placeholder_text_multiple:"users"}};for(const s in e)e.hasOwnProperty(s)&&t.find(s).chosen(e[s]);t.find(this.selectorChosenContainer).show(),t.find(this.selectorChosenField).trigger("chosen:updated")}})),e=>{a.handleAjaxError(e,t)})}write(){const t=this.getModalBody(),e=this.getModuleContent().data("system-maintainer-write-token"),s=this.findInModal(this.selectorChosenField).val();new o(a.getUrl()).post({install:{users:s,token:e,action:"systemMaintainerWrite"}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const e=yield t.resolve();!0===e.success?Array.isArray(e.status)&&e.status.forEach(t=>{r.success(t.title,t.message)}):r.error("Something went wrong")})),e=>{a.handleAjaxError(e,t)})}}return new c}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/CoreUpdate.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/CoreUpdate.js
index c2777fd9d50238754a7601da1805c1714ce29eb5..0994960cc1bb6b2767079d5eae6fa837302933fa 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/CoreUpdate.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/CoreUpdate.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/FlashMessage","../../Renderable/Severity","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(e,t,a,s,o,i,n,c,d){"use strict";class r extends a.AbstractInteractableModule{constructor(){super(...arguments),this.actionQueue={coreUpdateIsUpdateAvailable:{loadingMessage:"Checking for possible regular or security update",finishMessage:void 0,nextActionName:void 0},coreUpdateCheckPreConditions:{loadingMessage:"Checking if update is possible",finishMessage:"System can be updated",nextActionName:"coreUpdateDownload"},coreUpdateDownload:{loadingMessage:"Downloading new core",finishMessage:void 0,nextActionName:"coreUpdateVerifyChecksum"},coreUpdateVerifyChecksum:{loadingMessage:"Verifying checksum of downloaded core",finishMessage:void 0,nextActionName:"coreUpdateUnpack"},coreUpdateUnpack:{loadingMessage:"Unpacking core",finishMessage:void 0,nextActionName:"coreUpdateMove"},coreUpdateMove:{loadingMessage:"Moving core",finishMessage:void 0,nextActionName:"coreUpdateActivate"},coreUpdateActivate:{loadingMessage:"Activating core",finishMessage:"Core updated - please reload your browser",nextActionName:void 0}},this.selectorOutput=".t3js-coreUpdate-output",this.updateButton=".t3js-coreUpdate-button",this.buttonTemplate=null}initialize(e){this.currentModal=e,this.getData().done(()=>{this.buttonTemplate=this.findInModal(this.updateButton).clone()}),e.on("click",".t3js-coreUpdate-init",e=>{e.preventDefault();const t=s(e.currentTarget).attr("data-action");switch(this.findInModal(this.selectorOutput).empty(),t){case"checkForUpdate":this.callAction("coreUpdateIsUpdateAvailable");break;case"updateDevelopment":this.update("development");break;case"updateRegular":this.update("regular");break;default:throw'Unknown update action "'+t+'"'}})}getData(){const e=this.getModalBody();return s.ajax({url:o.getUrl("coreUpdateGetData"),cache:!1,success:t=>{!0===t.success?(e.empty().append(t.html),c.setButtons(t.buttons)):d.error("Something went wrong")},error:t=>{o.handleAjaxError(t,e)}})}update(e){"development"!==e&&(e="regular"),this.callAction("coreUpdateCheckPreConditions",e)}callAction(e,t){const a={install:{action:e}};void 0!==t&&(a.install.type=t),this.addLoadingMessage(this.actionQueue[e].loadingMessage),s.ajax({url:o.getUrl(),data:a,cache:!1,success:a=>{!0===this.handleResult(a,this.actionQueue[e].finishMessage)&&void 0!==this.actionQueue[e].nextActionName&&this.callAction(this.actionQueue[e].nextActionName,t)},error:e=>{o.handleAjaxError(e,this.getModalBody())}})}handleResult(e,t){const a=e.success;return this.removeLoadingMessage(),e.status&&"object"==typeof e.status&&this.showStatusMessages(e.status),e.action&&"object"==typeof e.action&&this.showActionButton(e.action),t&&this.addMessage(n.ok,t),a}addLoadingMessage(e){const t=i.render(n.loading,e);this.findInModal(this.selectorOutput).append(t)}removeLoadingMessage(){this.findInModal(this.selectorOutput).find(".alert-loading").remove()}showStatusMessages(e){s.each(e,(e,t)=>{let a="",s="";const o=t.severity;t.title&&(a=t.title),t.message&&(s=t.message),this.addMessage(o,a,s)})}showActionButton(e){let t=!1,a=!1;e.title&&(t=e.title),e.action&&(a=e.action);const s=this.buttonTemplate;a&&s.attr("data-action",a),t&&s.text(t),this.findInModal(this.updateButton).replaceWith(s)}addMessage(e,t,a){const s=i.render(e,t,a);this.findInModal(this.selectorOutput).append(s)}}return new r}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,a,o){return new(a||(a=Promise))((function(n,s){function i(e){try{d(o.next(e))}catch(e){s(e)}}function c(e){try{d(o.throw(e))}catch(e){s(e)}}function d(e){var t;e.done?n(e.value):(t=e.value,t instanceof a?t:new a((function(e){e(t)}))).then(i,c)}d((o=o.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/FlashMessage","../../Renderable/Severity","../../Router"],(function(e,t,a,o,n,s,i,c,d,r){"use strict";class l extends o.AbstractInteractableModule{constructor(){super(...arguments),this.actionQueue={coreUpdateIsUpdateAvailable:{loadingMessage:"Checking for possible regular or security update",finishMessage:void 0,nextActionName:void 0},coreUpdateCheckPreConditions:{loadingMessage:"Checking if update is possible",finishMessage:"System can be updated",nextActionName:"coreUpdateDownload"},coreUpdateDownload:{loadingMessage:"Downloading new core",finishMessage:void 0,nextActionName:"coreUpdateVerifyChecksum"},coreUpdateVerifyChecksum:{loadingMessage:"Verifying checksum of downloaded core",finishMessage:void 0,nextActionName:"coreUpdateUnpack"},coreUpdateUnpack:{loadingMessage:"Unpacking core",finishMessage:void 0,nextActionName:"coreUpdateMove"},coreUpdateMove:{loadingMessage:"Moving core",finishMessage:void 0,nextActionName:"coreUpdateActivate"},coreUpdateActivate:{loadingMessage:"Activating core",finishMessage:"Core updated - please reload your browser",nextActionName:void 0}},this.selectorOutput=".t3js-coreUpdate-output",this.updateButton=".t3js-coreUpdate-button",this.buttonTemplate=null}initialize(e){this.currentModal=e,this.getData().then(()=>{this.buttonTemplate=this.findInModal(this.updateButton).clone()}),e.on("click",".t3js-coreUpdate-init",e=>{e.preventDefault();const t=a(e.currentTarget).attr("data-action");switch(this.findInModal(this.selectorOutput).empty(),t){case"checkForUpdate":this.callAction("coreUpdateIsUpdateAvailable");break;case"updateDevelopment":this.update("development");break;case"updateRegular":this.update("regular");break;default:throw'Unknown update action "'+t+'"'}})}getData(){const e=this.getModalBody();return new i(r.getUrl("coreUpdateGetData")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const a=yield t.resolve();!0===a.success?(e.empty().append(a.html),n.setButtons(a.buttons)):s.error("Something went wrong")})),t=>{r.handleAjaxError(t,e)})}update(e){"development"!==e&&(e="regular"),this.callAction("coreUpdateCheckPreConditions",e)}callAction(e,t){const a={install:{action:e}};void 0!==t&&(a.install.type=t),this.addLoadingMessage(this.actionQueue[e].loadingMessage),new i(r.getUrl()).withQueryArguments(a).get({cache:"no-cache"}).then(a=>__awaiter(this,void 0,void 0,(function*(){const o=yield a.resolve();!0===this.handleResult(o,this.actionQueue[e].finishMessage)&&void 0!==this.actionQueue[e].nextActionName&&this.callAction(this.actionQueue[e].nextActionName,t)})),e=>{r.handleAjaxError(e,this.getModalBody())})}handleResult(e,t){const a=e.success;return this.removeLoadingMessage(),e.status&&"object"==typeof e.status&&this.showStatusMessages(e.status),e.action&&"object"==typeof e.action&&this.showActionButton(e.action),t&&this.addMessage(d.ok,t),a}addLoadingMessage(e){const t=c.render(d.loading,e);this.findInModal(this.selectorOutput).append(t)}removeLoadingMessage(){this.findInModal(this.selectorOutput).find(".alert-loading").remove()}showStatusMessages(e){a.each(e,(e,t)=>{let a="",o="";const n=t.severity;t.title&&(a=t.title),t.message&&(o=t.message),this.addMessage(n,a,o)})}showActionButton(e){let t=!1,a=!1;e.title&&(t=e.title),e.action&&(a=e.action);const o=this.buttonTemplate;a&&o.attr("data-action",a),t&&o.text(t),this.findInModal(this.updateButton).replaceWith(o)}addMessage(e,t,a){const o=c.render(e,t,a);this.findInModal(this.selectorOutput).append(o)}}return new l}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionCompatTester.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionCompatTester.js
index cda199b91366249dadc3533a744ca6acf30d50dd..54fecb1f4d6c1fd1b11322ac9dd6d89715e70215 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionCompatTester.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionCompatTester.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router","bootstrap"],(function(e,t,n,s,o,a,i,r,l,d){"use strict";class c extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorCheckTrigger=".t3js-extensionCompatTester-check",this.selectorUninstallTrigger=".t3js-extensionCompatTester-uninstall",this.selectorOutputContainer=".t3js-extensionCompatTester-output"}initialize(e){this.currentModal=e,this.getLoadedExtensionList(),e.on("click",this.selectorCheckTrigger,()=>{this.findInModal(this.selectorUninstallTrigger).addClass("hidden"),this.findInModal(this.selectorOutputContainer).empty(),this.getLoadedExtensionList()}),e.on("click",this.selectorUninstallTrigger,e=>{this.uninstallExtension(n(e.target).data("extension"))})}getLoadedExtensionList(){this.findInModal(this.selectorCheckTrigger).addClass("disabled").prop("disabled",!0),this.findInModal(".modal-loading").hide();const e=this.getModalBody(),t=this.findInModal(this.selectorOutputContainer),s=r.render(l.loading,"Loading...","");t.append(s),n.ajax({url:d.getUrl("extensionCompatTesterLoadedExtensionList"),cache:!1,success:t=>{e.empty().append(t.html),o.setButtons(t.buttons);const n=this.findInModal(this.selectorOutputContainer),s=r.render(l.loading,"Loading...","");n.append(s),!0===t.success?this.loadExtLocalconf().done(()=>{n.append(i.render(l.ok,"ext_localconf.php of all loaded extensions successfully loaded","")),this.loadExtTables().done(()=>{n.append(i.render(l.ok,"ext_tables.php of all loaded extensions successfully loaded",""))}).fail(e=>{this.renderFailureMessages("ext_tables.php",e.responseJSON.brokenExtensions,n)}).always(()=>{this.unlockModal()})}).fail(e=>{this.renderFailureMessages("ext_localconf.php",e.responseJSON.brokenExtensions,n),n.append(i.render(l.notice,"Skipped scanning ext_tables.php files due to previous errors","")),this.unlockModal()}):a.error("Something went wrong")},error:t=>{d.handleAjaxError(t,e)}})}unlockModal(){this.findInModal(this.selectorOutputContainer).find(".alert-loading").remove(),this.findInModal(this.selectorCheckTrigger).removeClass("disabled").prop("disabled",!1)}renderFailureMessages(e,t,s){for(let o of t){let t;o.isProtected||(t=n("<button />",{class:"btn btn-danger t3js-extensionCompatTester-uninstall"}).attr("data-extension",o.name).text('Uninstall extension "'+o.name+'"')),s.append(i.render(l.error,"Loading "+e+' of extension "'+o.name+'" failed',o.isProtected?"Extension is mandatory and cannot be uninstalled.":""),t)}this.unlockModal()}loadExtLocalconf(){const e=this.getModuleContent().data("extension-compat-tester-load-ext_localconf-token");return n.ajax({url:d.getUrl(),method:"POST",cache:!1,data:{install:{action:"extensionCompatTesterLoadExtLocalconf",token:e}}})}loadExtTables(){const e=this.getModuleContent().data("extension-compat-tester-load-ext_tables-token");return n.ajax({url:d.getUrl(),method:"POST",cache:!1,data:{install:{action:"extensionCompatTesterLoadExtTables",token:e}}})}uninstallExtension(e){const t=this.getModuleContent().data("extension-compat-tester-uninstall-extension-token"),s=this.getModalBody(),o=n(this.selectorOutputContainer),c=r.render(l.loading,"Loading...","");o.append(c),n.ajax({url:d.getUrl(),cache:!1,method:"POST",data:{install:{action:"extensionCompatTesterUninstallExtension",token:t,extension:e}},success:e=>{e.success?(Array.isArray(e.status)&&e.status.forEach(e=>{const t=i.render(e.severity,e.title,e.message);s.find(this.selectorOutputContainer).empty().append(t)}),this.findInModal(this.selectorUninstallTrigger).addClass("hidden"),this.getLoadedExtensionList()):a.error("Something went wrong")},error:e=>{d.handleAjaxError(e,s)}})}}return new c}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,n,o){return new(n||(n=Promise))((function(s,i){function a(e){try{l(o.next(e))}catch(e){i(e)}}function r(e){try{l(o.throw(e))}catch(e){i(e)}}function l(e){var t;e.done?s(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(a,r)}l((o=o.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router","bootstrap"],(function(e,t,n,o,s,i,a,r,l,d,c){"use strict";class h extends o.AbstractInteractableModule{constructor(){super(...arguments),this.selectorCheckTrigger=".t3js-extensionCompatTester-check",this.selectorUninstallTrigger=".t3js-extensionCompatTester-uninstall",this.selectorOutputContainer=".t3js-extensionCompatTester-output"}initialize(e){this.currentModal=e,this.getLoadedExtensionList(),e.on("click",this.selectorCheckTrigger,()=>{this.findInModal(this.selectorUninstallTrigger).addClass("hidden"),this.findInModal(this.selectorOutputContainer).empty(),this.getLoadedExtensionList()}),e.on("click",this.selectorUninstallTrigger,e=>{this.uninstallExtension(n(e.target).data("extension"))})}getLoadedExtensionList(){this.findInModal(this.selectorCheckTrigger).addClass("disabled").prop("disabled",!0),this.findInModal(".modal-loading").hide();const e=this.getModalBody(),t=this.findInModal(this.selectorOutputContainer),n=l.render(d.loading,"Loading...","");t.append(n),new a(c.getUrl("extensionCompatTesterLoadedExtensionList")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const n=yield t.resolve();e.empty().append(n.html),s.setButtons(n.buttons);const o=this.findInModal(this.selectorOutputContainer),a=l.render(d.loading,"Loading...","");o.append(a),!0===n.success?this.loadExtLocalconf().then(()=>{o.append(r.render(d.ok,"ext_localconf.php of all loaded extensions successfully loaded","")),this.loadExtTables().then(()=>{o.append(r.render(d.ok,"ext_tables.php of all loaded extensions successfully loaded",""))},e=>__awaiter(this,void 0,void 0,(function*(){this.renderFailureMessages("ext_tables.php",(yield e.response.json()).brokenExtensions,o)}))).finally(()=>{this.unlockModal()})},e=>__awaiter(this,void 0,void 0,(function*(){this.renderFailureMessages("ext_localconf.php",(yield e.response.json()).brokenExtensions,o),o.append(r.render(d.notice,"Skipped scanning ext_tables.php files due to previous errors","")),this.unlockModal()}))):i.error("Something went wrong")})),t=>{c.handleAjaxError(t,e)})}unlockModal(){this.findInModal(this.selectorOutputContainer).find(".alert-loading").remove(),this.findInModal(this.selectorCheckTrigger).removeClass("disabled").prop("disabled",!1)}renderFailureMessages(e,t,o){for(let s of t){let t;s.isProtected||(t=n("<button />",{class:"btn btn-danger t3js-extensionCompatTester-uninstall"}).attr("data-extension",s.name).text('Uninstall extension "'+s.name+'"')),o.append(r.render(d.error,"Loading "+e+' of extension "'+s.name+'" failed',s.isProtected?"Extension is mandatory and cannot be uninstalled.":""),t)}this.unlockModal()}loadExtLocalconf(){const e=this.getModuleContent().data("extension-compat-tester-load-ext_localconf-token");return new a(c.getUrl()).post({install:{action:"extensionCompatTesterLoadExtLocalconf",token:e}})}loadExtTables(){const e=this.getModuleContent().data("extension-compat-tester-load-ext_tables-token");return new a(c.getUrl()).post({install:{action:"extensionCompatTesterLoadExtTables",token:e}})}uninstallExtension(e){const t=this.getModuleContent().data("extension-compat-tester-uninstall-extension-token"),o=this.getModalBody(),s=n(this.selectorOutputContainer),h=l.render(d.loading,"Loading...","");s.append(h),new a(c.getUrl()).post({install:{action:"extensionCompatTesterUninstallExtension",token:t,extension:e}}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();t.success?(Array.isArray(t.status)&&t.status.forEach(e=>{const t=r.render(e.severity,e.title,e.message);o.find(this.selectorOutputContainer).empty().append(t)}),this.findInModal(this.selectorUninstallTrigger).addClass("hidden"),this.getLoadedExtensionList()):i.error("Something went wrong")})),e=>{c.handleAjaxError(e,o)})}}return new h}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionScanner.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionScanner.js
index a2af777d623505cd6521cb2699644f478fb08290..a0d0431221ca708a13e52c2da109a36f07298355 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionScanner.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/ExtensionScanner.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Ajax/AjaxQueue","../../Router","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","bootstrap"],(function(e,n,t,s,i,a,o,r){"use strict";class l extends t.AbstractInteractableModule{constructor(){super(...arguments),this.listOfAffectedRestFileHashes=[],this.selectorExtensionContainer=".t3js-extensionScanner-extension",this.selectorNumberOfFiles=".t3js-extensionScanner-number-of-files",this.selectorScanSingleTrigger=".t3js-extensionScanner-scan-single",this.selectorExtensionScanButton=".t3js-extensionScanner-scan-all"}initialize(e){this.currentModal=e,this.getData(),e.on("show.bs.collapse",this.selectorExtensionContainer,e=>{const n=s(e.currentTarget);if(void 0===n.data("scanned")){const e=n.data("extension");this.scanSingleExtension(e),n.data("scanned",!0)}}).on("click",this.selectorScanSingleTrigger,e=>{e.preventDefault();const n=s(e.currentTarget).closest(this.selectorExtensionContainer).data("extension");this.scanSingleExtension(n)}).on("click",this.selectorExtensionScanButton,n=>{n.preventDefault(),s(n.currentTarget).addClass("disabled").prop("disabled",!0);const t=e.find(this.selectorExtensionContainer);this.scanAll(t)})}getData(){const e=this.getModalBody();i.add({url:a.getUrl("extensionScannerGetData"),cache:!1,success:n=>{!0===n.success?(e.empty().append(n.html),o.setButtons(n.buttons)):r.error("Something went wrong")},error:n=>{a.handleAjaxError(n,e)}})}getExtensionSelector(e){return this.selectorExtensionContainer+"-"+e}scanAll(e){this.findInModal(this.selectorExtensionContainer).removeClass("panel-danger panel-warning panel-success").find(".panel-progress-bar").css("width",0).attr("aria-valuenow",0).find("span").text("0%"),this.setProgressForAll(),e.each((e,n)=>{const t=s(n),i=t.data("extension");this.scanSingleExtension(i),t.data("scanned",!0)})}setStatusMessageForScan(e,n,t){this.findInModal(this.getExtensionSelector(e)).find(this.selectorNumberOfFiles).text("Checked "+n+" of "+t+" files")}setProgressForScan(e,n,t){const s=n/t*100;this.findInModal(this.getExtensionSelector(e)).find(".panel-progress-bar").css("width",s+"%").attr("aria-valuenow",s).find("span").text(s+"%")}setProgressForAll(){const e=this.findInModal(this.selectorExtensionContainer).length,n=this.findInModal(this.selectorExtensionContainer+".t3js-extensionscan-finished.panel-success").length+this.findInModal(this.selectorExtensionContainer+".t3js-extensionscan-finished.panel-warning").length+this.findInModal(this.selectorExtensionContainer+".t3js-extensionscan-finished.panel-danger").length,t=n/e*100,s=this.getModalBody();this.findInModal(".t3js-extensionScanner-progress-all-extension .progress-bar").css("width",t+"%").attr("aria-valuenow",t).find("span").text(n+" of "+e+" scanned"),n===e&&(this.findInModal(this.selectorExtensionScanButton).removeClass("disabled").prop("disabled",!1),r.success("Scan finished","All extensions have been scanned"),i.add({url:a.getUrl(),method:"POST",data:{install:{action:"extensionScannerMarkFullyScannedRestFiles",token:this.getModuleContent().data("extension-scanner-mark-fully-scanned-rest-files-token"),hashes:this.uniqueArray(this.listOfAffectedRestFileHashes)}},cache:!1,success:e=>{!0===e.success&&r.success("Marked not affected files","Marked "+e.markedAsNotAffected+" ReST files as not affected.")},error:e=>{a.handleAjaxError(e,s)}}))}uniqueArray(e){return e.filter((e,n,t)=>t.indexOf(e)===n)}scanSingleExtension(e){const n=this.getModuleContent().data("extension-scanner-files-token"),t=this.getModalBody(),o=this.findInModal(this.getExtensionSelector(e));let l=!1;o.removeClass("panel-danger panel-warning panel-success t3js-extensionscan-finished"),o.data("hasRun","true"),o.find(".t3js-extensionScanner-scan-single").text("Scanning...").attr("disabled","disabled"),o.find(".t3js-extensionScanner-extension-body-loc").empty().text("0"),o.find(".t3js-extensionScanner-extension-body-ignored-files").empty().text("0"),o.find(".t3js-extensionScanner-extension-body-ignored-lines").empty().text("0"),this.setProgressForAll(),i.add({url:a.getUrl(),method:"POST",data:{install:{action:"extensionScannerFiles",token:n,extension:e}},cache:!1,success:n=>{if(!0===n.success&&Array.isArray(n.files)){const c=n.files.length;if(c>0){this.setStatusMessageForScan(e,0,c),o.find(".t3js-extensionScanner-extension-body").text("");let d=0;n.files.forEach(n=>{i.add({method:"POST",data:{install:{action:"extensionScannerScanFile",token:this.getModuleContent().data("extension-scanner-scan-file-token"),extension:e,file:n}},url:a.getUrl(),cache:!1,success:i=>{if(d++,this.setStatusMessageForScan(e,d,c),this.setProgressForScan(e,d,c),i.success&&s.isArray(i.matches)&&i.matches.forEach(e=>{l=!0;const i=t.find("#t3js-extensionScanner-file-hit-template").clone();i.find(".t3js-extensionScanner-hit-file-panel-head").attr("href","#collapse"+e.uniqueId),i.find(".t3js-extensionScanner-hit-file-panel-body").attr("id","collapse"+e.uniqueId),i.find(".t3js-extensionScanner-hit-filename").text(n),i.find(".t3js-extensionScanner-hit-message").text(e.message),"strong"===e.indicator?i.find(".t3js-extensionScanner-hit-file-panel-head .badges").append('<span class="badge" title="Reliable match, false positive unlikely">strong</span>'):i.find(".t3js-extensionScanner-hit-file-panel-head .badges").append('<span class="badge" title="Probable match, but can be a false positive">weak</span>'),!0===e.silenced&&i.find(".t3js-extensionScanner-hit-file-panel-head .badges").append('<span class="badge" title="Match has been annotated by extension author as false positive match">silenced</span>'),i.find(".t3js-extensionScanner-hit-file-lineContent").empty().text(e.lineContent),i.find(".t3js-extensionScanner-hit-file-line").empty().text(e.line+": "),s.isArray(e.restFiles)&&e.restFiles.forEach(e=>{const n=t.find("#t3js-extensionScanner-file-hit-rest-template").clone();n.find(".t3js-extensionScanner-hit-rest-panel-head").attr("href","#collapse"+e.uniqueId),n.find(".t3js-extensionScanner-hit-rest-panel-head .badge").empty().text(e.version),n.find(".t3js-extensionScanner-hit-rest-panel-body").attr("id","collapse"+e.uniqueId),n.find(".t3js-extensionScanner-hit-rest-headline").text(e.headline),n.find(".t3js-extensionScanner-hit-rest-body").text(e.content),n.addClass("panel-"+e.class),i.find(".t3js-extensionScanner-hit-file-rest-container").append(n),this.listOfAffectedRestFileHashes.push(e.file_hash)});const a=i.find(".panel-breaking",".t3js-extensionScanner-hit-file-rest-container").length>0?"panel-danger":"panel-warning";i.addClass(a),o.find(".t3js-extensionScanner-extension-body").removeClass("hide").append(i),"panel-danger"===a&&o.removeClass("panel-warning").addClass(a),"panel-warning"!==a||o.hasClass("panel-danger")||o.addClass(a)}),i.success){const e=parseInt(o.find(".t3js-extensionScanner-extension-body-loc").text(),10);if(o.find(".t3js-extensionScanner-extension-body-loc").empty().text(e+i.effectiveCodeLines),i.isFileIgnored){const e=parseInt(o.find(".t3js-extensionScanner-extension-body-ignored-files").text(),10);o.find(".t3js-extensionScanner-extension-body-ignored-files").empty().text(e+1)}const n=parseInt(o.find(".t3js-extensionScanner-extension-body-ignored-lines").text(),10);o.find(".t3js-extensionScanner-extension-body-ignored-lines").empty().text(n+i.ignoredLines)}d===c&&(l||o.addClass("panel-success"),o.addClass("t3js-extensionscan-finished"),this.setProgressForAll(),o.find(".t3js-extensionScanner-scan-single").text("Rescan").attr("disabled",null))},error:n=>{d+=1,this.setStatusMessageForScan(e,d,c),this.setProgressForScan(e,d,c),this.setProgressForAll(),r.error("Oops, an error occurred","Please look at the console output for details"),console.error(n)}})})}else r.warning("No files found","The extension EXT:"+e+" contains no files we can scan")}else r.error("Oops, an error occurred","Please look at the console output for details"),console.error(n)},error:e=>{a.handleAjaxError(e,t)}})}}return new l}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,n,t,s){return new(t||(t=Promise))((function(i,a){function o(e){try{l(s.next(e))}catch(e){a(e)}}function r(e){try{l(s.throw(e))}catch(e){a(e)}}function l(e){var n;e.done?i(e.value):(n=e.value,n instanceof t?n:new t((function(e){e(n)}))).then(o,r)}l((s=s.apply(e,n||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","../../Ajax/AjaxQueue","../../Router","bootstrap"],(function(e,n,t,s,i,a,o,r){"use strict";class l extends s.AbstractInteractableModule{constructor(){super(...arguments),this.listOfAffectedRestFileHashes=[],this.selectorExtensionContainer=".t3js-extensionScanner-extension",this.selectorNumberOfFiles=".t3js-extensionScanner-number-of-files",this.selectorScanSingleTrigger=".t3js-extensionScanner-scan-single",this.selectorExtensionScanButton=".t3js-extensionScanner-scan-all"}initialize(e){this.currentModal=e,this.getData(),e.on("show.bs.collapse",this.selectorExtensionContainer,e=>{const n=t(e.currentTarget);if(void 0===n.data("scanned")){const e=n.data("extension");this.scanSingleExtension(e),n.data("scanned",!0)}}).on("click",this.selectorScanSingleTrigger,e=>{e.preventDefault();const n=t(e.currentTarget).closest(this.selectorExtensionContainer).data("extension");this.scanSingleExtension(n)}).on("click",this.selectorExtensionScanButton,n=>{n.preventDefault(),t(n.currentTarget).addClass("disabled").prop("disabled",!0);const s=e.find(this.selectorExtensionContainer);this.scanAll(s)})}getData(){const e=this.getModalBody();o.add({url:r.getUrl("extensionScannerGetData"),onfulfilled:n=>__awaiter(this,void 0,void 0,(function*(){const t=yield n.resolve();!0===t.success?(e.empty().append(t.html),i.setButtons(t.buttons)):a.error("Something went wrong")})),onrejected:n=>{r.handleAjaxError(n,e)}})}getExtensionSelector(e){return this.selectorExtensionContainer+"-"+e}scanAll(e){this.findInModal(this.selectorExtensionContainer).removeClass("panel-danger panel-warning panel-success").find(".panel-progress-bar").css("width",0).attr("aria-valuenow",0).find("span").text("0%"),this.setProgressForAll(),e.each((e,n)=>{const s=t(n),i=s.data("extension");this.scanSingleExtension(i),s.data("scanned",!0)})}setStatusMessageForScan(e,n,t){this.findInModal(this.getExtensionSelector(e)).find(this.selectorNumberOfFiles).text("Checked "+n+" of "+t+" files")}setProgressForScan(e,n,t){const s=n/t*100;this.findInModal(this.getExtensionSelector(e)).find(".panel-progress-bar").css("width",s+"%").attr("aria-valuenow",s).find("span").text(s+"%")}setProgressForAll(){const e=this.findInModal(this.selectorExtensionContainer).length,n=this.findInModal(this.selectorExtensionContainer+".t3js-extensionscan-finished.panel-success").length+this.findInModal(this.selectorExtensionContainer+".t3js-extensionscan-finished.panel-warning").length+this.findInModal(this.selectorExtensionContainer+".t3js-extensionscan-finished.panel-danger").length,t=n/e*100,s=this.getModalBody();this.findInModal(".t3js-extensionScanner-progress-all-extension .progress-bar").css("width",t+"%").attr("aria-valuenow",t).find("span").text(n+" of "+e+" scanned"),n===e&&(this.findInModal(this.selectorExtensionScanButton).removeClass("disabled").prop("disabled",!1),a.success("Scan finished","All extensions have been scanned"),o.add({url:r.getUrl(),method:"POST",data:{install:{action:"extensionScannerMarkFullyScannedRestFiles",token:this.getModuleContent().data("extension-scanner-mark-fully-scanned-rest-files-token"),hashes:this.uniqueArray(this.listOfAffectedRestFileHashes)}},onfulfilled:e=>__awaiter(this,void 0,void 0,(function*(){const n=yield e.resolve();!0===n.success&&a.success("Marked not affected files","Marked "+n.markedAsNotAffected+" ReST files as not affected.")})),onrejected:e=>{r.handleAjaxError(e,s)}}))}uniqueArray(e){return e.filter((e,n,t)=>t.indexOf(e)===n)}scanSingleExtension(e){const n=this.getModuleContent().data("extension-scanner-files-token"),s=this.getModalBody(),i=this.findInModal(this.getExtensionSelector(e));let l=!1;i.removeClass("panel-danger panel-warning panel-success t3js-extensionscan-finished"),i.data("hasRun","true"),i.find(".t3js-extensionScanner-scan-single").text("Scanning...").attr("disabled","disabled"),i.find(".t3js-extensionScanner-extension-body-loc").empty().text("0"),i.find(".t3js-extensionScanner-extension-body-ignored-files").empty().text("0"),i.find(".t3js-extensionScanner-extension-body-ignored-lines").empty().text("0"),this.setProgressForAll(),o.add({url:r.getUrl(),method:"POST",data:{install:{action:"extensionScannerFiles",token:n,extension:e}},onfulfilled:n=>__awaiter(this,void 0,void 0,(function*(){const d=yield n.resolve();if(!0===d.success&&Array.isArray(d.files)){const n=d.files.length;if(n>0){this.setStatusMessageForScan(e,0,n),i.find(".t3js-extensionScanner-extension-body").text("");let c=0;d.files.forEach(d=>{o.add({method:"POST",data:{install:{action:"extensionScannerScanFile",token:this.getModuleContent().data("extension-scanner-scan-file-token"),extension:e,file:d}},url:r.getUrl(),onfulfilled:a=>__awaiter(this,void 0,void 0,(function*(){const o=yield a.resolve();if(c++,this.setStatusMessageForScan(e,c,n),this.setProgressForScan(e,c,n),o.success&&t.isArray(o.matches)&&o.matches.forEach(e=>{l=!0;const n=s.find("#t3js-extensionScanner-file-hit-template").clone();n.find(".t3js-extensionScanner-hit-file-panel-head").attr("href","#collapse"+e.uniqueId),n.find(".t3js-extensionScanner-hit-file-panel-body").attr("id","collapse"+e.uniqueId),n.find(".t3js-extensionScanner-hit-filename").text(d),n.find(".t3js-extensionScanner-hit-message").text(e.message),"strong"===e.indicator?n.find(".t3js-extensionScanner-hit-file-panel-head .badges").append('<span class="badge" title="Reliable match, false positive unlikely">strong</span>'):n.find(".t3js-extensionScanner-hit-file-panel-head .badges").append('<span class="badge" title="Probable match, but can be a false positive">weak</span>'),!0===e.silenced&&n.find(".t3js-extensionScanner-hit-file-panel-head .badges").append('<span class="badge" title="Match has been annotated by extension author as false positive match">silenced</span>'),n.find(".t3js-extensionScanner-hit-file-lineContent").empty().text(e.lineContent),n.find(".t3js-extensionScanner-hit-file-line").empty().text(e.line+": "),t.isArray(e.restFiles)&&e.restFiles.forEach(e=>{const t=s.find("#t3js-extensionScanner-file-hit-rest-template").clone();t.find(".t3js-extensionScanner-hit-rest-panel-head").attr("href","#collapse"+e.uniqueId),t.find(".t3js-extensionScanner-hit-rest-panel-head .badge").empty().text(e.version),t.find(".t3js-extensionScanner-hit-rest-panel-body").attr("id","collapse"+e.uniqueId),t.find(".t3js-extensionScanner-hit-rest-headline").text(e.headline),t.find(".t3js-extensionScanner-hit-rest-body").text(e.content),t.addClass("panel-"+e.class),n.find(".t3js-extensionScanner-hit-file-rest-container").append(t),this.listOfAffectedRestFileHashes.push(e.file_hash)});const a=n.find(".panel-breaking",".t3js-extensionScanner-hit-file-rest-container").length>0?"panel-danger":"panel-warning";n.addClass(a),i.find(".t3js-extensionScanner-extension-body").removeClass("hide").append(n),"panel-danger"===a&&i.removeClass("panel-warning").addClass(a),"panel-warning"!==a||i.hasClass("panel-danger")||i.addClass(a)}),o.success){const e=parseInt(i.find(".t3js-extensionScanner-extension-body-loc").text(),10);if(i.find(".t3js-extensionScanner-extension-body-loc").empty().text(e+o.effectiveCodeLines),o.isFileIgnored){const e=parseInt(i.find(".t3js-extensionScanner-extension-body-ignored-files").text(),10);i.find(".t3js-extensionScanner-extension-body-ignored-files").empty().text(e+1)}const n=parseInt(i.find(".t3js-extensionScanner-extension-body-ignored-lines").text(),10);i.find(".t3js-extensionScanner-extension-body-ignored-lines").empty().text(n+o.ignoredLines)}c===n&&(l||i.addClass("panel-success"),i.addClass("t3js-extensionscan-finished"),this.setProgressForAll(),i.find(".t3js-extensionScanner-scan-single").text("Rescan").attr("disabled",null))})),onrejected:t=>{c+=1,this.setStatusMessageForScan(e,c,n),this.setProgressForScan(e,c,n),this.setProgressForAll(),a.error("Oops, an error occurred","Please look at the console output for details"),console.error(t)}})})}else a.warning("No files found","The extension EXT:"+e+" contains no files we can scan")}else a.error("Oops, an error occurred","Please look at the console output for details"),console.error(d)})),onrejected:e=>{r.handleAjaxError(e,s)}})}}return new l}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaExtTablesCheck.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaExtTablesCheck.js
index 85d474096970a18e242b409696b3f7212853dddb..e157c60286bc0d12984a2c6c2f8d8910048030d5 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaExtTablesCheck.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaExtTablesCheck.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/ProgressBar","../../Renderable/Severity","../../Renderable/InfoBox","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification"],(function(e,t,s,n,r,a,o,c,i,l){"use strict";class h extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorCheckTrigger=".t3js-tcaExtTablesCheck-check",this.selectorOutputContainer=".t3js-tcaExtTablesCheck-output"}initialize(e){this.currentModal=e,this.check(),e.on("click",this.selectorCheckTrigger,e=>{e.preventDefault(),this.check()})}check(){const e=this.getModalBody(),t=n(this.selectorOutputContainer),s=a.render(o.loading,"Loading...","");t.empty().html(s),n.ajax({url:r.getUrl("tcaExtTablesCheck"),cache:!1,success:s=>{if(e.empty().append(s.html),i.setButtons(s.buttons),!0===s.success&&Array.isArray(s.status))if(s.status.length>0){const n=c.render(o.warning,"Following extensions change TCA in ext_tables.php","Check ext_tables.php files, look for ExtensionManagementUtility calls and $GLOBALS['TCA'] modifications");e.find(this.selectorOutputContainer).append(n),s.status.forEach(s=>{const n=c.render(s.severity,s.title,s.message);t.append(n),e.append(n)})}else{const t=c.render(o.ok,"No TCA changes in ext_tables.php files. Good job!","");e.find(this.selectorOutputContainer).append(t)}else l.error("Something went wrong",'Use "Check for broken extensions"')},error:t=>{r.handleAjaxError(t,e)}})}}return new h}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,n,r){return new(n||(n=Promise))((function(s,o){function a(e){try{c(r.next(e))}catch(e){o(e)}}function i(e){try{c(r.throw(e))}catch(e){o(e)}}function c(e){var t;e.done?s(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(a,i)}c((r=r.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router"],(function(e,t,n,r,s,o,a,i,c,l,h){"use strict";class u extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorCheckTrigger=".t3js-tcaExtTablesCheck-check",this.selectorOutputContainer=".t3js-tcaExtTablesCheck-output"}initialize(e){this.currentModal=e,this.check(),e.on("click",this.selectorCheckTrigger,e=>{e.preventDefault(),this.check()})}check(){const e=this.getModalBody(),t=n(this.selectorOutputContainer),r=c.render(l.loading,"Loading...","");t.empty().html(r),new a(h.getUrl("tcaExtTablesCheck")).get({cache:"no-cache"}).then(n=>__awaiter(this,void 0,void 0,(function*(){const r=yield n.resolve();if(e.empty().append(r.html),s.setButtons(r.buttons),!0===r.success&&Array.isArray(r.status))if(r.status.length>0){const n=i.render(l.warning,"Following extensions change TCA in ext_tables.php","Check ext_tables.php files, look for ExtensionManagementUtility calls and $GLOBALS['TCA'] modifications");e.find(this.selectorOutputContainer).append(n),r.status.forEach(n=>{const r=i.render(n.severity,n.title,n.message);t.append(r),e.append(r)})}else{const t=i.render(l.ok,"No TCA changes in ext_tables.php files. Good job!","");e.find(this.selectorOutputContainer).append(t)}else o.error("Something went wrong",'Use "Check for broken extensions"')})),t=>{h.handleAjaxError(t,e)})}}return new u}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaMigrationsCheck.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaMigrationsCheck.js
index 771afe352f4c725e769e740371071506439745a5..7f0f797c84951846c5cb6a9a2768bdccc288c991 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaMigrationsCheck.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/TcaMigrationsCheck.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/ProgressBar","../../Renderable/FlashMessage","../../Renderable/Severity","../../Renderable/InfoBox","TYPO3/CMS/Backend/Modal"],(function(e,t,r,n,s,o,i,a,c,l){"use strict";class d extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorCheckTrigger=".t3js-tcaMigrationsCheck-check",this.selectorOutputContainer=".t3js-tcaMigrationsCheck-output"}initialize(e){this.currentModal=e,this.check(),e.on("click",this.selectorCheckTrigger,e=>{e.preventDefault(),this.check()})}check(){const e=n(this.selectorOutputContainer),t=this.getModalBody(),r=o.render(a.loading,"Loading...","");e.empty().html(r),n.ajax({url:s.getUrl("tcaMigrationsCheck"),cache:!1,success:e=>{if(t.empty().append(e.html),l.setButtons(e.buttons),!0===e.success&&Array.isArray(e.status))if(e.status.length>0){const r=c.render(a.warning,"TCA migrations need to be applied","Check the following list and apply needed changes.");t.find(this.selectorOutputContainer).empty(),t.find(this.selectorOutputContainer).append(r),e.status.forEach(e=>{const r=c.render(e.severity,e.title,e.message);t.find(this.selectorOutputContainer).append(r)})}else{const e=c.render(a.ok,"No TCA migrations need to be applied","Your TCA looks good.");t.find(this.selectorOutputContainer).append(e)}else{const e=i.render(a.error,"Something went wrong",'Use "Check for broken extensions"');t.find(this.selectorOutputContainer).append(e)}},error:e=>{s.handleAjaxError(e,t)}})}}return new d}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,n,r){return new(n||(n=Promise))((function(o,s){function i(e){try{c(r.next(e))}catch(e){s(e)}}function a(e){try{c(r.throw(e))}catch(e){s(e)}}function c(e){var t;e.done?o(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(i,a)}c((r=r.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Renderable/FlashMessage","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router"],(function(e,t,n,r,o,s,i,a,c,l,u){"use strict";class d extends r.AbstractInteractableModule{constructor(){super(...arguments),this.selectorCheckTrigger=".t3js-tcaMigrationsCheck-check",this.selectorOutputContainer=".t3js-tcaMigrationsCheck-output"}initialize(e){this.currentModal=e,this.check(),e.on("click",this.selectorCheckTrigger,e=>{e.preventDefault(),this.check()})}check(){const e=n(this.selectorOutputContainer),t=this.getModalBody(),r=c.render(l.loading,"Loading...","");e.empty().html(r),new s(u.getUrl("tcaMigrationsCheck")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const n=yield e.resolve();if(t.empty().append(n.html),o.setButtons(n.buttons),!0===n.success&&Array.isArray(n.status))if(n.status.length>0){const e=a.render(l.warning,"TCA migrations need to be applied","Check the following list and apply needed changes.");t.find(this.selectorOutputContainer).empty(),t.find(this.selectorOutputContainer).append(e),n.status.forEach(e=>{const n=a.render(e.severity,e.title,e.message);t.find(this.selectorOutputContainer).append(n)})}else{const e=a.render(l.ok,"No TCA migrations need to be applied","Your TCA looks good.");t.find(this.selectorOutputContainer).append(e)}else{const e=i.render(l.error,"Something went wrong",'Use "Check for broken extensions"');t.find(this.selectorOutputContainer).append(e)}})),e=>{u.handleAjaxError(e,t)})}}return new d}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeDocs.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeDocs.js
index 226a05a6166ae052e407721e5c0060a527771b7f..821a44e1ffd3936e65d1e2c58c104e75f76f735b 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeDocs.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeDocs.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","TYPO3/CMS/Backend/Notification","bootstrap","../../Renderable/Clearable"],(function(e,t,s,a,o,n){"use strict";class l extends s.AbstractInteractableModule{constructor(){super(...arguments),this.selectorFulltextSearch=".t3js-upgradeDocs-fulltext-search",this.selectorChosenField=".t3js-upgradeDocs-chosen-select",this.selectorChangeLogsForVersionContainer=".t3js-version-changes",this.selectorChangeLogsForVersion=".t3js-changelog-list",this.selectorUpgradeDoc=".t3js-upgrade-doc"}static trimExplodeAndUnique(e,t){const s=[],o=t.split(e);for(let e=0;e<o.length;e++){const t=o[e].trim();t.length>0&&-1===a.inArray(t,s)&&s.push(t)}return s}initialize(t){this.currentModal=t,window.location!==window.parent.location?top.require(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getContent()}):e(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getContent()}),t.on("click",".t3js-upgradeDocs-markRead",e=>{this.markRead(e.target)}),t.on("click",".t3js-upgradeDocs-unmarkRead",e=>{this.unmarkRead(e.target)}),jQuery.expr[":"].contains=jQuery.expr.createPseudo(e=>t=>jQuery(t).text().toUpperCase().includes(e.toUpperCase()));const s=t.find(this.selectorFulltextSearch).get(0);s.clearable(),s.focus()}getContent(){const e=this.getModalBody();e.on("show.bs.collapse",this.selectorUpgradeDoc,e=>{this.renderTags(a(e.currentTarget))}),a.ajax({url:o.getUrl("upgradeDocsGetContent"),cache:!1,success:t=>{!0===t.success&&"undefined"!==t.html&&t.html.length>0&&(e.empty().append(t.html),this.initializeFullTextSearch(),this.initializeChosenSelector(),this.loadChangelogs())},error:t=>{o.handleAjaxError(t,e)}})}loadChangelogs(){const e=[],t=this.getModalBody();this.findInModal(this.selectorChangeLogsForVersionContainer).each((s,l)=>{const i=a.ajax({url:o.getUrl("upgradeDocsGetChangelogForVersion"),cache:!1,data:{install:{version:l.dataset.version}},success:e=>{if(!0===e.success){const t=a(l),s=t.find(this.selectorChangeLogsForVersion);s.html(e.html),this.moveNotRelevantDocuments(s),t.find(".t3js-panel-loading").remove()}else n.error("Something went wrong")},error:e=>{o.handleAjaxError(e,t)}});e.push(i)}),a.when.apply(a,e).done(()=>{this.fulltextSearchField.prop("disabled",!1),this.appendItemsToChosenSelector()})}initializeFullTextSearch(){this.fulltextSearchField=this.findInModal(this.selectorFulltextSearch);const e=this.fulltextSearchField.get(0);e.clearable(),e.focus(),this.initializeChosenSelector(),this.fulltextSearchField.on("keyup",()=>{this.combinedFilterSearch()})}initializeChosenSelector(){this.chosenField=this.getModalBody().find(this.selectorChosenField);const e={".chosen-select":{width:"100%",placeholder_text_multiple:"tags"},".chosen-select-deselect":{allow_single_deselect:!0},".chosen-select-no-single":{disable_search_threshold:10},".chosen-select-no-results":{no_results_text:"Oops, nothing found!"},".chosen-select-width":{width:"100%"}};for(const t in e)e.hasOwnProperty(t)&&this.findInModal(t).chosen(e[t]);this.chosenField.on("change",()=>{this.combinedFilterSearch()})}appendItemsToChosenSelector(){let e="";a(this.findInModal(this.selectorUpgradeDoc)).each((t,s)=>{e+=a(s).data("item-tags")+","});const t=l.trimExplodeAndUnique(",",e).sort((e,t)=>e.toLowerCase().localeCompare(t.toLowerCase()));this.chosenField.prop("disabled",!1),a.each(t,(e,t)=>{this.chosenField.append(a("<option>").text(t))}),this.chosenField.trigger("chosen:updated")}combinedFilterSearch(){const e=this.getModalBody(),t=e.find("div.item");if(this.chosenField.val().length<1&&this.fulltextSearchField.val().length<1)return a(".panel-version:not(:first) > .panel-collapse").collapse("hide"),t.removeClass("hidden searchhit filterhit"),!1;if(t.addClass("hidden").removeClass("searchhit filterhit"),this.chosenField.val().length>0){t.addClass("hidden").removeClass("filterhit");const s=[],o=[];a.each(this.chosenField.val(),(e,t)=>{const a='[data-item-tags*="'+t+'"]';t.contains(":",1)?s.push(a):o.push(a)});const n=o.join(""),l=[];if(s.length)for(let e of s)l.push(n+e);else l.push(n);const i=l.join(",");e.find(i).removeClass("hidden").addClass("searchhit filterhit")}else t.addClass("filterhit").removeClass("hidden");const s=this.fulltextSearchField.val();return e.find("div.item.filterhit").each((e,t)=>{const o=a(t);a(":contains("+s+")",o).length>0||a('input[value*="'+s+'"]',o).length>0?o.removeClass("hidden").addClass("searchhit"):o.removeClass("searchhit").addClass("hidden")}),e.find(".searchhit").closest(".panel-collapse").collapse("show"),e.find(".panel-version").each((e,t)=>{const s=a(t);s.find(".searchhit",".filterhit").length<1&&s.find(" > .panel-collapse").collapse("hide")}),!0}renderTags(e){const t=e.find(".t3js-tags");if(0===t.children().length){e.data("item-tags").split(",").forEach(e=>{t.append(a("<span />",{class:"label"}).text(e))})}}moveNotRelevantDocuments(e){e.find('[data-item-state="read"]').appendTo(this.findInModal(".panel-body-read")),e.find('[data-item-state="notAffected"]').appendTo(this.findInModal(".panel-body-not-affected"))}markRead(e){const t=this.getModalBody(),s=this.getModuleContent().data("upgrade-docs-mark-read-token"),n=a(e).closest("a");n.toggleClass("t3js-upgradeDocs-unmarkRead t3js-upgradeDocs-markRead"),n.find("i").toggleClass("fa-check fa-ban"),n.closest(".panel").appendTo(this.findInModal(".panel-body-read")),a.ajax({method:"POST",url:o.getUrl(),data:{install:{ignoreFile:n.data("filepath"),token:s,action:"upgradeDocsMarkRead"}},error:e=>{o.handleAjaxError(e,t)}})}unmarkRead(e){const t=this.getModalBody(),s=this.getModuleContent().data("upgrade-docs-unmark-read-token"),n=a(e).closest("a"),l=n.closest(".panel").data("item-version");n.toggleClass("t3js-upgradeDocs-markRead t3js-upgradeDocs-unmarkRead"),n.find("i").toggleClass("fa-check fa-ban"),n.closest(".panel").appendTo(this.findInModal('*[data-group-version="'+l+'"] .panel-body')),a.ajax({method:"POST",url:o.getUrl(),data:{install:{ignoreFile:n.data("filepath"),token:s,action:"upgradeDocsUnmarkRead"}},error:e=>{o.handleAjaxError(e,t)}})}}return new l}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,s,a){return new(s||(s=Promise))((function(n,o){function i(e){try{r(a.next(e))}catch(e){o(e)}}function l(e){try{r(a.throw(e))}catch(e){o(e)}}function r(e){var t;e.done?n(e.value):(t=e.value,t instanceof s?t:new s((function(e){e(t)}))).then(i,l)}r((a=a.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","../../Router","bootstrap","../../Renderable/Clearable"],(function(e,t,s,a,n,o,i){"use strict";class l extends a.AbstractInteractableModule{constructor(){super(...arguments),this.selectorFulltextSearch=".t3js-upgradeDocs-fulltext-search",this.selectorChosenField=".t3js-upgradeDocs-chosen-select",this.selectorChangeLogsForVersionContainer=".t3js-version-changes",this.selectorChangeLogsForVersion=".t3js-changelog-list",this.selectorUpgradeDoc=".t3js-upgrade-doc"}static trimExplodeAndUnique(e,t){const a=[],n=t.split(e);for(let e=0;e<n.length;e++){const t=n[e].trim();t.length>0&&-1===s.inArray(t,a)&&a.push(t)}return a}initialize(t){this.currentModal=t,window.location!==window.parent.location?top.require(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getContent()}):e(["TYPO3/CMS/Install/chosen.jquery.min"],()=>{this.getContent()}),t.on("click",".t3js-upgradeDocs-markRead",e=>{this.markRead(e.target)}),t.on("click",".t3js-upgradeDocs-unmarkRead",e=>{this.unmarkRead(e.target)}),jQuery.expr[":"].contains=jQuery.expr.createPseudo(e=>t=>jQuery(t).text().toUpperCase().includes(e.toUpperCase()));const s=t.find(this.selectorFulltextSearch).get(0);s.clearable(),s.focus()}getContent(){const e=this.getModalBody();e.on("show.bs.collapse",this.selectorUpgradeDoc,e=>{this.renderTags(s(e.currentTarget))}),new o(i.getUrl("upgradeDocsGetContent")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success&&"undefined"!==s.html&&s.html.length>0&&(e.empty().append(s.html),this.initializeFullTextSearch(),this.initializeChosenSelector(),this.loadChangelogs())})),t=>{i.handleAjaxError(t,e)})}loadChangelogs(){const e=[],t=this.getModalBody();this.findInModal(this.selectorChangeLogsForVersionContainer).each((a,l)=>{const r=new o(i.getUrl("upgradeDocsGetChangelogForVersion")).withQueryArguments({install:{version:l.dataset.version}}).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();if(!0===t.success){const e=s(l),a=e.find(this.selectorChangeLogsForVersion);a.html(t.html),this.moveNotRelevantDocuments(a),e.find(".t3js-panel-loading").remove()}else n.error("Something went wrong")})),e=>{i.handleAjaxError(e,t)});e.push(r)}),Promise.all(e).then(()=>{this.fulltextSearchField.prop("disabled",!1),this.appendItemsToChosenSelector()})}initializeFullTextSearch(){this.fulltextSearchField=this.findInModal(this.selectorFulltextSearch);const e=this.fulltextSearchField.get(0);e.clearable(),e.focus(),this.initializeChosenSelector(),this.fulltextSearchField.on("keyup",()=>{this.combinedFilterSearch()})}initializeChosenSelector(){this.chosenField=this.getModalBody().find(this.selectorChosenField);const e={".chosen-select":{width:"100%",placeholder_text_multiple:"tags"},".chosen-select-deselect":{allow_single_deselect:!0},".chosen-select-no-single":{disable_search_threshold:10},".chosen-select-no-results":{no_results_text:"Oops, nothing found!"},".chosen-select-width":{width:"100%"}};for(const t in e)e.hasOwnProperty(t)&&this.findInModal(t).chosen(e[t]);this.chosenField.on("change",()=>{this.combinedFilterSearch()})}appendItemsToChosenSelector(){let e="";s(this.findInModal(this.selectorUpgradeDoc)).each((t,a)=>{e+=s(a).data("item-tags")+","});const t=l.trimExplodeAndUnique(",",e).sort((e,t)=>e.toLowerCase().localeCompare(t.toLowerCase()));this.chosenField.prop("disabled",!1),s.each(t,(e,t)=>{this.chosenField.append(s("<option>").text(t))}),this.chosenField.trigger("chosen:updated")}combinedFilterSearch(){const e=this.getModalBody(),t=e.find("div.item");if(this.chosenField.val().length<1&&this.fulltextSearchField.val().length<1)return s(".panel-version:not(:first) > .panel-collapse").collapse("hide"),t.removeClass("hidden searchhit filterhit"),!1;if(t.addClass("hidden").removeClass("searchhit filterhit"),this.chosenField.val().length>0){t.addClass("hidden").removeClass("filterhit");const a=[],n=[];s.each(this.chosenField.val(),(e,t)=>{const s='[data-item-tags*="'+t+'"]';t.contains(":",1)?a.push(s):n.push(s)});const o=n.join(""),i=[];if(a.length)for(let e of a)i.push(o+e);else i.push(o);const l=i.join(",");e.find(l).removeClass("hidden").addClass("searchhit filterhit")}else t.addClass("filterhit").removeClass("hidden");const a=this.fulltextSearchField.val();return e.find("div.item.filterhit").each((e,t)=>{const n=s(t);s(":contains("+a+")",n).length>0||s('input[value*="'+a+'"]',n).length>0?n.removeClass("hidden").addClass("searchhit"):n.removeClass("searchhit").addClass("hidden")}),e.find(".searchhit").closest(".panel-collapse").collapse("show"),e.find(".panel-version").each((e,t)=>{const a=s(t);a.find(".searchhit",".filterhit").length<1&&a.find(" > .panel-collapse").collapse("hide")}),!0}renderTags(e){const t=e.find(".t3js-tags");if(0===t.children().length){e.data("item-tags").split(",").forEach(e=>{t.append(s("<span />",{class:"label"}).text(e))})}}moveNotRelevantDocuments(e){e.find('[data-item-state="read"]').appendTo(this.findInModal(".panel-body-read")),e.find('[data-item-state="notAffected"]').appendTo(this.findInModal(".panel-body-not-affected"))}markRead(e){const t=this.getModalBody(),a=this.getModuleContent().data("upgrade-docs-mark-read-token"),n=s(e).closest("a");n.toggleClass("t3js-upgradeDocs-unmarkRead t3js-upgradeDocs-markRead"),n.find("i").toggleClass("fa-check fa-ban"),n.closest(".panel").appendTo(this.findInModal(".panel-body-read")),new o(i.getUrl()).post({install:{ignoreFile:n.data("filepath"),token:a,action:"upgradeDocsMarkRead"}}).catch(e=>{i.handleAjaxError(e,t)})}unmarkRead(e){const t=this.getModalBody(),a=this.getModuleContent().data("upgrade-docs-unmark-read-token"),n=s(e).closest("a"),l=n.closest(".panel").data("item-version");n.toggleClass("t3js-upgradeDocs-markRead t3js-upgradeDocs-unmarkRead"),n.find("i").toggleClass("fa-check fa-ban"),n.closest(".panel").appendTo(this.findInModal('*[data-group-version="'+l+'"] .panel-body')),new o(i.getUrl()).post({install:{ignoreFile:n.data("filepath"),token:a,action:"upgradeDocsUnmarkRead"}}).catch(e=>{i.handleAjaxError(e,t)})}}return new l}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeWizards.js b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeWizards.js
index 18eefc28d87fb93f45256c32733030820b3a7314..ddc209d90762de2bd7d5ebb138db84b3ba0d6e8e 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeWizards.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Module/Upgrade/UpgradeWizards.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../AbstractInteractableModule","jquery","../../Router","../../Renderable/Severity","../../Renderable/ProgressBar","../../Renderable/InfoBox","../../Renderable/FlashMessage","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/SecurityUtility","bootstrap"],(function(e,t,s,r,a,i,d,o,n,l,c){"use strict";class p extends s.AbstractInteractableModule{constructor(){super(),this.selectorOutputWizardsContainer=".t3js-upgradeWizards-wizards-output",this.selectorOutputDoneContainer=".t3js-upgradeWizards-done-output",this.selectorWizardsBlockingAddsTemplate=".t3js-upgradeWizards-blocking-adds-template",this.selectorWizardsBlockingAddsRows=".t3js-upgradeWizards-blocking-adds-rows",this.selectorWizardsBlockingAddsExecute=".t3js-upgradeWizards-blocking-adds-execute",this.selectorWizardsBlockingCharsetTemplate=".t3js-upgradeWizards-blocking-charset-template",this.selectorWizardsBlockingCharsetFix=".t3js-upgradeWizards-blocking-charset-fix",this.selectorWizardsDoneBodyTemplate=".t3js-upgradeWizards-done-body-template",this.selectorWizardsDoneRows=".t3js-upgradeWizards-done-rows",this.selectorWizardsDoneRowTemplate=".t3js-upgradeWizards-done-row-template table tr",this.selectorWizardsDoneRowMarkUndone=".t3js-upgradeWizards-done-markUndone",this.selectorWizardsDoneRowTitle=".t3js-upgradeWizards-done-title",this.selectorWizardsListTemplate=".t3js-upgradeWizards-list-template",this.selectorWizardsListRows=".t3js-upgradeWizards-list-rows",this.selectorWizardsListRowTemplate=".t3js-upgradeWizards-list-row-template",this.selectorWizardsListRowTitle=".t3js-upgradeWizards-list-row-title",this.selectorWizardsListRowExplanation=".t3js-upgradeWizards-list-row-explanation",this.selectorWizardsListRowExecute=".t3js-upgradeWizards-list-row-execute",this.selectorWizardsInputTemplate=".t3js-upgradeWizards-input",this.selectorWizardsInputTitle=".t3js-upgradeWizards-input-title",this.selectorWizardsInputHtml=".t3js-upgradeWizards-input-html",this.selectorWizardsInputPerform=".t3js-upgradeWizards-input-perform",this.securityUtility=new c}static removeLoadingMessage(e){e.find(".alert-loading").remove()}static renderProgressBar(e){return d.render(i.loading,e,"")}initialize(e){this.currentModal=e,this.getData().done(()=>{this.doneUpgrades()}),e.on("click",this.selectorWizardsDoneRowMarkUndone,e=>{this.markUndone(e.target.dataset.identifier)}),e.on("click",this.selectorWizardsBlockingCharsetFix,()=>{this.blockingUpgradesDatabaseCharsetFix()}),e.on("click",this.selectorWizardsBlockingAddsExecute,()=>{this.blockingUpgradesDatabaseAddsExecute()}),e.on("click",this.selectorWizardsListRowExecute,e=>{this.wizardInput(e.target.dataset.identifier,e.target.dataset.title)}),e.on("click",this.selectorWizardsInputPerform,e=>{this.wizardExecute(e.target.dataset.identifier,e.target.dataset.title)})}getData(){const e=this.getModalBody();return r.ajax({url:a.getUrl("upgradeWizardsGetData"),cache:!1,success:t=>{!0===t.success?(e.empty().append(t.html),this.blockingUpgradesDatabaseCharsetTest()):l.error("Something went wrong")},error:e=>{a.handleAjaxError(e)}})}blockingUpgradesDatabaseCharsetTest(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputWizardsContainer);t.empty().html(p.renderProgressBar("Checking database charset...")),r.ajax({url:a.getUrl("upgradeWizardsBlockingDatabaseCharsetTest"),cache:!1,success:s=>{p.removeLoadingMessage(t),!0===s.success&&(!0===s.needsUpdate?e.find(this.selectorOutputWizardsContainer).append(e.find(this.selectorWizardsBlockingCharsetTemplate)).clone():this.blockingUpgradesDatabaseAdds())},error:e=>{a.handleAjaxError(e,t)}})}blockingUpgradesDatabaseCharsetFix(){const e=r(this.selectorOutputWizardsContainer);e.empty().html(p.renderProgressBar("Setting database charset to UTF-8...")),r.ajax({url:a.getUrl("upgradeWizardsBlockingDatabaseCharsetFix"),cache:!1,success:t=>{if(p.removeLoadingMessage(e),!0===t.success)Array.isArray(t.status)&&t.status.length>0&&t.status.forEach(t=>{const s=o.render(t.severity,t.title,t.message);e.append(s)});else{const t=n.render(i.error,"Something went wrong","");p.removeLoadingMessage(e),e.append(t)}},error:t=>{a.handleAjaxError(t,e)}})}blockingUpgradesDatabaseAdds(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputWizardsContainer);t.empty().html(p.renderProgressBar("Check for missing mandatory database tables and fields...")),r.ajax({url:a.getUrl("upgradeWizardsBlockingDatabaseAdds"),cache:!1,success:s=>{if(p.removeLoadingMessage(t),!0===s.success)if(!0===s.needsUpdate){const t=e.find(this.selectorWizardsBlockingAddsTemplate).clone();"object"==typeof s.adds.tables&&s.adds.tables.forEach(e=>{const s="Table: "+this.securityUtility.encodeHtml(e.table);t.find(this.selectorWizardsBlockingAddsRows).append(s,"<br>")}),"object"==typeof s.adds.columns&&s.adds.columns.forEach(e=>{const s="Table: "+this.securityUtility.encodeHtml(e.table)+", Field: "+this.securityUtility.encodeHtml(e.field);t.find(this.selectorWizardsBlockingAddsRows).append(s,"<br>")}),"object"==typeof s.adds.indexes&&s.adds.indexes.forEach(e=>{const s="Table: "+this.securityUtility.encodeHtml(e.table)+", Index: "+this.securityUtility.encodeHtml(e.index);t.find(this.selectorWizardsBlockingAddsRows).append(s,"<br>")}),e.find(this.selectorOutputWizardsContainer).append(t)}else this.wizardsList();else l.error("Something went wrong")},error:e=>{a.handleAjaxError(e,t)}})}blockingUpgradesDatabaseAddsExecute(){const e=this.findInModal(this.selectorOutputWizardsContainer);e.empty().html(p.renderProgressBar("Adding database tables and fields...")),r.ajax({url:a.getUrl("upgradeWizardsBlockingDatabaseExecute"),cache:!1,success:t=>{if(p.removeLoadingMessage(e),!0===t.success)Array.isArray(t.status)&&t.status.length>0&&(t.status.forEach(t=>{const s=o.render(t.severity,t.title,t.message);e.append(s)}),this.wizardsList());else{const t=n.render(i.error,"Something went wrong","");p.removeLoadingMessage(e),e.append(t)}},error:t=>{a.handleAjaxError(t,e)}})}wizardsList(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputWizardsContainer);t.append(p.renderProgressBar("Loading upgrade wizards...")),r.ajax({url:a.getUrl("upgradeWizardsList"),cache:!1,success:s=>{p.removeLoadingMessage(t);const r=e.find(this.selectorWizardsListTemplate).clone();if(r.removeClass("t3js-upgradeWizards-list-template"),!0===s.success){let t=0,a=0;Array.isArray(s.wizards)&&s.wizards.length>0&&(a=s.wizards.length,s.wizards.forEach(s=>{if(!0===s.shouldRenderWizard){const a=e.find(this.selectorWizardsListRowTemplate).clone();t+=1,a.removeClass("t3js-upgradeWizards-list-row-template"),a.find(this.selectorWizardsListRowTitle).empty().text(s.title),a.find(this.selectorWizardsListRowExplanation).empty().text(s.explanation),a.find(this.selectorWizardsListRowExecute).attr("data-identifier",s.identifier).attr("data-title",s.title),r.find(this.selectorWizardsListRows).append(a)}}),r.find(this.selectorWizardsListRows+" hr:last").remove());let i=100;const d=r.find(".progress-bar");t>0?i=Math.round((a-t)/s.wizards.length*100):d.removeClass("progress-bar-info").addClass("progress-bar-success"),d.removeClass("progress-bar-striped").css("width",i+"%").attr("aria-valuenow",i).find("span").text(i+"%"),e.find(this.selectorOutputWizardsContainer).append(r),this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop("disabled",!1)}else l.error("Something went wrong")},error:e=>{a.handleAjaxError(e,t)}})}wizardInput(e,t){const s=this.getModuleContent().data("upgrade-wizards-input-token"),i=this.getModalBody(),d=this.findInModal(this.selectorOutputWizardsContainer);d.empty().html(p.renderProgressBar('Loading "'+t+'"...')),i.animate({scrollTop:i.scrollTop()-Math.abs(i.find(".t3js-upgrade-status-section").position().top)},250),r.ajax({url:a.getUrl(),method:"POST",data:{install:{action:"upgradeWizardsInput",token:s,identifier:e}},cache:!1,success:e=>{d.empty();const t=i.find(this.selectorWizardsInputTemplate).clone();t.removeClass("t3js-upgradeWizards-input"),!0===e.success&&(Array.isArray(e.status)&&e.status.forEach(e=>{const t=n.render(e.severity,e.title,e.message);d.append(t)}),e.userInput.wizardHtml.length>0&&t.find(this.selectorWizardsInputHtml).html(e.userInput.wizardHtml),t.find(this.selectorWizardsInputTitle).text(e.userInput.title),t.find(this.selectorWizardsInputPerform).attr("data-identifier",e.userInput.identifier).attr("data-title",e.userInput.title)),i.find(this.selectorOutputWizardsContainer).append(t)},error:e=>{a.handleAjaxError(e,d)}})}wizardExecute(e,t){const s=this.getModuleContent().data("upgrade-wizards-execute-token"),i=this.getModalBody(),d={"install[action]":"upgradeWizardsExecute","install[token]":s,"install[identifier]":e};r(this.findInModal(this.selectorOutputWizardsContainer+" form").serializeArray()).each((e,t)=>{d[t.name]=t.value});const n=this.findInModal(this.selectorOutputWizardsContainer);n.empty().html(p.renderProgressBar('Executing "'+t+'"...')),this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop("disabled",!0),r.ajax({method:"POST",data:d,url:a.getUrl(),cache:!1,success:e=>{n.empty(),!0===e.success?(Array.isArray(e.status)&&e.status.forEach(e=>{const t=o.render(e.severity,e.title,e.message);n.append(t)}),this.wizardsList(),i.find(this.selectorOutputDoneContainer).empty(),this.doneUpgrades()):l.error("Something went wrong")},error:e=>{a.handleAjaxError(e,n)}})}doneUpgrades(){const e=this.getModalBody(),t=e.find(this.selectorOutputDoneContainer);t.empty().html(p.renderProgressBar("Loading executed upgrade wizards...")),r.ajax({url:a.getUrl("upgradeWizardsDoneUpgrades"),cache:!1,success:s=>{if(p.removeLoadingMessage(t),!0===s.success){Array.isArray(s.status)&&s.status.length>0&&s.status.forEach(e=>{const s=o.render(e.severity,e.title,e.message);t.append(s)});const r=e.find(this.selectorWizardsDoneBodyTemplate).clone(),a=r.find(this.selectorWizardsDoneRows);let i=!1;Array.isArray(s.wizardsDone)&&s.wizardsDone.length>0&&s.wizardsDone.forEach(t=>{i=!0;const s=e.find(this.selectorWizardsDoneRowTemplate).clone();s.find(this.selectorWizardsDoneRowMarkUndone).attr("data-identifier",t.identifier),s.find(this.selectorWizardsDoneRowTitle).text(t.title),a.append(s)}),Array.isArray(s.rowUpdatersDone)&&s.rowUpdatersDone.length>0&&s.rowUpdatersDone.forEach(t=>{i=!0;const s=e.find(this.selectorWizardsDoneRowTemplate).clone();s.find(this.selectorWizardsDoneRowMarkUndone).attr("data-identifier",t.identifier),s.find(this.selectorWizardsDoneRowTitle).text(t.title),a.append(s)}),i&&(e.find(this.selectorOutputDoneContainer).append(r),this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop("disabled",!0))}else l.error("Something went wrong")},error:e=>{a.handleAjaxError(e,t)}})}markUndone(e){const t=this.getModuleContent().data("upgrade-wizards-mark-undone-token"),s=this.getModalBody(),i=this.findInModal(this.selectorOutputDoneContainer);i.empty().html(p.renderProgressBar("Marking upgrade wizard as undone...")),r.ajax({url:a.getUrl(),method:"POST",data:{install:{action:"upgradeWizardsMarkUndone",token:t,identifier:e}},cache:!1,success:e=>{i.empty(),s.find(this.selectorOutputDoneContainer).empty(),!0===e.success&&Array.isArray(e.status)?e.status.forEach(e=>{l.success(e.message),this.doneUpgrades(),this.blockingUpgradesDatabaseCharsetTest()}):l.error("Something went wrong")},error:e=>{a.handleAjaxError(e,i)}})}}return new p}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,s,r){return new(s||(s=Promise))((function(a,i){function n(e){try{d(r.next(e))}catch(e){i(e)}}function o(e){try{d(r.throw(e))}catch(e){i(e)}}function d(e){var t;e.done?a(e.value):(t=e.value,t instanceof s?t:new s((function(e){e(t)}))).then(n,o)}d((r=r.apply(e,t||[])).next())}))};define(["require","exports","jquery","../AbstractInteractableModule","TYPO3/CMS/Backend/Notification","TYPO3/CMS/Core/Ajax/AjaxRequest","TYPO3/CMS/Core/SecurityUtility","../../Renderable/FlashMessage","../../Renderable/InfoBox","../../Renderable/ProgressBar","../../Renderable/Severity","../../Router","bootstrap"],(function(e,t,s,r,a,i,n,o,d,l,c,h){"use strict";class p extends r.AbstractInteractableModule{constructor(){super(),this.selectorOutputWizardsContainer=".t3js-upgradeWizards-wizards-output",this.selectorOutputDoneContainer=".t3js-upgradeWizards-done-output",this.selectorWizardsBlockingAddsTemplate=".t3js-upgradeWizards-blocking-adds-template",this.selectorWizardsBlockingAddsRows=".t3js-upgradeWizards-blocking-adds-rows",this.selectorWizardsBlockingAddsExecute=".t3js-upgradeWizards-blocking-adds-execute",this.selectorWizardsBlockingCharsetTemplate=".t3js-upgradeWizards-blocking-charset-template",this.selectorWizardsBlockingCharsetFix=".t3js-upgradeWizards-blocking-charset-fix",this.selectorWizardsDoneBodyTemplate=".t3js-upgradeWizards-done-body-template",this.selectorWizardsDoneRows=".t3js-upgradeWizards-done-rows",this.selectorWizardsDoneRowTemplate=".t3js-upgradeWizards-done-row-template table tr",this.selectorWizardsDoneRowMarkUndone=".t3js-upgradeWizards-done-markUndone",this.selectorWizardsDoneRowTitle=".t3js-upgradeWizards-done-title",this.selectorWizardsListTemplate=".t3js-upgradeWizards-list-template",this.selectorWizardsListRows=".t3js-upgradeWizards-list-rows",this.selectorWizardsListRowTemplate=".t3js-upgradeWizards-list-row-template",this.selectorWizardsListRowTitle=".t3js-upgradeWizards-list-row-title",this.selectorWizardsListRowExplanation=".t3js-upgradeWizards-list-row-explanation",this.selectorWizardsListRowExecute=".t3js-upgradeWizards-list-row-execute",this.selectorWizardsInputTemplate=".t3js-upgradeWizards-input",this.selectorWizardsInputTitle=".t3js-upgradeWizards-input-title",this.selectorWizardsInputHtml=".t3js-upgradeWizards-input-html",this.selectorWizardsInputPerform=".t3js-upgradeWizards-input-perform",this.securityUtility=new n}static removeLoadingMessage(e){e.find(".alert-loading").remove()}static renderProgressBar(e){return l.render(c.loading,e,"")}initialize(e){this.currentModal=e,this.getData().done(()=>{this.doneUpgrades()}),e.on("click",this.selectorWizardsDoneRowMarkUndone,e=>{this.markUndone(e.target.dataset.identifier)}),e.on("click",this.selectorWizardsBlockingCharsetFix,()=>{this.blockingUpgradesDatabaseCharsetFix()}),e.on("click",this.selectorWizardsBlockingAddsExecute,()=>{this.blockingUpgradesDatabaseAddsExecute()}),e.on("click",this.selectorWizardsListRowExecute,e=>{this.wizardInput(e.target.dataset.identifier,e.target.dataset.title)}),e.on("click",this.selectorWizardsInputPerform,e=>{this.wizardExecute(e.target.dataset.identifier,e.target.dataset.title)})}getData(){const e=this.getModalBody();return new i(h.getUrl("upgradeWizardsGetData")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();!0===s.success?(e.empty().append(s.html),this.blockingUpgradesDatabaseCharsetTest()):a.error("Something went wrong")})),e=>{h.handleAjaxError(e)})}blockingUpgradesDatabaseCharsetTest(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputWizardsContainer);t.empty().html(p.renderProgressBar("Checking database charset...")),new i(h.getUrl("upgradeWizardsBlockingDatabaseCharsetTest")).get({cache:"no-cache"}).then(s=>__awaiter(this,void 0,void 0,(function*(){const r=yield s.resolve();p.removeLoadingMessage(t),!0===r.success&&(!0===r.needsUpdate?e.find(this.selectorOutputWizardsContainer).append(e.find(this.selectorWizardsBlockingCharsetTemplate)).clone():this.blockingUpgradesDatabaseAdds())})),e=>{h.handleAjaxError(e,t)})}blockingUpgradesDatabaseCharsetFix(){const e=s(this.selectorOutputWizardsContainer);e.empty().html(p.renderProgressBar("Setting database charset to UTF-8...")),new i(h.getUrl("upgradeWizardsBlockingDatabaseCharsetFix")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();if(p.removeLoadingMessage(e),!0===s.success)Array.isArray(s.status)&&s.status.length>0&&s.status.forEach(t=>{const s=d.render(t.severity,t.title,t.message);e.append(s)});else{const t=o.render(c.error,"Something went wrong","");p.removeLoadingMessage(e),e.append(t)}})),t=>{h.handleAjaxError(t,e)})}blockingUpgradesDatabaseAdds(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputWizardsContainer);t.empty().html(p.renderProgressBar("Check for missing mandatory database tables and fields...")),new i(h.getUrl("upgradeWizardsBlockingDatabaseAdds")).get({cache:"no-cache"}).then(s=>__awaiter(this,void 0,void 0,(function*(){const r=yield s.resolve();if(p.removeLoadingMessage(t),!0===r.success)if(!0===r.needsUpdate){const t=e.find(this.selectorWizardsBlockingAddsTemplate).clone();"object"==typeof r.adds.tables&&r.adds.tables.forEach(e=>{const s="Table: "+this.securityUtility.encodeHtml(e.table);t.find(this.selectorWizardsBlockingAddsRows).append(s,"<br>")}),"object"==typeof r.adds.columns&&r.adds.columns.forEach(e=>{const s="Table: "+this.securityUtility.encodeHtml(e.table)+", Field: "+this.securityUtility.encodeHtml(e.field);t.find(this.selectorWizardsBlockingAddsRows).append(s,"<br>")}),"object"==typeof r.adds.indexes&&r.adds.indexes.forEach(e=>{const s="Table: "+this.securityUtility.encodeHtml(e.table)+", Index: "+this.securityUtility.encodeHtml(e.index);t.find(this.selectorWizardsBlockingAddsRows).append(s,"<br>")}),e.find(this.selectorOutputWizardsContainer).append(t)}else this.wizardsList();else a.error("Something went wrong")})),e=>{h.handleAjaxError(e)})}blockingUpgradesDatabaseAddsExecute(){const e=this.findInModal(this.selectorOutputWizardsContainer);e.empty().html(p.renderProgressBar("Adding database tables and fields...")),new i(h.getUrl("upgradeWizardsBlockingDatabaseExecute")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const s=yield t.resolve();if(p.removeLoadingMessage(e),!0===s.success)Array.isArray(s.status)&&s.status.length>0&&(s.status.forEach(t=>{const s=d.render(t.severity,t.title,t.message);e.append(s)}),this.wizardsList());else{const t=o.render(c.error,"Something went wrong","");p.removeLoadingMessage(e),e.append(t)}})),t=>{h.handleAjaxError(t,e)})}wizardsList(){const e=this.getModalBody(),t=this.findInModal(this.selectorOutputWizardsContainer);t.append(p.renderProgressBar("Loading upgrade wizards...")),new i(h.getUrl("upgradeWizardsList")).get({cache:"no-cache"}).then(s=>__awaiter(this,void 0,void 0,(function*(){const r=yield s.resolve();p.removeLoadingMessage(t);const i=e.find(this.selectorWizardsListTemplate).clone();if(i.removeClass("t3js-upgradeWizards-list-template"),!0===r.success){let t=0,s=0;Array.isArray(r.wizards)&&r.wizards.length>0&&(s=r.wizards.length,r.wizards.forEach(s=>{if(!0===s.shouldRenderWizard){const r=e.find(this.selectorWizardsListRowTemplate).clone();t+=1,r.removeClass("t3js-upgradeWizards-list-row-template"),r.find(this.selectorWizardsListRowTitle).empty().text(s.title),r.find(this.selectorWizardsListRowExplanation).empty().text(s.explanation),r.find(this.selectorWizardsListRowExecute).attr("data-identifier",s.identifier).attr("data-title",s.title),i.find(this.selectorWizardsListRows).append(r)}}),i.find(this.selectorWizardsListRows+" hr:last").remove());let a=100;const n=i.find(".progress-bar");t>0?a=Math.round((s-t)/r.wizards.length*100):n.removeClass("progress-bar-info").addClass("progress-bar-success"),n.removeClass("progress-bar-striped").css("width",a+"%").attr("aria-valuenow",a).find("span").text(a+"%"),e.find(this.selectorOutputWizardsContainer).append(i),this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop("disabled",!1)}else a.error("Something went wrong")})),e=>{h.handleAjaxError(e)})}wizardInput(e,t){const s=this.getModuleContent().data("upgrade-wizards-input-token"),r=this.getModalBody(),a=this.findInModal(this.selectorOutputWizardsContainer);a.empty().html(p.renderProgressBar('Loading "'+t+'"...')),r.animate({scrollTop:r.scrollTop()-Math.abs(r.find(".t3js-upgrade-status-section").position().top)},250),new i(h.getUrl("upgradeWizardsInput")).post({install:{action:"upgradeWizardsInput",token:s,identifier:e}}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();a.empty();const s=r.find(this.selectorWizardsInputTemplate).clone();s.removeClass("t3js-upgradeWizards-input"),!0===t.success&&(Array.isArray(t.status)&&t.status.forEach(e=>{const t=o.render(e.severity,e.title,e.message);a.append(t)}),t.userInput.wizardHtml.length>0&&s.find(this.selectorWizardsInputHtml).html(t.userInput.wizardHtml),s.find(this.selectorWizardsInputTitle).text(t.userInput.title),s.find(this.selectorWizardsInputPerform).attr("data-identifier",t.userInput.identifier).attr("data-title",t.userInput.title)),r.find(this.selectorOutputWizardsContainer).append(s)})),e=>{h.handleAjaxError(e,a)})}wizardExecute(e,t){const r=this.getModuleContent().data("upgrade-wizards-execute-token"),n=this.getModalBody(),o={"install[action]":"upgradeWizardsExecute","install[token]":r,"install[identifier]":e};s(this.findInModal(this.selectorOutputWizardsContainer+" form").serializeArray()).each((e,t)=>{o[t.name]=t.value});const l=this.findInModal(this.selectorOutputWizardsContainer);l.empty().html(p.renderProgressBar('Executing "'+t+'"...')),this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop("disabled",!0),new i(h.getUrl()).post(o).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();l.empty(),!0===t.success?(Array.isArray(t.status)&&t.status.forEach(e=>{const t=d.render(e.severity,e.title,e.message);l.append(t)}),this.wizardsList(),n.find(this.selectorOutputDoneContainer).empty(),this.doneUpgrades()):a.error("Something went wrong")})),e=>{h.handleAjaxError(e,l)})}doneUpgrades(){const e=this.getModalBody(),t=e.find(this.selectorOutputDoneContainer);t.empty().html(p.renderProgressBar("Loading executed upgrade wizards...")),new i(h.getUrl("upgradeWizardsDoneUpgrades")).get({cache:"no-cache"}).then(s=>__awaiter(this,void 0,void 0,(function*(){const r=yield s.resolve();if(p.removeLoadingMessage(t),!0===r.success){Array.isArray(r.status)&&r.status.length>0&&r.status.forEach(e=>{const s=d.render(e.severity,e.title,e.message);t.append(s)});const s=e.find(this.selectorWizardsDoneBodyTemplate).clone(),a=s.find(this.selectorWizardsDoneRows);let i=!1;Array.isArray(r.wizardsDone)&&r.wizardsDone.length>0&&r.wizardsDone.forEach(t=>{i=!0;const s=e.find(this.selectorWizardsDoneRowTemplate).clone();s.find(this.selectorWizardsDoneRowMarkUndone).attr("data-identifier",t.identifier),s.find(this.selectorWizardsDoneRowTitle).text(t.title),a.append(s)}),Array.isArray(r.rowUpdatersDone)&&r.rowUpdatersDone.length>0&&r.rowUpdatersDone.forEach(t=>{i=!0;const s=e.find(this.selectorWizardsDoneRowTemplate).clone();s.find(this.selectorWizardsDoneRowMarkUndone).attr("data-identifier",t.identifier),s.find(this.selectorWizardsDoneRowTitle).text(t.title),a.append(s)}),i&&(e.find(this.selectorOutputDoneContainer).append(s),this.findInModal(this.selectorWizardsDoneRowMarkUndone).prop("disabled",!0))}else a.error("Something went wrong")})),e=>{h.handleAjaxError(e,t)})}markUndone(e){const t=this.getModuleContent().data("upgrade-wizards-mark-undone-token"),s=this.getModalBody(),r=this.findInModal(this.selectorOutputDoneContainer);r.empty().html(p.renderProgressBar("Marking upgrade wizard as undone...")),new i(h.getUrl()).post({install:{action:"upgradeWizardsMarkUndone",token:t,identifier:e}}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();r.empty(),s.find(this.selectorOutputDoneContainer).empty(),!0===t.success&&Array.isArray(t.status)?t.status.forEach(e=>{a.success(e.message),this.doneUpgrades(),this.blockingUpgradesDatabaseCharsetTest()}):a.error("Something went wrong")})),e=>{h.handleAjaxError(e,r)})}}return new p}));
\ No newline at end of file
diff --git a/typo3/sysext/install/Resources/Public/JavaScript/Router.js b/typo3/sysext/install/Resources/Public/JavaScript/Router.js
index 270239082ff7f3b4dcf7c3f9b5eabc6ddb1ff5f2..cbc341c57fe1af3010cc7cf6e7e1f46f6560386d 100644
--- a/typo3/sysext/install/Resources/Public/JavaScript/Router.js
+++ b/typo3/sysext/install/Resources/Public/JavaScript/Router.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","jquery","./Renderable/InfoBox","./Renderable/Severity","./Renderable/ProgressBar","TYPO3/CMS/Backend/Modal","TYPO3/CMS/Backend/Icons"],(function(e,t,o,a,s,n,l,i){"use strict";return new class{constructor(){this.selectorBody=".t3js-body",this.selectorMainContent=".t3js-module-body"}initialize(){this.registerInstallToolRoutes(),o(document).on("click",".t3js-login-lockInstallTool",e=>{e.preventDefault(),this.logout()}),o(document).on("click",".t3js-login-login",e=>{e.preventDefault(),this.login()}),o(document).on("keydown","#t3-install-form-password",e=>{13===e.keyCode&&(e.preventDefault(),o(".t3js-login-login").click())}),o(document).on("click",".card .btn",t=>{t.preventDefault();const a=o(t.currentTarget),s=a.data("require"),n=a.data("inline");if(void 0!==n&&1===parseInt(n,10))e([s],e=>{e.initialize(a)});else{const t=a.closest(".card").find(".card-title").html(),n=a.data("modalSize")||l.sizes.large;i.getIcon("spinner-circle",i.sizes.default,null,null,i.markupIdentifiers.inline).done(a=>{const i={type:l.types.default,title:t,size:n,content:o('<div class="modal-loading">').append(a),additionalCssClasses:["install-tool-modal"],callback:t=>{e([s],e=>{e.initialize(t)})}};l.advanced(i)})}}),"backend"===o(this.selectorBody).data("context")?this.executeSilentConfigurationUpdate():this.preAccessCheck()}registerInstallToolRoutes(){void 0===TYPO3.settings&&(TYPO3.settings={ajaxUrls:{icons:"?install[controller]=icon&install[action]=getIcon",icons_cache:"?install[controller]=icon&install[action]=getCacheIdentifier"}})}getUrl(e,t){const a=o(this.selectorBody).data("context");let s=location.href;return s=s.replace(location.search,""),void 0===t&&(t=o(this.selectorBody).data("controller")),s=s+"?install[controller]="+t,void 0!==a&&""!==a&&(s=s+"&install[context]="+a),void 0!==e&&(s=s+"&install[action]="+e),s}executeSilentConfigurationUpdate(){this.updateLoadingInfo("Checking session and executing silent configuration update"),o.ajax({url:this.getUrl("executeSilentConfigurationUpdate","layout"),cache:!1,success:e=>{!0===e.success?this.executeSilentExtensionConfigurationSynchronization():this.executeSilentConfigurationUpdate()},error:e=>{this.handleAjaxError(e)}})}executeSilentExtensionConfigurationSynchronization(){const e=o(this.selectorBody);this.updateLoadingInfo("Executing silent extension configuration synchronization"),o.ajax({url:this.getUrl("executeSilentExtensionConfigurationSynchronization","layout"),cache:!1,success:t=>{if(!0===t.success)this.loadMainLayout();else{const t=a.render(s.error,"Something went wrong","");e.empty().append(t)}},error:e=>{this.handleAjaxError(e)}})}loadMainLayout(){const e=o(this.selectorBody);this.updateLoadingInfo("Loading main layout"),o.ajax({url:this.getUrl("mainLayout","layout"),cache:!1,success:t=>{if(!0===t.success&&"undefined"!==t.html&&t.html.length>0){if(e.empty().append(t.html),"backend"!==o(this.selectorBody).data("context")){const t=e.data("controller");e.find('.t3js-mainmodule[data-controller="'+t+'"]').addClass("active")}this.loadCards()}else{const t=a.render(s.error,"Something went wrong","");e.empty().append(t)}},error:e=>{this.handleAjaxError(e)}})}handleAjaxError(e,t){let n;if(403===e.status){"backend"===o(this.selectorBody).data("context")?(n=a.render(s.error,"The install tool session expired. Please reload the backend and try again."),o(this.selectorBody).empty().append(n)):this.checkEnableInstallToolFile()}else{const a=this.getUrl(void 0,"upgrade");n=o('<div class="t3js-infobox callout callout-sm callout-danger"><div class="callout-body"><p>Something went wrong. Please use <b><a href="'+a+'">Check for broken extensions</a></b> to see if a loaded extension breaks this part of the install tool and unload it.</p><p>The box below may additionally reveal further details on what went wrong depending on your debug settings. It may help to temporarily switch to debug mode using <b>Settings > Configuration Presets > Debug settings.</b></p><p>If this error happens at an early state and no full exception back trace is shown, it may also help to manually increase debugging output in <code>typo3conf/LocalConfiguration.php</code>:<code>[\'BE\'][\'debug\'] => true</code>, <code>[\'SYS\'][\'devIPmask\'] => \'*\'</code>, <code>[\'SYS\'][\'displayErrors\'] => 1</code>,<code>[\'SYS\'][\'exceptionalErrors\'] => 12290</code></p></div></div><div class="panel-group" role="tablist" aria-multiselectable="true"><div class="panel panel-default panel-flat searchhit"><div class="panel-heading" role="tab" id="heading-error"><h3 class="panel-title"><a role="button" data-toggle="collapse" data-parent="#accordion" href="#collapse-error" aria-expanded="true" aria-controls="collapse-error" class="collapsed"><span class="caret"></span><strong>Ajax error</strong></a></h3></div><div id="collapse-error" class="panel-collapse collapse" role="tabpanel" aria-labelledby="heading-error"><div class="panel-body">'+e.responseText+"</div></div></div></div>"),void 0!==t?o(t).empty().html(n):o(this.selectorBody).empty().html(n)}}checkEnableInstallToolFile(){o.ajax({url:this.getUrl("checkEnableInstallToolFile"),cache:!1,success:e=>{!0===e.success?this.checkLogin():this.showEnableInstallTool()},error:e=>{this.handleAjaxError(e)}})}showEnableInstallTool(){o.ajax({url:this.getUrl("showEnableInstallToolFile"),cache:!1,success:e=>{!0===e.success&&o(this.selectorBody).empty().append(e.html)},error:e=>{this.handleAjaxError(e)}})}checkLogin(){o.ajax({url:this.getUrl("checkLogin"),cache:!1,success:e=>{!0===e.success?this.loadMainLayout():this.showLogin()},error:e=>{this.handleAjaxError(e)}})}showLogin(){o.ajax({url:this.getUrl("showLogin"),cache:!1,success:e=>{!0===e.success&&o(this.selectorBody).empty().append(e.html)},error:e=>{this.handleAjaxError(e)}})}login(){const e=o(".t3js-login-output"),t=n.render(s.loading,"Loading...","");e.empty().html(t),o.ajax({url:this.getUrl(),cache:!1,method:"POST",data:{install:{action:"login",token:o("[data-login-token]").data("login-token"),password:o(".t3-install-form-input-text").val()}},success:t=>{!0===t.success?this.executeSilentConfigurationUpdate():t.status.forEach(t=>{const o=a.render(t.severity,t.title,t.message);e.empty().html(o)})},error:e=>{this.handleAjaxError(e)}})}logout(){o.ajax({url:this.getUrl("logout"),cache:!1,success:e=>{!0===e.success&&this.showEnableInstallTool()},error:e=>{this.handleAjaxError(e)}})}loadCards(){const e=o(this.selectorMainContent);o.ajax({url:this.getUrl("cards"),cache:!1,success:t=>{if(!0===t.success&&"undefined"!==t.html&&t.html.length>0)e.empty().append(t.html);else{const t=a.render(s.error,"Something went wrong","");e.empty().append(t)}},error:e=>{this.handleAjaxError(e)}})}updateLoadingInfo(e){o(this.selectorBody).find("#t3js-ui-block-detail").text(e)}preAccessCheck(){this.updateLoadingInfo("Execute pre access check"),o.ajax({url:this.getUrl("preAccessCheck","layout"),cache:!1,success:e=>{e.installToolLocked?this.checkEnableInstallToolFile():e.isAuthorized?this.executeSilentConfigurationUpdate():this.showLogin()},error:e=>{this.handleAjaxError(e)}})}}}));
\ No newline at end of file
+var __awaiter=this&&this.__awaiter||function(e,t,o,n){return new(o||(o=Promise))((function(i,a){function s(e){try{r(n.next(e))}catch(e){a(e)}}function l(e){try{r(n.throw(e))}catch(e){a(e)}}function r(e){var t;e.done?i(e.value):(t=e.value,t instanceof o?t:new o((function(e){e(t)}))).then(s,l)}r((n=n.apply(e,t||[])).next())}))};define(["require","exports","jquery","TYPO3/CMS/Core/Ajax/AjaxRequest","TYPO3/CMS/Backend/Icons","TYPO3/CMS/Backend/Modal","./Renderable/InfoBox","./Renderable/ProgressBar","./Renderable/Severity"],(function(e,t,o,n,i,a,s,l,r){"use strict";return new class{constructor(){this.selectorBody=".t3js-body",this.selectorMainContent=".t3js-module-body"}initialize(){this.registerInstallToolRoutes(),o(document).on("click",".t3js-login-lockInstallTool",e=>{e.preventDefault(),this.logout()}),o(document).on("click",".t3js-login-login",e=>{e.preventDefault(),this.login()}),o(document).on("keydown","#t3-install-form-password",e=>{13===e.keyCode&&(e.preventDefault(),o(".t3js-login-login").click())}),o(document).on("click",".card .btn",t=>{t.preventDefault();const n=o(t.currentTarget),s=n.data("require"),l=n.data("inline");if(void 0!==l&&1===parseInt(l,10))e([s],e=>{e.initialize(n)});else{const t=n.closest(".card").find(".card-title").html(),l=n.data("modalSize")||a.sizes.large;i.getIcon("spinner-circle",i.sizes.default,null,null,i.markupIdentifiers.inline).then(n=>{const i={type:a.types.default,title:t,size:l,content:o('<div class="modal-loading">').append(n),additionalCssClasses:["install-tool-modal"],callback:t=>{e([s],e=>{e.initialize(t)})}};a.advanced(i)})}}),"backend"===o(this.selectorBody).data("context")?this.executeSilentConfigurationUpdate():this.preAccessCheck()}registerInstallToolRoutes(){void 0===TYPO3.settings&&(TYPO3.settings={ajaxUrls:{icons:"?install[controller]=icon&install[action]=getIcon",icons_cache:"?install[controller]=icon&install[action]=getCacheIdentifier"}})}getUrl(e,t){const n=o(this.selectorBody).data("context");let i=location.href;return i=i.replace(location.search,""),void 0===t&&(t=o(this.selectorBody).data("controller")),i=i+"?install[controller]="+t,void 0!==n&&""!==n&&(i=i+"&install[context]="+n),void 0!==e&&(i=i+"&install[action]="+e),i}executeSilentConfigurationUpdate(){this.updateLoadingInfo("Checking session and executing silent configuration update"),new n(this.getUrl("executeSilentConfigurationUpdate","layout")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.executeSilentExtensionConfigurationSynchronization():this.executeSilentConfigurationUpdate()})),e=>{this.handleAjaxError(e)})}executeSilentExtensionConfigurationSynchronization(){const e=o(this.selectorBody);this.updateLoadingInfo("Executing silent extension configuration synchronization"),new n(this.getUrl("executeSilentExtensionConfigurationSynchronization","layout")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){if(!0===(yield t.resolve()).success)this.loadMainLayout();else{const t=s.render(r.error,"Something went wrong","");e.empty().append(t)}})),e=>{this.handleAjaxError(e)})}loadMainLayout(){const e=o(this.selectorBody);this.updateLoadingInfo("Loading main layout"),new n(this.getUrl("mainLayout","layout")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const n=yield t.resolve();if(!0===n.success&&"undefined"!==n.html&&n.html.length>0){if(e.empty().append(n.html),"backend"!==o(this.selectorBody).data("context")){const t=e.data("controller");e.find('.t3js-mainmodule[data-controller="'+t+'"]').addClass("active")}this.loadCards()}else{const t=s.render(r.error,"Something went wrong","");e.empty().append(t)}})),e=>{this.handleAjaxError(e)})}handleAjaxError(e,t){return __awaiter(this,void 0,void 0,(function*(){let n;if(403===e.response.status){"backend"===o(this.selectorBody).data("context")?(n=s.render(r.error,"The install tool session expired. Please reload the backend and try again."),o(this.selectorBody).empty().append(n)):this.checkEnableInstallToolFile()}else{const i=this.getUrl(void 0,"upgrade");n=o('<div class="t3js-infobox callout callout-sm callout-danger"><div class="callout-body"><p>Something went wrong. Please use <b><a href="'+i+'">Check for broken extensions</a></b> to see if a loaded extension breaks this part of the install tool and unload it.</p><p>The box below may additionally reveal further details on what went wrong depending on your debug settings. It may help to temporarily switch to debug mode using <b>Settings > Configuration Presets > Debug settings.</b></p><p>If this error happens at an early state and no full exception back trace is shown, it may also help to manually increase debugging output in <code>typo3conf/LocalConfiguration.php</code>:<code>[\'BE\'][\'debug\'] => true</code>, <code>[\'SYS\'][\'devIPmask\'] => \'*\'</code>, <code>[\'SYS\'][\'displayErrors\'] => 1</code>,<code>[\'SYS\'][\'systemLogLevel\'] => 0</code>, <code>[\'SYS\'][\'exceptionalErrors\'] => 12290</code></p></div></div><div class="panel-group" role="tablist" aria-multiselectable="true"><div class="panel panel-default panel-flat searchhit"><div class="panel-heading" role="tab" id="heading-error"><h3 class="panel-title"><a role="button" data-toggle="collapse" data-parent="#accordion" href="#collapse-error" aria-expanded="true" aria-controls="collapse-error" class="collapsed"><span class="caret"></span><strong>Ajax error</strong></a></h3></div><div id="collapse-error" class="panel-collapse collapse" role="tabpanel" aria-labelledby="heading-error"><div class="panel-body">'+(yield e.response.text())+"</div></div></div></div>"),void 0!==t?o(t).empty().html(n):o(this.selectorBody).empty().html(n)}}))}checkEnableInstallToolFile(){new n(this.getUrl("checkEnableInstallToolFile")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.checkLogin():this.showEnableInstallTool()})),e=>{this.handleAjaxError(e)})}showEnableInstallTool(){new n(this.getUrl("showEnableInstallToolFile")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&o(this.selectorBody).empty().append(t.html)})),e=>{this.handleAjaxError(e)})}checkLogin(){new n(this.getUrl("checkLogin")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success?this.loadMainLayout():this.showLogin()})),e=>{this.handleAjaxError(e)})}showLogin(){new n(this.getUrl("showLogin")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();!0===t.success&&o(this.selectorBody).empty().append(t.html)})),e=>{this.handleAjaxError(e)})}login(){const e=o(".t3js-login-output"),t=l.render(r.loading,"Loading...","");e.empty().html(t),new n(this.getUrl()).post({install:{action:"login",token:o("[data-login-token]").data("login-token"),password:o(".t3-install-form-input-text").val()}}).then(t=>__awaiter(this,void 0,void 0,(function*(){const o=yield t.resolve();!0===o.success?this.executeSilentConfigurationUpdate():o.status.forEach(t=>{const o=s.render(t.severity,t.title,t.message);e.empty().html(o)})})),e=>{this.handleAjaxError(e)})}logout(){new n(this.getUrl("logout")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){!0===(yield e.resolve()).success&&this.showEnableInstallTool()})),e=>{this.handleAjaxError(e)})}loadCards(){const e=o(this.selectorMainContent);new n(this.getUrl("cards")).get({cache:"no-cache"}).then(t=>__awaiter(this,void 0,void 0,(function*(){const o=yield t.resolve();if(!0===o.success&&"undefined"!==o.html&&o.html.length>0)e.empty().append(o.html);else{const t=s.render(r.error,"Something went wrong","");e.empty().append(t)}})),e=>{this.handleAjaxError(e)})}updateLoadingInfo(e){o(this.selectorBody).find("#t3js-ui-block-detail").text(e)}preAccessCheck(){this.updateLoadingInfo("Execute pre access check"),new n(this.getUrl("preAccessCheck","layout")).get({cache:"no-cache"}).then(e=>__awaiter(this,void 0,void 0,(function*(){const t=yield e.resolve();t.installToolLocked?this.checkEnableInstallToolFile():t.isAuthorized?this.executeSilentConfigurationUpdate():this.showLogin()})),e=>{this.handleAjaxError(e)})}}}));
\ No newline at end of file