Docs
Supported ChainsZetachainJSON-RPC APIMining Methods

eth_mining - Zetachain RPC Method

Check the legacy eth_mining compatibility method on Zetachain. Public endpoints often return a client-specific unsupported-method response instead of a boolean.

Checks the legacy eth_mining compatibility method on Zetachain. Depending on the client behind the endpoint, this call may return a boolean, unimplemented, or a method-not-found style error.

Why Zetachain? Build on the universal omnichain blockchain enabling cross-chain smart contracts across 50+ chains including Bitcoin with native Bitcoin support, 50+ chain interoperability via UNISON, no bridging required, and partnerships with Curve and SushiSwap.

Note: eth_mining is best treated as a node-local diagnostic and compatibility probe. Public endpoints often return false, unimplemented, or a method-not-found error, so it is not a reliable chain-health signal.

When to Use This Method

eth_mining is relevant for cross-chain dApp developers, Bitcoin DeFi builders, and teams requiring native multi-chain interoperability:

  • Node Capability Checks — Verify whether the connected client still exposes this legacy method
  • Migration Audits — Remove assumptions that Ethereum-era mining RPCs always return a boolean
  • Fallback Design — Switch dashboards and health probes to eth_syncing, eth_blockNumber, or net_version

Request Parameters

Request

This method accepts no parameters.

Response Body

Response
resultBoolean

Legacy boolean compatibility value when the connected client still exposes eth_mining

Code Examples

Bash
curl -X POST https://api-zetachain-mainnet.n.dwellir.com/YOUR_API_KEY \
  -H "Content-Type: application/json" \
  -d '{
    "jsonrpc": "2.0",
    "method": "eth_mining",
    "params": [],
    "id": 1
  }'
JavaScript
// Using fetch
const response = await fetch('https://api-zetachain-mainnet.n.dwellir.com/YOUR_API_KEY', {
  method: 'POST',
  headers: { 'Content-Type': 'application/json' },
  body: JSON.stringify({
    jsonrpc: '2.0',
    method: 'eth_mining',
    params: [],
    id: 1
  })
});

const payload = await response.json();
if (payload.error) {
  console.log('eth_mining unsupported:', payload.error.message);
} else {
  console.log('Zetachain mining:', payload.result);
}

// Using ethers.js
import { JsonRpcProvider } from 'ethers';

const provider = new JsonRpcProvider('https://api-zetachain-mainnet.n.dwellir.com/YOUR_API_KEY');
try {
  const mining = await provider.send('eth_mining', []);
  console.log('Zetachain mining:', mining);
} catch (error) {
  console.log('eth_mining unsupported:', error.message);
}
Python
import requests

def is_mining():
    response = requests.post(
        'https://api-zetachain-mainnet.n.dwellir.com/YOUR_API_KEY',
        json={
            'jsonrpc': '2.0',
            'method': 'eth_mining',
            'params': [],
            'id': 1
        }
    )
    return response.json()

mining = is_mining()
if 'error' in mining:
    print(f"eth_mining unsupported: {mining['error']['message']}")
else:
    print(f'Zetachain mining: {mining["result"]}')

# Using web3.py
from web3 import Web3

w3 = Web3(Web3.HTTPProvider('https://api-zetachain-mainnet.n.dwellir.com/YOUR_API_KEY'))
try:
    print(f'Zetachain mining: {w3.eth.mining}')
except Exception as exc:
    print(f'eth_mining unsupported: {exc}')
Go
package main

import (
    "context"
    "fmt"
    "log"

    "github.com/ethereum/go-ethereum/rpc"
)

func main() {
    client, err := rpc.Dial("https://api-zetachain-mainnet.n.dwellir.com/YOUR_API_KEY")
    if err != nil {
        log.Fatal(err)
    }

    var isMining bool
    err = client.CallContext(context.Background(), &isMining, "eth_mining")
    if err != nil {
        log.Println("eth_mining unsupported:", err)
        return
    }

    fmt.Println("Zetachain mining:", isMining)
}

Common Use Cases

1. Capability-Aware Health Check

Combine eth_mining with other status RPCs, but treat unsupported responses as normal:

JavaScript
async function getNodeStatus(provider) {
  const [syncing, blockNumber] = await Promise.all([
    provider.send('eth_syncing', []),
    provider.getBlockNumber()
  ]);

  let miningStatus = { supported: false };
  try {
    miningStatus = {
      supported: true,
      result: await provider.send('eth_mining', [])
    };
  } catch {}

  return {
    miningStatus,
    isSynced: syncing === false,
    currentBlock: blockNumber
  };
}

2. Client Compatibility Check

Check whether the connected client still implements the legacy method:

JavaScript
async function checkEthMiningSupport(provider) {
  try {
    const mining = await provider.send('eth_mining', []);
    return { supported: true, mining };
  } catch (error) {
    return { supported: false, message: error.message };
  }
}

const status = await checkEthMiningSupport(provider);
console.log(status);

For production dashboards and health checks, prefer:

  • eth_blockNumber for liveness
  • eth_syncing for sync state
  • net_version or eth_chainId for endpoint identity

Error Handling

Common errors and solutions:

Error CodeDescriptionSolution
-32603Internal errorSome clients report unsupported legacy methods through the generic internal-error path
-32601Method not foundThe connected client does not expose this legacy method
-32005Rate limit exceededReduce polling frequency