开发者文档
API REFERENCE
TronEnergy Energy委托的完整 REST API文档。包括端点、参数、响应格式和错误代码。
基本网址:
https://api.tronnrg.com
授权: 无需任何操作。所有接口均为公开接口。
速率限制: 每个IP每秒20个请求
付款地址: TFqUiCu1JwLHHnBNeaaVKH7Csm4aA3YhZx (仅限API ,不适用于手动租赁) 工作原理
三步即可完成。无需API密钥,无需注册,无需连接钱包。所有权通过加密技术进行验证。
- 发送TRX — 向付款地址发送 4 个TRX (或更多)。4 TRX = 65,000 能量。8 TRX = 130,000 能量。线性。
- 符号 — 签署此信息
{tx_hash}:{delegate_to}使用发送TRX的钱包。这证明您已授权委托。 - 宣称 —
POST /delegate和tx_hash,delegate_to, 和signatureEnergy大约在3秒内到达。
付款地址
TFqUiCu1JwLHHnBNeaaVKH7Csm4aA3YhZx
仅限API支付地址。 此地址用于通过API进行程序化集成。请勿将其用于手动能源租赁。手动租赁地址不同,可在 上找到。tronnrg.com.
请将TRX发送到此地址。您的付款交易哈希值即为触发委托所需的代币。每个哈希值只能使用一次。
| TRX已发送 | Energy委托 | 用例 |
|---|---|---|
| 4 TRX | 65,000 | 标准USDT转账至现有钱包(最低订单金额) |
| 8 TRX | 130,000 | 首次接收者获得USDT转账 |
| 16 TRX | 260,000 | 一次订单包含四笔标准转账 |
| 40 TRX | 650,000 | 十次标准转移 |
| 100 TRX | 1,625,000 | 约 25 次标准传输——小型平台常见 |
| 1,000 TRX | 16,250,000 | 最大订单量,约250次标准转账 |
| 介于两者之间的任何金额 | trx × 16,250 | 完全线性模式。没有等级划分,没有套餐,没有折扣。 |
公式:
energy = trxSent × 16,250. 界限: 最小充值金额为 4 TRX (65,000 能量),最大充值金额为 1,000 TRX (16,250,000 能量)。这两项限制均在API层强制执行——低于最小值的充值金额将被拒绝并退还差额(使用 `below_minimum` 参数);高于最大值的充值金额将在委托前被拒绝。在生产环境中硬编码充值金额之前,务必先通过 `GET /supply` 读取实时值——详见下文。
GET /supply
GET/supply
获取价格信息和付款地址。这是一个信息查询点——能源供应始终可用,您无需在付款前进行确认。
curl https://api.tronnrg.com/supply
const supply = await fetch('https://api.tronnrg.com/supply')
.then(r => r.json());
// Energy is always available. Use supply.pay_to for the payment address.
console.log('Pay to:', supply.pay_to);
import requests
supply = requests.get('https://api.tronnrg.com/supply').json()
# Energy is always available. Use supply['pay_to'] for the payment address.
print(supply['pay_to'])
$supply = json_decode(
file_get_contents('https://api.tronnrg.com/supply'),
true
);
// if less than you require, wait and retry
// Energy is always available. Use $supply['pay_to'] for the payment address.
echo $supply['pay_to'];
var client = new HttpClient();
var json = await client.GetStringAsync("https://api.tronnrg.com/supply");
var supply = JsonSerializer.Deserialize<JsonElement>(json);
// Energy is always available. Use pay_to for the payment address.
var payTo = supply.GetProperty("pay_to").GetString();
Response 200
{
"available": true,
"energy_per_trx": 16250,
"min_order_trx": 4,
"max_order_trx": 1000,
"pay_to": "TFqUiCu1JwLHHnBNeaaVKH7Csm4aA3YhZx",
"examples": {
"standard": { "trx": 4, "energy": 65000, "note": "Existing USDT wallet" },
"new_wallet": { "trx": 8, "energy": 130000, "note": "First-time USDT recipient" }
}
}
POST /delegate
POST/delegate
申请能源委托。您必须已向链上支付地址发送了TRX 。请提供交易哈希值、收款地址以及证明您是发送方的签名。
| Parameter | Type | Description | |
|---|---|---|---|
| tx_hash | string | required | TRX支付的 64 位十六进制哈希值 |
| delegate_to | string | required | 接收能量的Tron地址 |
| signature | string | required | Sign {tx_hash}:{delegate_to} using tronWeb.trx.signMessageV2(). Proves you are the payment sender. |
curl -X POST https://api.tronnrg.com/delegate \
-H "Content-Type: application/json" \
-d '{"tx_hash":"TX_HASH","delegate_to":"TWallet","signature":"SIG"}'
const result = await fetch('https://api.tronnrg.com/delegate', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
tx_hash: 'YOUR_TX_HASH',
delegate_to: 'TWalletAddress',
signature: 'YOUR_SIGNATURE',
}),
}).then(r => r.json());
if (result.error) {
console.error(result.error, result.message);
} else {
console.log('Delegated:', result.energy, 'energy');
console.log('Ref:', result.ref);
}
import requests
response = requests.post('https://api.tronnrg.com/delegate', json={
'tx_hash': 'YOUR_TX_HASH',
'delegate_to': 'TWalletAddress',
'signature': 'YOUR_SIGNATURE',
})
result = response.json()
if 'error' in result:
print(f"Error: {result['error']} - {result['message']}")
else:
print(f"Delegated: {result['energy']} energy")
print(f"Delegation tx: {result['delegations'][0]['tx']}")
print(f"Ref: {result['ref']}")
$ch = curl_init('https://api.tronnrg.com/delegate');
curl_setopt_array($ch, [
CURLOPT_POST => true,
CURLOPT_RETURNTRANSFER => true,
CURLOPT_HTTPHEADER => ['Content-Type: application/json'],
CURLOPT_POSTFIELDS => json_encode([
'tx_hash' => 'YOUR_TX_HASH',
'delegate_to' => 'TWalletAddress',
'signature' => 'YOUR_SIGNATURE',
]),
]);
$result = json_decode(curl_exec($ch), true);
curl_close($ch);
if (isset($result['error'])) {
echo "Error: " . $result['message'];
} else {
echo "Delegated: " . $result['energy'] . " energy";
}
var client = new HttpClient();
var content = new StringContent(
JsonSerializer.Serialize(new {
tx_hash = "YOUR_TX_HASH",
delegate_to = "TWalletAddress",
signature = "YOUR_SIGNATURE"
}),
Encoding.UTF8, "application/json"
);
var response = await client.PostAsync("https://api.tronnrg.com/delegate", content);
var json = await response.Content.ReadAsStringAsync();
var result = JsonSerializer.Deserialize<JsonElement>(json);
if (result.TryGetProperty("error", out var err))
Console.WriteLine($"Error: {err}");
else
Console.WriteLine($"Delegated: {result.GetProperty("energy")} energy");
Response 200
{
"ref": "nrg_d_42",
"delegate_to": "TWalletAddress",
"energy": 65000,
"cost": 4,
"status": "delegated",
"delegations": [
{ "tx": "a1b2c3d4e5f6...your delegation tx hash", "energy": 65000 }
]
}
| Field | Type | Description |
|---|---|---|
| ref | string | TronNRG参考 ID。请记录此 ID 以便进行支持查询。 |
| energy | number | 总能量分配 |
| cost | number | TRX充值 |
| status | string | 成功“委托” |
| delegations | array | On-chain delegation transaction hashes. Each tx is verifiable on TronScan. This is your receipt. |
GET /health
GET/health
Liveness check for monitoring and uptime tools. Returns 200 OK when the API process is up. Does not check upstream nodes or providers.
Response 200
{ "status": "ok" }
错误代码
Every error response has error (stable, machine-readable) and message (human-readable). Always switch on error.
| Code | HTTP | Meaning |
|---|---|---|
invalid_tx_hash | 400 | 不是 64 个字符的十六进制字符串 |
invalid_address | 400 | 不是有效的Tron地址 |
missing_signature | 400 | 未提供签名 |
invalid_signature | 401 | 签名无法验证 |
signature_mismatch | 403 | 签名人地址与付款人地址不符 |
hash_already_used | 409 | 交易哈希已被认领 |
payment_verification_failed | 404 / 400 | On-chain verification of the payment failed. Read the message field for the specific cause: tx not found yet (404, retry in a few seconds), wrong recipient, not a TRX transfer, or below the 4 TRX minimum. |
delegation_failed | 400 / 500 | Provider could not deliver energy. If the failure happened after the payment was verified, an automatic refund is queued. The error response includes a refund object when this happens. |
rate_limited | 429 | 来自该IP地址的请求数量过多,每秒请求数上限为20次。 |
server_error | 500 | 发生意外的内部错误。请稍后重试。 |
const result = await fetch('https://api.tronnrg.com/delegate', { ... })
.then(r => r.json());
if (result.error) {
switch (result.error) {
case 'payment_verification_failed':
// Most common cause: tx not yet indexed. Wait 3s and retry.
// Read result.message for the specific cause.
break;
case 'hash_already_used':
// Already claimed. Don't retry.
break;
case 'signature_mismatch':
// Signer != payment sender. Sign with the same key that sent TRX.
break;
case 'delegation_failed':
// Refund queued automatically if payment was verified.
if (result.refund) console.log('Refund queued:', result.refund);
break;
}
}
result = requests.post('https://api.tronnrg.com/delegate', json=data).json()
if 'error' in result:
if result['error'] == 'payment_verification_failed':
# Most common cause: tx not yet indexed. Wait 3s and retry.
pass
elif result['error'] == 'hash_already_used':
# Already claimed. Don't retry.
pass
elif result['error'] == 'signature_mismatch':
# Signer != payment sender. Sign with the same key.
pass
elif result['error'] == 'delegation_failed':
# Refund queued automatically if payment was verified.
pass
if (isset($result['error'])) {
switch ($result['error']) {
case 'payment_verification_failed':
// Most common cause: tx not yet indexed. Wait 3s and retry.
break;
case 'hash_already_used':
// Already claimed. Don't retry.
break;
case 'signature_mismatch':
// Signer != payment sender. Sign with the same key.
break;
case 'delegation_failed':
// Refund queued automatically if payment was verified.
break;
}
}
Refunds
如果您的付款验证成功后委托失败,系统会自动将TRX退款加入队列,并在链上将其发送回发送方地址。请在错误响应中查找退款对象。
Error with refund
{
"error": "delegation_failed",
"message": "Energy delegation failed. Your payment will be refunded.",
"ref": "nrg_d_43",
"refund": {
"type": "queued",
"to": "TSenderAddress",
"amount": 4
}
}
完整示例
完整的端到端流程:发送TRX 、签名、声明(含重试机制)。复制并运行。
const API = 'https://api.tronnrg.com';
const ADDR = 'TFqUiCu1JwLHHnBNeaaVKH7Csm4aA3YhZx';
async function rentEnergy(delegateTo, trxAmount = 4) {
// 1. Send TRX to the payment address
const payment = await tronWeb.trx.sendTransaction(ADDR, trxAmount * 1e6);
// 2. Sign: proves you are the sender
const message = `${payment.txid}:${delegateTo}`;
const signature = await tronWeb.trx.signMessageV2(message);
// 3. Claim delegation (retry if tx not indexed yet)
let result;
for (let i = 0; i < 3; i++) {
result = await fetch(`${API}/delegate`, {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
tx_hash: payment.txid,
delegate_to: delegateTo,
signature,
}),
}).then(r => r.json());
if (!result.error) break;
if (result.error !== 'payment_verification_failed') throw new Error(result.message);
await new Promise(r => setTimeout(r, 3000));
}
if (result.error) throw new Error(result.message);
return result;
}
// Usage — send any amount between 4 and 1,000 TRX
const result = await rentEnergy('TWalletThatNeedsEnergy', 4); // 4 TRX → 65k energy
// rentEnergy(addr, 8) // → 130,000 energy (new-wallet transfer)
// rentEnergy(addr, 40) // → 650,000 energy (10 transfers)
// rentEnergy(addr, 1000) // → 16,250,000 energy (max)
console.log(result.energy); // trxAmount × 16,250
console.log(result.delegations[0].tx); // on-chain tx hash
console.log(result.ref); // "nrg_d_42"
import requests
import time
API = 'https://api.tronnrg.com'
ADDR = 'TFqUiCu1JwLHHnBNeaaVKH7Csm4aA3YhZx'
def rent_energy(delegate_to, trx_amount=4):
# 1. Send TRX to ADDR (via your Tron library)
tx_hash = send_trx(ADDR, trx_amount) # your TRX send function
# 2. Sign: proves you are the sender
message = f'{tx_hash}:{delegate_to}'
signature = tron.trx.sign_message_v2(message)
# 3. Claim delegation (retry if tx not indexed yet)
for attempt in range(3):
result = requests.post(f'{API}/delegate', json={
'tx_hash': tx_hash,
'delegate_to': delegate_to,
'signature': signature,
}).json()
if 'error' not in result:
return result
if result['error'] != 'payment_verification_failed':
raise Exception(result['message'])
time.sleep(3)
raise Exception('Transaction not found after retries')
# Usage
result = rent_energy('TWalletThatNeedsEnergy', 4)
print(f"Delegated: {result['energy']} energy")
print(f"Delegation tx: {result['delegations'][0]['tx']}")
print(f"Ref: {result['ref']}")
<?php
$api = 'https://api.tronnrg.com';
$addr = 'TFqUiCu1JwLHHnBNeaaVKH7Csm4aA3YhZx';
function rentEnergy($api, $txHash, $delegateTo, $signature) {
// 1. Send TRX to $addr (via iexbase/tron-api)
// $payment = $tron->sendTrx($addr, 4);
// $txHash = $payment['txid'];
// 3. Claim delegation (retry if tx not indexed yet)
for ($i = 0; $i < 3; $i++) {
$ch = curl_init("${api}/delegate");
curl_setopt_array($ch, [
CURLOPT_POST => true,
CURLOPT_RETURNTRANSFER => true,
CURLOPT_HTTPHEADER => ['Content-Type: application/json'],
CURLOPT_POSTFIELDS => json_encode([
'tx_hash' => $txHash,
'delegate_to' => $delegateTo,
'signature' => $signature,
]),
]);
$result = json_decode(curl_exec($ch), true);
curl_close($ch);
if (!isset($result['error'])) return $result;
if ($result['error'] !== 'payment_verification_failed')
throw new Exception($result['message']);
sleep(3);
}
throw new Exception('Transaction not found after retries');
}
// Usage
$result = rentEnergy($api, $txHash, 'TWalletThatNeedsEnergy');
echo "Delegated: " . $result['energy'] . " energy\n";
echo "Delegation tx: " . $result['delegations'][0]['tx'] . "\n";
echo "Ref: " . $result['ref'] . "\n";
# 1. Send TRX to TFqUiCu1JwLHHnBNeaaVKH7Csm4aA3YhZx
# Pricing is linear at 16,250 energy per TRX.
# Min 4 TRX (65,000 energy), max 1,000 TRX (16.25M energy).
# (use your wallet or tronweb CLI)
# 2. Sign the message {tx_hash}:{delegate_to} (proves you are the sender)
# (use tronWeb.trx.signMessageV2 in your code)
# 3. Claim delegation with tx hash + signature
curl -X POST https://api.tronnrg.com/delegate \
-H "Content-Type: application/json" \
-d '{
"tx_hash": "YOUR_PAYMENT_TX_HASH",
"delegate_to": "TWalletThatNeedsEnergy",
"signature": "YOUR_SIGNATURE"
}'
# Response includes delegations[].tx — the on-chain hash you can verify on TronScan