diff --git a/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/AjaxRequest.ts b/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/AjaxRequest.ts
index 6c0e18a9511416600c9a15282ac8912fdf9cbed9..e45c7b3393349780f52c4ab91a3420300ea2e979 100644
--- a/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/AjaxRequest.ts
+++ b/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/AjaxRequest.ts
@@ -68,7 +68,7 @@ class AjaxRequest {
    */
   public async post(data: string | GenericKeyValue, init: RequestInit = {}): Promise<AjaxResponse> {
     const localDefaultOptions: RequestInit = {
-      body: typeof data === 'string' ? data : InputTransformer.toFormData(data),
+      body: typeof data === 'string' ? data : InputTransformer.byHeader(data, init?.headers),
       cache: 'no-cache',
       method: 'POST',
     };
@@ -86,7 +86,7 @@ class AjaxRequest {
    */
   public async put(data: string | GenericKeyValue, init: RequestInit = {}): Promise<AjaxResponse> {
     const localDefaultOptions: RequestInit = {
-      body: typeof data === 'string' ? data : InputTransformer.toFormData(data),
+      body: typeof data === 'string' ? data : InputTransformer.byHeader(data, init?.headers),
       cache: 'no-cache',
       method: 'PUT',
     };
@@ -109,8 +109,8 @@ class AjaxRequest {
     };
 
     if (typeof data === 'object' && Object.keys(data).length > 0) {
-      localDefaultOptions.body = InputTransformer.toFormData(data);
-    } else if (typeof data === 'string') {
+      localDefaultOptions.body = InputTransformer.byHeader(data, init?.headers);
+    } else if (typeof data === 'string' && data.length > 0) {
       localDefaultOptions.body = data;
     }
 
diff --git a/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/InputTransformer.ts b/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/InputTransformer.ts
index f6653f1649354c2055ad247d168865f6288a9e22..dda212455d3c32d3d9bac12f79d9c3dd50b0a774 100644
--- a/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/InputTransformer.ts
+++ b/Build/Sources/TypeScript/core/Resources/Public/TypeScript/Ajax/InputTransformer.ts
@@ -14,6 +14,20 @@
 export type GenericKeyValue = { [key: string]: any};
 
 export class InputTransformer {
+  /**
+   * Transforms data by its incoming headers
+   *
+   * @param data
+   * @param headers
+   */
+  public static byHeader(data: GenericKeyValue, headers: GenericKeyValue = {}): FormData | string {
+    if (headers.hasOwnProperty('Content-Type') && headers['Content-Type'].includes('application/json')) {
+      return JSON.stringify(data);
+    }
+
+    return InputTransformer.toFormData(data);
+  }
+
   /**
    * Transforms the incoming object to a flat FormData object used for POST and PUT
    *
diff --git a/Build/Sources/TypeScript/core/Tests/Ajax/AjaxRequestTest.ts b/Build/Sources/TypeScript/core/Tests/Ajax/AjaxRequestTest.ts
index 8e564a27fe95ba752815cafbde90088954fcab59..fe503822bbcdd33a8c06750418e2b8fd0240c6b9 100644
--- a/Build/Sources/TypeScript/core/Tests/Ajax/AjaxRequestTest.ts
+++ b/Build/Sources/TypeScript/core/Tests/Ajax/AjaxRequestTest.ts
@@ -32,48 +32,54 @@ describe('TYPO3/CMS/Core/Ajax/AjaxRequest', (): void => {
     expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: 'GET'}));
   });
 
-  it('sends POST request with object as payload', (): void => {
-    const payload = {foo: 'bar', bar: 'baz', nested: {works: 'yes'}};
-    const expected = new FormData();
-    expected.set('foo', 'bar');
-    expected.set('bar', 'baz');
-    expected.set('nested[works]', 'yes');
-    (new AjaxRequest('https://example.com')).post(payload);
-    expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: 'POST', body: expected}));
-  });
-
-  it('sends POST request with string as payload', (): void => {
-    const payload = JSON.stringify({foo: 'bar', bar: 'baz', nested: {works: 'yes'}});
-    (new AjaxRequest('https://example.com')).post(payload);
-    expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: 'POST', body: payload}));
-  });
-
-  it('sends PUT request with object as payload', (): void => {
-    const payload = {foo: 'bar', bar: 'baz', nested: {works: 'yes'}};
-    const expected = new FormData();
-    expected.set('foo', 'bar');
-    expected.set('bar', 'baz');
-    expected.set('nested[works]', 'yes');
-    (new AjaxRequest('https://example.com')).put(payload);
-    expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: 'PUT', body: expected}));
-  });
-
-  it('sends PUT request with string as payload', (): void => {
-    const payload = JSON.stringify({foo: 'bar', bar: 'baz', nested: {works: 'yes'}});
-    (new AjaxRequest('https://example.com')).put(payload);
-    expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: 'PUT', body: payload}));
-  });
-
-  it('sends DELETE request', (): void => {
-    (new AjaxRequest('https://example.com')).delete();
-    expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: 'DELETE'}));
-  });
+  for (let requestMethod of ['POST', 'PUT', 'DELETE']) {
+    describe(`send a ${requestMethod} request`, (): void => {
+      function* requestDataProvider(): any {
+        yield [
+          'object as payload',
+          requestMethod,
+          {foo: 'bar', bar: 'baz', nested: {works: 'yes'}},
+          (): FormData => {
+            const expected = new FormData();
+            expected.set('foo', 'bar');
+            expected.set('bar', 'baz');
+            expected.set('nested[works]', 'yes');
+            return expected;
+          },
+          {}
+        ];
+        yield [
+          'JSON object as payload',
+          requestMethod,
+          {foo: 'bar', bar: 'baz', nested: {works: 'yes'}},
+          (): string => {
+            return JSON.stringify({foo: 'bar', bar: 'baz', nested: {works: 'yes'}})
+          },
+          {'Content-Type': 'application/json'}
+        ];
+        yield [
+          'JSON string as payload',
+          requestMethod,
+          JSON.stringify({foo: 'bar', bar: 'baz', nested: {works: 'yes'}}),
+          (): string => {
+            return JSON.stringify({foo: 'bar', bar: 'baz', nested: {works: 'yes'}})
+          },
+          {'Content-Type': 'application/json'}
+        ];
+      }
 
-  it('sends DELETE request with string as payload', (): void => {
-    const payload = JSON.stringify({foo: 'bar', bar: 'baz', nested: {works: 'yes'}});
-    (new AjaxRequest('https://example.com')).delete(payload);
-    expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: 'DELETE', body: payload}));
-  });
+      for (let providedData of requestDataProvider()) {
+        let [name, requestMethod, payload, expectedFn, headers] = providedData;
+        const requestFn: string = requestMethod.toLowerCase();
+        it(`with ${name}`, (done: DoneFn): void => {
+          const request: any = (new AjaxRequest('https://example.com'));
+          request[requestFn](payload, {headers: headers});
+          expect(window.fetch).toHaveBeenCalledWith('https://example.com/', jasmine.objectContaining({method: requestMethod, body: expectedFn()}));
+          done();
+        });
+      }
+    });
+  }
 
   describe('send GET requests', (): void => {
     function* responseDataProvider(): any {
diff --git a/Build/Sources/TypeScript/workspaces/Resources/Public/TypeScript/Workspaces.ts b/Build/Sources/TypeScript/workspaces/Resources/Public/TypeScript/Workspaces.ts
index 556360f2eebe1195a6c742f21864689c834b6c46..96a5e3156fb3fe70b4a6f52cfe564d30ddc3ab4b 100644
--- a/Build/Sources/TypeScript/workspaces/Resources/Public/TypeScript/Workspaces.ts
+++ b/Build/Sources/TypeScript/workspaces/Resources/Public/TypeScript/Workspaces.ts
@@ -136,7 +136,7 @@ export default class Workspaces {
    */
   protected sendRemoteRequest(payload: object): Promise<AjaxResponse> {
     return (new AjaxRequest(TYPO3.settings.ajaxUrls.workspace_dispatch)).post(
-      JSON.stringify(payload),
+      payload,
       {
         headers: {
           'Content-Type': 'application/json; charset=utf-8'
diff --git a/typo3/sysext/core/Resources/Public/JavaScript/Ajax/AjaxRequest.js b/typo3/sysext/core/Resources/Public/JavaScript/Ajax/AjaxRequest.js
index dc9a329433a76905b56fd1fe42944f5a3bbbd0cd..86b72fcc34361388b4c2ab83439144097c52aa3c 100644
--- a/typo3/sysext/core/Resources/Public/JavaScript/Ajax/AjaxRequest.js
+++ b/typo3/sysext/core/Resources/Public/JavaScript/Ajax/AjaxRequest.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","../BackwardCompat/JQueryNativePromises","./AjaxResponse","./ResponseError","./InputTransformer"],(function(t,e,s,n,r,o){"use strict";class a{constructor(t){this.queryArguments="",this.url=t,this.abortController=new AbortController,s.default.support()}withQueryArguments(t){const e=this.clone();return e.queryArguments=(""!==e.queryArguments?"&":"")+o.InputTransformer.toSearchParams(t),e}async get(t={}){const e=await this.send(Object.assign(Object.assign({},{method:"GET"}),t));return new n.AjaxResponse(e)}async post(t,e={}){const s={body:"string"==typeof t?t:o.InputTransformer.toFormData(t),cache:"no-cache",method:"POST"},r=await this.send(Object.assign(Object.assign({},s),e));return new n.AjaxResponse(r)}async put(t,e={}){const s={body:"string"==typeof t?t:o.InputTransformer.toFormData(t),cache:"no-cache",method:"PUT"},r=await this.send(Object.assign(Object.assign({},s),e));return new n.AjaxResponse(r)}async delete(t={},e={}){const s={cache:"no-cache",method:"DELETE"};"object"==typeof t&&Object.keys(t).length>0?s.body=o.InputTransformer.toFormData(t):"string"==typeof t&&(s.body=t);const r=await this.send(Object.assign(Object.assign({},s),e));return new n.AjaxResponse(r)}abort(){this.abortController.abort()}clone(){return Object.assign(Object.create(this),this)}async send(t={}){const e=await fetch(this.composeRequestUrl(),this.getMergedOptions(t));if(!e.ok)throw new r.ResponseError(e);return e}composeRequestUrl(){let t=this.url;if("?"===t.charAt(0)&&(t=window.location.origin+window.location.pathname+t),t=new URL(t,window.location.origin).toString(),""!==this.queryArguments){t+=(this.url.includes("?")?"&":"?")+this.queryArguments}return t}getMergedOptions(t){return Object.assign(Object.assign(Object.assign({},a.defaultOptions),t),{signal:this.abortController.signal})}}return a.defaultOptions={credentials:"same-origin"},a}));
\ No newline at end of file
+define(["require","exports","../BackwardCompat/JQueryNativePromises","./AjaxResponse","./ResponseError","./InputTransformer"],(function(e,t,s,n,r,o){"use strict";class a{constructor(e){this.queryArguments="",this.url=e,this.abortController=new AbortController,s.default.support()}withQueryArguments(e){const t=this.clone();return t.queryArguments=(""!==t.queryArguments?"&":"")+o.InputTransformer.toSearchParams(e),t}async get(e={}){const t=await this.send(Object.assign(Object.assign({},{method:"GET"}),e));return new n.AjaxResponse(t)}async post(e,t={}){var s;const r={body:"string"==typeof e?e:o.InputTransformer.byHeader(e,null===(s=t)||void 0===s?void 0:s.headers),cache:"no-cache",method:"POST"},a=await this.send(Object.assign(Object.assign({},r),t));return new n.AjaxResponse(a)}async put(e,t={}){var s;const r={body:"string"==typeof e?e:o.InputTransformer.byHeader(e,null===(s=t)||void 0===s?void 0:s.headers),cache:"no-cache",method:"PUT"},a=await this.send(Object.assign(Object.assign({},r),t));return new n.AjaxResponse(a)}async delete(e={},t={}){var s;const r={cache:"no-cache",method:"DELETE"};"object"==typeof e&&Object.keys(e).length>0?r.body=o.InputTransformer.byHeader(e,null===(s=t)||void 0===s?void 0:s.headers):"string"==typeof e&&e.length>0&&(r.body=e);const a=await this.send(Object.assign(Object.assign({},r),t));return new n.AjaxResponse(a)}abort(){this.abortController.abort()}clone(){return Object.assign(Object.create(this),this)}async send(e={}){const t=await fetch(this.composeRequestUrl(),this.getMergedOptions(e));if(!t.ok)throw new r.ResponseError(t);return t}composeRequestUrl(){let e=this.url;if("?"===e.charAt(0)&&(e=window.location.origin+window.location.pathname+e),e=new URL(e,window.location.origin).toString(),""!==this.queryArguments){e+=(this.url.includes("?")?"&":"?")+this.queryArguments}return e}getMergedOptions(e){return Object.assign(Object.assign(Object.assign({},a.defaultOptions),e),{signal:this.abortController.signal})}}return a.defaultOptions={credentials:"same-origin"},a}));
\ No newline at end of file
diff --git a/typo3/sysext/core/Resources/Public/JavaScript/Ajax/InputTransformer.js b/typo3/sysext/core/Resources/Public/JavaScript/Ajax/InputTransformer.js
index 7b251d919b6de15714f314446db2f54555bee2a3..dd8b065e77f1815c03d8a0ccacc6b71712220ee8 100644
--- a/typo3/sysext/core/Resources/Public/JavaScript/Ajax/InputTransformer.js
+++ b/typo3/sysext/core/Resources/Public/JavaScript/Ajax/InputTransformer.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports"],(function(t,e){"use strict";Object.defineProperty(e,"__esModule",{value:!0});class r{static toFormData(t){const e=r.flattenObject(t),n=new FormData;for(const[t,r]of Object.entries(e))n.set(t,r);return n}static toSearchParams(t){if("string"==typeof t)return t;if(t instanceof Array)return t.join("&");const e=r.flattenObject(t),n=new URLSearchParams;for(const[t,r]of Object.entries(e))n.set(t,r);return decodeURI(n.toString())}static flattenObject(t,e=""){return Object.keys(t).reduce((n,c)=>{const s=e.length?e+"[":"",o=e.length?"]":"";return"object"==typeof t[c]?Object.assign(n,r.flattenObject(t[c],s+c+o)):n[s+c+o]=t[c],n},{})}}e.InputTransformer=r}));
\ No newline at end of file
+define(["require","exports"],(function(t,e){"use strict";Object.defineProperty(e,"__esModule",{value:!0});class n{static byHeader(t,e={}){return e.hasOwnProperty("Content-Type")&&e["Content-Type"].includes("application/json")?JSON.stringify(t):n.toFormData(t)}static toFormData(t){const e=n.flattenObject(t),r=new FormData;for(const[t,n]of Object.entries(e))r.set(t,n);return r}static toSearchParams(t){if("string"==typeof t)return t;if(t instanceof Array)return t.join("&");const e=n.flattenObject(t),r=new URLSearchParams;for(const[t,n]of Object.entries(e))r.set(t,n);return decodeURI(r.toString())}static flattenObject(t,e=""){return Object.keys(t).reduce((r,o)=>{const s=e.length?e+"[":"",a=e.length?"]":"";return"object"==typeof t[o]?Object.assign(r,n.flattenObject(t[o],s+o+a)):r[s+o+a]=t[o],r},{})}}e.InputTransformer=n}));
\ No newline at end of file
diff --git a/typo3/sysext/core/Tests/JavaScript/Ajax/AjaxRequestTest.js b/typo3/sysext/core/Tests/JavaScript/Ajax/AjaxRequestTest.js
index 1d0264018b719920db7f877dac64832ef385f8e8..0970c8114a8775aee68f771291a6c0221eee68d1 100644
--- a/typo3/sysext/core/Tests/JavaScript/Ajax/AjaxRequestTest.js
+++ b/typo3/sysext/core/Tests/JavaScript/Ajax/AjaxRequestTest.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","TYPO3/CMS/Core/Ajax/AjaxRequest"],(function(e,t,o){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),describe("TYPO3/CMS/Core/Ajax/AjaxRequest",()=>{let e;beforeEach(()=>{const t=new Promise((t,o)=>{e={resolve:t,reject:o}});spyOn(window,"fetch").and.returnValue(t)}),it("sends GET request",()=>{new o("https://example.com").get(),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"GET"}))}),it("sends POST request with object as payload",()=>{const e=new FormData;e.set("foo","bar"),e.set("bar","baz"),e.set("nested[works]","yes"),new o("https://example.com").post({foo:"bar",bar:"baz",nested:{works:"yes"}}),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"POST",body:e}))}),it("sends POST request with string as payload",()=>{const e=JSON.stringify({foo:"bar",bar:"baz",nested:{works:"yes"}});new o("https://example.com").post(e),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"POST",body:e}))}),it("sends PUT request with object as payload",()=>{const e=new FormData;e.set("foo","bar"),e.set("bar","baz"),e.set("nested[works]","yes"),new o("https://example.com").put({foo:"bar",bar:"baz",nested:{works:"yes"}}),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"PUT",body:e}))}),it("sends PUT request with string as payload",()=>{const e=JSON.stringify({foo:"bar",bar:"baz",nested:{works:"yes"}});new o("https://example.com").put(e),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"PUT",body:e}))}),it("sends DELETE request",()=>{new o("https://example.com").delete(),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"DELETE"}))}),it("sends DELETE request with string as payload",()=>{const e=JSON.stringify({foo:"bar",bar:"baz",nested:{works:"yes"}});new o("https://example.com").delete(e),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"DELETE",body:e}))}),describe("send GET requests",()=>{for(let t of function*(){yield["plaintext","foobar huselpusel",{},(e,t)=>{expect("string"==typeof e).toBeTruthy(),expect(e).toEqual(t)}],yield["JSON",JSON.stringify({foo:"bar",baz:"bencer"}),{"Content-Type":"application/json"},(e,t)=>{expect("object"==typeof e).toBeTruthy(),expect(JSON.stringify(e)).toEqual(t)}],yield["JSON with utf-8",JSON.stringify({foo:"bar",baz:"bencer"}),{"Content-Type":"application/json; charset=utf-8"},(e,t)=>{expect("object"==typeof e).toBeTruthy(),expect(JSON.stringify(e)).toEqual(t)}]}()){let[a,r,n,s]=t;it("receives a "+a+" response",t=>{const a=new Response(r,{headers:n});e.resolve(a),new o("https://example.com").get().then(async e=>{const o=await e.resolve();expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"GET"})),s(o,r),t()})})}}),describe("send requests with different input urls",()=>{for(let e of function*(){yield["absolute url with domain","https://example.com",{},"https://example.com/"],yield["absolute url with domain, with query parameter","https://example.com",{foo:"bar",bar:{baz:"bencer"}},"https://example.com/?foo=bar&bar[baz]=bencer"],yield["absolute url without domain","/foo/bar",{},window.location.origin+"/foo/bar"],yield["absolute url without domain, with query parameter","/foo/bar",{foo:"bar",bar:{baz:"bencer"}},window.location.origin+"/foo/bar?foo=bar&bar[baz]=bencer"],yield["relative url without domain","foo/bar",{},window.location.origin+"/foo/bar"],yield["relative url without domain, with query parameter","foo/bar",{foo:"bar",bar:{baz:"bencer"}},window.location.origin+"/foo/bar?foo=bar&bar[baz]=bencer"],yield["fallback to current script if not defined","?foo=bar&baz=bencer",{},window.location.origin+window.location.pathname+"?foo=bar&baz=bencer"]}()){let[t,a,r,n]=e;it("with "+t,()=>{new o(a).withQueryArguments(r).get(),expect(window.fetch).toHaveBeenCalledWith(n,jasmine.objectContaining({method:"GET"}))})}}),describe("send requests with query arguments",()=>{for(let e of function*(){yield["single level of arguments",{foo:"bar",bar:"baz"},"https://example.com/?foo=bar&bar=baz"],yield["nested arguments",{foo:"bar",bar:{baz:"bencer"}},"https://example.com/?foo=bar&bar[baz]=bencer"],yield["string argument","hello=world&foo=bar","https://example.com/?hello=world&foo=bar"],yield["array of arguments",["foo=bar","husel=pusel"],"https://example.com/?foo=bar&husel=pusel"],yield["object with array",{foo:["bar","baz"]},"https://example.com/?foo[0]=bar&foo[1]=baz"],yield["complex object",{foo:"bar",nested:{husel:"pusel",bar:"baz",array:["5","6"]},array:["1","2"]},"https://example.com/?foo=bar&nested[husel]=pusel&nested[bar]=baz&nested[array][0]=5&nested[array][1]=6&array[0]=1&array[1]=2"],yield["complex, deeply nested object",{foo:"bar",nested:{husel:"pusel",bar:"baz",array:["5","6"],deep_nested:{husel:"pusel",bar:"baz",array:["5","6"]}},array:["1","2"]},"https://example.com/?foo=bar&nested[husel]=pusel&nested[bar]=baz&nested[array][0]=5&nested[array][1]=6&nested[deep_nested][husel]=pusel&nested[deep_nested][bar]=baz&nested[deep_nested][array][0]=5&nested[deep_nested][array][1]=6&array[0]=1&array[1]=2"]}()){let[t,a,r]=e;it("with "+t,()=>{new o("https://example.com/").withQueryArguments(a).get(),expect(window.fetch).toHaveBeenCalledWith(r,jasmine.objectContaining({method:"GET"}))})}})})}));
\ No newline at end of file
+define(["require","exports","TYPO3/CMS/Core/Ajax/AjaxRequest"],(function(e,t,o){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),describe("TYPO3/CMS/Core/Ajax/AjaxRequest",()=>{let e;beforeEach(()=>{const t=new Promise((t,o)=>{e={resolve:t,reject:o}});spyOn(window,"fetch").and.returnValue(t)}),it("sends GET request",()=>{new o("https://example.com").get(),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"GET"}))});for(let e of["POST","PUT","DELETE"])describe(`send a ${e} request`,()=>{for(let t of function*(){yield["object as payload",e,{foo:"bar",bar:"baz",nested:{works:"yes"}},()=>{const e=new FormData;return e.set("foo","bar"),e.set("bar","baz"),e.set("nested[works]","yes"),e},{}],yield["JSON object as payload",e,{foo:"bar",bar:"baz",nested:{works:"yes"}},()=>JSON.stringify({foo:"bar",bar:"baz",nested:{works:"yes"}}),{"Content-Type":"application/json"}],yield["JSON string as payload",e,JSON.stringify({foo:"bar",bar:"baz",nested:{works:"yes"}}),()=>JSON.stringify({foo:"bar",bar:"baz",nested:{works:"yes"}}),{"Content-Type":"application/json"}]}()){let[e,a,r,n,s]=t;const i=a.toLowerCase();it(`with ${e}`,e=>{new o("https://example.com")[i](r,{headers:s}),expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:a,body:n()})),e()})}});describe("send GET requests",()=>{for(let t of function*(){yield["plaintext","foobar huselpusel",{},(e,t)=>{expect("string"==typeof e).toBeTruthy(),expect(e).toEqual(t)}],yield["JSON",JSON.stringify({foo:"bar",baz:"bencer"}),{"Content-Type":"application/json"},(e,t)=>{expect("object"==typeof e).toBeTruthy(),expect(JSON.stringify(e)).toEqual(t)}],yield["JSON with utf-8",JSON.stringify({foo:"bar",baz:"bencer"}),{"Content-Type":"application/json; charset=utf-8"},(e,t)=>{expect("object"==typeof e).toBeTruthy(),expect(JSON.stringify(e)).toEqual(t)}]}()){let[a,r,n,s]=t;it("receives a "+a+" response",t=>{const a=new Response(r,{headers:n});e.resolve(a),new o("https://example.com").get().then(async e=>{const o=await e.resolve();expect(window.fetch).toHaveBeenCalledWith("https://example.com/",jasmine.objectContaining({method:"GET"})),s(o,r),t()})})}}),describe("send requests with different input urls",()=>{for(let e of function*(){yield["absolute url with domain","https://example.com",{},"https://example.com/"],yield["absolute url with domain, with query parameter","https://example.com",{foo:"bar",bar:{baz:"bencer"}},"https://example.com/?foo=bar&bar[baz]=bencer"],yield["absolute url without domain","/foo/bar",{},window.location.origin+"/foo/bar"],yield["absolute url without domain, with query parameter","/foo/bar",{foo:"bar",bar:{baz:"bencer"}},window.location.origin+"/foo/bar?foo=bar&bar[baz]=bencer"],yield["relative url without domain","foo/bar",{},window.location.origin+"/foo/bar"],yield["relative url without domain, with query parameter","foo/bar",{foo:"bar",bar:{baz:"bencer"}},window.location.origin+"/foo/bar?foo=bar&bar[baz]=bencer"],yield["fallback to current script if not defined","?foo=bar&baz=bencer",{},window.location.origin+window.location.pathname+"?foo=bar&baz=bencer"]}()){let[t,a,r,n]=e;it("with "+t,()=>{new o(a).withQueryArguments(r).get(),expect(window.fetch).toHaveBeenCalledWith(n,jasmine.objectContaining({method:"GET"}))})}}),describe("send requests with query arguments",()=>{for(let e of function*(){yield["single level of arguments",{foo:"bar",bar:"baz"},"https://example.com/?foo=bar&bar=baz"],yield["nested arguments",{foo:"bar",bar:{baz:"bencer"}},"https://example.com/?foo=bar&bar[baz]=bencer"],yield["string argument","hello=world&foo=bar","https://example.com/?hello=world&foo=bar"],yield["array of arguments",["foo=bar","husel=pusel"],"https://example.com/?foo=bar&husel=pusel"],yield["object with array",{foo:["bar","baz"]},"https://example.com/?foo[0]=bar&foo[1]=baz"],yield["complex object",{foo:"bar",nested:{husel:"pusel",bar:"baz",array:["5","6"]},array:["1","2"]},"https://example.com/?foo=bar&nested[husel]=pusel&nested[bar]=baz&nested[array][0]=5&nested[array][1]=6&array[0]=1&array[1]=2"],yield["complex, deeply nested object",{foo:"bar",nested:{husel:"pusel",bar:"baz",array:["5","6"],deep_nested:{husel:"pusel",bar:"baz",array:["5","6"]}},array:["1","2"]},"https://example.com/?foo=bar&nested[husel]=pusel&nested[bar]=baz&nested[array][0]=5&nested[array][1]=6&nested[deep_nested][husel]=pusel&nested[deep_nested][bar]=baz&nested[deep_nested][array][0]=5&nested[deep_nested][array][1]=6&array[0]=1&array[1]=2"]}()){let[t,a,r]=e;it("with "+t,()=>{new o("https://example.com/").withQueryArguments(a).get(),expect(window.fetch).toHaveBeenCalledWith(r,jasmine.objectContaining({method:"GET"}))})}})})}));
\ No newline at end of file
diff --git a/typo3/sysext/workspaces/Resources/Public/JavaScript/Workspaces.js b/typo3/sysext/workspaces/Resources/Public/JavaScript/Workspaces.js
index 722c364f285ea6f4454a16b174e82c9f1bd18090..1ea320eeadb6ad2c5a9f8b915190dcca70766606 100644
--- a/typo3/sysext/workspaces/Resources/Public/JavaScript/Workspaces.js
+++ b/typo3/sysext/workspaces/Resources/Public/JavaScript/Workspaces.js
@@ -10,4 +10,4 @@
  *
  * The TYPO3 project - inspiring people to share!
  */
-define(["require","exports","TYPO3/CMS/Core/Ajax/AjaxRequest","TYPO3/CMS/Backend/Enum/Severity","jquery","TYPO3/CMS/Backend/Modal"],(function(e,t,a,n,o,s){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.default=class{constructor(){this.tid=0}renderSendToStageWindow(e){const t=e[0].result,a=o("<form />");if(void 0!==t.sendMailTo&&t.sendMailTo.length>0){a.append(o("<label />",{class:"control-label"}).text(TYPO3.lang["window.sendToNextStageWindow.itemsWillBeSentTo"])),a.append(o("<div />",{class:"form-group"}).append(o('<a href="#" class="btn btn-default btn-xs t3js-workspace-recipients-selectall" />').text(TYPO3.lang["window.sendToNextStageWindow.selectAll"]),"&nbsp;",o('<a href="#" class="btn btn-default btn-xs t3js-workspace-recipients-deselectall" />').text(TYPO3.lang["window.sendToNextStageWindow.deselectAll"])));for(const e of t.sendMailTo)a.append(o("<div />",{class:"checkbox"}).append(o("<label />").text(e.label).prepend(o("<input />",{type:"checkbox",name:"recipients",class:"t3js-workspace-recipient",id:e.name,value:e.value}).prop("checked",e.checked).prop("disabled",e.disabled))))}void 0!==t.additional&&a.append(o("<div />",{class:"form-group"}).append(o("<label />",{class:"control-label",for:"additional"}).text(TYPO3.lang["window.sendToNextStageWindow.additionalRecipients"]),o("<textarea />",{class:"form-control",name:"additional",id:"additional"}).text(t.additional.value),o("<span />",{class:"help-block"}).text(TYPO3.lang["window.sendToNextStageWindow.additionalRecipients.hint"]))),a.append(o("<div />",{class:"form-group"}).append(o("<label />",{class:"control-label",for:"comments"}).text(TYPO3.lang["window.sendToNextStageWindow.comments"]),o("<textarea />",{class:"form-control",name:"comments",id:"comments"}).text(t.comments.value)));const l=s.show(TYPO3.lang.actionSendToStage,a,n.SeverityEnum.info,[{text:TYPO3.lang.cancel,active:!0,btnClass:"btn-default",name:"cancel",trigger:()=>{l.modal("hide")}},{text:TYPO3.lang.ok,btnClass:"btn-info",name:"ok"}]);return l}checkIntegrity(e){return this.sendRemoteRequest(this.generateRemotePayload("checkIntegrity",e))}sendRemoteRequest(e){return new a(TYPO3.settings.ajaxUrls.workspace_dispatch).post(JSON.stringify(e),{headers:{"Content-Type":"application/json; charset=utf-8"}})}generateRemotePayload(e,t={}){return this.generateRemotePayloadBody("RemoteServer",e,t)}generateRemoteMassActionsPayload(e,t={}){return this.generateRemotePayloadBody("MassActions",e,t)}generateRemoteActionsPayload(e,t={}){return this.generateRemotePayloadBody("Actions",e,t)}generateRemotePayloadBody(e,t,a){return a instanceof Array?a.push(TYPO3.settings.Workspaces.token):a=[a,TYPO3.settings.Workspaces.token],{action:e,data:a,method:t,type:"rpc",tid:this.tid++}}}}));
\ No newline at end of file
+define(["require","exports","TYPO3/CMS/Core/Ajax/AjaxRequest","TYPO3/CMS/Backend/Enum/Severity","jquery","TYPO3/CMS/Backend/Modal"],(function(e,t,a,n,o,s){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.default=class{constructor(){this.tid=0}renderSendToStageWindow(e){const t=e[0].result,a=o("<form />");if(void 0!==t.sendMailTo&&t.sendMailTo.length>0){a.append(o("<label />",{class:"control-label"}).text(TYPO3.lang["window.sendToNextStageWindow.itemsWillBeSentTo"])),a.append(o("<div />",{class:"form-group"}).append(o('<a href="#" class="btn btn-default btn-xs t3js-workspace-recipients-selectall" />').text(TYPO3.lang["window.sendToNextStageWindow.selectAll"]),"&nbsp;",o('<a href="#" class="btn btn-default btn-xs t3js-workspace-recipients-deselectall" />').text(TYPO3.lang["window.sendToNextStageWindow.deselectAll"])));for(const e of t.sendMailTo)a.append(o("<div />",{class:"checkbox"}).append(o("<label />").text(e.label).prepend(o("<input />",{type:"checkbox",name:"recipients",class:"t3js-workspace-recipient",id:e.name,value:e.value}).prop("checked",e.checked).prop("disabled",e.disabled))))}void 0!==t.additional&&a.append(o("<div />",{class:"form-group"}).append(o("<label />",{class:"control-label",for:"additional"}).text(TYPO3.lang["window.sendToNextStageWindow.additionalRecipients"]),o("<textarea />",{class:"form-control",name:"additional",id:"additional"}).text(t.additional.value),o("<span />",{class:"help-block"}).text(TYPO3.lang["window.sendToNextStageWindow.additionalRecipients.hint"]))),a.append(o("<div />",{class:"form-group"}).append(o("<label />",{class:"control-label",for:"comments"}).text(TYPO3.lang["window.sendToNextStageWindow.comments"]),o("<textarea />",{class:"form-control",name:"comments",id:"comments"}).text(t.comments.value)));const l=s.show(TYPO3.lang.actionSendToStage,a,n.SeverityEnum.info,[{text:TYPO3.lang.cancel,active:!0,btnClass:"btn-default",name:"cancel",trigger:()=>{l.modal("hide")}},{text:TYPO3.lang.ok,btnClass:"btn-info",name:"ok"}]);return l}checkIntegrity(e){return this.sendRemoteRequest(this.generateRemotePayload("checkIntegrity",e))}sendRemoteRequest(e){return new a(TYPO3.settings.ajaxUrls.workspace_dispatch).post(e,{headers:{"Content-Type":"application/json; charset=utf-8"}})}generateRemotePayload(e,t={}){return this.generateRemotePayloadBody("RemoteServer",e,t)}generateRemoteMassActionsPayload(e,t={}){return this.generateRemotePayloadBody("MassActions",e,t)}generateRemoteActionsPayload(e,t={}){return this.generateRemotePayloadBody("Actions",e,t)}generateRemotePayloadBody(e,t,a){return a instanceof Array?a.push(TYPO3.settings.Workspaces.token):a=[a,TYPO3.settings.Workspaces.token],{action:e,data:a,method:t,type:"rpc",tid:this.tid++}}}}));
\ No newline at end of file