Webhooks
Technical guidance for working with webhooks for real time event notifications
Please note that apps and integrations developed using Webhooks for topics other than application install/uninstall will only be visible in the AppMarket to customers who have been migrated to AWS.
Webhooks allow you set up an endpoint in your own application to receive programmatical notifications from the Foundations Platform about changes to our customers data as it happens.
Rather than requiring you to pull information via our APIs, webhooks will push information to your endpoint. When one of those events is triggered (eg. a new offer is added), our Platform will send this notification as an HTTP
POST
request to the endpoint(s) you configure.Applications that use webhooks benefit from greater efficiency, reduced costs and the ability to respond to customer driven events in real-time.
The first step to start receiving webhooks is to register your app within our AppMarket. You don't need to list the application at this stage, but note that some subscription topics require that your app is granted an associated scope. Please see our developer portal documentation for more information on submitting an app.
You must provide an endpoint to receive the payload the Platform will send to your app. The endpoint should:
- Be a publicly available valid URI tha
- Use the
https
scheme - Accept
POST
requests - Accept a request body with an
application-json
content type
You can use a third party service to quickly get to grips with webhooks. Services like RequestBin and Webhook.site instantly setup a secure URL to receive the
POST
request on your behalf and provide a UI to review what data has been sent.Legacy Method
This method has been superseded by cryptographically signed requests. Both mechanisms will run side by side for a period of team before the legacy method described below is removed. Communication will be sent in good time before this feature becomes obsolete.
We provide your application with a simple means of verifying that requests to your webhook's endpoint are for the correct application and they originate from Reapit Foundations.
Any requests sent from our platform will include a
Reapit-Webhook-Signature
header containing a base64 representation of your application's unique client id. You should make sure that this header matches your own base64 representation of client id before processing a webhook POST
request.You can obtain your client id by clicking your applications details in the developer portal.
Cryptographic Signing
Asymmetric request signing with a public/private key pair has now been introduced and should be used over the legacy method above, which will become obsolete at some point in the future.
When a new webhook is setup in the DeveloperPortal, a public/private key pair will be generated and stored for the app that the webhook is associated with. The keys are associated to the app, rather than the webhook itself, so if you have two webhooks for the same app, they will be signed with the same key.
As each event is prepared to be sent to your endpoint, it will be signed using the private key which is stored securely and only visible to the Platform Webhooks services. Once the message reaches you, you can verify it has come from the Reapit Platform by using the public key to check it's authenticity. To do this, complete the following steps
- 1.Read the
X-Signature
header from the request. This will be in the following format:s:keyId:timestamp:signature
Full example:s:98da2881-0540-48db-8ffa-45d7003f1412:1650934596:LLD5mr9ynFEvjz8dVmwO4vNmEva32ZV6TjAcPzdIDO93Jhc82EhysiQPcw9ZdlbCcCUjDsaeHZUsFEMUVKbGBg
- 2.Retrieve the public key for your app by using one of the following methods: A) Use the
Public Key
option in the DeveloperPortal to retrieve the key for your app or B) Make a call toGET https://platform.reapit.cloud/webhooks/signing/{id}
where {id} is the id obtained from the X-Signature header (segment 2) Data from this endpoint will be returned in the following format:{"keys": [{"kid": "08da3720-99e7-42c3-8531-58bdc8f32ecf","crv": "Ed25519","x": "ijz3_2n1gmlfhqAa2XH_5uYmcL2L2VHb1IqDbRDLBnU"}]}Calls to this endpoint must include the Authorization header containing a valid Bearer token. It is only possible to retrieve keys associated to the calling app when accessing the key programmatically. - 3.Decode the
x
value from the results using the Base64 URL scheme (if using method A above, this is the value displayed to you in the DeveloperPortal) - 4.Combine the timestamp (segment 3) from the
X-Signature
header and the webhook message body (do not include a separation character) - 5.Verify the signature (segment 4 of the
X-Signature
header) using the Ed25519 curve, using the public key and a combination of the timestamp/message body as above.
There are various packages available for many popular programming languages that allow you to easily verify signatures generated using the Ed25519 curve. Whilst this algorithm is less widely used than RSA, it is considered more secure hence it's use in the Platform. The code examples below can be used as a reference point, but should not be considered production ready code:
NodeJS with Express
.NET Core
The following example uses Node JS with Express, Node Forge and Body Parser npm packages
const express = require('express');
const crypto = require('node-forge');
const bodyParser = require('body-parser');
// Configure Express
const app = express();
const port = 5000;
// Be sure to read the raw request body, rather than
// using a JSON pre-processor/JSON.stringify()
app.use(bodyParser.raw({ inflate: true, type: 'application/json' }));
// Setup POST handler
app.post('/', function (req, res) {
const ED25519 = forgeCrypto.pki.ed25519;
// Read the X-Signature header
const sigHeader = req.header("x-signature");
const sigParts = sigHeader.split(":");
// Read the signature segments
const keyId = sigParts[1];
const timestamp = sigParts[2];
const signature = sigParts[3];
// The message to verify is a concatenation of the timestamp (from the X-Signature header)
// and the raw request body, with no delimiting characters
const msgToVerify = `${timestamp}${req.body.toString()}`;
// Retrieve the public key from the respective endpoint
// or store OUTSIDE your code. This is an example only
const publicKeyBase64 = "ijz3_2n1gmlfhqAa2XH_5uYmcL2L2VHb1IqDbRDLBnU";
// Verify the signature
const verified = ED25519.verify({
message: msgToVerify,
encoding: "utf8",
signature: Buffer.from(signature, "base64"),
publicKey: Buffer.from(publicKeyBase64, "base64")
});
if (verified) {
console.log("Signature is valid");
// Continue to process webhook
}
else {
console.log("Signature is invalid");
}
res.send("Webhook processing complete");
});
// Start the server
app.listen(port, () => {
console.log(`Now listening on port ${port}`);
});
The following example uses C# .NET Core with the BouncyCastle.NETCore NuGet package
using System;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.WebUtilities;
using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Primitives;
using Org.BouncyCastle.Crypto.Parameters;
using Org.BouncyCastle.Crypto.Signers;
namespace WebhookHandlerExample.Controllers
{
[ApiController]
[Route("/")]
public class WebhookHandlerController : ControllerBase
{
private readonly ILogger<WebhookHandlerController> logger;
public WebhookHandlerController(ILogger<WebhookHandlerController> logger)
{
this.logger = logger ?? throw new ArgumentNullException(nameof(logger));
}
[HttpPost]
public async Task<IActionResult> PostHandler([FromBody] dynamic body)
{
if (Request.Headers.TryGetValue("X-Signature", out StringValues signatureHeader))
{
string[] sigParts = signatureHeader.First().Split(":");
// Read the signature segments
var keyId = sigParts[1];
var timestamp = sigParts[2];
var signature = sigParts[3];
// The message to verify is a concatenation of the timestamp (from the X-Signature header)
// and the raw request body, with no delimiting characters
var msgToVerify = $"{timestamp}{body}";
// Retrieve the public key from the respective endpoint
// or store OUTSIDE your code. This is an example only
var publicKeyBase64 = "ijz3_2n1gmlfhqAa2XH_5uYmcL2L2VHb1IqDbRDLBnU";
CryptographyService cryptoService = new CryptographyService();
bool verified = cryptoService.VerifySignature(msgToVerify, publicKeyBase64, signature);
if (verified)
{
this.logger.LogInformation("Signature is valid");
// Continue to process webhook
}
else
{
this.logger.LogError("Signature is invalid");
}
return Ok("Webhook processing complete");
}
return Ok("No signature was found in the message header collection");
}
}
internal class CryptographyService
{
/// <summary>
/// Verifies the specified signature against the public key supplied
/// </summary>
/// <param name="message">The message used to generate the isngautre</param>
/// <param name="encodedPublicKey">The encoded public key</param>
/// <param name="signature">The signature to verify</param>
/// <returns>True if the signature is valid, else false</returns>
public bool VerifySignature(string message, string encodedPublicKey, string signature)
{
byte[] decodedPublicKey = WebEncoders.Base64UrlDecode(encodedPublicKey);
byte[] messageBytes = Encoding.ASCII.GetBytes(message);
byte[] signatureBytes = WebEncoders.Base64UrlDecode(signature);
// Setup validator using Ed25519 curve
var keyParams = new Ed25519PublicKeyParameters(decodedPublicKey, 0);
var validator = new Ed25519Signer();
validator.Init(false, keyParams);
validator.BlockUpdate(messageBytes, 0, messageBytes.Length);
bool isValidSignature = validator.VerifySignature(signatureBytes);
return isValidSignature;
}
}
}
We offer a user interface to allow you to manage webhooks in a simple and straightforward way. You're able to create, update and remove webhooks for all of your applications in a single place.

First, select the application that you want to create a webhook for. You'll then be given the option to 'Add New Webhook', as above. The modal below allows you to input the endpoint where information should be pushed.

Our webhooks system is designed to flexibly work with how your application is built and deployed. If you wish, you can set up a single endpoint to catch all topics for all customers. Alternatively, you may wish to set up a different webhook subscription per topic or per customer.
As part of creating a new webhook, you need to specify which of the available topics (type of event) that your application needs to respond to. If any application makes a change to a customers data that corresponds to a topic that your app is listening for, you'll receive a notification to describe the event.
Data changes from any application will result in a notification being sent to your endpoint(s), including:
- Any other Reapit AppMarket application
For example, if a new offer is added in our AgencyCloud CRM and your application has a webhook set up containing the offers.created topic, your endpoint will be sent a specific, descriptive payload containing the full details of the new offer.
We recommend registering your webhooks in an inactive state and using the Ping function. This allows you to test that your endpoint works as expected before opting to receive live customer updates.
We currently support the following topics, but this will increase over time. Please note that you will only be presented topics if your application has been assigned the associated scope.
Topic | Description | Required scopes |
---|---|---|
application.install | Occurs when a customer installs an application in the AppMarket | None |
application.uninstall | Occurs when a customer uninstalls an application in the AppMarket | None |
applicants.created | applicants.read | |
applicants.modified | applicants.read | |
appointments.cancelled | appointments.read | |
appointments.confirmed | Occurs when an appointment is created or modified and all required parties have confirmed attendance | appointments.read |
appointments.created | appointments.read | |
appointments.modified | appointments.read | |
companies.created | companies.read | |
companies.modified | companies.read | |
contacts.created | contacts.read | |
contacts.modified | contacts.read | |
contacts.optedout | Occurs when a new contact is created with marketing consent set to deny, or the marketing consent state of an existing contact is changed to deny | contacts.read |
conveyancing.modified | conveyancing.read | |
documents.created | documents.read | |
documents.modified | documents.read | |
enquiries.accepted | enquiries.read | |
enquiries.created | enquiries.read | |
enquiries.modified | enquiries.read | |
enquiries.rejected | enquiries.read | |
identitychecks.created | identitychecks.read | |
identitychecks.modified | identitychecks.read | |
landlords.created | landlords.read | |
landlords.modified | landlords.read | |
offers.accepted | Occurs when a new offer is created in an accepted state, or the status of an existing offer is changed to accepted | offers.read |
offers.created | offers.read | |
offers.modified | offers.read | |
offers.rejected | Occurs when a new offer is created in a withdrawn state, or the status of an existing offer is changed to withdrawn | offers.read |
offers.withdrawn | Occurs when a new offer is created in a rejected state, or the status of an existing offer is changed to rejected | offers.read |
offices.created | offices.read | |
offices.modified | offices.read | |
properties.created | properties.read | |
properties.modified | properties.read | |
properties.selling.askingpricechanged | properties.read | |
properties.selling.completed | Occurs when a new sales property is created with a status of completed, or an existing sales property's status is changed to completed | properties.read |
properties.selling.exchanged | Occurs when a new sales property is created with a status of exchanged, or an existing sales property's status is changed to exchanged | properties.read |
properties.selling.withdrawn | Occurs when a new sales property is created with a status of withdrawn, or an existing sales property's status is changed to withdrawn | properties.read |
properties.selling.instructed | Occurs when a new sales property is created with a status of forSale or forSaleUnavailable, or an existing sales property's status is changed to forSale or forSaleUnavailable, and the previous status was one of preAppraisal, valuation or paidValuation | properties.read |
properties.selling.lostinstruction | Occurs when a new sales property is created in a lost instruction state, or an existing sales property's lost instruction data has been set for the first time | properties.read |
properties.selling.underoffer | Occurs when a new sales property is created with a status of underOffer or underOfferUnavailable, or an existing sales property's status is changed to underOffer or underOfferUnavailable | properties.read |
propertyimages.created | properties.read | |
propertyimages.modified | properties.read | |
tenancies.created | tenancies.read | |
tenancies.modified | tenancies.write | |
vendors.created | vendors.read | |
vendors.modified | vendors.read | |
worksorders.cancelled | Occurs when a new works order is created in a cancelled state, or the status of an existing works order is changed to cancelled | worksorders.read |
worksorders.complete | Occurs when a new works order is created in a complete state, or the status of an existing works order is changed to complete | worksorders.read |
worksorders.modified | worksorders.read | |
worksorders.raised | Occurs when a new works order is created in a raised state, or the status of an existing works order is changed to raised | worksorders.read |
You must configure the customer(s) that your webhook will respond to events for. Only customers who have installed your listed application will appear here.
- Specify one or more customers to receive only event originating from those customers
- Specify 'SBOX' to listen to events triggered from our sandbox (useful for testing)
- Leave this field blank to respond to events for all customers who have installed your application. You will immediately receive events for new customers who install your application without any configuration change required. This does not include sandbox events.
By default, webhooks will not be emitted when only the entity's eTag and modified timestamp has changed. If you would prefer to receive notifications in this situation, please use the Ignore notifications where only the eTag has been modified toggle option when configuring your webhook
To test your webhook end to end with real data, use the sandbox database available to you in the Developer Portal. Set up a webhook to listen to 'SBOX' events and make changes to the sandbox using our APIs or Interactive API Explorer.
We also provide a REST API to allow webhooks to be programmatically created for the customer/application that your access token has been issued on behalf of. Please see the swagger documentation for technical details on how to integrate.
We use a consistent schema to describe any event that we broadcast in a descriptive and self-contained way. The notifications we emit indicate that an event has happened - but additionally and where appropriate - we provide details about the actual data change that has occurred. This allows your application to ascertain granular details about the event without needing additional API calls.
Below is an example of what a contacts.modified webhook event might look like
{
"SendAttempts": 1,
"eventId": "9e7e4181-6210-49ea-abf5-d5ce16d23647",
"entityId": "RPT20000029",
"customerId": "webhook-test",
"eventTime": "2020-05-13T09:33:16.8811358Z",
"topicId": "contacts.modified",
"new": {
"id": "RPT20000029",
"created": "2020-05-13T09:32:24Z",
"modified": "2020-05-13T09:33:10Z",
"title": "Mr",
"forename": "John",
"surname": "Smith",
"dateOfBirth": null,
"active": true,
"marketingConsent": "notAsked",
"identityCheck": "unchecked",
"source": null,
"homePhone": null,
"workPhone": null,
"mobilePhone": "07123 456789",
"email": "[email protected]",
"primaryAddress": {
"type": "primary",
"buildingName": "",
"buildingNumber": "12",
"line1": "High Street",
"line2": "Clacton-On-Sea",
"line3": "Essex",
"line4": "",
"postcode": "CO15 1AE",
"countryId": "GB"
},
"secondaryAddress": null,
"workAddress": null,
"officeIds": ["RPT"],
"negotiatorIds": ["RPT"],
"_eTag": "\"4DF107A6EB05D792EEAFDF1432F6E275\""
},
"old": {
"id": "RPT20000029",
"created": "2020-05-13T09:32:24Z",
"modified": null,
"title": "Mr",
"forename": "John",
"surname": "Smith",
"dateOfBirth": null,
"active": true,
"marketingConsent": "notAsked",
"identityCheck": "unchecked",
"source": null,
"homePhone": null,
"workPhone": null,
"mobilePhone": null,
"email": "[email protected]",
"primaryAddress": {
"type": "primary",
"buildingName": "",
"buildingNumber": "1",
"line1": "High Street",
"line2": "Clacton-On-Sea",
"line3": "Essex",
"line4": "",
"postcode": "CO15 1AE",
"countryId": "GB"
},
"secondaryAddress": null,
"workAddress": null,
"officeIds": ["RPT"],
"negotiatorIds": ["RPT"],
"_eTag": "\"65D680519E9762519D203891A694B85B\""
},
"diff": {
"modified": [null, "2020-05-13T09:33:10Z"],
"mobilePhone": [null, "07123 456789"],
"primaryAddress": {
"buildingNumber": ["1", "12"]
},
"_eTag": ["\"65D680519E9762519D203891A694B85B\"", "\"4DF107A6EB05D792EEAFDF1432F6E275\""]
}
}
The following table outlines the purpose of each property in the payload
Property | Description |
---|---|
SendAttempts | The number of attempts it took to successfully deliver the message. Please see failure handling section regarding retry policy with exponential backoff |
eventId | A unique identifier for the event. Some events will trigger multiple notifications (for example if the name of a contact changes, you'll also receive a notification for each of their associated roles. These will share the same event identifier) |
entityId | If applicable, the unique identifier of the entity that the event is associated to. Please note that by itself this is not a globally unique identifier. Uniqueness can be achieved by also including the customerId |
customerId | The unique identifier of the Reapit customer whom the data event is associated with |
eventTime | The UTC date and time the event was emitted from our Platform |
topicId | |
new | The new version of the entity, if applicable - this property will be null if a user has deleted or archived the entity. |
old | The old version of the entity, if applicable - this property will be null in the event of a .created event. |
diff | A diff outlining the exact changes between the new/old payloads. The diff is only populated for .modified events where both new /old representations of the entity are available. |
The content of the
new
, old
, and diff
properties in the webhook event payload use the same schema that the respective API endpoints use. For example, if the payload received has a topicId
of contacts.modified
then these payload properties will use the same schema as the GET /contacts
API endpointsWhen you have an endpoint configured, you can test it by using the Ping function. This will send a test event with an example payload to the URL stored against the webhook for the selected topic. You will only be able to select topics that are applicable to the webhook being tested.

The user interface will show a success or failure based on the response back from the endpoint. In the event of a success response, you will have received the example payload to the configured endpoint.
We also recommend testing your webhooks using our sandbox environment before applying them to customers.
All events submitted from the Ping function use example data and will have a
customerId
of 'webhook-test' and an entityId
of '9e7e4181-6210-49ea-abf5-d5ce16d23647'. Receiving services need to handle this appropriately and not treat the payload as production eventAs with any integrated system, there's always a possibility of the endpoint we try to send a webhook notification to being unavailable at certain periods. For this reason a retry policy with exponential backoff has been built so that small periods of downtime do not result in messages not being delivered to you.
Where we fail to deliver a webhook on the first attempt, we will retry up to 5 times at the following intervals (6 delivery attempts in total):
Delivery attempt | Delivery delay (seconds/minutes) |
---|---|
2 | 60s (1m) after the first delivery attempt |
3 | 120s (2m) after the second delivery attempt |
4 | 300s (5m) after the third delivery attempt |
5 | 600s (10m) after the fourth delivery attempt |
6 | 900s (15m) after the fifth delivery attempt. No more attempts to deliver the message will be made after this attempt |
The number of attempts it took to deliver the message is available in the payload. See the Example payload for more information.
Please note that we will not retry to send messages that were not delivered on the first attempt in the following scenarios:
- Where the webhook event is associated to Sandbox data
- Where the response code we received from your configured endpoint was 4XX. This is indicative of a misconfigured webhook or authentication problem on the target system
- Events are generated in near real-time and though extremely unlikely, we do not guarantee that you will only get a single notification for an event.
- We do not guarantee that webhooks will be sent in the exact order that the events occurred. You can use the
eventTime
to determine when each event occurred. - Webhooks originated requests contribute to developer analytics and billing in the same way as regular API requests do
We will be introducing an automatic retry policy with exponential backoff as an additional feature in due course
Last modified 7mo ago