Docs

wallet/triggersmartcontract - Execute TRON Smar...

Execute TRON smart contract functions, read contract state, and interact with TRC20 tokens via Dwellir's optimized smart contract RPC endpoints.

Lightning-Fast Smart Contract Calls

Dwellir's TRON endpoints execute smart contract calls in under 30ms with comprehensive error handling. Build powerful DeFi and Web3 applications with our optimized contract interaction API.

Start building with smart contracts

Executes smart contract functions on the TRON network. Use this method to call contract functions, read contract state, and interact with TRC20/TRC721 tokens.

When to Use This Method

wallet/triggersmartcontract is essential for:

  • TRC20 Token Operations - Transfer, approve, check balances
  • DeFi Protocol Interactions - Swap, stake, lend, borrow
  • NFT Operations - Mint, transfer, query TRC721 tokens
  • Contract State Queries - Read public variables and view functions
  • Smart Contract Execution - Call payable and non-payable functions

Request Parameters

Request
contract_addressstring

Smart contract address in Base58 format Example: `"TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t"` (USDT)

function_selectorstring

Function signature to call Example: `"balanceOf(address)"`, `"transfer(address,uint256)"`

parameterstring

Hex-encoded function parameters Example: `"0000000000000000000000004142b5e01c8c59a25d78acdbec2bfc7e89e5e863"`

owner_addressstring

Address calling the contract Example: `"TJmmqjb1DK9TTZbQXzRQ2AuA94z4gKAPFh"`

call_valueinteger

TRX amount to send (in SUN) for payable functions Default: `0`

visibleboolean

`true` - Use Base58 address format `false` - Use hex address format

Response Body

Response
resultOBJECT

`result` - Execution success/failure `constant_result` - Array of result data (for view functions) `transaction` - Transaction object (for state-changing functions) `energy_used` - Energy consumed `energy_penalty` - Additional energy cost `result_message` - Error message (if failed)

Error Responses

Errors
Error 1

Contract execution reverted

Error 2

Insufficient energy for execution

Error 3

Malformed contract address

Error 4

Function doesn't exist

Error 5

Parameter encoding failed

Implementation Examples

Bash
# Get TRC20 token balance (USDT)
curl -X POST "https://api-tron-mainnet.n.dwellir.com/YOUR_API_KEY/wallet/triggersmartcontract" \
  -H "Content-Type: application/json" \
  -d '{
    "contract_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
    "function_selector": "balanceOf(address)",
    "parameter": "0000000000000000000000004142b5e01c8c59a25d78acdbec2bfc7e89e5e863",
    "owner_address": "TRX6Q82wMqWNbCCmJPLz9mR8AZwqvUU2pN",
    "visible": true
  }'

# Get token symbol
curl -X POST "https://api-tron-mainnet.n.dwellir.com/YOUR_API_KEY/wallet/triggersmartcontract" \
  -H "Content-Type: application/json" \
  -d '{
    "contract_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
    "function_selector": "symbol()",
    "owner_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
    "visible": true
  }'

# Get token decimals
curl -X POST "https://api-tron-mainnet.n.dwellir.com/YOUR_API_KEY/wallet/triggersmartcontract" \
  -H "Content-Type: application/json" \
  -d '{
    "contract_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
    "function_selector": "decimals()",
    "owner_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
    "visible": true
  }'

# Create TRC20 transfer transaction
curl -X POST "https://api-tron-mainnet.n.dwellir.com/YOUR_API_KEY/wallet/triggersmartcontract" \
  -H "Content-Type: application/json" \
  -d '{
    "contract_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
    "function_selector": "transfer(address,uint256)",
    "parameter": "0000000000000000000000004142b5e01c8c59a25d78acdbec2bfc7e89e5e86300000000000000000000000000000000000000000000000000000000000f4240",
    "owner_address": "TJmmqjb1DK9TTZbQXzRQ2AuA94z4gKAPFh",
    "visible": true
  }'

# Parse and format token balance
curl -s -X POST "https://api-tron-mainnet.n.dwellir.com/YOUR_API_KEY/wallet/triggersmartcontract" \
  -H "Content-Type: application/json" \
  -d '{
    "contract_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t",
    "function_selector": "balanceOf(address)",
    "parameter": "0000000000000000000000004142b5e01c8c59a25d78acdbec2bfc7e89e5e863",
    "owner_address": "TRX6Q82wMqWNbCCmJPLz9mR8AZwqvUU2pN",
    "visible": true
  }' | jq '{
    success: .result.result,
    balance_hex: .constant_result[0],
    balance_decimal: (.constant_result[0] | if . then (. | tonumber) else 0 end),
    energy_used: .energy_used
  }'

# Batch token information script
#!/bin/bash
API_KEY="YOUR_API_KEY"
CONTRACT_ADDRESS="TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t"  # USDT
WALLET_ADDRESS="TRX6Q82wMqWNbCCmJPLz9mR8AZwqvUU2pN"

echo "Fetching token information for $CONTRACT_ADDRESS..."

# Function to call smart contract
call_contract() {
  local function_selector=$1
  local parameters=${2:-""}
  local owner_address=${3:-$CONTRACT_ADDRESS}
  
  curl -s -X POST "https://api-tron-mainnet.n.dwellir.com/$API_KEY/wallet/triggersmartcontract" \
    -H "Content-Type: application/json" \
    -d "{
      \"contract_address\": \"$CONTRACT_ADDRESS\",
      \"function_selector\": \"$function_selector\",
      \"parameter\": \"$parameters\",
      \"owner_address\": \"$owner_address\",
      \"visible\": true
    }"
}

# Convert address to parameter format (simplified)
address_to_param() {
  local address=$1
  # This is a simplified conversion - use proper tools in production
  echo "0000000000000000000000004142b5e01c8c59a25d78acdbec2bfc7e89e5e863"
}

# Get token name
echo "Getting token name..."
NAME_RESULT=$(call_contract "name()")
echo "Name result: $NAME_RESULT" | jq '.constant_result[0]'

# Get token symbol
echo "Getting token symbol..."
SYMBOL_RESULT=$(call_contract "symbol()")
echo "Symbol result: $SYMBOL_RESULT" | jq '.constant_result[0]'

# Get token decimals
echo "Getting token decimals..."
DECIMALS_RESULT=$(call_contract "decimals()")
DECIMALS=$(echo "$DECIMALS_RESULT" | jq -r '.constant_result[0]' | xargs printf "%d")
echo "Decimals: $DECIMALS"

# Get total supply
echo "Getting total supply..."
SUPPLY_RESULT=$(call_contract "totalSupply()")
SUPPLY_HEX=$(echo "$SUPPLY_RESULT" | jq -r '.constant_result[0]')
SUPPLY_DECIMAL=$(printf "%d" "0x$SUPPLY_HEX")
echo "Total supply: $SUPPLY_DECIMAL"

# Get balance for specific address
echo "Getting balance for $WALLET_ADDRESS..."
ADDRESS_PARAM=$(address_to_param "$WALLET_ADDRESS")
BALANCE_RESULT=$(call_contract "balanceOf(address)" "$ADDRESS_PARAM" "$WALLET_ADDRESS")
BALANCE_HEX=$(echo "$BALANCE_RESULT" | jq -r '.constant_result[0]')
BALANCE_DECIMAL=$(printf "%d" "0x$BALANCE_HEX")
echo "Balance: $BALANCE_DECIMAL"

# Calculate formatted balance
if [ "$DECIMALS" -gt 0 ]; then
  FORMATTED_BALANCE=$(echo "scale=6; $BALANCE_DECIMAL / (10^$DECIMALS)" | bc -l)
  echo "Formatted balance: $FORMATTED_BALANCE"
fi

# DeFi protocol interaction example
query_defi_pool() {
  local defi_contract=$1
  local pool_id=$2
  local user_address=$3
  
  echo "Querying DeFi pool $pool_id for user $user_address..."
  
  # Pool info
  POOL_ID_HEX=$(printf "%064x" "$pool_id")
  POOL_RESULT=$(call_contract "poolInfo(uint256)" "$POOL_ID_HEX" "$defi_contract")
  echo "Pool info: $POOL_RESULT" | jq '.constant_result[0]'
  
  # User info
  USER_PARAM="${POOL_ID_HEX}$(address_to_param "$user_address")"
  USER_RESULT=$(call_contract "userInfo(uint256,address)" "$USER_PARAM" "$user_address")
  echo "User info: $USER_RESULT" | jq '.constant_result[0]'
}

# Multi-token balance checker
check_multiple_tokens() {
  local wallet_address=$1
  
  # Define popular TRON tokens
  declare -A TOKENS=(
    ["USDT"]="TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t"
    ["USDC"]="TEkxiTehnzSmSe2XqrBj4w32RUN966rdz8"
    ["JST"]="TCFLL5dx5ZJdKnWuesXxi1VPwjLVmWZZy9"
    ["WTRX"]="TNUC9Qb1rRpS5CbWLmNMxXBjyFoydXjWFR"
  )
  
  echo "Checking token balances for $wallet_address..."
  echo "=========================================="
  
  for token_name in "${!TOKENS[@]}"; do
    local token_address="${TOKENS[$token_name]}"
    echo "Checking $token_name ($token_address)..."
    
    # Get balance
    local address_param=$(address_to_param "$wallet_address")
    local balance_result=$(curl -s -X POST "https://api-tron-mainnet.n.dwellir.com/$API_KEY/wallet/triggersmartcontract" \
      -H "Content-Type: application/json" \
      -d "{
        \"contract_address\": \"$token_address\",
        \"function_selector\": \"balanceOf(address)\",
        \"parameter\": \"$address_param\",
        \"owner_address\": \"$wallet_address\",
        \"visible\": true
      }")
    
    local balance_hex=$(echo "$balance_result" | jq -r '.constant_result[0] // "0"')
    local balance_decimal=$(printf "%d" "0x$balance_hex" 2>/dev/null || echo "0")
    
    echo "$token_name balance: $balance_decimal"
    echo ""
  done
}

# Usage examples
case "${1:-info}" in
  "info")
    # Default: show token info
    ;;
  "balance")
    check_multiple_tokens "$2"
    ;;
  "defi")
    query_defi_pool "$2" "$3" "$4"
    ;;
  *)
    echo "Usage: $0 {info|balance WALLET_ADDRESS|defi CONTRACT_ADDRESS POOL_ID USER_ADDRESS}"
    ;;
esac

Response Examples

Successful View Function Call (balanceOf)

JSON
{
  "result": {
    "result": true
  },
  "energy_used": 345,
  "constant_result": [
    "0000000000000000000000000000000000000000000000000000000005f5e100"
  ],
  "transaction": {
    "ret": [{}],
    "visible": true,
    "txID": "70c8e5b0b4e13a7e5a1b0e8d7c6b5a4a39291807f6e5d4c3b2a19080f0e0d0c0b0",
    "raw_data": {
      "contract": [
        {
          "parameter": {
            "value": {
              "data": "70a082310000000000000000000000004142b5e01c8c59a25d78acdbec2bfc7e89e5e863",
              "owner_address": "TJmmqjb1DK9TTZbQXzRQ2AuA94z4gKAPFh",
              "contract_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t"
            },
            "type_url": "type.googleapis.com/protocol.TriggerSmartContract"
          },
          "type": "TriggerSmartContract"
        }
      ],
      "ref_block_bytes": "4a7b",
      "ref_block_hash": "e15e44aa73bd9e15",
      "expiration": 1734567890000,
      "timestamp": 1734567830000
    }
  }
}

Failed Contract Call

JSON
{
  "result": {
    "result": false,
    "code": "REVERT",
    "message": "REVERT opcode executed"
  },
  "energy_used": 250
}

State-Changing Function Call (Transfer)

JSON
{
  "result": {
    "result": true
  },
  "energy_used": 13326,
  "energy_penalty": 0,
  "transaction": {
    "visible": true,
    "txID": "a1b2c3d4e5f6789012345678901234567890123456789012345678901234567890",
    "raw_data": {
      "contract": [
        {
          "parameter": {
            "value": {
              "data": "a9059cbb0000000000000000000000004142b5e01c8c59a25d78acdbec2bfc7e89e5e86300000000000000000000000000000000000000000000000000000000000f4240",
              "owner_address": "TJmmqjb1DK9TTZbQXzRQ2AuA94z4gKAPFh",
              "contract_address": "TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t"
            },
            "type_url": "type.googleapis.com/protocol.TriggerSmartContract"
          },
          "type": "TriggerSmartContract"
        }
      ],
      "ref_block_bytes": "4a7b",
      "ref_block_hash": "e15e44aa73bd9e15",
      "expiration": 1734567890000,
      "timestamp": 1734567830000
    }
  }
}

Common Use Cases

1. Portfolio Tracker

JavaScript
class TronPortfolioTracker {
  constructor(apiKey) {
    this.manager = new TronContractManager(apiKey);
    this.supportedTokens = {
      'USDT': 'TR7NHqjeKQxGTCi8q8ZY4pL8otSzgjLj6t',
      'USDC': 'TEkxiTehnzSmSe2XqrBj4w32RUN966rdz8',
      'JST': 'TCFLL5dx5ZJdKnWuesXxi1VPwjLVmWZZy9',
      'WTRX': 'TNUC9Qb1rRpS5CbWLmNMxXBjyFoydXjWFR',
      'TUSD': 'TUpMhErZL2fhh4sVNULAbNKLokS4GjC1F4'
    };
  }
  
  async getPortfolio(walletAddress, includeMetadata = true) {
    const portfolio = {
      address: walletAddress,
      tokens: {},
      totalValueUSD: 0,
      lastUpdated: new Date().toISOString()
    };
    
    for (const [symbol, contractAddress] of Object.entries(this.supportedTokens)) {
      try {
        const token = this.manager.getToken(contractAddress);
        const balanceInfo = await token.getFormattedBalance(walletAddress);
        
        portfolio.tokens[symbol] = {
          ...balanceInfo,
          contractAddress,
          valueUSD: await this.getTokenValueUSD(symbol, balanceInfo.formatted)
        };
        
        if (includeMetadata) {
          const [name, totalSupply] = await Promise.all([
            token.getName(),
            token.getTotalSupply()
          ]);
          
          portfolio.tokens[symbol].name = name;
          portfolio.tokens[symbol].totalSupply = totalSupply;
        }
        
        portfolio.totalValueUSD += portfolio.tokens[symbol].valueUSD;
        
      } catch (error) {
        portfolio.tokens[symbol] = {
          error: error.message,
          contractAddress
        };
      }
    }
    
    return portfolio;
  }
  
  async getTokenValueUSD(symbol, amount) {
    // Simplified - would integrate with price API
    const prices = {
      'USDT': 1.00,
      'USDC': 1.00,
      'TUSD': 1.00,
      'JST': 0.025,
      'WTRX': 0.065
    };
    
    return (prices[symbol] || 0) * amount;
  }
}

2. DeFi Yield Farming Interface

JavaScript
class TronYieldFarming {
  constructor(apiKey, farmContractAddress) {
    this.contract = new TronSmartContract(apiKey, farmContractAddress);
    this.tokenManager = new TronContractManager(apiKey);
  }
  
  async getFarmInfo() {
    try {
      const [poolLength, rewardPerBlock, startBlock] = await Promise.all([
        this.contract.call('poolLength()'),
        this.contract.call('rewardPerBlock()'),
        this.contract.call('startBlock()')
      ]);
      
      return {
        totalPools: this.contract.decodeResult(poolLength.constant_result[0], 'uint256'),
        rewardPerBlock: this.contract.decodeResult(rewardPerBlock.constant_result[0], 'uint256'),
        startBlock: this.contract.decodeResult(startBlock.constant_result[0], 'uint256')
      };
    } catch (error) {
      console.error('Error getting farm info:', error);
      throw error;
    }
  }
  
  async getPoolInfo(poolId) {
    try {
      const encodedPoolId = this.contract.encodeUint256(poolId);
      const result = await this.contract.call('poolInfo(uint256)', encodedPoolId);
      
      if (result.result?.result && result.constant_result?.[0]) {
        const poolData = result.constant_result[0];
        return {
          lpToken: poolData.slice(24, 64), // Extract address
          allocPoint: this.contract.decodeResult(poolData.slice(64, 128), 'uint256'),
          lastRewardBlock: this.contract.decodeResult(poolData.slice(128, 192), 'uint256'),
          accRewardPerShare: this.contract.decodeResult(poolData.slice(192, 256), 'uint256')
        };
      }
      
      throw new Error('Failed to get pool info');
    } catch (error) {
      console.error('Error getting pool info:', error);
      throw error;
    }
  }
  
  async getUserStakeInfo(poolId, userAddress) {
    try {
      const encodedPoolId = this.contract.encodeUint256(poolId);
      const encodedUser = this.contract.encodeAddress(userAddress);
      const parameters = encodedPoolId + encodedUser;
      
      const result = await this.contract.call('userInfo(uint256,address)', parameters, userAddress);
      
      if (result.result?.result && result.constant_result?.[0]) {
        const userData = result.constant_result[0];
        return {
          amount: this.contract.decodeResult(userData.slice(0, 64), 'uint256'),
          rewardDebt: this.contract.decodeResult(userData.slice(64, 128), 'uint256')
        };
      }
      
      return { amount: '0', rewardDebt: '0' };
    } catch (error) {
      console.error('Error getting user stake info:', error);
      throw error;
    }
  }
  
  async getPendingRewards(poolId, userAddress) {
    try {
      const encodedPoolId = this.contract.encodeUint256(poolId);
      const encodedUser = this.contract.encodeAddress(userAddress);
      const parameters = encodedPoolId + encodedUser;
      
      const result = await this.contract.call('pendingReward(uint256,address)', parameters, userAddress);
      
      if (result.result?.result && result.constant_result?.[0]) {
        return this.contract.decodeResult(result.constant_result[0], 'uint256');
      }
      
      return '0';
    } catch (error) {
      console.error('Error getting pending rewards:', error);
      return '0';
    }
  }
  
  async createStakeTransaction(poolId, amount, userAddress) {
    try {
      const encodedPoolId = this.contract.encodeUint256(poolId);
      const encodedAmount = this.contract.encodeUint256(amount);
      const parameters = encodedPoolId + encodedAmount;
      
      const result = await this.contract.call('deposit(uint256,uint256)', parameters, userAddress);
      
      if (result.result?.result) {
        return result.transaction;
      }
      
      throw new Error(`Stake transaction creation failed: ${result.result?.message || 'Unknown error'}`);
    } catch (error) {
      console.error('Error creating stake transaction:', error);
      throw error;
    }
  }
}

3. NFT Marketplace Integration

JavaScript
class TronNFTMarketplace {
  constructor(apiKey, nftContractAddress) {
    this.contract = new TronSmartContract(apiKey, nftContractAddress);
  }
  
  async getNFTInfo(tokenId) {
    try {
      const encodedTokenId = this.contract.encodeUint256(tokenId);
      
      const [owner, tokenURI, approved] = await Promise.all([
        this.contract.call('ownerOf(uint256)', encodedTokenId),
        this.contract.call('tokenURI(uint256)', encodedTokenId),
        this.contract.call('getApproved(uint256)', encodedTokenId)
      ]);
      
      return {
        tokenId: tokenId,
        owner: this.contract.decodeResult(owner.constant_result[0], 'address'),
        tokenURI: this.contract.decodeResult(tokenURI.constant_result[0], 'string'),
        approved: this.contract.decodeResult(approved.constant_result[0], 'address')
      };
    } catch (error) {
      console.error('Error getting NFT info:', error);
      throw error;
    }
  }
  
  async getTokenBalance(owner) {
    try {
      const encodedOwner = this.contract.encodeAddress(owner);
      const result = await this.contract.call('balanceOf(address)', encodedOwner, owner);
      
      if (result.result?.result && result.constant_result?.[0]) {
        return this.contract.decodeResult(result.constant_result[0], 'uint256');
      }
      
      return '0';
    } catch (error) {
      console.error('Error getting token balance:', error);
      return '0';
    }
  }
  
  async createTransferTransaction(from, to, tokenId) {
    try {
      const encodedFrom = this.contract.encodeAddress(from);
      const encodedTo = this.contract.encodeAddress(to);
      const encodedTokenId = this.contract.encodeUint256(tokenId);
      const parameters = encodedFrom + encodedTo + encodedTokenId;
      
      const result = await this.contract.call(
        'transferFrom(address,address,uint256)', 
        parameters, 
        from
      );
      
      if (result.result?.result) {
        return result.transaction;
      }
      
      throw new Error(`Transfer creation failed: ${result.result?.message || 'Unknown error'}`);
    } catch (error) {
      console.error('Error creating transfer transaction:', error);
      throw error;
    }
  }
}

4. Automated Trading Bot

JavaScript
class TronTradingBot {
  constructor(apiKey, dexContractAddress) {
    this.dex = new TronSmartContract(apiKey, dexContractAddress);
    this.tokenManager = new TronContractManager(apiKey);
    this.strategies = new Map();
  }
  
  async getTokenPrice(tokenAddress, baseTokenAddress = 'TNUC9Qb1rRpS5CbWLmNMxXBjyFoydXjWFR') {
    try {
      const encodedToken = this.dex.encodeAddress(tokenAddress);
      const encodedBase = this.dex.encodeAddress(baseTokenAddress);
      const parameters = encodedToken + encodedBase;
      
      const result = await this.dex.call('getPrice(address,address)', parameters);
      
      if (result.result?.result && result.constant_result?.[0]) {
        return this.dex.decodeResult(result.constant_result[0], 'uint256');
      }
      
      return '0';
    } catch (error) {
      console.error('Error getting token price:', error);
      return '0';
    }
  }
  
  async createSwapTransaction(tokenA, tokenB, amountIn, minAmountOut, userAddress) {
    try {
      const encodedTokenA = this.dex.encodeAddress(tokenA);
      const encodedTokenB = this.dex.encodeAddress(tokenB);
      const encodedAmountIn = this.dex.encodeUint256(amountIn);
      const encodedMinOut = this.dex.encodeUint256(minAmountOut);
      const encodedUser = this.dex.encodeAddress(userAddress);
      
      const parameters = encodedTokenA + encodedTokenB + encodedAmountIn + encodedMinOut + encodedUser;
      
      const result = await this.dex.call(
        'swapExactTokensForTokens(address,address,uint256,uint256,address)', 
        parameters, 
        userAddress
      );
      
      if (result.result?.result) {
        return result.transaction;
      }
      
      throw new Error(`Swap creation failed: ${result.result?.message || 'Unknown error'}`);
    } catch (error) {
      console.error('Error creating swap transaction:', error);
      throw error;
    }
  }
  
  addStrategy(name, strategy) {
    this.strategies.set(name, strategy);
  }
  
  async executeStrategy(strategyName, params) {
    const strategy = this.strategies.get(strategyName);
    if (!strategy) {
      throw new Error(`Strategy ${strategyName} not found`);
    }
    
    return await strategy.execute(this, params);
  }
}

Performance Tips

  1. Batch Contract Calls - Group multiple read operations together
  2. Cache Results - Cache contract state that doesn't change frequently
  3. Optimize Parameters - Pre-encode parameters to reduce processing time
  4. Energy Management - Monitor energy usage and optimize contract interactions
JavaScript
// Optimized contract interaction with caching
class OptimizedContractClient {
  constructor(apiKey, contractAddress) {
    this.contract = new TronSmartContract(apiKey, contractAddress);
    this.cache = new Map();
    this.cacheTimeout = 60000; // 1 minute
  }
  
  async callWithCache(functionSelector, parameters, cacheKey, ttl = this.cacheTimeout) {
    const cached = this.cache.get(cacheKey);
    if (cached && Date.now() - cached.timestamp < ttl) {
      return cached.result;
    }
    
    const result = await this.contract.call(functionSelector, parameters);
    
    this.cache.set(cacheKey, {
      result,
      timestamp: Date.now()
    });
    
    return result;
  }
  
  clearCache() {
    this.cache.clear();
  }
}

Need help? Contact our support team or check the TRON documentation.