Zendesk webhooks enable organizations to receive immediate updates when tickets are created, updated, or deleted. This is particularly useful for integrating with other systems or for triggering automated workflows. Below, we will cover how to set up a webhook in Zendesk and provide practical examples of how to handle ticket updates.
Before diving into examples, ensure you have the following:
Fill out the required fields:
Ticket Updates Webhook
).https://your-server.com/webhook
).POST
for sending data.When a ticket is updated, Zendesk sends a POST request to your specified endpoint. Here’s an example of the JSON payload you might receive:
{
"ticket": {
"id": 12345,
"subject": "Need help with my account",
"description": "User is unable to log in.",
"status": "open",
"updated_at": "2023-10-01T12:34:56Z",
"priority": "high"
},
"event": {
"type": "ticket.updated",
"timestamp": "2023-10-01T12:35:00Z"
}
}
Once you receive the webhook data, you can process it according to your application needs. Here’s a simple example of how to handle this data in a Node.js server:
const express = require('express');
const bodyParser = require('body-parser');
const app = express();
app.use(bodyParser.json());
app.post('/webhook', (req, res) => {
const ticketUpdate = req.body;
console.log('Received ticket update:', ticketUpdate);
// Implement further processing logic here
res.status(200).send('Webhook received');
});
app.listen(3000, () => {
console.log('Server is listening on port 3000');
});
Using Zendesk webhooks for ticket updates allows for real-time integration with other systems and efficient workflow automation. By following the steps outlined above and utilizing the provided examples, you can implement a robust solution that keeps your team informed about ticket changes in real-time. Happy coding!