This guide enables Flutter wallet developers to integrate WalletConnect Pay for processing crypto payment links through reown_walletkit. The integration allows wallet applications to accept and process payment requests from merchants using the WalletConnect Pay protocol.
Study and adapt, don't blindly copy. Before implementing, examine how your existing wallet app handles:
- Deep links and QR code scanning
- Modal/bottom sheet presentation
- State management patterns
- Signing implementations for different methods
Maintain consistent architecture and naming conventions with your existing codebase.
Before starting, ensure your wallet app has:
- WalletKit SDK integrated (
reown_walletkit: ^1.4.0package or newer) - EVM signing capability supporting:
eth_signTypedData_v4(EIP-712 typed data signing)personal_sign(message signing)
- Async/await patterns for handling asynchronous operations
- UI modal/bottom sheet system for presenting payment flows
- Understanding of CAIP-10 account format:
{namespace}:{chainId}:{address}(e.g.,eip155:1:0x1234...)
Payment Link → Detect → Get Options → [Collect Data] → Sign Actions → Confirm Payment → Result
- Payment Link Detection: Identify incoming payment links from QR codes, deep links, or text input
- Get Payment Options: Retrieve available payment methods with merchant information
- Data Collection (optional): Collect KYC/compliance data if required by the payment
- Sign Actions: Execute wallet signing operations (typically
eth_signTypedData_v4) - Confirm Payment: Submit signatures to complete the transaction
- Handle Result: Display success/failure and handle polling if needed
| Model | Purpose |
|---|---|
GetPaymentOptionsRequest |
Request to fetch available payment options |
PaymentOptionsResponse |
Contains payment ID, options, merchant info, and data collection requirements |
PaymentOption |
Individual payment option with amount, account, and actions |
Action / WalletRpcAction |
Signing request with chain ID, method, and parameters |
ConfirmPaymentRequest |
Request to confirm payment with signatures |
ConfirmPaymentResponse |
Payment status and polling information |
PaymentStatus |
Enum: requires_action, processing, succeeded, failed, expired |
The walletconnect_pay package is already a dependency of reown_walletkit and is re-exported. No additional dependencies are needed.
# pubspec.yaml
dependencies:
reown_walletkit: ^1.4.0 # Check for latest versionAll Pay-related types are exported from reown_walletkit:
import 'package:reown_walletkit/reown_walletkit.dart';
// This includes: WalletConnectPay, PaymentOptionsResponse, PaymentOption,
// Action, WalletRpcAction, ConfirmPaymentRequest, PaymentStatus, etc.Pay is automatically initialized when you call walletKit.init(). No separate Pay configuration is required.
// Create WalletKit instance
final walletKit = ReownWalletKit(
core: ReownCore(
projectId: 'YOUR_PROJECT_ID',
logLevel: LogLevel.info,
),
metadata: PairingMetadata(
name: 'Your Wallet Name',
description: 'Your wallet description',
url: 'https://yourwallet.app',
icons: ['https://yourwallet.app/icon.png'],
redirect: Redirect(
native: 'yourwallet://',
universal: 'https://yourwallet.app',
),
),
);
// Initialize - this also initializes Pay
await walletKit.init();
// Pay is now available via walletKit.pay or through delegated methodsUse walletKit.isPaymentLink() to detect payment links. This check must occur at ALL URI entry points in your app.
/// Check if a URI is a payment link
bool isPaymentLink(String uri) {
return walletKit.isPaymentLink(uri);
}CRITICAL: Add payment link detection to:
- QR code scanner results
- Deep link handlers (cold start and warm start)
- Paste/text input handlers
- Universal link handlers
Important: Payment links are HTTPS URLs. Ensure the isPaymentLink() check happens BEFORE any generic HTTPS URL handling to prevent opening payment links in a browser.
// Example: In your pairing/URI handler
Future<void> handleUri(String uri) async {
if (walletKit.isPaymentLink(uri)) {
// Handle as payment
// See fetchPaymentOptions on Step 4
} else {
// Handle as standard WalletConnect pairing
await walletKit.pair(uri: Uri.parse(uri));
}
}Retrieve available payment options using the wallet's accounts in CAIP-10 format.
/// Get payment options for a payment link
Future<PaymentOptionsResponse> fetchPaymentOptions(String paymentLink) async {
// Get wallet accounts in CAIP-10 format
// Format: eip155:{chainId}:{address}
final accounts = await getWalletAccounts();
// Example: ['eip155:1:0x123...', 'eip155:137:0x123...', 'eip155:42161:0x123...']
final request = GetPaymentOptionsRequest(
paymentLink: paymentLink,
accounts: accounts,
includePaymentInfo: true, // Include merchant and payment details
);
try {
final response = await walletKit.getPaymentOptions(request: request);
return response;
} on GetPaymentOptionsError catch (e) {
// Handle specific error codes
// e.code: 'PaymentExpired', 'PaymentNotFound', 'InvalidAccount', etc.
throw e;
}
}
/// Helper: Get wallet accounts in CAIP-10 format
Future<List<String>> getWalletAccounts() async {
final List<String> accounts = [];
// For each supported chain, add the account
// Adjust this based on your wallet's key management
for (final chainId in supportedChainIds) {
final address = await getAddressForChain(chainId);
accounts.add('$chainId:$address');
}
return accounts;
}Response Structure:
class PaymentOptionsResponse {
final String paymentId; // Unique ID for this payment session
final PaymentInfo? info; // Merchant and payment details
final List<PaymentOption> options; // Available payment methods
final CollectDataAction? collectData; // Optional data collection requirements
}
class PaymentInfo {
final PaymentStatus status;
final PayAmount amount; // Payment amount with display info
final int expiresAt; // Unix timestamp
final MerchantInfo merchant; // Merchant name and icon
final BuyerInfo? buyer;
}
class PaymentOption {
final String id; // Option ID for subsequent requests
final String account; // CAIP-10 account to pay from
final PayAmount amount; // Amount in this option's token
final int etaSeconds; // Estimated completion time
final List<Action> actions; // Signing actions (may be empty initially)
}If response.collectData is not null, you must collect the required data before proceeding.
/// Collect required data fields
Future<List<CollectDataFieldResult>?> collectRequiredData(
CollectDataAction collectData,
) async {
final List<CollectDataFieldResult> results = [];
for (final field in collectData.fields) {
// Present UI to collect each field
final value = await showDataCollectionDialog(field);
if (value == null && field.required) {
// User cancelled and field is required
return null;
}
if (value != null) {
results.add(CollectDataFieldResult(
id: field.id,
value: value,
));
}
}
return results;
}
/// Example: Show dialog for a single field
Future<String?> showDataCollectionDialog(CollectDataField field) async {
switch (field.fieldType) {
case CollectDataFieldType.text:
return await showTextInputDialog(
label: field.name,
required: field.required,
);
case CollectDataFieldType.date:
return await showDatePickerDialog(
label: field.name,
required: field.required,
);
}
}Field Types:
CollectDataFieldType.text- Free-form text input (e.g., full name, place of birth)CollectDataFieldType.date- Date input, format asYYYY-MM-DD
If the selected payment option has empty actions, fetch them explicitly.
/// Get signing actions for a payment option
Future<List<Action>> fetchRequiredActions(
String paymentId,
String optionId,
) async {
final request = GetRequiredPaymentActionsRequest(
paymentId: paymentId,
optionId: optionId,
);
try {
return await walletKit.getRequiredPaymentActions(request: request);
} on GetRequiredActionsError catch (e) {
throw e;
}
}Action Structure:
class Action {
final WalletRpcAction walletRpc;
}
class WalletRpcAction {
final String chainId; // CAIP-2 chain ID (e.g., 'eip155:1')
final String method; // JSON-RPC method (e.g., 'eth_signTypedData_v4')
final String params; // JSON string of parameters
}CRITICAL: The params field contains a JSON string. Handle it appropriately for your signing library.
/// Sign all actions and return signatures
Future<List<String>> signActions(List<Action> actions) async {
final List<String> signatures = [];
for (final action in actions) {
final signature = await signAction(action);
signatures.add(signature);
}
return signatures;
}
/// Sign a single action
Future<String> signAction(Action action) async {
final walletRpc = action.walletRpc;
final chainId = walletRpc.chainId;
final method = walletRpc.method;
final params = walletRpc.params;
switch (method) {
case 'eth_signTypedData_v4':
return await signTypedDataV4(chainId, params);
case 'personal_sign':
return await personalSign(chainId, params);
default:
throw UnimplementedError('Unsupported signing method: $method');
}
}import 'dart:convert';
import 'package:eth_sig_util_plus/eth_sig_util_plus.dart' as eth_sig_util;
/// Sign typed data (EIP-712)
String signTypedDataV4(String chainId, String params) {
// Parse the params - it's a JSON array: [address, typedData]
final decodedParams = jsonDecode(params) as List<dynamic>;
final typedData = decodedParams.last; // The typed data object or string
// Get the typed data as a JSON string
final String jsonData;
if (typedData is String) {
jsonData = typedData;
} else {
jsonData = jsonEncode(typedData);
}
// Normalize hex values (some values may have odd-length hex strings)
final normalizedData = _normalizeHexValues(jsonData);
// Get the private key for the chain
final privateKey = getPrivateKeyForChain(chainId);
// Sign using eth_sig_util
final signature = eth_sig_util.EthSigUtil.signTypedData(
privateKey: privateKey,
jsonData: normalizedData,
version: eth_sig_util.TypedDataVersion.V4,
);
return signature;
}
/// Normalize hex values to have even length
String _normalizeHexValues(String jsonString) {
// Pad odd-length hex values (e.g., "0x186a0" -> "0x0186a0")
return jsonString.replaceAllMapped(
RegExp(r'"0x([0-9a-fA-F]+)"'),
(match) {
final hex = match.group(1)!;
return hex.length % 2 == 0 ? match.group(0)! : '"0x0$hex"';
},
);
}import 'dart:convert';
import 'dart:typed_data';
import 'package:eth_sig_util_plus/eth_sig_util_plus.dart' as eth_sig_util;
import 'package:eth_sig_util_plus/util/utils.dart' as eth_sig_util_util;
/// Sign a personal message
String personalSign(String chainId, String params) {
// Parse the params - it's a JSON array: [message, address]
final decodedParams = jsonDecode(params) as List<dynamic>;
final message = decodedParams.first as String;
// Get the private key
final privateKey = getPrivateKeyForChain(chainId);
final credentials = EthPrivateKey.fromHex(privateKey);
// Sign the message
final Uint8List messageBytes;
if (message.startsWith('0x')) {
messageBytes = eth_sig_util_util.hexToBytes(message.substring(2));
} else {
messageBytes = utf8.encode(message);
}
final signature = credentials.signPersonalMessageToUint8List(messageBytes);
return eth_sig_util_util.bytesToHex(signature, include0x: true);
}Submit signatures to complete the payment.
/// Confirm the payment with signatures
Future<ConfirmPaymentResponse> confirmPayment({
required String paymentId,
required String optionId,
required List<String> signatures,
List<CollectDataFieldResult>? collectedData,
}) async {
final request = ConfirmPaymentRequest(
paymentId: paymentId,
optionId: optionId,
signatures: signatures,
collectedData: collectedData,
maxPollMs: 60000, // Poll for up to 60 seconds
);
try {
final response = await walletKit.confirmPayment(request: request);
return response;
} on ConfirmPaymentError catch (e) {
// Handle specific errors
// e.code: 'InvalidSignature', 'PaymentExpired', 'RouteExpired', etc.
throw e;
}
}CRITICAL: Signatures array must match actions array order exactly. Misalignment causes payment failures.
/// Handle the payment response
Future<void> handlePaymentResult(ConfirmPaymentResponse response) async {
switch (response.status) {
case PaymentStatus.succeeded:
// Payment completed successfully
showSuccessScreen();
break;
case PaymentStatus.processing:
// Payment is being processed
if (!response.isFinal && response.pollInMs != null) {
// Continue polling
await Future.delayed(Duration(milliseconds: response.pollInMs!));
// Call confirmPayment again to check status
}
break;
case PaymentStatus.failed:
showErrorScreen('Payment failed');
break;
case PaymentStatus.expired:
showErrorScreen('Payment expired');
break;
case PaymentStatus.requires_action:
// Should not reach here after signing
showErrorScreen('Additional action required');
break;
}
}/// Complete payment processing flow
Future<void> processPayment(String paymentLink) async {
try {
// Step 1: Get payment options
final accounts = await getWalletAccounts();
final options = await walletKit.getPaymentOptions(
request: GetPaymentOptionsRequest(
paymentLink: paymentLink,
accounts: accounts,
includePaymentInfo: true,
),
);
if (options.options.isEmpty) {
throw Exception('No payment options available');
}
// Step 2: Show payment UI and let user select option
final selectedOption = await showPaymentOptionsModal(options);
if (selectedOption == null) return; // User cancelled
// Step 3: Collect data if required
List<CollectDataFieldResult>? collectedData;
if (options.collectData != null) {
collectedData = await collectRequiredData(options.collectData!);
if (collectedData == null) return; // User cancelled
}
// Step 4: Get actions if not included in option
List<Action> actions = selectedOption.actions;
if (actions.isEmpty) {
actions = await walletKit.getRequiredPaymentActions(
request: GetRequiredPaymentActionsRequest(
paymentId: options.paymentId,
optionId: selectedOption.id,
),
);
}
// Step 5: Sign all actions
final signatures = await signActions(actions);
// Step 6: Confirm payment
final result = await walletKit.confirmPayment(
request: ConfirmPaymentRequest(
paymentId: options.paymentId,
optionId: selectedOption.id,
signatures: signatures,
collectedData: collectedData,
maxPollMs: 60000,
),
);
// Step 7: Handle result
await handlePaymentResult(result);
} on GetPaymentOptionsError catch (e) {
showError('Failed to get payment options: ${e.message}');
} on GetRequiredActionsError catch (e) {
showError('Failed to get signing actions: ${e.message}');
} on ConfirmPaymentError catch (e) {
showError('Failed to confirm payment: ${e.message}');
} catch (e) {
showError('Payment error: $e');
}
}- Loading State: Show while fetching payment options
- Payment Details: Display merchant info, amount, and payment options
- Data Collection (conditional): Collect required fields
- Processing State: Show while confirming payment
- Result Screen: Success or failure with details
/// Payment details modal
class PaymentDetailsModal extends StatefulWidget {
final PaymentOptionsResponse options;
const PaymentDetailsModal({required this.options});
@override
State<PaymentDetailsModal> createState() => _PaymentDetailsModalState();
}
class _PaymentDetailsModalState extends State<PaymentDetailsModal> {
late PaymentOption _selectedOption;
@override
void initState() {
super.initState();
_selectedOption = widget.options.options.first;
}
@override
Widget build(BuildContext context) {
final info = widget.options.info;
return Container(
child: Column(
children: [
// Merchant header
if (info != null) ...[
MerchantHeader(merchant: info.merchant),
AmountDisplay(amount: info.amount),
],
// Payment options selector
PaymentOptionSelector(
options: widget.options.options,
selected: _selectedOption,
onSelected: (option) => setState(() => _selectedOption = option),
),
// Pay button
ElevatedButton(
onPressed: () => Navigator.pop(context, _selectedOption),
child: Text('Pay ${formatAmount(info?.amount)}'),
),
],
),
);
}
}/// Format a PayAmount for display
String formatPayAmount(PayAmount payAmount) {
// Handle fiat currency (ISO 4217)
if (payAmount.unit.startsWith('iso4217')) {
return _formatFiatAmount(payAmount);
}
// Handle crypto amount using the extension
return payAmount.formatAmount();
}
String _formatFiatAmount(PayAmount payAmount) {
final unitOrCode = payAmount.unit;
final code = unitOrCode.contains('/')
? unitOrCode.split('/').last.toUpperCase()
: unitOrCode.toUpperCase();
const Map<String, String> symbols = {
'USD': r'$', 'EUR': '€', 'GBP': '£', 'JPY': '¥',
'CAD': r'$', 'AUD': r'$', 'CHF': 'CHF', 'CNY': '¥',
// Add more as needed
};
final symbol = symbols[code] ?? code;
return '$symbol${payAmount.formatAmount(withSymbol: false).trim()}';
}/// Format expiration time
String formatExpiration(int expiresAt) {
final expiry = DateTime.fromMillisecondsSinceEpoch(expiresAt * 1000);
final remaining = expiry.difference(DateTime.now());
if (remaining.isNegative) return 'Expired';
if (remaining.inMinutes < 1) return '${remaining.inSeconds}s';
if (remaining.inHours < 1) return '${remaining.inMinutes}m';
return '${remaining.inHours}h ${remaining.inMinutes % 60}m';
}extension DateTimeFormatting on DateTime {
/// Format date as YYYY-MM-DD for data collection
String get formatted {
return '$year-${month.toString().padLeft(2, '0')}-${day.toString().padLeft(2, '0')}';
}
}| Error Class | When Thrown |
|---|---|
GetPaymentOptionsError |
Failed to fetch payment options |
GetRequiredActionsError |
Failed to fetch signing actions |
ConfirmPaymentError |
Failed to confirm payment |
PayInitializeError |
Failed to initialize Pay SDK |
GetPaymentOptions:
PaymentExpired- Payment link has expiredPaymentNotFound- Invalid payment linkInvalidAccount- Provided account format is invalidComplianceFailed- Compliance check failed
ConfirmPayment:
InvalidSignature- Signature verification failedPaymentExpired- Payment expired during processRouteExpired- Selected payment route expiredUnsupportedMethod- Signing method not supported
try {
final response = await walletKit.getPaymentOptions(request: request);
// Handle success
} on GetPaymentOptionsError catch (e) {
switch (e.code) {
case 'PaymentExpired':
showError('This payment link has expired');
break;
case 'PaymentNotFound':
showError('Invalid payment link');
break;
case 'InvalidAccount':
showError('Please check your wallet configuration');
break;
default:
showError('Error: ${e.message}');
}
} catch (e) {
showError('Unexpected error: $e');
}Wrong: 0x1234...
Correct: eip155:1:0x1234... (CAIP-10 format)
CRITICAL: Signatures must be in the same order as actions.
// CORRECT
final signatures = <String>[];
for (final action in actions) {
signatures.add(await signAction(action));
}
// WRONG - parallel execution may change order
final signatures = await Future.wait(
actions.map((a) => signAction(a)),
);The walletRpc.params is a JSON string. Parse appropriately:
// For eth_signTypedData_v4
final decodedParams = jsonDecode(params) as List<dynamic>;
final typedData = decodedParams.last; // May be String or MapSome hex values may have odd length. Normalize before signing:
// "0x186a0" -> "0x0186a0"Check for payment links BEFORE generic URL handling:
if (walletKit.isPaymentLink(uri)) {
await processPayment(uri); // Handle as payment
} else if (uri.startsWith('wc:')) {
await walletKit.pair(uri: Uri.parse(uri)); // WalletConnect pairing
} else if (uri.startsWith('https://')) {
// Generic HTTPS - this should come LAST
}Payment options may have empty actions array initially. Always check and fetch if needed:
List<Action> actions = option.actions;
if (actions.isEmpty) {
actions = await walletKit.getRequiredPaymentActions(...);
}Contact WalletConnect for test payment links or use the WalletConnect Pay sandbox environment.
Enable logging during development:
final walletKit = ReownWalletKit(
core: ReownCore(
projectId: 'YOUR_PROJECT_ID',
logLevel: LogLevel.all, // Enable all logs
),
// ...
);// Check if URI is a payment link
walletKit.isPaymentLink(uri)
// Get payment options
walletKit.getPaymentOptions(request: GetPaymentOptionsRequest(...))
// Get signing actions
walletKit.getRequiredPaymentActions(request: GetRequiredPaymentActionsRequest(...))
// Confirm payment
walletKit.confirmPayment(request: ConfirmPaymentRequest(...))
// Direct access to Pay instance
walletKit.pay- WalletKit initialized with
await walletKit.init() - Payment link detection added to all URI entry points
-
isPaymentLink()check occurs BEFORE generic URL handling - Accounts formatted in CAIP-10 format
-
eth_signTypedData_v4signing implemented - Hex value normalization for typed data signing
- Signature order matches action order
- Data collection UI for compliance fields
- Error handling for all error types
- Loading states during API calls
- Success/failure result screens
- Polling handled for non-final responses
See the complete working implementation in the WalletKit example app:
packages/reown_walletkit/example/lib/dependencies/walletkit_service.dartpackages/reown_walletkit/example/lib/walletconnect_pay/(UI modals)packages/reown_walletkit/example/lib/dependencies/chain_services/evm_service.dart(signing)