Monitor Incoming Payments with WebSocket
This tutorial shows how to monitor for incoming payments using the WebSocket API. Since all XRP Ledger transactions are public, anyone can monitor incoming payments to any address.
WebSocket follows a model where the client and server open one connection, then send messages both ways through the same connection, which stays open until explicitly closed (or until the connection fails). This is in contrast to the HTTP-based API model (including JSON-RPC and RESTful APIs), where the client opens and closes a new connection for each request.¹
Prerequisites
- The examples in this page use JavaScript and the WebSocket protocol, which are available in all major modern browsers. If you have some JavaScript knowledge and expertise in another programming language with a WebSocket client, you can follow along while adapting the instructions to the language of your choice.
- You need a stable internet connection and access to an XRP Ledger server. The embedded examples connect to Ripple's pool of public servers. If you run your own
rippled
or Clio server, you can also connect to that server locally. - To properly handle XRP values without rounding errors, you need access to a number type that can do math on 64-bit unsigned integers. The examples in this tutorial use big.js. If you are working with tokens, you need even more precision. For more information, see Currency Precision.
1. Connect to the XRP Ledger
The first step of monitoring for incoming payments is to connect to the XRP Ledger, specifically a rippled
server.
The following JavaScript code connects to one of Ripple's public server clusters. It then logs a message to the console, sends a request using the ping method and sets up a handler to log to the console again when it receives any message from the server side.
const socket = new WebSocket('wss://s.altnet.rippletest.net:51233') socket.addEventListener('open', (event) => { // This callback runs when the connection is open console.log("Connected!") const command = { "id": "on_open_ping_1", "command": "ping" } socket.send(JSON.stringify(command)) }) socket.addEventListener('message', (event) => { console.log('Got message from server:', event.data) }) socket.addEventListener('close', (event) => { // Use this event to detect when you have become disconnected // and respond appropriately. console.log('Disconnected...') })
The above example opens a secure connection (wss://
) to one of Ripple's public API servers on the Test Net. To connect to a locally-running rippled
server with the default configuration instead, open an unsecured connection (ws://
) on port 6006 locally, using the following first line:
const socket = new WebSocket('ws://localhost:6006')
rippled
server gives you access to the full set of admin methods and admin-only data in some responses such as server_info, plus the public methods that are available when you connect to public servers over the internet.Example:
Connection status: Not connected
Console:
2. Dispatch Incoming Messages to Handlers
Since WebSocket connections can have several messages going each way and there is not a strict 1:1 correlation between requests and responses, you need to identify what to do with each incoming message. A good model for coding this is to set up a "dispatcher" function that reads incoming messages and relays each message to the correct code path for handling it. To help dispatch messages appropriately, the rippled
server provides a type
field on every WebSocket message:
For any message that is a direct response to a request from the client side, the
type
is the stringresponse
. In this case, the server also provides the following:An
id
field that matches theid
provided in the request this is a response for. (This is important because responses may arrive out of order.)A
status
field that indicates whether the API successfully processed your request. The string valuesuccess
indicates a successful response. The string valueerror
indicates an error.WarningWhen submitting transactions, astatus
ofsuccess
at the top level of the WebSocket message does not mean that the transaction itself succeeded. It only indicates that the server understood your request. For looking up a transaction's actual outcome, see Look Up Transaction Results.
For follow-up messages from subscriptions, the
type
indicates the type of follow-up message it is, such as the notification of a new transaction, ledger, or validation; or a follow-up to an ongoing pathfinding request. Your client only receives these messages if it subscribes to them.
.on(event, callback)
method of the Client
.The following JavaScript code defines a helper function to make API requests into convenient asynchronous Promises, and sets up an interface to map other types of messages to global handlers:
const AWAITING = {} const handleResponse = function(data) { if (!data.hasOwnProperty("id")) { console.error("Got response event without ID:", data) return } if (AWAITING.hasOwnProperty(data.id)) { AWAITING[data.id].resolve(data) } else { console.warn("Response to un-awaited request w/ ID " + data.id) } } let autoid_n = 0 function api_request(options) { if (!options.hasOwnProperty("id")) { options.id = "autoid_" + (autoid_n++) } let resolveHolder; AWAITING[options.id] = new Promise((resolve, reject) => { // Save the resolve func to be called by the handleResponse function later resolveHolder = resolve try { // Use the socket opened in the previous example... socket.send(JSON.stringify(options)) } catch(error) { reject(error) } }) AWAITING[options.id].resolve = resolveHolder; return AWAITING[options.id] } const WS_HANDLERS = { "response": handleResponse // Fill this out with your handlers in the following format: // "type": function(event) { /* handle event of this type */ } } socket.addEventListener('message', (event) => { const parsed_data = JSON.parse(event.data) if (WS_HANDLERS.hasOwnProperty(parsed_data.type)) { // Call the mapped handler WS_HANDLERS[parsed_data.type](parsed_data) } else { console.log("Unhandled message from server", event) } }) // Show api_request functionality async function pingpong() { console.log("Ping...") const response = await api_request({command: "ping"}) console.log("Pong!", response) } // Add pingpong() to the 'open' listener for socket
Responses
3. Subscribe to the Account
To get a live notification whenever a transaction affects your account, you can subscribe to the account with the subscribe method. In fact, it doesn't have to be your own account: since all transactions are public, you can subscribe to any account or even a combination of accounts.
After you subscribe to one or more accounts, the server sends a message with "type": "transaction"
on each validated transaction that affects any of the specified accounts in some way. To confirm this, look for "validated": true
in the transaction messages.
The following code sample subscribes to the Test Net Faucet's sending address. It logs a message on each such transaction by adding a handler to the dispatcher from the previous step.
async function do_subscribe() { const sub_response = await api_request({ command:"subscribe", accounts: ["rPT1Sjq2YGrBMTttX4GZHjKu9dyfzbpAYe"] }) if (sub_response.status === "success") { console.log("Successfully subscribed!") } else { console.error("Error subscribing: ", sub_response) } } // Add do_subscribe() to the 'open' listener for socket const log_tx = function(tx) { console.log(tx.transaction.TransactionType + " transaction sent by " + tx.transaction.Account + "\n Result: " + tx.meta.TransactionResult + " in ledger " + tx.ledger_index + "\n Validated? " + tx.validated) } WS_HANDLERS["transaction"] = log_tx
For the following example, try opening the Transaction Sender in a different window or even on a different device and sending transactions to the address you subscribed to:
Transactions
4. Read Incoming Payments
When you subscribe to an account, you get messages for all transactions to or from the account, as well as transactions that affect the account indirectly, such as trading its tokens. If your goal is to recognize when the account has received incoming payments, you must filter the transactions stream and process the payments based on the amount they actually delivered. Look for the following information:
The
validated
field indicates that the transaction's outcome is final. This should always be the case when you subscribe toaccounts
, but if you also subscribe toaccounts_proposed
or thetransactions_proposed
stream then the server sends similar messages on the same connection for unconfirmed transactions. As a precaution, it's best to always check thevalidated
field.The
meta.TransactionResult
field is the transaction result. If the result is nottesSUCCESS
, the transaction failed and cannot have delivered any value.The
transaction.Account
field is the sender of the transaction. If you are only looking for transactions sent by others, you can ignore any transactions where this field matches your account's address. (Keep in mind, it is possible to make a cross-currency payment to yourself.)The
transaction.TransactionType
field is the type of transaction. The transaction types that can possibly deliver currency to an account are as follows:Payment transactions can deliver XRP or tokens. Filter these by the
transaction.Destination
field, which contains the address of the recipient, and always use themeta.delivered_amount
to see how much the payment actually delivered. XRP amounts are formatted as strings.WarningIf you use thetransaction.Amount
field instead, you may be vulnerable to the partial payments exploit. Malicious users can use this exploit to trick you into allowing the malicious user to trade or withdraw more money than they paid you.CheckCash transactions allow an account to receive money authorized by a different account's CheckCreate transaction. Look at the metadata of a CheckCash transaction to see how much currency the account received.
EscrowFinish transactions can deliver XRP by finishing an Escrow created by a previous EscrowCreate transaction. Look at the metadata of the EscrowFinish transaction to see which account received XRP from the escrow and how much.
OfferCreate transactions can deliver XRP or tokens by consuming offers your account has previously placed in the XRP Ledger's decentralized exchange. If you never place offers, you cannot receive money this way. Look at the metadata to see what currency the account received, if any, and how much.
PaymentChannelClaim transactions can deliver XRP from a payment channel. Look at the metadata to see which accounts, if any, received XRP from the transaction.
PaymentChannelFund transactions can return XRP from a closed (expired) payment channel to the sender.
The
meta
field contains transaction metadata, including exactly how much of which currency or currencies was delivered where. See Look Up transaction Results for more information on how to understand transaction metadata.
The following sample code looks at transaction metadata of all the above transaction types to report how much XRP an account received:
function CountXRPDifference(affected_nodes, address) { // Helper to find an account in an AffectedNodes array and see how much // its balance changed, if at all. Fortunately, each account appears at most // once in the AffectedNodes array, so we can return as soon as we find it. // Note: this reports the net balance change. If the address is the sender, // the transaction cost is deducted and combined with XRP sent/received for (let i=0; i<affected_nodes.length; i++) { if ((affected_nodes[i].hasOwnProperty("ModifiedNode"))) { // modifies an existing ledger entry let ledger_entry = affected_nodes[i].ModifiedNode if (ledger_entry.LedgerEntryType === "AccountRoot" && ledger_entry.FinalFields.Account === address) { if (!ledger_entry.PreviousFields.hasOwnProperty("Balance")) { console.log("XRP balance did not change.") } // Balance is in PreviousFields, so it changed. Time for // high-precision math! const old_balance = new Big(ledger_entry.PreviousFields.Balance) const new_balance = new Big(ledger_entry.FinalFields.Balance) const diff_in_drops = new_balance.minus(old_balance) const xrp_amount = diff_in_drops.div(1e6) if (xrp_amount.gte(0)) { console.log("Received " + xrp_amount.toString() + " XRP.") return } else { console.log("Spent " + xrp_amount.abs().toString() + " XRP.") return } } } else if ((affected_nodes[i].hasOwnProperty("CreatedNode"))) { // created a ledger entry. maybe the account just got funded? let ledger_entry = affected_nodes[i].CreatedNode if (ledger_entry.LedgerEntryType === "AccountRoot" && ledger_entry.NewFields.Account === address) { const balance_drops = new Big(ledger_entry.NewFields.Balance) const xrp_amount = balance_drops.div(1e6) console.log("Received " + xrp_amount.toString() + " XRP (account funded).") return } } // accounts cannot be deleted at this time, so we ignore DeletedNode } console.log("Did not find address in affected nodes.") return } function CountXRPReceived(tx, address) { if (tx.meta.TransactionResult !== "tesSUCCESS") { console.log("Transaction failed.") return } if (tx.tx_json.TransactionType === "Payment") { if (tx.tx_json.Destination !== address) { console.log("Not the destination of this payment.") return } if (typeof tx.meta.delivered_amount === "string") { const amount_in_drops = new Big(tx.meta.delivered_amount) const xrp_amount = amount_in_drops.div(1e6) console.log("Received " + xrp_amount.toString() + " XRP.") return } else { console.log("Received non-XRP currency.") return } } else if (["PaymentChannelClaim", "PaymentChannelFund", "OfferCreate", "CheckCash", "EscrowFinish"].includes( tx.tx_json.TransactionType)) { CountXRPDifference(tx.meta.AffectedNodes, address) } else { console.log("Not a currency-delivering transaction type (" + tx.tx_json.TransactionType + ").") } }
Transactions
Next Steps
- Look Up Transaction Results to see exactly what a transaction did, and build your software to react appropriately.
- Try Sending XRP from your own address.
- Try monitoring for transactions of advanced types like Escrows, Checks, or Payment Channels, and responding to incoming notifications.
Other Programming Languages
Many programming languages have libraries for sending and receiving data over a WebSocket connection. If you want a head-start on communicating with rippled
's WebSocket API in a language other than JavaScript, the following examples show how:
package main // Connect to the XRPL Ledger using websocket and subscribe to an account // translation from the JavaScript example to Go // https://xrpl.org/monitor-incoming-payments-with-websocket.html // This example uses the Gorilla websocket library to create a websocket client // install: go get github.com/gorilla/websocket import ( "encoding/json" "flag" "log" "net/url" "os" "os/signal" "time" "github.com/gorilla/websocket" ) // websocket address var addr = flag.String("addr", "s.altnet.rippletest.net:51233", "http service address") // Payload object type message struct { Command string `json:"command"` Accounts []string `json:"accounts"` } func main() { flag.Parse() log.SetFlags(0) var m message // check for interrupts and cleanly close the connection interrupt := make(chan os.Signal, 1) signal.Notify(interrupt, os.Interrupt) u := url.URL{Scheme: "ws", Host: *addr, Path: "/"} log.Printf("connecting to %s", u.String()) // make the connection c, _, err := websocket.DefaultDialer.Dial(u.String(), nil) if err != nil { log.Fatal("dial:", err) } // on exit close defer c.Close() done := make(chan struct{}) // send a subscribe command and a target XRPL account m.Command = "subscribe" m.Accounts = append(m.Accounts, "rUCzEr6jrEyMpjhs4wSdQdz4g8Y382NxfM") // struct to JSON marshalling msg, _ := json.Marshal(m) // write to the websocket err = c.WriteMessage(websocket.TextMessage, []byte(string(msg))) if err != nil { log.Println("write:", err) return } // read from the websocket _, message, err := c.ReadMessage() if err != nil { log.Println("read:", err) return } // print the response from the XRP Ledger log.Printf("recv: %s", message) // handle interrupt for { select { case <-done: return case <-interrupt: log.Println("interrupt") // Cleanly close the connection by sending a close message and then // waiting (with timeout) for the server to close the connection. err := c.WriteMessage(websocket.CloseMessage, websocket.FormatCloseMessage(websocket.CloseNormalClosure, "")) if err != nil { log.Println("write close:", err) return } select { case <-done: case <-time.After(time.Second): } return } } }
Footnotes
1. In practice, when calling an HTTP-based API multiple times, the client and server may reuse the same connection for several requests and responses. This practice is called HTTP persistent connection, or keep-alive. From a development standpoint, the code to use an HTTP-based API is the same regardless of whether the underlying connection is new or reused.
See Also
- Concepts:
- Transactions
- Finality of Results - How to know when a transaction's success or failure is final. (Short version: if a transaction is in a validated ledger, its outcome and metadata are final.)
- Tutorials:
- References:
- Transaction Types
- Transaction Metadata - Summary of the metadata format and fields that appear in metadata
- Transaction Results - Tables of all possible result codes for transactions.