Anonymous
Anonymous
6 months ago

I'm using Atlassian Connect Express Framework to create new issues on Jira via POST request, Rest api v3. It successful status code 200 is returned by the server, but no new issue is created in Jira and the response from the jira API call is empty. How can I troubleshoot why the issue isn't being created?

I am developing an application with Atlassian Connect Express Framework that sends POST requests to create new issues on a Jira instance. While the server returns a 200 (success) status code, the Jira API does not create a new issue. Additionally, the response from the API is an empty JSON object. This behavior raises questions about why the issue isn't being created even with a successful HTTP request.

js
1const httpClient = addon.httpClient(req); 2 await httpClient.post({ url: "/rest/api/3/issue", body: req?.body }, async (err, response, body) => { 3 if (err) { 4 console.error(err); 5 res.status(500).send("Error creating issue"); 6 } else { 7 res.data.status(201).json({ data: body }); 8 } 9 });
Anonymous
Anonymous
6 months ago

Since this is a POST request, the Atlassian Jira REST API is expected to return a 201 status code for successful creation. However, in your case, it returned a 200, which may indicate something went wrong on Jira's side. Most of your code looks correct, but there seems to be an issue with the payload. Instead of using body as the key, Atlassian Jira supports different payload types. For a plain object, you should use json as the key. Check out the full code below for reference.

js
1const app = express(); 2export const addon = ace(app); 3 4// ... (rest of your code) 5 6app.post("/create", addon.checkValidToken(), async (req, res) => { 7 8 try { 9 // Access the user account ID from request context 10 const userAccountId = req.context.userAccountId; 11 12 // Utilize a client instance for HTTP requests 13 const httpClient = addon.httpClient(req); 14 15 // Construct your POST request with the payload and credentials. 16 await httpClient.asUserByAccountId(userAccountId) 17 .post({ url: "/rest/api/3/issue", json: req?.body, method:"POST" }, async (err, response, body) => { 18 if (err) { 19 console.error(err); 20 res.status(500).send("Error creating issue"); // Handle error appropriately 21 } else { 22 // Send successful response with the created issue data. 23 res.data.status(201).json({ data: body }); 24 } 25 }); 26 27 } catch (error) { 28 // Handle errors if necessary, log and respond accordingly. 29 console.error("Error during issue creation:", error); 30 res.status(500).send("Failed to create issue"); 31 } 32 33});