├── public ├── error.html ├── robots.txt ├── favicon.ico ├── unknown-logo.png ├── multichain-logo.png ├── connectors │ ├── coinbaseWalletIcon.svg │ ├── icn-trust.svg │ ├── icn-imtoken.svg │ ├── icn-metamask.svg │ └── icn-bravewallet.svg ├── logo-stacked.svg └── logo.svg ├── .prettierignore ├── styles └── globals.css ├── .prettierrc ├── postcss.config.js ├── next.config.js ├── post-export.sh ├── tailwind.config.js ├── constants ├── walletIcons.js ├── llamaNodesRpcs.js ├── chainIds.json └── extraRpcs.js ├── pull_request_template.md ├── stores └── index.js ├── vercel.json ├── README.md ├── serve.json ├── .gitignore ├── translations ├── zh.json ├── en.json └── fr.json ├── pages ├── _document.js ├── _app.js ├── api │ └── chain │ │ └── [chain].js ├── index.js ├── zh │ ├── index.js │ └── chain │ │ └── [chain].js └── chain │ └── [chain].js ├── hooks ├── useLlamaNodesRpcData.js ├── useConnect.jsx ├── useAccount.jsx ├── useClipboard.js ├── useAnalytics.js ├── useAddToNetwork.jsx └── useRPCData.js ├── components ├── Tooltip │ └── index.js ├── Layout │ ├── index.js │ └── Logo.js ├── header │ └── index.js ├── chain │ └── index.js └── RPCList │ └── index.js ├── package.json ├── purge-cache.js ├── generate-sitemap.js ├── utils └── index.js └── LICENCE.md /public/error.html: -------------------------------------------------------------------------------- 1 | nope -------------------------------------------------------------------------------- /.prettierignore: -------------------------------------------------------------------------------- 1 | sitemap.xml.js 2 | .next 3 | out 4 | public 5 | -------------------------------------------------------------------------------- /public/robots.txt: -------------------------------------------------------------------------------- 1 | # Allow all crawlers 2 | User-agent: * 3 | Allow: / -------------------------------------------------------------------------------- /styles/globals.css: -------------------------------------------------------------------------------- 1 | @tailwind base; 2 | @tailwind components; 3 | @tailwind utilities; 4 | -------------------------------------------------------------------------------- /.prettierrc: -------------------------------------------------------------------------------- 1 | { 2 | "trailingComma": "all", 3 | "printWidth": 120, 4 | "tabWidth": 2 5 | } 6 | -------------------------------------------------------------------------------- /postcss.config.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | plugins: { 3 | tailwindcss: {}, 4 | autoprefixer: {}, 5 | }, 6 | }; 7 | -------------------------------------------------------------------------------- /public/favicon.ico: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/katilssablenk/https-github.com-metatimeofficial-chainlist/HEAD/public/favicon.ico -------------------------------------------------------------------------------- /public/unknown-logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/katilssablenk/https-github.com-metatimeofficial-chainlist/HEAD/public/unknown-logo.png -------------------------------------------------------------------------------- /public/multichain-logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/katilssablenk/https-github.com-metatimeofficial-chainlist/HEAD/public/multichain-logo.png -------------------------------------------------------------------------------- /next.config.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | // i18n: { 3 | // locales: ["en", "zh"], 4 | // defaultLocale: "en", 5 | // }, 6 | reactStrictMode: true, 7 | }; 8 | -------------------------------------------------------------------------------- /post-export.sh: -------------------------------------------------------------------------------- 1 | #!/bin/sh 2 | 3 | node generate-sitemap.js 4 | rm out/404.html 5 | mv out/error.html out/404.html 6 | cp serve.json out/serve.json 7 | 8 | node purge-cache.js 9 | -------------------------------------------------------------------------------- /tailwind.config.js: -------------------------------------------------------------------------------- 1 | /** @type {import('tailwindcss').Config} */ 2 | module.exports = { 3 | content: ["./pages/**/*.{js,ts,jsx,tsx}", "./components/**/*.{js,ts,jsx,tsx}"], 4 | theme: { 5 | extend: { 6 | screens: { 7 | "3xl": "1680px", 8 | }, 9 | }, 10 | }, 11 | plugins: [], 12 | }; 13 | -------------------------------------------------------------------------------- /constants/walletIcons.js: -------------------------------------------------------------------------------- 1 | export const walletIcons = { 2 | "Coinbase Wallet": "/connectors/coinbaseWalletIcon.svg", 3 | "Brave Wallet": "/connectors/icn-bravewallet.svg", 4 | Metamask: "/connectors/icn-metamask.svg", 5 | imToken: "/connectors/icn-imtoken.svg", 6 | Wallet: "/connectors/icn-metamask.svg", 7 | "Trust Wallet": "/connectors/icon-trust.svg", 8 | }; 9 | -------------------------------------------------------------------------------- /pull_request_template.md: -------------------------------------------------------------------------------- 1 | If you are adding a new RPC, please answer the following questions. 2 | 3 | #### Link the service provider's website (the company/protocol/individual providing the RPC): 4 | 5 | 6 | #### Provide a link to your privacy policy: 7 | 8 | 9 | #### If the RPC has none of the above and you still think it should be added, please explain why: 10 | 11 | 12 | -------------------------------------------------------------------------------- /stores/index.js: -------------------------------------------------------------------------------- 1 | import create from "zustand"; 2 | 3 | export const useChain = create((set) => ({ 4 | id: null, 5 | updateChain: (id) => set(() => ({ id })), 6 | })); 7 | 8 | export const useRpcStore = create((set) => ({ 9 | rpcs: [], 10 | addRpc: (value) => set((state) => ({ rpcs: [...state.rpcs, value] })), 11 | })); 12 | 13 | export const useAccount = create((set) => ({ 14 | account: null, 15 | setAccount: (account) => set(() => ({ account })), 16 | })); 17 | -------------------------------------------------------------------------------- /vercel.json: -------------------------------------------------------------------------------- 1 | { 2 | "cleanUrls": true, 3 | "redirects": [ 4 | { 5 | "source": "/top-rpcs/:path*", 6 | "destination": "/chain/:path*", 7 | "permanent": true 8 | }, 9 | { 10 | "source": "/best-rpcs/:path*", 11 | "destination": "/chain/:path*", 12 | "permanent": true 13 | }, 14 | { 15 | "source": "/_next/image(/?):params*", 16 | "destination": "https://icons.llamao.fi/icons/misc/sus-chainlist" 17 | } 18 | ] 19 | } 20 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | ## Getting Started 2 | 3 | First, run the development server: 4 | 5 | ```bash 6 | npm run dev 7 | # or 8 | yarn dev 9 | ``` 10 | 11 | Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. 12 | 13 | You can start editing the page by modifying `pages/index.js`. The page auto-updates as you edit the file. 14 | 15 | ## Adding your RPC 16 | 17 | If you wish to add your RPC, please follow the [PR template](https://github.com/DefiLlama/chainlist/blob/main/pull_request_template.md) 18 | -------------------------------------------------------------------------------- /serve.json: -------------------------------------------------------------------------------- 1 | { 2 | "cleanUrls": true, 3 | "redirects": [ 4 | { 5 | "source": "/top-rpcs/:path*", 6 | "destination": "/chain/:path*", 7 | "type": 308 8 | }, 9 | { 10 | "source": "/best-rpcs/:path*", 11 | "destination": "/chain/:path*", 12 | "type": 308 13 | }, 14 | { 15 | "source": "/_next/image**", 16 | "destination": "https://icons.llamao.fi/icons/misc/sus-chainlist", 17 | "type": 302 18 | } 19 | ], 20 | "directoryListing": false 21 | } 22 | -------------------------------------------------------------------------------- /public/connectors/coinbaseWalletIcon.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # See https://help.github.com/articles/ignoring-files/ for more about ignoring files. 2 | 3 | # dependencies 4 | /node_modules 5 | /.pnp 6 | .pnp.js 7 | 8 | # testing 9 | /coverage 10 | 11 | # next.js 12 | /.next/ 13 | /out/ 14 | 15 | # production 16 | /build 17 | 18 | # misc 19 | .DS_Store 20 | *.pem 21 | 22 | # debug 23 | npm-debug.log* 24 | yarn-debug.log* 25 | yarn-error.log* 26 | 27 | # local env files 28 | .env.local 29 | .env.development.local 30 | .env.test.local 31 | .env.production.local 32 | .env 33 | 34 | # vercel 35 | .vercel 36 | -------------------------------------------------------------------------------- /translations/zh.json: -------------------------------------------------------------------------------- 1 | { 2 | "Common": { 3 | "connect-wallet": "连接钱包", 4 | "view-source-code": "查看源代码", 5 | "join-our-discord": "加入 社群", 6 | "currency": "代币", 7 | "search-networks": "查找网络", 8 | "description": "Chainlist 是 EVM 网络的列表。 用户可以使用这些信息将他们的钱包和 Web3 中间件提供商连接到适当的Chain ID 和网络 ID,以连接到正确的链。", 9 | "help-info": "帮助用户连接到 EVM 驱动的网络", 10 | "add-your-network": "添加你的网络", 11 | "add-your-rpc": "添加你的RPC", 12 | "language": "English", 13 | "add-to-metamask": "添加到Metamask", 14 | "add-to-imToken": "添加到imToken", 15 | "add-to-wallet": "添加到Wallet" 16 | } 17 | } 18 | -------------------------------------------------------------------------------- /pages/_document.js: -------------------------------------------------------------------------------- 1 | import Document, { Head, Main, NextScript, Html } from "next/document"; 2 | import React from "react"; 3 | 4 | const LANGUAGES = ["en", "zh"]; 5 | 6 | class MyDocument extends Document { 7 | render() { 8 | const pathPrefix = this.props.__NEXT_DATA__.page.split("/")[1]; 9 | const lang = LANGUAGES.indexOf(pathPrefix) !== -1 ? pathPrefix : LANGUAGES[0]; 10 | 11 | return ( 12 | 13 | 14 | 15 |
16 | 17 | 18 | 19 | ); 20 | } 21 | } 22 | 23 | export default MyDocument; 24 | -------------------------------------------------------------------------------- /pages/_app.js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import { QueryClientProvider, QueryClient } from "@tanstack/react-query"; 3 | // import { NextIntlProvider } from "next-intl"; 4 | import { useAnalytics } from "../hooks/useAnalytics"; 5 | import "../styles/globals.css"; 6 | 7 | function App({ Component, pageProps }) { 8 | useAnalytics(); 9 | 10 | const [queryClient] = React.useState(() => new QueryClient()); 11 | 12 | return ( 13 | 14 | {/* */} 15 | 16 | {/* */} 17 | {/* */} 18 | 19 | ); 20 | } 21 | 22 | export default App; 23 | -------------------------------------------------------------------------------- /hooks/useLlamaNodesRpcData.js: -------------------------------------------------------------------------------- 1 | import { useMemo } from "react"; 2 | 3 | import { llamaNodesRpcs } from "../constants/llamaNodesRpcs"; 4 | import { arrayMove } from "../utils"; 5 | 6 | export const useLlamaNodesRpcData = (chainId, data) => { 7 | const [rpcData, hasLlamaNodesRpc] = useMemo(() => { 8 | const llamaNodesRpc = llamaNodesRpcs[chainId] ?? null; 9 | 10 | if (llamaNodesRpc) { 11 | const llamaNodesRpcIndex = data.findIndex(rpc => rpc?.data.url === llamaNodesRpc.rpcs[0].url); 12 | 13 | if (llamaNodesRpcIndex || llamaNodesRpcIndex === 0) { 14 | return [arrayMove(data, llamaNodesRpcIndex, 0), true]; 15 | } 16 | 17 | return [data, false]; 18 | } 19 | 20 | return [data, false]; 21 | }, [chainId, data]); 22 | 23 | return { rpcData, hasLlamaNodesRpc }; 24 | } 25 | -------------------------------------------------------------------------------- /public/connectors/icn-trust.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 | 11 | 12 | -------------------------------------------------------------------------------- /components/Tooltip/index.js: -------------------------------------------------------------------------------- 1 | import { Tooltip as AriaTooltip, TooltipAnchor, useTooltipState } from 'ariakit/tooltip'; 2 | 3 | export const Tooltip = ({ children, content, ...props }) => { 4 | const tooltip = useTooltipState({ placement: 'bottom' }); 5 | 6 | if (!content) return {children}; 7 | 8 | return ( 9 | <> 10 | 16 | {children} 17 | 18 | 22 | {content} 23 | 24 | 25 | ); 26 | }; 27 | -------------------------------------------------------------------------------- /constants/llamaNodesRpcs.js: -------------------------------------------------------------------------------- 1 | const privacyStatement = 'LlamaNodes is open-source and does not track or store any kind of user information (i.e., location, IP, wallet address, etc) that transits through our RPCs, ever. To learn more, review the public privacy policy: https://llamanodes.notion.site/Privacy-Practices-f20fd8fdd02a469d9d4f42a5989bb936'; 2 | 3 | export const llamaNodesRpcs = { 4 | 1: { 5 | rpcs: [ 6 | { 7 | url: 'https://eth.llamarpc.com', 8 | tracking: 'none', 9 | trackingDetails: privacyStatement, 10 | isOpenSource: true, 11 | }, 12 | ] 13 | }, 14 | 137: { 15 | rpcs: [ 16 | { 17 | url: 'https://polygon.llamarpc.com', 18 | tracking: 'none', 19 | trackingDetails: privacyStatement, 20 | isOpenSource: true, 21 | }, 22 | ] 23 | }, 24 | } 25 | -------------------------------------------------------------------------------- /hooks/useConnect.jsx: -------------------------------------------------------------------------------- 1 | import { getAddress } from "ethers/lib/utils.js"; 2 | import { useMutation, QueryClient } from "@tanstack/react-query"; 3 | 4 | export async function connectWallet() { 5 | try { 6 | if (window.ethereum) { 7 | const accounts = await window.ethereum.request({ 8 | method: "eth_requestAccounts", 9 | }); 10 | 11 | return { 12 | address: accounts && accounts.length > 0 ? getAddress(accounts[0]) : null, 13 | }; 14 | } else { 15 | throw new Error("No Ethereum Wallet"); 16 | } 17 | } catch (error) { 18 | console.log(error); 19 | return { address: null }; 20 | } 21 | } 22 | 23 | export default function useConnect() { 24 | const queryClient = new QueryClient(); 25 | 26 | return useMutation(() => connectWallet(), { 27 | onSettled: () => { 28 | queryClient.invalidateQueries(); 29 | }, 30 | }); 31 | } 32 | -------------------------------------------------------------------------------- /hooks/useAccount.jsx: -------------------------------------------------------------------------------- 1 | import { getAddress } from "ethers/lib/utils.js"; 2 | import { useQuery } from "@tanstack/react-query"; 3 | 4 | async function getAccount() { 5 | try { 6 | if (window.ethereum) { 7 | const accounts = await window.ethereum.request({ 8 | method: "eth_accounts", 9 | }); 10 | 11 | return { 12 | chainId: window.networkVersion ? Number(window.networkVersion) : null, 13 | address: accounts && accounts.length > 0 ? getAddress(accounts[0]) : null, 14 | isConnected: window.ethereum.connected ? true : false, 15 | }; 16 | } else { 17 | throw new Error("No Ethereum Wallet"); 18 | } 19 | } catch (error) { 20 | console.log(error); 21 | return { chainId: null, address: null, isConnected: false }; 22 | } 23 | } 24 | 25 | export default function useAccount() { 26 | return useQuery(["accounts"], () => getAccount()); 27 | } 28 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "chainlist", 3 | "version": "1.0.0", 4 | "private": true, 5 | "scripts": { 6 | "dev": "next dev", 7 | "build": "next build", 8 | "export": "next export && ./post-export.sh", 9 | "build2": "next build && next export", 10 | "start": "next start", 11 | "serve": "serve out" 12 | }, 13 | "dependencies": { 14 | "@tanstack/react-query": "^4.19.1", 15 | "ariakit": "^2.0.0-next.42", 16 | "axios": "^1.2.1", 17 | "ethers": "^5.7.2", 18 | "fathom-client": "^3.5.0", 19 | "next": "^13.0.6", 20 | "next-intl": "^2.10.2", 21 | "node-fetch": "^2.6.6", 22 | "react": "^18.2.0", 23 | "react-dom": "^18.2.0", 24 | "serve": "^14.1.2", 25 | "zustand": "^4.1.5" 26 | }, 27 | "devDependencies": { 28 | "autoprefixer": "^10.4.13", 29 | "dotenv": "^16.0.3", 30 | "postcss": "^8.4.19", 31 | "tailwindcss": "^3.2.4" 32 | } 33 | } 34 | -------------------------------------------------------------------------------- /translations/en.json: -------------------------------------------------------------------------------- 1 | { 2 | "Common": { 3 | "connect-wallet": "Connect Wallet", 4 | "view-source-code": "View Code", 5 | "join-our-discord": "Join Discord", 6 | "currency": "Currency", 7 | "search-networks": "Search Networks", 8 | "description": "Chainlist is a list of EVM networks. Users can use the information to connect their wallets and Web3 middleware providers to the appropriate Chain ID and Network ID to connect to the correct chain.", 9 | "help-info": "Helping users connect to EVM powered networks", 10 | "add-your-network": "Add Your Network", 11 | "add-your-rpc": "Add Your RPC", 12 | "language": "中文", 13 | "add-to-metamask": "Add to Metamask", 14 | "add-to-imToken": "Add to imToken", 15 | "add-to-wallet": "Add to Wallet", 16 | "add-to-brave": "Add to Brave", 17 | "add-to-coinbase": "Add to Coinbase Wallet", 18 | "add-to-trust": "Add to Trust Wallet", 19 | "no-privacy-info": "No privacy info" 20 | } 21 | } 22 | -------------------------------------------------------------------------------- /hooks/useClipboard.js: -------------------------------------------------------------------------------- 1 | import { useEffect, useState } from "react"; 2 | 3 | export const useClipboard = (options) => { 4 | const [hasCopied, setHasCopied] = useState(false); 5 | 6 | const resetAfter = options && options.resetAfter || 1000; 7 | const onSuccess = options && options.onSuccess; 8 | const onError = options && options.onError; 9 | 10 | useEffect(() => { 11 | if (hasCopied && resetAfter) { 12 | const handler = setTimeout(() => { 13 | setHasCopied(false); 14 | }, resetAfter); 15 | 16 | return () => { 17 | clearTimeout(handler); 18 | }; 19 | } 20 | }, [hasCopied, resetAfter]); 21 | 22 | return { 23 | hasCopied, 24 | onCopy: async (data) => { 25 | try { 26 | if (typeof data !== "string") { 27 | data = JSON.stringify(data); 28 | } 29 | 30 | await navigator.clipboard.writeText(data); 31 | 32 | setHasCopied(true); 33 | 34 | if (onSuccess) { 35 | onSuccess(data); 36 | } 37 | } catch { 38 | if (onError) { 39 | onError(); 40 | } 41 | } 42 | }, 43 | } 44 | }; 45 | -------------------------------------------------------------------------------- /translations/fr.json: -------------------------------------------------------------------------------- 1 | { 2 | "Common": { 3 | "connect-wallet": "Connecter le portefeuille", 4 | "view-source-code": "Consulter le code", 5 | "join-our-discord": "Rejoindre le Discord", 6 | "currency": "Monnaie", 7 | "search-networks": "Rechercher les réseaux", 8 | "description": "Chainlist est une liste de réseaux EVM. Les utilisateurs peuvent utiliser les informations pour connecter leurs portefeuilles et leurs fournisseurs Web3 de middleware à l'ID de chaîne et l'ID de réseau appropriés pour se connecter à la bonne chaîne.", 9 | "help-info": "Aider les utilisateurs à se connecter aux réseaux alimentés par EVM", 10 | "add-your-network": "Ajouter votre réseau", 11 | "add-your-rpc": "Ajouter votre RPC", 12 | "language": "Français", 13 | "add-to-metamask": "Ajouter à Metamask", 14 | "add-to-imToken": "Ajouter à imToken", 15 | "add-to-wallet": "Ajouter au portefeuille", 16 | "add-to-brave": "Ajouter à Brave", 17 | "add-to-coinbase": "Ajouter à Coinbase Wallet", 18 | "add-to-trust": "Ajouter à Trust Wallet", 19 | "no-privacy-info": "Aucune information de confidentialité" 20 | } 21 | } 22 | -------------------------------------------------------------------------------- /pages/api/chain/[chain].js: -------------------------------------------------------------------------------- 1 | import { fetcher, populateChain, arrayMove } from "../../../utils"; 2 | import { llamaNodesRpcs } from "../../../constants/llamaNodesRpcs"; 3 | 4 | export default async function handler(req, res) { 5 | res.setHeader("Cache-Control", "s-maxage=3600, stale-while-revalidate"); 6 | 7 | const { chain: chainIdOrName } = req.query; 8 | 9 | if (req.method === "GET") { 10 | const chains = await fetcher("https://chainid.network/chains.json"); 11 | 12 | let chain = chains.find((chain) => chain.chainId.toString() === chainIdOrName || chain.shortName === chainIdOrName); 13 | if (!chain) { 14 | return res.status(404).json({ message: "chain not found" }); 15 | } 16 | 17 | chain = populateChain(chain, []); 18 | 19 | const llamaNodesRpc = llamaNodesRpcs[chain.chainId] ?? null; 20 | 21 | if (llamaNodesRpc) { 22 | const llamaNodesRpcIndex = chain.rpc.findIndex((rpc) => rpc.url === llamaNodesRpc.rpcs[0].url); 23 | 24 | if (llamaNodesRpcIndex || llamaNodesRpcIndex === 0) { 25 | chain.rpc = arrayMove(chain.rpc, llamaNodesRpcIndex, 0); 26 | } 27 | } 28 | 29 | return res.status(200).json(chain); 30 | } 31 | } 32 | -------------------------------------------------------------------------------- /hooks/useAnalytics.js: -------------------------------------------------------------------------------- 1 | import { useEffect } from 'react' 2 | import { useRouter } from 'next/router' 3 | import * as Fathom from 'fathom-client' 4 | 5 | export const FATHOM_EVENTS_ID = { 6 | 137: 'KZQZWMIP', 7 | } 8 | 9 | export const FATHOM_DROPDOWN_EVENTS_ID = { 10 | 1: 'XIFGUQQY', 11 | 137: 'C6AYES3T', 12 | } 13 | export const FATHOM_NO_EVENTS_ID = { 14 | 1: '7X05SCBE', 15 | 10: 'UJHQR5AT', 16 | 25: 'VEQDBWGQ', 17 | 56: 'NMO1JLYL', 18 | 137: 'BEKTDT7F', 19 | 250: 'KPCKMPYG', 20 | 8217: '9369UJ80', 21 | 42161: '9DNMZNFD', 22 | 43114: 'FRM17FBN' 23 | } 24 | 25 | export const CHAINS_MONITOR = [ 26 | 1, 27 | 10, 28 | 25, 29 | 56, 30 | 137, 31 | 250, 32 | 8217, 33 | 42161, 34 | 43114 35 | ] 36 | 37 | export const useAnalytics = () => { 38 | const router = useRouter() 39 | 40 | useEffect(() => { 41 | Fathom.load('TKCNGGEZ', { 42 | includedDomains: ['chainlist.defillama.com', 'chainlist.org'], 43 | url: 'https://surprising-powerful.llama.fi/script.js', 44 | }) 45 | 46 | const onRouteChangeComplete = () => { 47 | Fathom.trackPageview() 48 | } 49 | 50 | router.events.on('routeChangeComplete', onRouteChangeComplete) 51 | 52 | return () => { 53 | router.events.off('routeChangeComplete', onRouteChangeComplete) 54 | } 55 | }, [router.events]) 56 | } 57 | -------------------------------------------------------------------------------- /public/connectors/icn-imtoken.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | -------------------------------------------------------------------------------- /constants/chainIds.json: -------------------------------------------------------------------------------- 1 | { 2 | "1": "ethereum", 3 | "8": "ubiq", 4 | "10": "optimism", 5 | "19": "songbird", 6 | "20": "elastos", 7 | "24": "kardiachain", 8 | "25": "cronos", 9 | "30": "rsk", 10 | "40": "telos", 11 | "50": "xdc", 12 | "52": "csc", 13 | "55": "zyx", 14 | "56": "binance", 15 | "57": "syscoin", 16 | "60": "gochain", 17 | "61": "ethereumclassic", 18 | "66": "okexchain", 19 | "70": "hoo", 20 | "82": "meter", 21 | "87": "nova network", 22 | "88": "tomochain", 23 | "100": "xdai", 24 | "106": "velas", 25 | "108": "thundercore", 26 | "122": "fuse", 27 | "128": "heco", 28 | "137": "polygon", 29 | "200": "xdaiarb", 30 | "246": "energyweb", 31 | "250": "fantom", 32 | "269": "hpb", 33 | "288": "boba", 34 | "321": "kucoin", 35 | "336": "shiden", 36 | "361": "theta", 37 | "416": "sx", 38 | "534": "candle", 39 | "592": "astar", 40 | "820": "callisto", 41 | "888": "wanchain", 42 | "1088": "metis", 43 | "1231": "ultron", 44 | "1234": "step", 45 | "1284": "moonbeam", 46 | "1285": "moonriver", 47 | "2000": "dogechain", 48 | "2222": "kava", 49 | "4689": "iotex", 50 | "5050": "xlc", 51 | "5551": "nahmii", 52 | "6969": "tombchain", 53 | "7700": "canto", 54 | "8217": "klaytn", 55 | "9001": "evmos", 56 | "10000": "smartbch", 57 | "32520": "bitgert", 58 | "32659": "fusion", 59 | "39815": "oho", 60 | "42161": "arbitrum", 61 | "42170": "arb-nova", 62 | "42220": "celo", 63 | "42262": "oasis", 64 | "43114": "avalanche", 65 | "47805": "rei", 66 | "55555": "reichain", 67 | "71402": "godwoken", 68 | "333999": "polis", 69 | "420420": "kekchain", 70 | "888888": "vision", 71 | "1313161554": "aurora", 72 | "1666600000": "harmony", 73 | "11297108109": "palm", 74 | "836542336838601": "curio" 75 | } 76 | -------------------------------------------------------------------------------- /purge-cache.js: -------------------------------------------------------------------------------- 1 | require("dotenv").config(); 2 | 3 | const fetch = require("node-fetch"); 4 | const fs = require("fs"); 5 | const path = require("path"); 6 | 7 | const CF_PURGE_CACHE_AUTH = process.env.CF_PURGE_CACHE_AUTH; 8 | const CF_ZONE = process.env.CF_ZONE; 9 | 10 | async function purgeCacheByUrls(urls) { 11 | const res = await fetch(`https://api.cloudflare.com/client/v4/zones/${CF_ZONE}/purge_cache`, { 12 | method: "POST", 13 | headers: { 14 | Authorization: `Bearer ${CF_PURGE_CACHE_AUTH}`, 15 | "Content-Type": "application/json", 16 | }, 17 | body: JSON.stringify({ files: urls }), 18 | }).then((r) => r.json()); 19 | 20 | // console.log(JSON.stringify(res, null, 2)); 21 | return res; 22 | } 23 | 24 | function listFiles(dir, files = []) { 25 | const entries = fs.readdirSync(dir, { withFileTypes: true }); 26 | for (const entry of entries) { 27 | const res = path.resolve(dir, entry.name); 28 | if (entry.isDirectory()) { 29 | listFiles(res, files); 30 | } else { 31 | files.push(res); 32 | } 33 | } 34 | 35 | return files 36 | .map((file) => file.replace(process.cwd() + "/out", "")) 37 | .filter((file) => !file.startsWith("/_next")) 38 | .map((file) => file.replace(" ", "%20")) 39 | .map((file) => file.replace(".html", "")); 40 | } 41 | 42 | async function getAllUrls() { 43 | const paths = listFiles("out").map((file) => `https://chainlist.org${file}`); 44 | 45 | const urls = ["https://chainlist.org/", ...paths]; 46 | 47 | return urls; 48 | } 49 | 50 | async function main() { 51 | const urls = await getAllUrls(); 52 | 53 | for (let i = 0; i < urls.length; i += 30) { 54 | const chunk = urls.slice(i, i + 30); 55 | const res = await purgeCacheByUrls(chunk); 56 | if (!res.success) { 57 | console.error("failed to purge cache"); 58 | console.error(JSON.stringify(res, null, 2)); 59 | return; 60 | } 61 | } 62 | 63 | console.log("done purging cache"); 64 | } 65 | 66 | main(); 67 | -------------------------------------------------------------------------------- /generate-sitemap.js: -------------------------------------------------------------------------------- 1 | const chainIds = require("./constants/chainIds.json"); 2 | const fetch = require("node-fetch"); 3 | const fs = require("fs"); 4 | 5 | function generateSiteMap(chains) { 6 | return ` 7 | 8 | 9 | 10 | https://chainlist.org/ 11 | 12 | ${chains 13 | .map(({ chainId }) => { 14 | return ` 15 | 16 | ${`https://chainlist.org/chain/${chainId}`} 17 | 18 | `; 19 | }) 20 | .join("")} 21 | ${chains 22 | .map(({ name }) => { 23 | return ` 24 | 25 | ${`https://chainlist.org/chain/${name.toLowerCase().split(" ").join("%20")}`} 26 | 27 | `; 28 | }) 29 | .join("")} 30 | ${Object.values(chainIds) 31 | .map((name) => { 32 | return ` 33 | 34 | ${`https://chainlist.org/chain/${name}`} 35 | 36 | `; 37 | }) 38 | .join("")} 39 | ${Object.values(chainIds) 40 | .map((name) => { 41 | return ` 42 | 43 | ${`https://chainlist.org/best-rpcs/${name}`} 44 | 45 | `; 46 | }) 47 | .join("")} 48 | ${Object.values(chainIds) 49 | .map((name) => { 50 | return ` 51 | 52 | ${`https://chainlist.org/top-rpcs/${name}`} 53 | 54 | `; 55 | }) 56 | .join("")} 57 | 58 | `; 59 | } 60 | 61 | async function writeSiteMap() { 62 | const res = await fetch("https://chainid.network/chains.json"); 63 | const chains = await res.json(); 64 | 65 | // We generate the XML sitemap with the chains data 66 | const sitemap = generateSiteMap(chains); 67 | 68 | // We write the sitemap to the next export out folder 69 | fs.writeFileSync("out/sitemap.xml", sitemap); 70 | } 71 | 72 | writeSiteMap(); 73 | -------------------------------------------------------------------------------- /hooks/useAddToNetwork.jsx: -------------------------------------------------------------------------------- 1 | import * as Fathom from "fathom-client"; 2 | import { useMutation, QueryClient } from "@tanstack/react-query"; 3 | import { FATHOM_EVENTS_ID, FATHOM_DROPDOWN_EVENTS_ID, FATHOM_NO_EVENTS_ID, CHAINS_MONITOR } from "./useAnalytics"; 4 | import { connectWallet } from "./useConnect"; 5 | 6 | const toHex = (num) => { 7 | return "0x" + num.toString(16); 8 | }; 9 | 10 | export async function addToNetwork({ address, chain, rpc }) { 11 | try { 12 | if (window.ethereum) { 13 | if (!address) { 14 | await connectWallet(); 15 | } 16 | 17 | 18 | const params = { 19 | chainId: toHex(chain.chainId), // A 0x-prefixed hexadecimal string 20 | chainName: chain.name, 21 | nativeCurrency: { 22 | name: chain.nativeCurrency.name, 23 | symbol: chain.nativeCurrency.symbol, // 2-6 characters long 24 | decimals: chain.nativeCurrency.decimals, 25 | }, 26 | rpcUrls: rpc ? [rpc] : chain.rpc.map((r) => r?.url ?? r), 27 | blockExplorerUrls: [ 28 | chain.explorers && chain.explorers.length > 0 && chain.explorers[0].url 29 | ? chain.explorers[0].url 30 | : chain.infoURL, 31 | ], 32 | }; 33 | 34 | const result = await window.ethereum.request({ 35 | method: "wallet_addEthereumChain", 36 | params: [params, address], 37 | }); 38 | 39 | // the 'wallet_addEthereumChain' method returns null if the request was successful 40 | if (result === null && CHAINS_MONITOR.includes(chain.chainId)) { 41 | if (rpc && rpc.includes("llamarpc")) { 42 | Fathom.trackGoal(FATHOM_DROPDOWN_EVENTS_ID[chain.chainId], 0); 43 | } else if (!rpc && chain.rpc?.length > 0 && chain.rpc[0].url.includes("llamarpc")) { 44 | Fathom.trackGoal(FATHOM_EVENTS_ID[chain.chainId], 0); 45 | } else { 46 | Fathom.trackGoal(FATHOM_NO_EVENTS_ID[chain.chainId], 0); 47 | } 48 | } 49 | 50 | return result; 51 | } else { 52 | throw new Error("No Ethereum Wallet"); 53 | } 54 | } catch (error) { 55 | console.log(error); 56 | return false; 57 | } 58 | } 59 | 60 | export default function useAddToNetwork() { 61 | const queryClient = new QueryClient(); 62 | 63 | return useMutation(addToNetwork, { 64 | onSettled: () => { 65 | queryClient.invalidateQueries(); 66 | }, 67 | }); 68 | } 69 | -------------------------------------------------------------------------------- /pages/index.js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import Head from "next/head"; 3 | import { useRouter } from "next/router"; 4 | import Layout from "../components/Layout"; 5 | import Chain from "../components/chain"; 6 | import { fetcher, populateChain } from "../utils"; 7 | 8 | export async function getStaticProps() { 9 | const chains = await fetcher("https://chainid.network/chains.json"); 10 | const chainTvls = await fetcher("https://api.llama.fi/chains"); 11 | 12 | const sortedChains = chains 13 | .filter((c) => c.name !== "420coin") // same chainId as ronin 14 | .map((chain) => populateChain(chain, chainTvls)) 15 | .sort((a, b) => { 16 | return (b.tvl ?? 0) - (a.tvl ?? 0); 17 | }); 18 | 19 | return { 20 | props: { 21 | chains: sortedChains, 22 | // messages: (await import(`../translations/${locale}.json`)).default, 23 | }, 24 | revalidate: 3600, 25 | }; 26 | } 27 | 28 | function Home({ chains }) { 29 | const router = useRouter(); 30 | const { testnets, testnet, search } = router.query; 31 | 32 | const includeTestnets = 33 | (typeof testnets === "string" && testnets === "true") || (typeof testnet === "string" && testnet === "true"); 34 | 35 | const sortedChains = !includeTestnets 36 | ? chains.filter((item) => { 37 | const testnet = 38 | item.name?.toLowerCase().includes("test") || 39 | item.title?.toLowerCase().includes("test") || 40 | item.network?.toLowerCase().includes("test"); 41 | const devnet = 42 | item.name?.toLowerCase().includes("devnet") || 43 | item.title?.toLowerCase().includes("devnet") || 44 | item.network?.toLowerCase().includes("devnet"); 45 | return !testnet && !devnet; 46 | }) 47 | : chains; 48 | 49 | const filteredChains = 50 | !search || typeof search !== "string" || search === "" 51 | ? sortedChains 52 | : sortedChains.filter((chain) => { 53 | //filter 54 | return ( 55 | chain.chain.toLowerCase().includes(search.toLowerCase()) || 56 | chain.chainId.toString().toLowerCase().includes(search.toLowerCase()) || 57 | chain.name.toLowerCase().includes(search.toLowerCase()) || 58 | (chain.nativeCurrency ? chain.nativeCurrency.symbol : "").toLowerCase().includes(search.toLowerCase()) 59 | ); 60 | }); 61 | 62 | return ( 63 | <> 64 | 65 | Chainlist 66 | 70 | 71 | 72 | 73 | 74 | }> 75 |
76 | {filteredChains.map((chain, idx) => ( 77 | 78 | ))} 79 |
80 |
81 |
82 | 83 | ); 84 | } 85 | 86 | export default Home; 87 | -------------------------------------------------------------------------------- /pages/zh/index.js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import Head from "next/head"; 3 | import { useRouter } from "next/router"; 4 | import Layout from "../../components/Layout"; 5 | import Chain from "../../components/chain"; 6 | import { fetcher, populateChain } from "../../utils"; 7 | 8 | export async function getStaticProps() { 9 | const chains = await fetcher("https://chainid.network/chains.json"); 10 | const chainTvls = await fetcher("https://api.llama.fi/chains"); 11 | 12 | const sortedChains = chains 13 | .filter((c) => c.name !== "420coin") // same chainId as ronin 14 | .map((chain) => populateChain(chain, chainTvls)) 15 | .sort((a, b) => { 16 | return (b.tvl ?? 0) - (a.tvl ?? 0); 17 | }); 18 | 19 | return { 20 | props: { 21 | chains: sortedChains, 22 | // messages: (await import(`../../translations/${locale}.json`)).default, 23 | }, 24 | revalidate: 3600, 25 | }; 26 | } 27 | 28 | function Home({ chains }) { 29 | const router = useRouter(); 30 | const { testnets, testnet, search } = router.query; 31 | 32 | const includeTestnets = 33 | (typeof testnets === "string" && testnets === "true") || (typeof testnet === "string" && testnet === "true"); 34 | 35 | const sortedChains = !includeTestnets 36 | ? chains.filter((item) => { 37 | const testnet = 38 | item.name?.toLowerCase().includes("test") || 39 | item.title?.toLowerCase().includes("test") || 40 | item.network?.toLowerCase().includes("test"); 41 | const devnet = 42 | item.name?.toLowerCase().includes("devnet") || 43 | item.title?.toLowerCase().includes("devnet") || 44 | item.network?.toLowerCase().includes("devnet"); 45 | return !testnet && !devnet; 46 | }) 47 | : chains; 48 | 49 | const filteredChains = 50 | !search || typeof search !== "string" || search === "" 51 | ? sortedChains 52 | : sortedChains.filter((chain) => { 53 | //filter 54 | return ( 55 | chain.chain.toLowerCase().includes(search.toLowerCase()) || 56 | chain.chainId.toString().toLowerCase().includes(search.toLowerCase()) || 57 | chain.name.toLowerCase().includes(search.toLowerCase()) || 58 | (chain.nativeCurrency ? chain.nativeCurrency.symbol : "").toLowerCase().includes(search.toLowerCase()) 59 | ); 60 | }); 61 | 62 | return ( 63 | <> 64 | 65 | Chainlist 66 | 70 | 71 | 72 | 73 | 74 | }> 75 |
76 | {filteredChains.map((chain, idx) => ( 77 | 78 | ))} 79 |
80 |
81 |
82 | 83 | ); 84 | } 85 | 86 | export default Home; 87 | -------------------------------------------------------------------------------- /hooks/useRPCData.js: -------------------------------------------------------------------------------- 1 | import { useCallback } from "react"; 2 | import { useQueries } from "@tanstack/react-query"; 3 | import axios from "axios"; 4 | 5 | const refetchInterval = 60_000; 6 | 7 | export const rpcBody = JSON.stringify({ 8 | jsonrpc: "2.0", 9 | method: "eth_getBlockByNumber", 10 | params: ["latest", false], 11 | id: 1, 12 | }); 13 | 14 | const fetchChain = async (baseURL) => { 15 | if (baseURL.includes("API_KEY")) return null; 16 | try { 17 | let API = axios.create({ 18 | baseURL, 19 | headers: { 20 | "Content-Type": "application/json", 21 | }, 22 | }); 23 | 24 | API.interceptors.request.use(function (request) { 25 | request.requestStart = Date.now(); 26 | return request; 27 | }); 28 | 29 | API.interceptors.response.use( 30 | function (response) { 31 | response.latency = Date.now() - response.config.requestStart; 32 | return response; 33 | }, 34 | function (error) { 35 | if (error.response) { 36 | error.response.latency = null; 37 | } 38 | 39 | return Promise.reject(error); 40 | }, 41 | ); 42 | 43 | let { data, latency } = await API.post("", rpcBody); 44 | 45 | return { ...data, latency }; 46 | } catch (error) { 47 | return null; 48 | } 49 | }; 50 | 51 | const formatData = (url, data) => { 52 | let height = data?.result?.number ?? null; 53 | let latency = data?.latency ?? null; 54 | if (height) { 55 | const hexString = height.toString(16); 56 | height = parseInt(hexString, 16); 57 | } else { 58 | latency = null; 59 | } 60 | return { url, height, latency }; 61 | }; 62 | 63 | const useHttpQuery = (url) => { 64 | return { 65 | queryKey: [url], 66 | queryFn: () => fetchChain(url), 67 | refetchInterval, 68 | select: useCallback((data) => formatData(url, data), []), 69 | }; 70 | }; 71 | 72 | function createPromise() { 73 | let resolve, reject; 74 | const promise = new Promise((_resolve, _reject) => { 75 | resolve = _resolve; 76 | reject = _reject; 77 | }); 78 | 79 | promise.resolve = resolve; 80 | promise.reject = reject; 81 | 82 | return promise; 83 | } 84 | 85 | const fetchWssChain = async (baseURL) => { 86 | try { 87 | // small hack to wait until socket connection opens to show loading indicator on table row 88 | const queryFn = createPromise(); 89 | 90 | const socket = new WebSocket(baseURL); 91 | let requestStart; 92 | 93 | socket.onopen = function () { 94 | socket.send(rpcBody); 95 | requestStart = Date.now(); 96 | }; 97 | 98 | socket.onmessage = function (event) { 99 | const data = JSON.parse(event.data); 100 | 101 | const latency = Date.now() - requestStart; 102 | queryFn.resolve({ ...data, latency }); 103 | }; 104 | 105 | socket.onerror = function (e) { 106 | queryFn.reject(e); 107 | }; 108 | 109 | return await queryFn; 110 | } catch (error) { 111 | return null; 112 | } 113 | }; 114 | 115 | const useSocketQuery = (url) => { 116 | return { 117 | queryKey: [url], 118 | queryFn: () => fetchWssChain(url), 119 | select: useCallback((data) => formatData(url, data), []), 120 | refetchInterval, 121 | }; 122 | }; 123 | 124 | const useRPCData = (urls) => { 125 | const queries = 126 | urls?.map((url) => (url.url.includes("wss://") ? useSocketQuery(url.url) : useHttpQuery(url.url))) ?? []; 127 | 128 | return useQueries({ queries }); 129 | }; 130 | 131 | export default useRPCData; 132 | -------------------------------------------------------------------------------- /pages/chain/[chain].js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import Head from "next/head"; 3 | import Link from "next/link"; 4 | // import { useTranslations } from "next-intl"; 5 | import { notTranslation as useTranslations } from "../../utils"; 6 | import { populateChain, fetcher } from "../../utils"; 7 | import AddNetwork from "../../components/chain"; 8 | import Layout from "../../components/Layout"; 9 | import RPCList from "../../components/RPCList"; 10 | import chainIds from "../../constants/chainIds.json"; 11 | 12 | export async function getStaticProps({ params }) { 13 | const chains = await fetcher("https://chainid.network/chains.json"); 14 | 15 | const chainTvls = await fetcher("https://api.llama.fi/chains"); 16 | 17 | const chain = chains.find( 18 | (c) => 19 | c.chainId?.toString() === params.chain || 20 | c.chainId?.toString() === Object.entries(chainIds).find(([, name]) => params.chain === name)?.[0] || 21 | c.name.toLowerCase() === params.chain.toLowerCase().split("%20").join(" "), 22 | ); 23 | 24 | if (!chain) { 25 | return { 26 | notFound: true, 27 | }; 28 | } 29 | 30 | return { 31 | props: { 32 | chain: chain ? populateChain(chain, chainTvls) : null, 33 | // messages: (await import(`../../translations/${locale}.json`)).default, 34 | }, 35 | revalidate: 3600, 36 | }; 37 | } 38 | 39 | export async function getStaticPaths() { 40 | const chains = await fetcher("https://chainid.network/chains.json"); 41 | 42 | const paths = chains 43 | .map((chain) => [ 44 | { 45 | params: { 46 | chain: chain.chainId.toString(), 47 | }, 48 | }, 49 | { 50 | params: { 51 | chain: chain.name.toLowerCase(), 52 | }, 53 | }, 54 | ]) 55 | .flat(); 56 | 57 | return { paths, fallback: false }; 58 | } 59 | 60 | function Chain({ chain }) { 61 | const t = useTranslations("Common", "en"); 62 | 63 | const icon = React.useMemo(() => { 64 | return chain?.chainSlug ? `https://icons.llamao.fi/icons/chains/rsz_${chain.chainSlug}.jpg` : "/unknown-logo.png"; 65 | }, [chain]); 66 | 67 | return ( 68 | <> 69 | 70 | {`${chain.name} RPC and Chain settings | Chainlist`} 71 | 75 | 76 | 77 | 78 | 79 |
80 | 81 | {chain.name 88 | {chain.name} 89 | 90 | 91 | 92 | 93 | 94 | 95 | 96 | 97 | 98 | 99 | 100 | 101 | 104 | 105 | 106 |
ChainID{t("currency")}
{chain.chainId} 102 | {chain.nativeCurrency ? chain.nativeCurrency.symbol : "none"} 103 |
107 | 108 | 109 |
110 | 111 | 112 |
113 | 114 | ); 115 | } 116 | 117 | export default Chain; 118 | -------------------------------------------------------------------------------- /pages/zh/chain/[chain].js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import Head from "next/head"; 3 | import Link from "next/link"; 4 | // import { useTranslations } from "next-intl"; 5 | import { notTranslation as useTranslations } from "../../../utils"; 6 | import { populateChain, fetcher } from "../../../utils"; 7 | import AddNetwork from "../../../components/chain"; 8 | import Layout from "../../../components/Layout"; 9 | import RPCList from "../../../components/RPCList"; 10 | import chainIds from "../../../constants/chainIds.json"; 11 | 12 | export async function getStaticProps({ params }) { 13 | const chains = await fetcher("https://chainid.network/chains.json"); 14 | 15 | const chainTvls = await fetcher("https://api.llama.fi/chains"); 16 | 17 | const chain = chains.find( 18 | (c) => 19 | c.chainId?.toString() === params.chain || 20 | c.chainId?.toString() === Object.entries(chainIds).find(([, name]) => params.chain === name)?.[0] || 21 | c.name.toLowerCase() === params.chain.toLowerCase().split("%20").join(" "), 22 | ); 23 | 24 | if (!chain) { 25 | return { 26 | notFound: true, 27 | }; 28 | } 29 | 30 | return { 31 | props: { 32 | chain: chain ? populateChain(chain, chainTvls) : null, 33 | // messages: (await import(`../../../translations/${locale}.json`)).default, 34 | }, 35 | revalidate: 3600, 36 | }; 37 | } 38 | 39 | export async function getStaticPaths() { 40 | const chains = await fetcher("https://chainid.network/chains.json"); 41 | 42 | const paths = chains 43 | .map((chain) => [ 44 | { 45 | params: { 46 | chain: chain.chainId.toString(), 47 | }, 48 | }, 49 | { 50 | params: { 51 | chain: chain.name.toLowerCase(), 52 | }, 53 | }, 54 | ]) 55 | .flat(); 56 | 57 | return { paths, fallback: false }; 58 | } 59 | 60 | function Chain({ chain }) { 61 | const t = useTranslations("Common", "zh"); 62 | 63 | const icon = React.useMemo(() => { 64 | return chain?.chainSlug ? `https://icons.llamao.fi/icons/chains/rsz_${chain.chainSlug}.jpg` : "/unknown-logo.png"; 65 | }, [chain]); 66 | 67 | return ( 68 | <> 69 | 70 | {`${chain.name} RPC and Chain settings | Chainlist`} 71 | 75 | 76 | 77 | 78 | 79 |
80 | 81 | {chain.name 88 | {chain.name} 89 | 90 | 91 | 92 | 93 | 94 | 95 | 96 | 97 | 98 | 99 | 100 | 101 | 104 | 105 | 106 |
ChainID{t("currency")}
{chain.chainId} 102 | {chain.nativeCurrency ? chain.nativeCurrency.symbol : "none"} 103 |
107 | 108 | 109 |
110 | 111 | 112 |
113 | 114 | ); 115 | } 116 | 117 | export default Chain; 118 | -------------------------------------------------------------------------------- /components/Layout/index.js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import Header from "../header"; 3 | // import { useTranslations } from "next-intl"; 4 | import { notTranslation as useTranslations } from "../../utils"; 5 | import Logo from "./Logo"; 6 | import { useRouter } from "next/router"; 7 | 8 | export default function Layout({ children, lang }) { 9 | const t = useTranslations("Common", lang); 10 | 11 | const router = useRouter(); 12 | 13 | const { search } = router.query; 14 | 15 | const chainName = typeof search === "string" ? search : ""; 16 | 17 | return ( 18 |
19 |
20 |
21 |
22 | 23 |
{t("help-info")}
24 |
25 | 26 |

{t("description")}

27 | 28 | 67 | 68 | 74 | 75 | 79 | 80 | {t("view-source-code")} 81 | 82 |
83 |
84 |
85 |
86 | 87 | {children} 88 |
89 |
90 | ); 91 | } 92 | -------------------------------------------------------------------------------- /components/header/index.js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import { useRouter } from "next/router"; 3 | // import { useTranslations } from "next-intl"; 4 | import { notTranslation as useTranslations } from "../../utils"; 5 | import { formatAddress, getProvider, useDebounce } from "../../utils"; 6 | import { walletIcons } from "../../constants/walletIcons"; 7 | import useConnect from "../../hooks/useConnect"; 8 | import useAccount from "../../hooks/useAccount"; 9 | 10 | function Header({ lang, chainName }) { 11 | const t = useTranslations("Common", lang); 12 | 13 | const router = useRouter(); 14 | 15 | const { testnets, testnet, search } = router.query; 16 | 17 | const includeTestnets = 18 | (typeof testnets === "string" && testnets === "true") || (typeof testnet === "string" && testnet === "true"); 19 | 20 | const toggleTestnets = () => 21 | router.push( 22 | { 23 | pathname: router.pathname, 24 | query: { ...router.query, testnets: !includeTestnets }, 25 | }, 26 | undefined, 27 | { shallow: true }, 28 | ); 29 | 30 | const [searchTerm, setSearchTerm] = React.useState(chainName); 31 | 32 | const debouncedSearchTerm = useDebounce(searchTerm, 500); 33 | 34 | React.useEffect(() => { 35 | const handler = setTimeout(() => { 36 | if ((!debouncedSearchTerm || debouncedSearchTerm === "") && (!search || search === "")) { 37 | return; 38 | } 39 | 40 | router.push( 41 | { 42 | pathname: router.pathname, 43 | query: { ...router.query, search: debouncedSearchTerm }, 44 | }, 45 | undefined, 46 | { shallow: true }, 47 | ); 48 | }, 200); 49 | 50 | return () => { 51 | clearTimeout(handler); 52 | }; 53 | }, [debouncedSearchTerm]); 54 | 55 | const { mutate: connectWallet } = useConnect(); 56 | 57 | const { data: accountData } = useAccount(); 58 | 59 | const address = accountData?.address ?? null; 60 | 61 | return ( 62 |
63 |
64 |
65 |
66 | 89 |
90 |
91 | 95 | 96 | 109 |
110 |
111 |
112 |
113 | ); 114 | } 115 | 116 | export default Header; 117 | -------------------------------------------------------------------------------- /components/chain/index.js: -------------------------------------------------------------------------------- 1 | import * as React from "react"; 2 | import RPCList from "../RPCList"; 3 | import { renderProviderText } from "../../utils"; 4 | import { useRouter } from "next/router"; 5 | import Link from "next/link"; 6 | // import { useTranslations } from "next-intl"; 7 | import { notTranslation as useTranslations } from "../../utils"; 8 | import { useChain } from "../../stores"; 9 | import useAccount from "../../hooks/useAccount"; 10 | import useAddToNetwork from "../../hooks/useAddToNetwork"; 11 | 12 | export default function Chain({ chain, buttonOnly, lang }) { 13 | const t = useTranslations("Common", lang); 14 | 15 | const router = useRouter(); 16 | 17 | const icon = React.useMemo(() => { 18 | return chain.chainSlug ? `https://icons.llamao.fi/icons/chains/rsz_${chain.chainSlug}.jpg` : "/unknown-logo.png"; 19 | }, [chain]); 20 | 21 | const chainId = useChain((state) => state.id); 22 | const updateChain = useChain((state) => state.updateChain); 23 | 24 | const handleClick = () => { 25 | if (chain.chainId === chainId) { 26 | updateChain(null); 27 | } else { 28 | updateChain(chain.chainId); 29 | } 30 | }; 31 | 32 | const showAddlInfo = chain.chainId === chainId; 33 | 34 | const { data: accountData } = useAccount(); 35 | 36 | const address = accountData?.address ?? null; 37 | 38 | const { mutate: addToNetwork } = useAddToNetwork(); 39 | 40 | if (!chain) { 41 | return <>; 42 | } 43 | 44 | if (buttonOnly) { 45 | return ( 46 | 52 | ); 53 | } 54 | 55 | return ( 56 | <> 57 |
58 | 59 | {chain.name 66 | 67 | {chain.name} 68 | 69 | 70 | 71 | 72 | 73 | 74 | 75 | 76 | 77 | 78 | 79 | 80 | 81 | 84 | 85 | 86 |
ChainID{t("currency")}
{chain.chainId} 82 | {chain.nativeCurrency ? chain.nativeCurrency.symbol : "none"} 83 |
87 | 88 | 94 | 95 | {(lang === "en" ? router.pathname === "/" : router.pathname === "/zh") && ( 96 | 116 | )} 117 |
118 | 119 | {showAddlInfo && } 120 | 121 | ); 122 | } 123 | -------------------------------------------------------------------------------- /utils/index.js: -------------------------------------------------------------------------------- 1 | import { useState, useEffect } from "react"; 2 | import allExtraRpcs from "../constants/extraRpcs.js"; 3 | import chainIds from "../constants/chainIds.json"; 4 | import en from "../translations/en.json"; 5 | import zh from "../translations/zh.json"; 6 | 7 | export function formatCurrency(amount, decimals = 2) { 8 | if (!isNaN(amount)) { 9 | const formatter = new Intl.NumberFormat(undefined, { 10 | minimumFractionDigits: decimals, 11 | maximumFractionDigits: decimals, 12 | }); 13 | 14 | return formatter.format(amount); 15 | } else { 16 | return 0; 17 | } 18 | } 19 | 20 | export function formatAddress(address, length = "short") { 21 | if (address && length === "short") { 22 | address = address.substring(0, 6) + "..." + address.substring(address.length - 4, address.length); 23 | return address; 24 | } else if (address && length === "long") { 25 | address = address.substring(0, 12) + "..." + address.substring(address.length - 8, address.length); 26 | return address; 27 | } else { 28 | return null; 29 | } 30 | } 31 | 32 | export function getProvider() { 33 | if (typeof window !== "undefined" && typeof window.ethereum !== "undefined") { 34 | if (window.ethereum.isCoinbaseWallet || window.ethereum.selectedProvider?.isCoinbaseWallet) 35 | return "Coinbase Wallet"; 36 | if (window.ethereum.isBraveWallet) return "Brave Wallet"; 37 | if (window.ethereum.isMetaMask) return "Metamask"; 38 | if (window.ethereum.isImToken) return "imToken"; 39 | if (window.ethereum.isTrust) return "Trust Wallet"; 40 | } 41 | return "Wallet"; 42 | } 43 | 44 | export function useDebounce(value, delay) { 45 | // State and setters for debounced value 46 | const [debouncedValue, setDebouncedValue] = useState(value); 47 | useEffect( 48 | () => { 49 | // Update debounced value after delay 50 | const handler = setTimeout(() => { 51 | setDebouncedValue(value); 52 | }, delay); 53 | // Cancel the timeout if value changes (also on delay change or unmount) 54 | // This is how we prevent debounced value from updating if value is changed ... 55 | // .. within the delay period. Timeout gets cleared and restarted. 56 | return () => { 57 | clearTimeout(handler); 58 | }; 59 | }, 60 | [value, delay], // Only re-call effect if value or delay changes 61 | ); 62 | return debouncedValue; 63 | } 64 | 65 | export const fetcher = (...args) => fetch(...args).then((res) => res.json()); 66 | 67 | export const renderProviderText = (address) => { 68 | if (address) { 69 | const providerTextList = { 70 | Metamask: "add-to-metamask", 71 | imToken: "add-to-imToken", 72 | Wallet: "add-to-wallet", 73 | "Brave Wallet": "add-to-brave", 74 | "Coinbase Wallet": "add-to-coinbase", 75 | "Trust Wallet": "add-to-trust", 76 | }; 77 | return providerTextList[getProvider()]; 78 | } else { 79 | return "connect-wallet"; 80 | } 81 | }; 82 | 83 | function removeEndingSlashObject(rpc) { 84 | if (typeof rpc === "string") { 85 | return { 86 | url: removeEndingSlash(rpc), 87 | }; 88 | } else { 89 | return { 90 | ...rpc, 91 | url: removeEndingSlash(rpc.url), 92 | }; 93 | } 94 | } 95 | 96 | function removeEndingSlash(rpc) { 97 | return rpc.endsWith("/") ? rpc.substr(0, rpc.length - 1) : rpc; 98 | } 99 | 100 | export function populateChain(chain, chainTvls) { 101 | const extraRpcs = allExtraRpcs[chain.chainId]?.rpcs; 102 | 103 | if (extraRpcs !== undefined) { 104 | const rpcs = extraRpcs.map(removeEndingSlashObject); 105 | 106 | chain.rpc 107 | .filter((rpc) => !rpc.includes("${INFURA_API_KEY}")) 108 | .forEach((rpc) => { 109 | const rpcObj = removeEndingSlashObject(rpc); 110 | if (rpcs.find((r) => r.url === rpcObj.url) === undefined) { 111 | rpcs.push(rpcObj); 112 | } 113 | }); 114 | 115 | chain.rpc = rpcs; 116 | } else { 117 | chain.rpc = chain.rpc.map(removeEndingSlashObject); 118 | } 119 | 120 | const chainSlug = chainIds[chain.chainId]; 121 | 122 | if (chainSlug !== undefined) { 123 | const defiChain = chainTvls.find((c) => c.name.toLowerCase() === chainSlug); 124 | 125 | return defiChain === undefined 126 | ? chain 127 | : { 128 | ...chain, 129 | tvl: defiChain.tvl, 130 | chainSlug, 131 | }; 132 | } 133 | return chain; 134 | } 135 | 136 | export function mergeDeep(target, source) { 137 | const newTarget = { ...target } 138 | const isObject = (obj) => obj && typeof obj === 'object'; 139 | 140 | if (!isObject(newTarget) || !isObject(source)) { 141 | return source; 142 | } 143 | 144 | Object.keys(source).forEach(key => { 145 | const targetValue = newTarget[key]; 146 | const sourceValue = source[key]; 147 | 148 | if (Array.isArray(targetValue) && Array.isArray(sourceValue)) { 149 | newTarget[key] = targetValue.concat(sourceValue); 150 | } else if (isObject(targetValue) && isObject(sourceValue)) { 151 | newTarget[key] = mergeDeep(Object.assign({}, targetValue), sourceValue); 152 | } else { 153 | newTarget[key] = sourceValue; 154 | } 155 | }); 156 | 157 | return newTarget; 158 | } 159 | 160 | export function arrayMove(array, fromIndex, toIndex) { 161 | const newArray = [...array]; 162 | const startIndex = fromIndex < 0 ? newArray.length + fromIndex : fromIndex; 163 | 164 | if (startIndex >= 0 && startIndex < newArray.length) { 165 | const endIndex = toIndex < 0 ? newArray.length + toIndex : toIndex; 166 | const [item] = newArray.splice(fromIndex, 1); 167 | 168 | newArray.splice(endIndex, 0, item); 169 | } 170 | 171 | return newArray; 172 | } 173 | 174 | export const notTranslation = 175 | (ns, lang = "en") => 176 | (key) => { 177 | switch (lang) { 178 | case "en": 179 | return en[ns][key]; 180 | case "zh": 181 | return zh[ns][key]; 182 | default: 183 | return en[ns][key]; 184 | } 185 | }; 186 | -------------------------------------------------------------------------------- /public/connectors/icn-metamask.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | 25 | 26 | 27 | 28 | 29 | 30 | 31 | 32 | -------------------------------------------------------------------------------- /public/logo-stacked.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | -------------------------------------------------------------------------------- /public/connectors/icn-bravewallet.svg: -------------------------------------------------------------------------------- 1 | 2 | 7 | 8 | build-icons/Stable Copy 3 9 | Created with Sketch. 10 | 11 | 12 | 13 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | 25 | 26 | 34 | 35 | 36 | 37 | -------------------------------------------------------------------------------- /public/logo.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | -------------------------------------------------------------------------------- /components/Layout/Logo.js: -------------------------------------------------------------------------------- 1 | export default function Logo() { 2 | return ( 3 | 11 | 15 | 19 | 23 | 27 | 31 | 35 | 39 | 43 | 47 | 51 | 55 | 59 | 60 | 68 | 69 | 70 | 71 | 72 | 73 | ); 74 | } 75 | -------------------------------------------------------------------------------- /components/RPCList/index.js: -------------------------------------------------------------------------------- 1 | import { useEffect, useMemo, useState } from "react"; 2 | import * as Fathom from "fathom-client"; 3 | // import { useTranslations } from "next-intl"; 4 | import { notTranslation as useTranslations } from "../../utils"; 5 | import useRPCData from "../../hooks/useRPCData"; 6 | import useAddToNetwork from "../../hooks/useAddToNetwork"; 7 | import { useClipboard } from "../../hooks/useClipboard"; 8 | import { useLlamaNodesRpcData } from "../../hooks/useLlamaNodesRpcData"; 9 | import { FATHOM_DROPDOWN_EVENTS_ID } from "../../hooks/useAnalytics"; 10 | import { useAccount, useRpcStore } from "../../stores"; 11 | import { renderProviderText } from "../../utils"; 12 | import { Tooltip } from "../../components/Tooltip"; 13 | 14 | export default function RPCList({ chain, lang }) { 15 | const [sortChains, setSorting] = useState(true); 16 | 17 | const urlToData = chain.rpc.reduce((all, c) => ({ ...all, [c.url]: c }), {}); 18 | 19 | const chains = useRPCData(chain.rpc); 20 | 21 | const data = useMemo(() => { 22 | const sortedData = sortChains 23 | ? chains?.sort((a, b) => { 24 | if (a.isLoading) { 25 | return 1; 26 | } 27 | 28 | const h1 = a?.data?.height; 29 | const h2 = b?.data?.height; 30 | const l1 = a?.data?.latency; 31 | const l2 = b?.data?.latency; 32 | 33 | if (!h2) { 34 | return -1; 35 | } 36 | 37 | if (h2 - h1 > 0) { 38 | return 1; 39 | } 40 | if (h2 - h1 < 0) { 41 | return -1; 42 | } 43 | if (h1 === h2) { 44 | if (l1 - l2 < 0) { 45 | return -1; 46 | } else { 47 | return 1; 48 | } 49 | } 50 | }) 51 | : chains; 52 | 53 | const topRpc = sortedData[0]?.data ?? {}; 54 | 55 | return sortedData.map(({ data, ...rest }) => { 56 | const { height = null, latency = null, url = "" } = data || {}; 57 | 58 | let trust = "transparent"; 59 | let disableConnect = false; 60 | 61 | if (!height || !latency || topRpc.height - height > 3 || topRpc.latency - latency > 5000) { 62 | trust = "red"; 63 | } else if (topRpc.height - height < 2 && topRpc.latency - latency > -600) { 64 | trust = "green"; 65 | } else { 66 | trust = "orange"; 67 | } 68 | 69 | if (url.includes("wss://") || url.includes("API_KEY")) disableConnect = true; 70 | 71 | const lat = latency ? (latency / 1000).toFixed(3) + "s" : null; 72 | 73 | return { 74 | ...rest, 75 | data: { ...data, height, latency: lat, trust, disableConnect }, 76 | }; 77 | }); 78 | }, [chains]); 79 | 80 | const { rpcData, hasLlamaNodesRpc } = useLlamaNodesRpcData(chain.chainId, data); 81 | 82 | const isEthMainnet = chain?.name === "Ethereum Mainnet"; 83 | 84 | return ( 85 |
86 | {isEthMainnet && ( 87 |

88 | Follow{" "} 89 | 95 | this guide 96 | {" "} 97 | to change RPC endpoint's of Ethereum Mainnet 98 |

99 | )} 100 | 101 | 102 | 126 | 127 | 128 | 129 | 130 | 131 | 132 | 133 | 134 | 135 | 136 | 137 | 138 | {rpcData.map((item, index) => { 139 | let className = 'bg-inherit'; 140 | 141 | if (hasLlamaNodesRpc && index === 0) { 142 | className = 'bg-[#F9F9F9]'; 143 | } 144 | 145 | return ( 146 | 155 | ) 156 | })} 157 | 158 |
103 | {`${chain.name} RPC URL List`} 104 | 125 |
RPC Server AddressHeightLatencyScorePrivacy
159 |
160 | ); 161 | } 162 | 163 | const Shimmer = () => { 164 | return
; 165 | }; 166 | 167 | function PrivacyIcon({ tracking, isOpenSource = false }) { 168 | switch (tracking) { 169 | case "yes": 170 | return ; 171 | case "limited": 172 | return ; 173 | case "none": 174 | if (isOpenSource) { 175 | return ; 176 | } 177 | 178 | return ; 179 | } 180 | 181 | return ; 182 | } 183 | 184 | const Row = ({ values, chain, isEthMainnet, privacy, lang, className }) => { 185 | const t = useTranslations("Common", lang); 186 | const { data, isLoading, refetch } = values; 187 | 188 | const rpcs = useRpcStore((state) => state.rpcs); 189 | const addRpc = useRpcStore((state) => state.addRpc); 190 | const account = useAccount((state) => state.account); 191 | 192 | useEffect(() => { 193 | // ignore first request to a url and refetch to calculate latency which doesn't include DNS lookup 194 | if (data && !rpcs.includes(data.url)) { 195 | refetch(); 196 | addRpc(data.url); 197 | } 198 | }, [data, rpcs, addRpc, refetch]); 199 | 200 | const { data: accountData } = useAccount(); 201 | 202 | const address = accountData?.address ?? null; 203 | 204 | const { mutate: addToNetwork } = useAddToNetwork(); 205 | 206 | return ( 207 | 208 | 209 | {isLoading ? : data?.url} 210 | 211 | {isLoading ? : data?.height} 212 | {isLoading ? : data?.latency} 213 | 214 | {isLoading ? ( 215 | 216 | ) : ( 217 | <> 218 | {data.trust === "green" ? ( 219 | 220 | ) : data.trust === "red" ? ( 221 | 222 | ) : data.trust === "orange" ? ( 223 | 224 | ) : null} 225 | 226 | )} 227 | 228 | 229 | 230 | {isLoading ? : } 231 | 232 | 233 | 234 | {isLoading ? ( 235 | 236 | ) : ( 237 | <> 238 | {isEthMainnet ? ( 239 | 240 | ) : ( 241 | !data.disableConnect && ( 242 | 248 | ) 249 | )} 250 | 251 | )} 252 | 253 | 254 | ); 255 | }; 256 | 257 | const CopyUrl = ({ url = "" }) => { 258 | const { hasCopied, onCopy } = useClipboard() 259 | 260 | const handleCopy = () => { 261 | if (url.includes("eth.llamarpc")) { 262 | Fathom.trackGoal(FATHOM_DROPDOWN_EVENTS_ID[1], 0); 263 | } 264 | 265 | return onCopy(url) 266 | } 267 | 268 | return ( 269 | 275 | ); 276 | }; 277 | 278 | const EmptyIcon = () => ( 279 | 280 | 281 | 282 | ) 283 | 284 | const RedIcon = () => ( 285 | 286 | 291 | 292 | ); 293 | 294 | const OrangeIcon = () => ( 295 | 296 | 301 | 302 | ); 303 | 304 | const GreenIcon = () => ( 305 | 306 | 311 | 312 | ); 313 | 314 | const LightGreenIcon = () => ( 315 | 316 | 321 | 322 | ); 323 | -------------------------------------------------------------------------------- /LICENCE.md: -------------------------------------------------------------------------------- 1 | GNU GENERAL PUBLIC LICENSE 2 | Version 3, 29 June 2007 3 | 4 | Copyright (C) 2007 Free Software Foundation, Inc. 5 | Everyone is permitted to copy and distribute verbatim copies 6 | of this license document, but changing it is not allowed. 7 | 8 | Preamble 9 | 10 | The GNU General Public License is a free, copyleft license for 11 | software and other kinds of works. 12 | 13 | The licenses for most software and other practical works are designed 14 | to take away your freedom to share and change the works. By contrast, 15 | the GNU General Public License is intended to guarantee your freedom to 16 | share and change all versions of a program--to make sure it remains free 17 | software for all its users. We, the Free Software Foundation, use the 18 | GNU General Public License for most of our software; it applies also to 19 | any other work released this way by its authors. You can apply it to 20 | your programs, too. 21 | 22 | When we speak of free software, we are referring to freedom, not 23 | price. Our General Public Licenses are designed to make sure that you 24 | have the freedom to distribute copies of free software (and charge for 25 | them if you wish), that you receive source code or can get it if you 26 | want it, that you can change the software or use pieces of it in new 27 | free programs, and that you know you can do these things. 28 | 29 | To protect your rights, we need to prevent others from denying you 30 | these rights or asking you to surrender the rights. Therefore, you have 31 | certain responsibilities if you distribute copies of the software, or if 32 | you modify it: responsibilities to respect the freedom of others. 33 | 34 | For example, if you distribute copies of such a program, whether 35 | gratis or for a fee, you must pass on to the recipients the same 36 | freedoms that you received. You must make sure that they, too, receive 37 | or can get the source code. And you must show them these terms so they 38 | know their rights. 39 | 40 | Developers that use the GNU GPL protect your rights with two steps: 41 | (1) assert copyright on the software, and (2) offer you this License 42 | giving you legal permission to copy, distribute and/or modify it. 43 | 44 | For the developers' and authors' protection, the GPL clearly explains 45 | that there is no warranty for this free software. For both users' and 46 | authors' sake, the GPL requires that modified versions be marked as 47 | changed, so that their problems will not be attributed erroneously to 48 | authors of previous versions. 49 | 50 | Some devices are designed to deny users access to install or run 51 | modified versions of the software inside them, although the manufacturer 52 | can do so. This is fundamentally incompatible with the aim of 53 | protecting users' freedom to change the software. The systematic 54 | pattern of such abuse occurs in the area of products for individuals to 55 | use, which is precisely where it is most unacceptable. Therefore, we 56 | have designed this version of the GPL to prohibit the practice for those 57 | products. If such problems arise substantially in other domains, we 58 | stand ready to extend this provision to those domains in future versions 59 | of the GPL, as needed to protect the freedom of users. 60 | 61 | Finally, every program is threatened constantly by software patents. 62 | States should not allow patents to restrict development and use of 63 | software on general-purpose computers, but in those that do, we wish to 64 | avoid the special danger that patents applied to a free program could 65 | make it effectively proprietary. To prevent this, the GPL assures that 66 | patents cannot be used to render the program non-free. 67 | 68 | The precise terms and conditions for copying, distribution and 69 | modification follow. 70 | 71 | TERMS AND CONDITIONS 72 | 73 | 0. Definitions. 74 | 75 | "This License" refers to version 3 of the GNU General Public License. 76 | 77 | "Copyright" also means copyright-like laws that apply to other kinds of 78 | works, such as semiconductor masks. 79 | 80 | "The Program" refers to any copyrightable work licensed under this 81 | License. Each licensee is addressed as "you". "Licensees" and 82 | "recipients" may be individuals or organizations. 83 | 84 | To "modify" a work means to copy from or adapt all or part of the work 85 | in a fashion requiring copyright permission, other than the making of an 86 | exact copy. The resulting work is called a "modified version" of the 87 | earlier work or a work "based on" the earlier work. 88 | 89 | A "covered work" means either the unmodified Program or a work based 90 | on the Program. 91 | 92 | To "propagate" a work means to do anything with it that, without 93 | permission, would make you directly or secondarily liable for 94 | infringement under applicable copyright law, except executing it on a 95 | computer or modifying a private copy. Propagation includes copying, 96 | distribution (with or without modification), making available to the 97 | public, and in some countries other activities as well. 98 | 99 | To "convey" a work means any kind of propagation that enables other 100 | parties to make or receive copies. Mere interaction with a user through 101 | a computer network, with no transfer of a copy, is not conveying. 102 | 103 | An interactive user interface displays "Appropriate Legal Notices" 104 | to the extent that it includes a convenient and prominently visible 105 | feature that (1) displays an appropriate copyright notice, and (2) 106 | tells the user that there is no warranty for the work (except to the 107 | extent that warranties are provided), that licensees may convey the 108 | work under this License, and how to view a copy of this License. If 109 | the interface presents a list of user commands or options, such as a 110 | menu, a prominent item in the list meets this criterion. 111 | 112 | 1. Source Code. 113 | 114 | The "source code" for a work means the preferred form of the work 115 | for making modifications to it. "Object code" means any non-source 116 | form of a work. 117 | 118 | A "Standard Interface" means an interface that either is an official 119 | standard defined by a recognized standards body, or, in the case of 120 | interfaces specified for a particular programming language, one that 121 | is widely used among developers working in that language. 122 | 123 | The "System Libraries" of an executable work include anything, other 124 | than the work as a whole, that (a) is included in the normal form of 125 | packaging a Major Component, but which is not part of that Major 126 | Component, and (b) serves only to enable use of the work with that 127 | Major Component, or to implement a Standard Interface for which an 128 | implementation is available to the public in source code form. A 129 | "Major Component", in this context, means a major essential component 130 | (kernel, window system, and so on) of the specific operating system 131 | (if any) on which the executable work runs, or a compiler used to 132 | produce the work, or an object code interpreter used to run it. 133 | 134 | The "Corresponding Source" for a work in object code form means all 135 | the source code needed to generate, install, and (for an executable 136 | work) run the object code and to modify the work, including scripts to 137 | control those activities. However, it does not include the work's 138 | System Libraries, or general-purpose tools or generally available free 139 | programs which are used unmodified in performing those activities but 140 | which are not part of the work. For example, Corresponding Source 141 | includes interface definition files associated with source files for 142 | the work, and the source code for shared libraries and dynamically 143 | linked subprograms that the work is specifically designed to require, 144 | such as by intimate data communication or control flow between those 145 | subprograms and other parts of the work. 146 | 147 | The Corresponding Source need not include anything that users 148 | can regenerate automatically from other parts of the Corresponding 149 | Source. 150 | 151 | The Corresponding Source for a work in source code form is that 152 | same work. 153 | 154 | 2. Basic Permissions. 155 | 156 | All rights granted under this License are granted for the term of 157 | copyright on the Program, and are irrevocable provided the stated 158 | conditions are met. This License explicitly affirms your unlimited 159 | permission to run the unmodified Program. The output from running a 160 | covered work is covered by this License only if the output, given its 161 | content, constitutes a covered work. This License acknowledges your 162 | rights of fair use or other equivalent, as provided by copyright law. 163 | 164 | You may make, run and propagate covered works that you do not 165 | convey, without conditions so long as your license otherwise remains 166 | in force. You may convey covered works to others for the sole purpose 167 | of having them make modifications exclusively for you, or provide you 168 | with facilities for running those works, provided that you comply with 169 | the terms of this License in conveying all material for which you do 170 | not control copyright. Those thus making or running the covered works 171 | for you must do so exclusively on your behalf, under your direction 172 | and control, on terms that prohibit them from making any copies of 173 | your copyrighted material outside their relationship with you. 174 | 175 | Conveying under any other circumstances is permitted solely under 176 | the conditions stated below. Sublicensing is not allowed; section 10 177 | makes it unnecessary. 178 | 179 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 180 | 181 | No covered work shall be deemed part of an effective technological 182 | measure under any applicable law fulfilling obligations under article 183 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 184 | similar laws prohibiting or restricting circumvention of such 185 | measures. 186 | 187 | When you convey a covered work, you waive any legal power to forbid 188 | circumvention of technological measures to the extent such circumvention 189 | is effected by exercising rights under this License with respect to 190 | the covered work, and you disclaim any intention to limit operation or 191 | modification of the work as a means of enforcing, against the work's 192 | users, your or third parties' legal rights to forbid circumvention of 193 | technological measures. 194 | 195 | 4. Conveying Verbatim Copies. 196 | 197 | You may convey verbatim copies of the Program's source code as you 198 | receive it, in any medium, provided that you conspicuously and 199 | appropriately publish on each copy an appropriate copyright notice; 200 | keep intact all notices stating that this License and any 201 | non-permissive terms added in accord with section 7 apply to the code; 202 | keep intact all notices of the absence of any warranty; and give all 203 | recipients a copy of this License along with the Program. 204 | 205 | You may charge any price or no price for each copy that you convey, 206 | and you may offer support or warranty protection for a fee. 207 | 208 | 5. Conveying Modified Source Versions. 209 | 210 | You may convey a work based on the Program, or the modifications to 211 | produce it from the Program, in the form of source code under the 212 | terms of section 4, provided that you also meet all of these conditions: 213 | 214 | a) The work must carry prominent notices stating that you modified 215 | it, and giving a relevant date. 216 | 217 | b) The work must carry prominent notices stating that it is 218 | released under this License and any conditions added under section 7. This requirement modifies the requirement in section 4 to 219 | "keep intact all notices". 220 | 221 | c) You must license the entire work, as a whole, under this 222 | License to anyone who comes into possession of a copy. This 223 | License will therefore apply, along with any applicable section 7 224 | additional terms, to the whole of the work, and all its parts, 225 | regardless of how they are packaged. This License gives no 226 | permission to license the work in any other way, but it does not 227 | invalidate such permission if you have separately received it. 228 | 229 | d) If the work has interactive user interfaces, each must display 230 | Appropriate Legal Notices; however, if the Program has interactive 231 | interfaces that do not display Appropriate Legal Notices, your 232 | work need not make them do so. 233 | 234 | A compilation of a covered work with other separate and independent 235 | works, which are not by their nature extensions of the covered work, 236 | and which are not combined with it such as to form a larger program, 237 | in or on a volume of a storage or distribution medium, is called an 238 | "aggregate" if the compilation and its resulting copyright are not 239 | used to limit the access or legal rights of the compilation's users 240 | beyond what the individual works permit. Inclusion of a covered work 241 | in an aggregate does not cause this License to apply to the other 242 | parts of the aggregate. 243 | 244 | 6. Conveying Non-Source Forms. 245 | 246 | You may convey a covered work in object code form under the terms 247 | of sections 4 and 5, provided that you also convey the 248 | machine-readable Corresponding Source under the terms of this License, 249 | in one of these ways: 250 | 251 | a) Convey the object code in, or embodied in, a physical product 252 | (including a physical distribution medium), accompanied by the 253 | Corresponding Source fixed on a durable physical medium 254 | customarily used for software interchange. 255 | 256 | b) Convey the object code in, or embodied in, a physical product 257 | (including a physical distribution medium), accompanied by a 258 | written offer, valid for at least three years and valid for as 259 | long as you offer spare parts or customer support for that product 260 | model, to give anyone who possesses the object code either (1) a 261 | copy of the Corresponding Source for all the software in the 262 | product that is covered by this License, on a durable physical 263 | medium customarily used for software interchange, for a price no 264 | more than your reasonable cost of physically performing this 265 | conveying of source, or (2) access to copy the 266 | Corresponding Source from a network server at no charge. 267 | 268 | c) Convey individual copies of the object code with a copy of the 269 | written offer to provide the Corresponding Source. This 270 | alternative is allowed only occasionally and noncommercially, and 271 | only if you received the object code with such an offer, in accord 272 | with subsection 6b. 273 | 274 | d) Convey the object code by offering access from a designated 275 | place (gratis or for a charge), and offer equivalent access to the 276 | Corresponding Source in the same way through the same place at no 277 | further charge. You need not require recipients to copy the 278 | Corresponding Source along with the object code. If the place to 279 | copy the object code is a network server, the Corresponding Source 280 | may be on a different server (operated by you or a third party) 281 | that supports equivalent copying facilities, provided you maintain 282 | clear directions next to the object code saying where to find the 283 | Corresponding Source. Regardless of what server hosts the 284 | Corresponding Source, you remain obligated to ensure that it is 285 | available for as long as needed to satisfy these requirements. 286 | 287 | e) Convey the object code using peer-to-peer transmission, provided 288 | you inform other peers where the object code and Corresponding 289 | Source of the work are being offered to the general public at no 290 | charge under subsection 6d. 291 | 292 | A separable portion of the object code, whose source code is excluded 293 | from the Corresponding Source as a System Library, need not be 294 | included in conveying the object code work. 295 | 296 | A "User Product" is either (1) a "consumer product", which means any 297 | tangible personal property which is normally used for personal, family, 298 | or household purposes, or (2) anything designed or sold for incorporation 299 | into a dwelling. In determining whether a product is a consumer product, 300 | doubtful cases shall be resolved in favor of coverage. For a particular 301 | product received by a particular user, "normally used" refers to a 302 | typical or common use of that class of product, regardless of the status 303 | of the particular user or of the way in which the particular user 304 | actually uses, or expects or is expected to use, the product. A product 305 | is a consumer product regardless of whether the product has substantial 306 | commercial, industrial or non-consumer uses, unless such uses represent 307 | the only significant mode of use of the product. 308 | 309 | "Installation Information" for a User Product means any methods, 310 | procedures, authorization keys, or other information required to install 311 | and execute modified versions of a covered work in that User Product from 312 | a modified version of its Corresponding Source. The information must 313 | suffice to ensure that the continued functioning of the modified object 314 | code is in no case prevented or interfered with solely because 315 | modification has been made. 316 | 317 | If you convey an object code work under this section in, or with, or 318 | specifically for use in, a User Product, and the conveying occurs as 319 | part of a transaction in which the right of possession and use of the 320 | User Product is transferred to the recipient in perpetuity or for a 321 | fixed term (regardless of how the transaction is characterized), the 322 | Corresponding Source conveyed under this section must be accompanied 323 | by the Installation Information. But this requirement does not apply 324 | if neither you nor any third party retains the ability to install 325 | modified object code on the User Product (for example, the work has 326 | been installed in ROM). 327 | 328 | The requirement to provide Installation Information does not include a 329 | requirement to continue to provide support service, warranty, or updates 330 | for a work that has been modified or installed by the recipient, or for 331 | the User Product in which it has been modified or installed. Access to a 332 | network may be denied when the modification itself materially and 333 | adversely affects the operation of the network or violates the rules and 334 | protocols for communication across the network. 335 | 336 | Corresponding Source conveyed, and Installation Information provided, 337 | in accord with this section must be in a format that is publicly 338 | documented (and with an implementation available to the public in 339 | source code form), and must require no special password or key for 340 | unpacking, reading or copying. 341 | 342 | 7. Additional Terms. 343 | 344 | "Additional permissions" are terms that supplement the terms of this 345 | License by making exceptions from one or more of its conditions. 346 | Additional permissions that are applicable to the entire Program shall 347 | be treated as though they were included in this License, to the extent 348 | that they are valid under applicable law. If additional permissions 349 | apply only to part of the Program, that part may be used separately 350 | under those permissions, but the entire Program remains governed by 351 | this License without regard to the additional permissions. 352 | 353 | When you convey a copy of a covered work, you may at your option 354 | remove any additional permissions from that copy, or from any part of 355 | it. (Additional permissions may be written to require their own 356 | removal in certain cases when you modify the work.) You may place 357 | additional permissions on material, added by you to a covered work, 358 | for which you have or can give appropriate copyright permission. 359 | 360 | Notwithstanding any other provision of this License, for material you 361 | add to a covered work, you may (if authorized by the copyright holders of 362 | that material) supplement the terms of this License with terms: 363 | 364 | a) Disclaiming warranty or limiting liability differently from the 365 | terms of sections 15 and 16 of this License; or 366 | 367 | b) Requiring preservation of specified reasonable legal notices or 368 | author attributions in that material or in the Appropriate Legal 369 | Notices displayed by works containing it; or 370 | 371 | c) Prohibiting misrepresentation of the origin of that material, or 372 | requiring that modified versions of such material be marked in 373 | reasonable ways as different from the original version; or 374 | 375 | d) Limiting the use for publicity purposes of names of licensors or 376 | authors of the material; or 377 | 378 | e) Declining to grant rights under trademark law for use of some 379 | trade names, trademarks, or service marks; or 380 | 381 | f) Requiring indemnification of licensors and authors of that 382 | material by anyone who conveys the material (or modified versions of 383 | it) with contractual assumptions of liability to the recipient, for 384 | any liability that these contractual assumptions directly impose on 385 | those licensors and authors. 386 | 387 | All other non-permissive additional terms are considered "further 388 | restrictions" within the meaning of section 10. If the Program as you 389 | received it, or any part of it, contains a notice stating that it is 390 | governed by this License along with a term that is a further 391 | restriction, you may remove that term. If a license document contains 392 | a further restriction but permits relicensing or conveying under this 393 | License, you may add to a covered work material governed by the terms 394 | of that license document, provided that the further restriction does 395 | not survive such relicensing or conveying. 396 | 397 | If you add terms to a covered work in accord with this section, you 398 | must place, in the relevant source files, a statement of the 399 | additional terms that apply to those files, or a notice indicating 400 | where to find the applicable terms. 401 | 402 | Additional terms, permissive or non-permissive, may be stated in the 403 | form of a separately written license, or stated as exceptions; 404 | the above requirements apply either way. 405 | 406 | 8. Termination. 407 | 408 | You may not propagate or modify a covered work except as expressly 409 | provided under this License. Any attempt otherwise to propagate or 410 | modify it is void, and will automatically terminate your rights under 411 | this License (including any patent licenses granted under the third 412 | paragraph of section 11). 413 | 414 | However, if you cease all violation of this License, then your 415 | license from a particular copyright holder is reinstated (a) 416 | provisionally, unless and until the copyright holder explicitly and 417 | finally terminates your license, and (b) permanently, if the copyright 418 | holder fails to notify you of the violation by some reasonable means 419 | prior to 60 days after the cessation. 420 | 421 | Moreover, your license from a particular copyright holder is 422 | reinstated permanently if the copyright holder notifies you of the 423 | violation by some reasonable means, this is the first time you have 424 | received notice of violation of this License (for any work) from that 425 | copyright holder, and you cure the violation prior to 30 days after 426 | your receipt of the notice. 427 | 428 | Termination of your rights under this section does not terminate the 429 | licenses of parties who have received copies or rights from you under 430 | this License. If your rights have been terminated and not permanently 431 | reinstated, you do not qualify to receive new licenses for the same 432 | material under section 10. 433 | 434 | 9. Acceptance Not Required for Having Copies. 435 | 436 | You are not required to accept this License in order to receive or 437 | run a copy of the Program. Ancillary propagation of a covered work 438 | occurring solely as a consequence of using peer-to-peer transmission 439 | to receive a copy likewise does not require acceptance. However, 440 | nothing other than this License grants you permission to propagate or 441 | modify any covered work. These actions infringe copyright if you do 442 | not accept this License. Therefore, by modifying or propagating a 443 | covered work, you indicate your acceptance of this License to do so. 444 | 445 | 10. Automatic Licensing of Downstream Recipients. 446 | 447 | Each time you convey a covered work, the recipient automatically 448 | receives a license from the original licensors, to run, modify and 449 | propagate that work, subject to this License. You are not responsible 450 | for enforcing compliance by third parties with this License. 451 | 452 | An "entity transaction" is a transaction transferring control of an 453 | organization, or substantially all assets of one, or subdividing an 454 | organization, or merging organizations. If propagation of a covered 455 | work results from an entity transaction, each party to that 456 | transaction who receives a copy of the work also receives whatever 457 | licenses to the work the party's predecessor in interest had or could 458 | give under the previous paragraph, plus a right to possession of the 459 | Corresponding Source of the work from the predecessor in interest, if 460 | the predecessor has it or can get it with reasonable efforts. 461 | 462 | You may not impose any further restrictions on the exercise of the 463 | rights granted or affirmed under this License. For example, you may 464 | not impose a license fee, royalty, or other charge for exercise of 465 | rights granted under this License, and you may not initiate litigation 466 | (including a cross-claim or counterclaim in a lawsuit) alleging that 467 | any patent claim is infringed by making, using, selling, offering for 468 | sale, or importing the Program or any portion of it. 469 | 470 | 11. Patents. 471 | 472 | A "contributor" is a copyright holder who authorizes use under this 473 | License of the Program or a work on which the Program is based. The 474 | work thus licensed is called the contributor's "contributor version". 475 | 476 | A contributor's "essential patent claims" are all patent claims 477 | owned or controlled by the contributor, whether already acquired or 478 | hereafter acquired, that would be infringed by some manner, permitted 479 | by this License, of making, using, or selling its contributor version, 480 | but do not include claims that would be infringed only as a 481 | consequence of further modification of the contributor version. For 482 | purposes of this definition, "control" includes the right to grant 483 | patent sublicenses in a manner consistent with the requirements of 484 | this License. 485 | 486 | Each contributor grants you a non-exclusive, worldwide, royalty-free 487 | patent license under the contributor's essential patent claims, to 488 | make, use, sell, offer for sale, import and otherwise run, modify and 489 | propagate the contents of its contributor version. 490 | 491 | In the following three paragraphs, a "patent license" is any express 492 | agreement or commitment, however denominated, not to enforce a patent 493 | (such as an express permission to practice a patent or covenant not to 494 | sue for patent infringement). To "grant" such a patent license to a 495 | party means to make such an agreement or commitment not to enforce a 496 | patent against the party. 497 | 498 | If you convey a covered work, knowingly relying on a patent license, 499 | and the Corresponding Source of the work is not available for anyone 500 | to copy, free of charge and under the terms of this License, through a 501 | publicly available network server or other readily accessible means, 502 | then you must either (1) cause the Corresponding Source to be so 503 | available, or (2) arrange to deprive yourself of the benefit of the 504 | patent license for this particular work, or (3) arrange, in a manner 505 | consistent with the requirements of this License, to extend the patent 506 | license to downstream recipients. "Knowingly relying" means you have 507 | actual knowledge that, but for the patent license, your conveying the 508 | covered work in a country, or your recipient's use of the covered work 509 | in a country, would infringe one or more identifiable patents in that 510 | country that you have reason to believe are valid. 511 | 512 | If, pursuant to or in connection with a single transaction or 513 | arrangement, you convey, or propagate by procuring conveyance of, a 514 | covered work, and grant a patent license to some of the parties 515 | receiving the covered work authorizing them to use, propagate, modify 516 | or convey a specific copy of the covered work, then the patent license 517 | you grant is automatically extended to all recipients of the covered 518 | work and works based on it. 519 | 520 | A patent license is "discriminatory" if it does not include within 521 | the scope of its coverage, prohibits the exercise of, or is 522 | conditioned on the non-exercise of one or more of the rights that are 523 | specifically granted under this License. You may not convey a covered 524 | work if you are a party to an arrangement with a third party that is 525 | in the business of distributing software, under which you make payment 526 | to the third party based on the extent of your activity of conveying 527 | the work, and under which the third party grants, to any of the 528 | parties who would receive the covered work from you, a discriminatory 529 | patent license (a) in connection with copies of the covered work 530 | conveyed by you (or copies made from those copies), or (b) primarily 531 | for and in connection with specific products or compilations that 532 | contain the covered work, unless you entered into that arrangement, 533 | or that patent license was granted, prior to 28 March 2007. 534 | 535 | Nothing in this License shall be construed as excluding or limiting 536 | any implied license or other defenses to infringement that may 537 | otherwise be available to you under applicable patent law. 538 | 539 | 12. No Surrender of Others' Freedom. 540 | 541 | If conditions are imposed on you (whether by court order, agreement or 542 | otherwise) that contradict the conditions of this License, they do not 543 | excuse you from the conditions of this License. If you cannot convey a 544 | covered work so as to satisfy simultaneously your obligations under this 545 | License and any other pertinent obligations, then as a consequence you may 546 | not convey it at all. For example, if you agree to terms that obligate you 547 | to collect a royalty for further conveying from those to whom you convey 548 | the Program, the only way you could satisfy both those terms and this 549 | License would be to refrain entirely from conveying the Program. 550 | 551 | 13. Use with the GNU Affero General Public License. 552 | 553 | Notwithstanding any other provision of this License, you have 554 | permission to link or combine any covered work with a work licensed 555 | under version 3 of the GNU Affero General Public License into a single 556 | combined work, and to convey the resulting work. The terms of this 557 | License will continue to apply to the part which is the covered work, 558 | but the special requirements of the GNU Affero General Public License, 559 | section 13, concerning interaction through a network will apply to the 560 | combination as such. 561 | 562 | 14. Revised Versions of this License. 563 | 564 | The Free Software Foundation may publish revised and/or new versions of 565 | the GNU General Public License from time to time. Such new versions will 566 | be similar in spirit to the present version, but may differ in detail to 567 | address new problems or concerns. 568 | 569 | Each version is given a distinguishing version number. If the 570 | Program specifies that a certain numbered version of the GNU General 571 | Public License "or any later version" applies to it, you have the 572 | option of following the terms and conditions either of that numbered 573 | version or of any later version published by the Free Software 574 | Foundation. If the Program does not specify a version number of the 575 | GNU General Public License, you may choose any version ever published 576 | by the Free Software Foundation. 577 | 578 | If the Program specifies that a proxy can decide which future 579 | versions of the GNU General Public License can be used, that proxy's 580 | public statement of acceptance of a version permanently authorizes you 581 | to choose that version for the Program. 582 | 583 | Later license versions may give you additional or different 584 | permissions. However, no additional obligations are imposed on any 585 | author or copyright holder as a result of your choosing to follow a 586 | later version. 587 | 588 | 15. Disclaimer of Warranty. 589 | 590 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 591 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 592 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 593 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 594 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 595 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 596 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 597 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 598 | 599 | 16. Limitation of Liability. 600 | 601 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 602 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 603 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 604 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 605 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 606 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 607 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 608 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 609 | SUCH DAMAGES. 610 | 611 | 17. Interpretation of Sections 15 and 16. 612 | 613 | If the disclaimer of warranty and limitation of liability provided 614 | above cannot be given local legal effect according to their terms, 615 | reviewing courts shall apply local law that most closely approximates 616 | an absolute waiver of all civil liability in connection with the 617 | Program, unless a warranty or assumption of liability accompanies a 618 | copy of the Program in return for a fee. 619 | 620 | END OF TERMS AND CONDITIONS 621 | -------------------------------------------------------------------------------- /constants/extraRpcs.js: -------------------------------------------------------------------------------- 1 | import { mergeDeep } from "../utils"; 2 | 3 | import { llamaNodesRpcs } from "./llamaNodesRpcs"; 4 | 5 | const privacyStatement = { 6 | unitedbloc: 7 | "UnitedBloc does not collect or store any PII information. UnitedBloc does use IP addresses and transaction requests solely for service management purposes. Performance measurements such as rate limiting and routing rules require the analysis of IP addresses and response time measurements require the analysis of transaction requests. UnitedBloc does not and will never use RPC requests to front run transactions.", 8 | ankr: 9 | "For service delivery purposes, we temporarily record IP addresses to set usage limits and monitor for denial of service attacks against our infrastructure. Though we do look at high-level data around the success rate of transactions made over the blockchain RPC, we do not correlate wallet transactions made over the infrastructure to the IP address making the RPC request. Thus, we do not store, exploit, or share any information regarding Personal Identifiable Information (PII), including wallet addresses. https://www.ankr.com/blog/ankrs-ip-address-policy-and-your-privacy/", 10 | alchemy: 11 | "We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. https://www.alchemy.com/policies/privacy-policy", 12 | nodereal: 13 | `We may automatically record certain information about how you use our Sites (we refer to this information as "Log Data"). Log Data may include information such as a user's Internet Protocol (IP) address, device and browser type, operating system, the pages or features of our Sites to which a user browsed and the time spent on those pages or features, the frequency with which the Sites are used by a user, search terms, the links on our Sites that a user clicked on or used, and other statistics. We use this information to administer the Service and we analyze (and may engage third parties to analyze) this information to improve and enhance the Service by expanding its features and functionality and tailoring it to our users' needs and preferences. https://nodereal.io/terms`, 14 | publicnode: 15 | `We do not store or track any user data with the exception of data that will be public on chain. We do not correlate wallets address's with IP's, any data which is needed to transact is deleted after 24 hours. We also do no use any Analytics or 3rd party website tracking. https://www.publicnode.com/privacy`, 16 | onerpc: 17 | "With the exception of data that will be public on chain, all the other metadata / data should remain private to users and other parties should not be able to access or collect it. 1RPC uses many different techniques to prevent the unnecessary collection of user privacy, which prevents tracking from RPC providers. https://docs.ata.network/1rpc/design/#tracking-prevention", 18 | builder0x69: 19 | "Private transactions / MM RPC: https://twitter.com/builder0x69", 20 | flashbots: 21 | "Privacy notice: Flashbots Protect RPC does not track any kind of user information (i.e. IP, location, etc.). No user information is ever stored or even logged. https://docs.flashbots.net/flashbots-protect/rpc/quick-start", 22 | bloxroute: 23 | "We may collect information that is publicly available in a blockchain when providing our services, such as: Public wallet identifier of the sender and recipient of a transaction, Unique identifier for a transaction, Date and time of a transaction, Transaction value, along with associated costs, Status of a transaction (such as whether the transaction is complete, in-progress, or resulted in an error) https://bloxroute.com/wp-content/uploads/2021/12/bloXroute-Privacy-Policy-04-01-2019-Final.pdf", 24 | cloudflare: 25 | "Just as when you visit and interact with most websites and services delivered via the Internet, when you visit our Websites, including the Cloudflare Community Forum, we gather certain information and store it in log files. This information may include but is not limited to Internet Protocol (IP) addresses, system configuration information, URLs of referring pages, and locale and language preferences. https://www.cloudflare.com/privacypolicy/", 26 | blastapi: 27 | "All the information in our logs (log data) can only be accessed for the last 7 days at any certain time, and it is completely purged after 14 days. We do not store any user information for longer periods of time or with any other purposes than investigating potential errors and service failures. https://blastapi.io/privacy-policy", 28 | bitstack: 29 | "Information about your computer hardware and software may be automatically collected by BitStack. This information can include: your IP address, browser type, domain names, access times and referring website addresses. https://bitstack.com/#/privacy", 30 | pokt: 31 | "What We Do Not Collect: User's IP address, request origin, request data. https://www.blog.pokt.network/rpc-logging-practices/", 32 | zmok: 33 | `API requests - we do NOT store any usage data, additionally, we do not store your logs. No KYC - "Darknet" style of sign-up/sign-in. Only provider that provides Ethereum endpoints as TOR/Onion hidden service. Analytical data are stored only on the landing page/web. https://zmok.io/privacy-policy`, 34 | infura: 35 | "We collect wallet and IP address information. The purpose of this collection is to ensure successful transaction propagation, execution, and other important service functionality such as load balancing and DDoS protection. IP addresses and wallet address data relating to a transaction are not stored together or in a way that allows our systems to associate those two pieces of data. We retain and delete user data such as IP address and wallet address pursuant to our data retention policy. https://consensys.net/blog/news/consensys-data-retention-update/", 36 | etcnetworkinfo: 37 | "We do use analytics at 3rd party tracking websites (Google Analytics & Google Search Console) the following intercations with our systems are automatically logged when you access our services, such as your Internet Protocol (IP) address, browser, device information, location information (including approximate location derived from IP address), and Internet Service Provider (ISP) aswell as accessed servcies and pages", 38 | omnia: 39 | "All the data and metadata remain private to the users. No third party is able to access, analyze or track it. OMNIA leverages different technologies and approaches to guarantee the privacy of their users, from front-running protection and private mempools, to obfuscation and random dispatching. https://blog.omniatech.io/how-omnia-handles-your-personal-data", 40 | blockpi: 41 | "We do not collect request data or request origin. We only temporarily record the request method names and IP addresses for 7 days to ensure our service functionality such as load balancing and DDoS protection. All the data is automatically deleted after 7 days and we do not store any user information for longer periods of time. https://blockpi.io/privacy-policy", 42 | payload: 43 | "Sent transactions are private: https://payload.de/docs. By default, no data is collected when using the RPC endpoint. If provided by the user, the public address for authentication is captured when using the RPC endpoint in order to prioritize requests under high load. This information is optional and solely provided at the user's discretion. https://payload.de/privacy/", 44 | gitshock: 45 | "We do not collect any personal data from our users. Our platform is built on blockchain technology, which ensures that all transactions are recorded on a public ledger that is accessible to all users. However, this information is anonymous and cannot be linked to any specific individual. https://docs.gitshock.com/users-guide/privacy-policy", 46 | gashawk: 47 | "Sign-in with Ethereum on https://www.gashawk.io required prior to use. We may collect information that is publicly available in a blockchain when providing our services, such as: Public wallet identifier of the sender and recipient of a transaction, Unique identifier for a transaction, Date and time of a transaction, Transaction value, along with associated costs, Status of a transaction (such as whether the transaction is complete, in-progress, or resulted in an error), read the terms of service https://www.gashawk.io/#/terms and the privacy policy https://www.gashawk.io/#/privacy.", 48 | LiveplexOracleEVM: 49 | "Usage Data is collected automatically when using the Service. Usage Data may include information such as Your Device's Internet Protocol address (e.g., IP address), browser type, browser version, the pages of our Service that You visit, the time and date of Your visit, the time spent on those pages, unique device identifiers and other diagnostic data. When You access the Service by or through a mobile device, we may collect certain information automatically, including, but not limited to, the type of mobile device You use, Your mobile device unique ID, the IP address of Your mobile device, Your mobile operating system, the type of mobile Internet browser You use, unique device identifiers and other diagnostic data. We may also collect information that Your browser sends whenever You visit our Service or when You access the Service by or through a mobile device. https://www.liveplex.io/privacypolicy.html", 50 | jellypool: 51 | "The information collected by log files include internet protocol (IP) addresses, browser type, Internet Service Provider (ISP), date and time stamp, referring/exit pages, and possibly the number of clicks. These are not linked to any information that is personally identifiable. The purpose of the information is for analyzing trends, administering the site, tracking users' movement on the website, and gathering demographic information. https://www.jellypool.xyz/privacy/", 52 | restratagem: 53 | "Only strictly functional data is automatically collected by the RPC. None of this data is directly exported or used for commercial purposes.", 54 | onfinality: 55 | "When you access and use our website or related services we may automatically collect information about your device and usage of our website, products and services, including your operating system, browser type, time spent on certain pages of the website/pages visited/links clicked/language preferences. https://onfinality.io/privacy" 56 | }; 57 | 58 | export const extraRpcs = { 59 | 1: { 60 | rpcs: [ 61 | // Quicknode -> tracks IP 62 | { 63 | url: "https://endpoints.omniatech.io/v1/eth/mainnet/public", 64 | tracking: "none", 65 | trackingDetails: privacyStatement.omnia, 66 | }, 67 | { 68 | url: "https://rpc.ankr.com/eth", 69 | tracking: "limited", 70 | trackingDetails: privacyStatement.ankr, 71 | }, 72 | { 73 | url: 74 | "https://eth-mainnet.nodereal.io/v1/1659dfb40aa24bbb8153a677b98064d7", 75 | tracking: "yes", 76 | trackingDetails: privacyStatement.nodereal, 77 | }, 78 | { 79 | url: "https://ethereum.publicnode.com", 80 | tracking: "none", 81 | trackingDetails: privacyStatement.publicnode, 82 | }, 83 | { 84 | url: "https://1rpc.io/eth", 85 | tracking: "none", 86 | trackingDetails: privacyStatement.onerpc, 87 | }, 88 | { 89 | url: "https://rpc.builder0x69.io/", 90 | tracking: "none", 91 | trackingDetails: privacyStatement.builder0x69, 92 | }, 93 | { 94 | url: "https://rpc.flashbots.net/", 95 | tracking: "none", 96 | trackingDetails: privacyStatement.flashbots, 97 | }, 98 | { 99 | url: "https://virginia.rpc.blxrbdn.com/", 100 | tracking: "yes", 101 | trackingDetails: privacyStatement.bloxroute, 102 | }, 103 | { 104 | url: "https://uk.rpc.blxrbdn.com/", 105 | tracking: "yes", 106 | trackingDetails: privacyStatement.bloxroute, 107 | }, 108 | { 109 | url: "https://singapore.rpc.blxrbdn.com/", 110 | tracking: "yes", 111 | trackingDetails: privacyStatement.bloxroute, 112 | }, 113 | { 114 | url: "https://eth.rpc.blxrbdn.com/", 115 | tracking: "yes", 116 | trackingDetails: privacyStatement.bloxroute, 117 | }, 118 | { 119 | url: "https://cloudflare-eth.com/", 120 | tracking: "yes", 121 | trackingDetails: privacyStatement.cloudflare, 122 | }, 123 | // RPC Fast -> Tracks IP 124 | { 125 | url: "https://eth-mainnet.public.blastapi.io", 126 | tracking: "limited", 127 | trackingDetails: privacyStatement.blastapi, 128 | }, 129 | { 130 | url: "https://api.securerpc.com/v1", 131 | tracking: "unspecified", 132 | }, 133 | { 134 | url: 135 | "https://api.bitstack.com/v1/wNFxbiJyQsSeLrX8RRCHi7NpRxrlErZk/DjShIqLishPCTB9HiMkPHXjUM9CNM9Na/ETH/mainnet", 136 | tracking: "yes", 137 | trackingDetails: privacyStatement.bitstack, 138 | }, 139 | { 140 | url: "https://eth-rpc.gateway.pokt.network", 141 | tracking: "none", 142 | trackingDetails: privacyStatement.pokt, 143 | }, 144 | { 145 | url: "https://eth-mainnet-public.unifra.io", 146 | tracking: "unspecified", 147 | }, 148 | { 149 | url: "https://ethereum.blockpi.network/v1/rpc/public", 150 | tracking: "limited", 151 | trackingDetails: privacyStatement.blockpi, 152 | }, 153 | { 154 | url: "https://rpc.payload.de", 155 | tracking: "none", 156 | trackingDetails: privacyStatement.payload, 157 | }, 158 | // Distributed cluster of Ethereum nodes designed for speed and anonymity! 159 | { 160 | url: "https://api.zmok.io/mainnet/oaen6dy8ff6hju9k", 161 | tracking: "none", 162 | trackingDetails: privacyStatement.zmok, 163 | }, 164 | { 165 | url: "https://eth-mainnet.g.alchemy.com/v2/demo", 166 | tracking: "yes", 167 | trackingDetails: privacyStatement.alchemy, 168 | }, 169 | { 170 | url: "https://eth.api.onfinality.io/public", 171 | tracking: "limited", 172 | trackingDetails: privacyStatement.onfinality 173 | }, 174 | { 175 | url: "https://beta-be.gashawk.io:3001/proxy/rpc", 176 | tracking: "yes", 177 | trackingDetails: privacyStatement.gashawk, 178 | }, 179 | // "http://127.0.0.1:8545", 180 | 181 | //"https://yolo-intensive-paper.discover.quiknode.pro/45cad3065a05ccb632980a7ee67dd4cbb470ffbd/", 182 | //"https://eth-mainnet.gateway.pokt.network/v1/5f3453978e354ab992c4da79", 183 | //"https://api.mycryptoapi.com/eth", 184 | //"https://mainnet-nethermind.blockscout.com/", 185 | //"https://nodes.mewapi.io/rpc/eth", 186 | //"https://main-rpc.linkpool.io/", 187 | "https://mainnet.eth.cloud.ava.do/", 188 | "https://ethereumnodelight.app.runonflux.io", 189 | "https://eth-mainnet.rpcfast.com", 190 | //"https://eth-mainnet.rpcfast.com?api_key=xbhWBI1Wkguk8SNMu1bvvLurPGLXmgwYeC4S6g2H7WdwFigZSmPWVZRxrskEQwIf", 191 | //"http://18.211.207.34:8545", 192 | "https://main-light.eth.linkpool.io", 193 | ], 194 | }, 195 | 2: { 196 | rpcs: ["https://node.eggs.cool", "https://node.expanse.tech"], 197 | }, 198 | 1975: { 199 | rpcs: ["https://rpc.onuschain.io"], 200 | }, 201 | 80001: { 202 | rpcs: [ 203 | { 204 | url: "https://endpoints.omniatech.io/v1/matic/mumbai/public", 205 | tracking: "none", 206 | trackingDetails: privacyStatement.omnia, 207 | }, 208 | { 209 | url: "https://rpc.ankr.com/polygon_mumbai", 210 | tracking: "limited", 211 | trackingDetails: privacyStatement.ankr, 212 | }, 213 | "https://rpc-mumbai.maticvigil.com", 214 | "https://polygontestapi.terminet.io/rpc", 215 | { 216 | url: "https://polygon-testnet.public.blastapi.io", 217 | tracking: "limited", 218 | trackingDetails: privacyStatement.blastapi, 219 | }, 220 | { 221 | url: "https://polygon-mumbai.g.alchemy.com/v2/demo", 222 | tracking: "yes", 223 | trackingDetails: privacyStatement.alchemy, 224 | }, 225 | { 226 | url: "https://polygon-mumbai.blockpi.network/v1/rpc/public", 227 | tracking: "limited", 228 | trackingDetails: privacyStatement.blockpi, 229 | }, 230 | ], 231 | }, 232 | //Rinkeby testnet deprecated 233 | 4: { 234 | rpcs: [ 235 | "https://rpc.ankr.com/eth_rinkeby", 236 | "https://rinkeby.infura.io/3/9aa3d95b3bc440fa88ea12eaa4456161", 237 | ], 238 | }, 239 | 5: { 240 | rpcs: [ 241 | { 242 | url: "https://endpoints.omniatech.io/v1/eth/goerli/public", 243 | tracking: "none", 244 | trackingDetails: privacyStatement.omnia, 245 | }, 246 | { 247 | url: "https://rpc.ankr.com/eth_goerli", 248 | tracking: "limited", 249 | trackingDetails: privacyStatement.ankr, 250 | }, 251 | { 252 | url: "https://goerli.infura.io/v3/9aa3d95b3bc440fa88ea12eaa4456161", 253 | tracking: "limited", 254 | trackingDetails: privacyStatement.infura, 255 | }, 256 | { 257 | url: "https://eth-goerli.public.blastapi.io", 258 | tracking: "limited", 259 | trackingDetails: privacyStatement.blastapi, 260 | }, 261 | { 262 | url: "https://eth-goerli.g.alchemy.com/v2/demo", 263 | tracking: "yes", 264 | trackingDetails: privacyStatement.alchemy, 265 | }, 266 | { 267 | url: "https://goerli.blockpi.network/v1/rpc/public", 268 | tracking: "limited", 269 | trackingDetails: privacyStatement.blockpi, 270 | }, 271 | ], 272 | }, 273 | //Ropsten testnet deprecated 274 | 3: { 275 | rpcs: [ 276 | "https://rpc.ankr.com/eth_ropsten", 277 | "https://ropsten.infura.io/v3/9aa3d95b3bc440fa88ea12eaa4456161", 278 | ], 279 | }, 280 | 4002: { 281 | rpcs: [ 282 | { 283 | url: "https://endpoints.omniatech.io/v1/fantom/testnet/public", 284 | tracking: "none", 285 | trackingDetails: privacyStatement.omnia, 286 | }, 287 | { 288 | url: "https://rpc.ankr.com/fantom_testnet", 289 | tracking: "limited", 290 | trackingDetails: privacyStatement.ankr, 291 | }, 292 | "https://rpc.testnet.fantom.network/", 293 | { 294 | url: "https://fantom-testnet.public.blastapi.io", 295 | tracking: "limited", 296 | trackingDetails: privacyStatement.blastapi, 297 | }, 298 | ], 299 | }, 300 | "4444": { 301 | rpcs: ["https://janus.htmlcoin.dev/janus/"], 302 | }, 303 | 43113: { 304 | rpcs: [ 305 | { 306 | url: "https://endpoints.omniatech.io/v1/avax/fuji/public", 307 | tracking: "none", 308 | trackingDetails: privacyStatement.omnia, 309 | }, 310 | { 311 | url: "https://rpc.ankr.com/avalanche_fuji", 312 | tracking: "limited", 313 | trackingDetails: privacyStatement.ankr, 314 | }, 315 | { 316 | url: "https://rpc.ankr.com/avalanche_fuji-c", 317 | tracking: "limited", 318 | trackingDetails: privacyStatement.ankr, 319 | }, 320 | "https://api.avax-test.network/ext/bc/C/rpc", 321 | "https://avalanchetestapi.terminet.io/ext/bc/C/rpc", 322 | { 323 | url: "https://ava-testnet.public.blastapi.io/ext/bc/C/rpc", 324 | tracking: "limited", 325 | trackingDetails: privacyStatement.blastapi, 326 | }, 327 | ], 328 | }, 329 | 56: { 330 | rpcs: [ 331 | { 332 | url: "https://endpoints.omniatech.io/v1/bsc/mainnet/public", 333 | tracking: "none", 334 | trackingDetails: privacyStatement.omnia, 335 | }, 336 | { 337 | url: "https://bsc-mainnet.gateway.pokt.network/v1/lb/6136201a7bad1500343e248d", 338 | tracking: "none", 339 | trackingDetails: privacyStatement.pokt, 340 | }, 341 | "https://bsc-dataseed.binance.org/", 342 | "https://bsc-dataseed1.defibit.io/", 343 | "https://bsc-dataseed1.ninicoin.io/", 344 | "https://bsc-dataseed2.defibit.io/", 345 | "https://bsc-dataseed3.defibit.io/", 346 | "https://bsc-dataseed4.defibit.io/", 347 | "https://bsc-dataseed2.ninicoin.io/", 348 | "https://bsc-dataseed3.ninicoin.io/", 349 | "https://bsc-dataseed4.ninicoin.io/", 350 | "https://bsc-dataseed1.binance.org/", 351 | "https://bsc-dataseed2.binance.org/", 352 | "https://bsc-dataseed3.binance.org/", 353 | "https://bsc-dataseed4.binance.org/", 354 | { 355 | url: 356 | "https://bsc-mainnet.nodereal.io/v1/64a9df0874fb4a93b9d0a3849de012d3", 357 | tracking: "yes", 358 | trackingDetails: privacyStatement.nodereal, 359 | }, 360 | { 361 | url: "https://rpc.ankr.com/bsc", 362 | tracking: "limited", 363 | trackingDetails: privacyStatement.ankr, 364 | }, 365 | "https://bscrpc.com", 366 | "https://bsc.rpcgator.com/", 367 | { 368 | url: "https://binance.nodereal.io", 369 | tracking: "yes", 370 | trackingDetails: privacyStatement.nodereal, 371 | }, 372 | "https://rpc-bsc.bnb48.club", 373 | "https://bsc-mainnet.rpcfast.com", 374 | "https://bsc-mainnet.rpcfast.com?api_key=S3X5aFCCW9MobqVatVZX93fMtWCzff0MfRj9pvjGKSiX5Nas7hz33HwwlrT5tXRM", 375 | "https://nodes.vefinetwork.org/smartchain", 376 | { 377 | url: "https://1rpc.io/bnb", 378 | tracking: "none", 379 | trackingDetails: privacyStatement.onerpc, 380 | }, 381 | { 382 | url: "https://bsc.rpc.blxrbdn.com/", 383 | tracking: "yes", 384 | trackingDetails: privacyStatement.bloxroute, 385 | }, 386 | { 387 | url: "https://bsc.blockpi.network/v1/rpc/public", 388 | tracking: "limited", 389 | trackingDetails: privacyStatement.blockpi, 390 | }, 391 | { 392 | url: "https://bnb.api.onfinality.io/public", 393 | tracking: "limited", 394 | trackingDetails: privacyStatement.onfinality 395 | }, 396 | ], 397 | }, 398 | 97: { 399 | rpcs: [ 400 | { 401 | url: "https://endpoints.omniatech.io/v1/bsc/testnet/public", 402 | tracking: "none", 403 | trackingDetails: privacyStatement.omnia, 404 | }, 405 | "https://bsctestapi.terminet.io/rpc", 406 | { 407 | url: "https://bsc-testnet.public.blastapi.io", 408 | tracking: "limited", 409 | trackingDetails: privacyStatement.blastapi, 410 | }, 411 | ], 412 | }, 413 | 900000: { 414 | rpcs: ["https://api.posichain.org", "https://api.s0.posichain.org"], 415 | }, 416 | 43114: { 417 | rpcs: [ 418 | { 419 | url: "https://endpoints.omniatech.io/v1/avax/mainnet/public", 420 | tracking: "none", 421 | trackingDetails: privacyStatement.omnia, 422 | }, 423 | "https://api.avax.network/ext/bc/C/rpc", 424 | "https://avax.rpcgator.com/", 425 | "https://avalanche.public-rpc.com", 426 | { 427 | url: "https://rpc.ankr.com/avalanche", 428 | tracking: "limited", 429 | trackingDetails: privacyStatement.ankr, 430 | }, 431 | { 432 | url: "https://blastapi.io/public-api/avalanche", 433 | tracking: "limited", 434 | trackingDetails: privacyStatement.blastapi, 435 | }, 436 | { 437 | url: "https://ava-mainnet.public.blastapi.io/ext/bc/C/rpc", 438 | tracking: "limited", 439 | trackingDetails: privacyStatement.blastapi, 440 | }, 441 | "https://avalancheapi.terminet.io/ext/bc/C/rpc", 442 | { 443 | url: "https://avalanche.publicnode.com/", 444 | tracking: "none", 445 | trackingDetails: privacyStatement.publicnode, 446 | }, 447 | { 448 | url: "https://avalanche-evm.publicnode.com", 449 | tracking: "none", 450 | trackingDetails: privacyStatement.publicnode, 451 | }, 452 | { 453 | url: "https://1rpc.io/avax/c", 454 | tracking: "none", 455 | trackingDetails: privacyStatement.onerpc, 456 | }, 457 | { 458 | url: "https://avalanche.blockpi.network/v1/rpc/public", 459 | tracking: "limited", 460 | trackingDetails: privacyStatement.blockpi, 461 | }, 462 | { 463 | url: "https://avax-mainnet.gateway.pokt.network/v1/lb/605238bf6b986eea7cf36d5e/ext/bc/C/rpc", 464 | tracking: "none", 465 | trackingDetails: privacyStatement.pokt, 466 | }, 467 | { 468 | url: "https://avalanche.api.onfinality.io/public", 469 | tracking: "limited", 470 | trackingDetails: privacyStatement.onfinality, 471 | }, 472 | ], 473 | }, 474 | 250: { 475 | rpcs: [ 476 | { 477 | url: "https://endpoints.omniatech.io/v1/fantom/mainnet/public", 478 | tracking: "none", 479 | trackingDetails: privacyStatement.omnia, 480 | }, 481 | "https://fantom-mainnet.gateway.pokt.network/v1/lb/62759259ea1b320039c9e7ac", 482 | "https://rpc.ftm.tools/", 483 | { 484 | url: "https://rpc.ankr.com/fantom", 485 | tracking: "limited", 486 | trackingDetails: privacyStatement.ankr, 487 | }, 488 | "https://rpc.fantom.network", 489 | "https://rpc2.fantom.network", 490 | "https://rpc3.fantom.network", 491 | "https://rpcapi.fantom.network", 492 | { 493 | url: "https://fantom-mainnet.public.blastapi.io", 494 | tracking: "limited", 495 | trackingDetails: privacyStatement.blastapi, 496 | }, 497 | { 498 | url: "https://1rpc.io/ftm", 499 | tracking: "none", 500 | trackingDetails: privacyStatement.onerpc, 501 | }, 502 | { 503 | url: "https://fantom.blockpi.network/v1/rpc/public", 504 | tracking: "limited", 505 | trackingDetails: privacyStatement.blockpi, 506 | }, 507 | ], 508 | }, 509 | 137: { 510 | rpcs: [ 511 | { 512 | url: "https://endpoints.omniatech.io/v1/matic/mainnet/public", 513 | tracking: "none", 514 | trackingDetails: privacyStatement.omnia, 515 | }, 516 | "https://polygon-rpc.com", 517 | "https://rpc-mainnet.matic.network", 518 | "https://rpc-mainnet.maticvigil.com", 519 | "https://rpc-mainnet.matic.quiknode.pro", 520 | "https://matic-mainnet.chainstacklabs.com", 521 | "https://matic-mainnet-full-rpc.bwarelabs.com", 522 | "https://matic-mainnet-archive-rpc.bwarelabs.com", 523 | "https://poly-rpc.gateway.pokt.network/", 524 | { 525 | url: "https://rpc.ankr.com/polygon", 526 | tracking: "limited", 527 | trackingDetails: privacyStatement.ankr, 528 | }, 529 | "https://rpc-mainnet.maticvigil.com/", 530 | { 531 | url: "https://polygon-mainnet.public.blastapi.io", 532 | tracking: "limited", 533 | trackingDetails: privacyStatement.blastapi, 534 | }, 535 | "https://polygonapi.terminet.io/rpc", 536 | { 537 | url: "https://1rpc.io/matic", 538 | tracking: "none", 539 | trackingDetails: privacyStatement.onerpc, 540 | }, 541 | "https://polygon-mainnet.rpcfast.com", 542 | "https://polygon-mainnet.rpcfast.com?api_key=eQhI7SkwYXeQJyOLWrKNvpRnW9fTNoqkX0CErPfEsZjBBtYmn2e2uLKZtQkHkZdT", 543 | { 544 | url: "https://polygon-bor.publicnode.com", 545 | tracking: "none", 546 | trackingDetails: privacyStatement.publicnode, 547 | }, 548 | "https://polygon-mainnet-public.unifra.io", 549 | { 550 | url: "https://polygon-mainnet.g.alchemy.com/v2/demo", 551 | tracking: "yes", 552 | trackingDetails: privacyStatement.alchemy, 553 | }, 554 | { 555 | url: "https://polygon.blockpi.network/v1/rpc/public", 556 | tracking: "limited", 557 | trackingDetails: privacyStatement.blockpi, 558 | }, 559 | ], 560 | }, 561 | 25: { 562 | rpcs: [ 563 | "https://evm.cronos.org", 564 | "https://cronos-rpc.elk.finance/", 565 | "https://node.croswap.com/rpc", 566 | { 567 | url: "https://cronos.blockpi.network/v1/rpc/public", 568 | tracking: "limited", 569 | trackingDetails: privacyStatement.blockpi, 570 | }, 571 | ], 572 | }, 573 | 338: { 574 | rpcs: ["https://evm-t3.cronos.org/"], 575 | }, 576 | 42161: { 577 | rpcs: [ 578 | { 579 | url: "https://endpoints.omniatech.io/v1/arbitrum/one/public", 580 | tracking: "none", 581 | trackingDetails: privacyStatement.omnia, 582 | }, 583 | "https://arb1.arbitrum.io/rpc", 584 | { 585 | url: "https://rpc.ankr.com/arbitrum", 586 | tracking: "limited", 587 | trackingDetails: privacyStatement.ankr, 588 | }, 589 | { 590 | url: "https://1rpc.io/arb", 591 | tracking: "none", 592 | trackingDetails: privacyStatement.onerpc, 593 | }, 594 | { 595 | url: "https://arbitrum-mainnet.infura.io/v3/${INFURA_API_KEY}", 596 | tracking: "limited", 597 | trackingDetails: privacyStatement.infura, 598 | }, 599 | { 600 | url: "https://arb-mainnet.g.alchemy.com/v2/demo", 601 | tracking: "yes", 602 | trackingDetails: privacyStatement.alchemy, 603 | }, 604 | { 605 | url: "https://arbitrum.blockpi.network/v1/rpc/public", 606 | tracking: "limited", 607 | trackingDetails: privacyStatement.blockpi, 608 | }, 609 | ], 610 | }, 611 | 421613: { 612 | rpcs: [ 613 | { 614 | url: "https://endpoints.omniatech.io/v1/arbitrum/goerli/public", 615 | tracking: "none", 616 | trackingDetails: privacyStatement.omnia, 617 | }, 618 | { 619 | url: "https://arb-goerli.g.alchemy.com/v2/demo", 620 | tracking: "yes", 621 | trackingDetails: privacyStatement.alchemy, 622 | }, 623 | ], 624 | }, 625 | 42170: { 626 | rpcs: ["https://nova.arbitrum.io/rpc"], 627 | }, 628 | 8217: { 629 | rpcs: [ 630 | "https://public-node-api.klaytnapi.com/v1/cypress", 631 | "https://cypress.fautor.app/archive", 632 | { 633 | url: "https://klaytn.blockpi.network/v1/rpc/public", 634 | tracking: "limited", 635 | trackingDetails: privacyStatement.blockpi, 636 | }, 637 | ], 638 | }, 639 | 1666600000: { 640 | rpcs: [ 641 | "https://harmony-0-rpc.gateway.pokt.network", 642 | "https://api.harmony.one", 643 | "https://a.api.s0.t.hmny.io", 644 | "https://api.s0.t.hmny.io", 645 | { 646 | url: "https://rpc.ankr.com/harmony", 647 | tracking: "limited", 648 | trackingDetails: privacyStatement.ankr, 649 | }, 650 | "https://harmony-mainnet.chainstacklabs.com", 651 | ], 652 | }, 653 | 1313161554: { 654 | rpcs: [ 655 | { 656 | url: "https://endpoints.omniatech.io/v1/aurora/mainnet/public", 657 | tracking: "none", 658 | trackingDetails: privacyStatement.omnia, 659 | }, 660 | "https://mainnet.aurora.dev"], 661 | }, 662 | 1313161555:{ 663 | rpcs: [ 664 | { 665 | url: "https://endpoints.omniatech.io/v1/aurora/testnet/public", 666 | tracking: "none", 667 | trackingDetails: privacyStatement.omnia, 668 | }, 669 | ] 670 | }, 671 | 4181: { 672 | rpcs: ["https://rpc1.phi.network"], 673 | }, 674 | 128: { 675 | rpcs: [ 676 | "https://http-mainnet-node.huobichain.com", 677 | "https://http-mainnet.hecochain.com", 678 | "https://hecoapi.terminet.io/rpc", 679 | ], 680 | }, 681 | 256: { 682 | rpcs: ["https://hecotestapi.terminet.io/rpc"], 683 | }, 684 | 42220: { 685 | rpcs: [ 686 | "https://forno.celo.org", 687 | { 688 | url: "https://rpc.ankr.com/celo", 689 | tracking: "limited", 690 | trackingDetails: privacyStatement.ankr, 691 | }, 692 | { 693 | url: "https://1rpc.io/celo", 694 | tracking: "none", 695 | trackingDetails: privacyStatement.onerpc, 696 | }, 697 | ], 698 | }, 699 | 10: { 700 | rpcs: [ 701 | { 702 | url: "https://endpoints.omniatech.io/v1/op/mainnet/public", 703 | tracking: "none", 704 | trackingDetails: privacyStatement.omnia, 705 | }, 706 | "https://mainnet.optimism.io/", 707 | { 708 | url: "https://optimism-mainnet.public.blastapi.io", 709 | tracking: "limited", 710 | trackingDetails: privacyStatement.blastapi, 711 | }, 712 | { 713 | url: "https://rpc.ankr.com/optimism", 714 | tracking: "limited", 715 | trackingDetails: privacyStatement.ankr, 716 | }, 717 | { 718 | url: "https://1rpc.io/op", 719 | tracking: "none", 720 | trackingDetails: privacyStatement.onerpc, 721 | }, 722 | { 723 | url: "https://opt-mainnet.g.alchemy.com/v2/demo", 724 | tracking: "yes", 725 | trackingDetails: privacyStatement.alchemy, 726 | }, 727 | { 728 | url: "https://optimism.blockpi.network/v1/rpc/public", 729 | tracking: "limited", 730 | trackingDetails: privacyStatement.blockpi, 731 | }, 732 | ], 733 | }, 734 | 1881: { 735 | rpcs: [ 736 | { 737 | url: "https://rpc.cartenz.works", 738 | tracking: "none", 739 | trackingDetails: privacyStatement.gitshock, 740 | } 741 | ] 742 | }, 743 | 420: { 744 | rpcs: [ 745 | { 746 | url: "https://endpoints.omniatech.io/v1/op/goerli/public", 747 | tracking: "none", 748 | trackingDetails: privacyStatement.omnia, 749 | }, 750 | { 751 | url: "https://opt-goerli.g.alchemy.com/v2/demo", 752 | tracking: "yes", 753 | trackingDetails: privacyStatement.alchemy, 754 | }, 755 | ], 756 | }, 757 | 1088: { 758 | rpcs: ["https://andromeda.metis.io/?owner=1088"], 759 | }, 760 | 1246: { 761 | rpcs: ["https://rpc-cnx.omplatform.com"], 762 | }, 763 | 100: { 764 | rpcs: [ 765 | "https://rpc.gnosischain.com", 766 | "https://xdai-rpc.gateway.pokt.network", 767 | "https://xdai-archive.blockscout.com", 768 | "https://rpc.gnosis.gateway.fm", 769 | { 770 | url: "https://gnosis-mainnet.public.blastapi.io", 771 | tracking: "limited", 772 | trackingDetails: privacyStatement.blastapi, 773 | }, 774 | { 775 | url: "https://rpc.ankr.com/gnosis", 776 | tracking: "limited", 777 | trackingDetails: privacyStatement.ankr, 778 | }, 779 | "https://rpc.ap-southeast-1.gateway.fm/v1/gnosis/non-archival/mainnet", 780 | { 781 | url: "https://gnosis.blockpi.network/v1/rpc/public", 782 | tracking: "limited", 783 | trackingDetails: privacyStatement.blockpi, 784 | }, 785 | ], 786 | }, 787 | 10200: { 788 | rpcs: [ 789 | "https://rpc.chiadochain.net", 790 | "https://rpc.eu-central-2.gateway.fm/v3/gnosis/archival/chiado", 791 | ], 792 | }, 793 | 1231: { 794 | rpcs: ["https://ultron-rpc.net"], 795 | }, 796 | 1285: { 797 | rpcs: [ 798 | { 799 | url:"wss://moonriver.api.onfinality.io/public-ws", 800 | tracking: "limited", 801 | trackingDetails: privacyStatement.onfinality, 802 | }, 803 | { 804 | url:"https://moonriver.api.onfinality.io/public", 805 | tracking: "limited", 806 | trackingDetails: privacyStatement.onfinality 807 | }, 808 | { 809 | url: "https://moonriver.unitedbloc.com:2000", 810 | tracking: "yes", 811 | trackingDetails: privacyStatement.unitedbloc, 812 | }, 813 | { 814 | url:"wss://moonriver.unitedbloc.com:2001", 815 | tracking: "yes", 816 | trackingDetails: privacyStatement.unitedbloc, 817 | }, 818 | { 819 | url: "https://moonriver.public.blastapi.io", 820 | tracking: "limited", 821 | trackingDetails: privacyStatement.blastapi, 822 | }, 823 | ], 824 | }, 825 | 361: { 826 | rpcs: ["https://eth-rpc-api.thetatoken.org/rpc"], 827 | }, 828 | 42262: { 829 | rpcs: ["https://emerald.oasis.dev/"], 830 | }, 831 | 40: { 832 | rpcs: [ 833 | "https://mainnet.telos.net/evm", 834 | "https://rpc1.eu.telos.net/evm", 835 | "https://rpc1.us.telos.net/evm", 836 | "https://rpc2.us.telos.net/evm", 837 | "https://api.kainosbp.com/evm", 838 | "https://rpc2.eu.telos.net/evm", 839 | "https://evm.teloskorea.com/evm", 840 | "https://rpc2.teloskorea.com/evm", 841 | "https://rpc01.us.telosunlimited.io/evm", 842 | "https://rpc02.us.telosunlimited.io/evm", 843 | ], 844 | }, 845 | 32659: { 846 | rpcs: [ 847 | "https://mainnet.anyswap.exchange", 848 | "https://mainway.freemoon.xyz/gate", 849 | "https://fsn.dev/api", 850 | "https://mainnet.fusionnetwork.io", 851 | ], 852 | }, 853 | 1284: { 854 | rpcs: [ 855 | "https://rpc.api.moonbeam.network", 856 | { 857 | url:"https://moonbeam.api.onfinality.io/public", 858 | tracking: "limited", 859 | trackingDetails: privacyStatement.onfinality 860 | }, 861 | { 862 | url:"wss://moonbeam.api.onfinality.io/public-ws", 863 | tracking: "limited", 864 | trackingDetails: privacyStatement.onfinality 865 | }, 866 | { 867 | url: "https://moonbeam.unitedbloc.com:3000", 868 | tracking: "yes", 869 | trackingDetails: privacyStatement.unitedbloc, 870 | }, 871 | { 872 | url:"wss://moonbeam.unitedbloc.com:3001", 873 | tracking: "yes", 874 | trackingDetails: privacyStatement.unitedbloc, 875 | }, 876 | { 877 | url: "https://moonbeam.public.blastapi.io", 878 | tracking: "limited", 879 | trackingDetails: privacyStatement.blastapi, 880 | }, 881 | { 882 | url: "https://rpc.ankr.com/moonbeam", 883 | tracking: "limited", 884 | trackingDetails: privacyStatement.ankr, 885 | }, 886 | { 887 | url: "https://1rpc.io/glmr", 888 | tracking: "none", 889 | trackingDetails: privacyStatement.onerpc, 890 | }, 891 | ], 892 | }, 893 | 30: { 894 | rpcs: ["https://public-node.rsk.co"], 895 | }, 896 | 4689: { 897 | rpcs: [ 898 | "https://iotex-mainnet.gateway.pokt.network/v1/lb/6176f902e19001003499f492", 899 | { 900 | url: "https://rpc.ankr.com/iotex", 901 | tracking: "limited", 902 | trackingDetails: privacyStatement.ankr, 903 | }, 904 | "https://babel-api.mainnet.iotex.io", 905 | "https://babel-api.mainnet.iotex.one", 906 | "https://pokt-api.iotex.io", 907 | ], 908 | }, 909 | 66: { 910 | rpcs: ["https://exchainrpc.okex.org"], 911 | }, 912 | 288: { 913 | rpcs: [ 914 | "https://mainnet.boba.network/", 915 | "https://boba-mainnet.gateway.pokt.network/v1/lb/623ad21b20354900396fed7f", 916 | "https://lightning-replica.boba.network/", 917 | ], 918 | }, 919 | 321: { 920 | rpcs: [ 921 | "https://rpc-mainnet.kcc.network", 922 | "https://kcc.mytokenpocket.vip", 923 | "https://kcc-rpc.com", 924 | ], 925 | }, 926 | 888: { 927 | rpcs: ["https://gwan-ssl.wandevs.org:56891","https://gwan2-ssl.wandevs.org"], 928 | }, 929 | 106: { 930 | rpcs: [ 931 | "https://evmexplorer.velas.com/rpc", 932 | "https://velas-mainnet.rpcfast.com?api_key=S3X5aFCCW9MobqVatVZX93fMtWCzff0MfRj9pvjGKSiX5Nas7hz33HwwlrT5tXRM", 933 | ], 934 | }, 935 | 10000: { 936 | rpcs: [ 937 | "https://smartbch.fountainhead.cash/mainnet", 938 | "https://global.uat.cash", 939 | "https://rpc.uatvo.com", 940 | ], 941 | }, 942 | 19: { 943 | rpcs: ["https://songbird.towolabs.com/rpc"], 944 | }, 945 | 122: { 946 | rpcs: [ 947 | "https://fuse-rpc.gateway.pokt.network/", 948 | "https://rpc.fuse.io", 949 | "https://fuse-mainnet.chainstacklabs.com", 950 | ], 951 | }, 952 | 336: { 953 | rpcs: [ 954 | "https://rpc.shiden.astar.network:8545/", 955 | { 956 | url: "https://shiden.public.blastapi.io", 957 | tracking: "limited", 958 | trackingDetails: privacyStatement.blastapi, 959 | }, 960 | ], 961 | }, 962 | 592: { 963 | rpcs: [ 964 | "https://rpc.astar.network:8545", 965 | { 966 | url: "https://astar.public.blastapi.io", 967 | tracking: "limited", 968 | trackingDetails: privacyStatement.blastapi, 969 | }, 970 | "https://evm.astar.network/", 971 | { 972 | url: "https://1rpc.io/astr", 973 | tracking: "none", 974 | trackingDetails: privacyStatement.onerpc, 975 | }, 976 | { 977 | url: "https://astar-mainnet.g.alchemy.com/v2/demo", 978 | tracking: "yes", 979 | trackingDetails: privacyStatement.alchemy, 980 | }, 981 | { 982 | url: "https://astar.api.onfinality.io/public", 983 | tracking: "limited", 984 | trackingDetails: privacyStatement.onfinality 985 | }, 986 | { 987 | url: "wss://astar.api.onfinality.io/public-ws", 988 | tracking: "limited", 989 | trackingDetails: privacyStatement.onfinality 990 | }, 991 | ], 992 | }, 993 | 71394: { 994 | rpcs: ["https://mainnet.godwoken.io/rpc/eth-wallet"], 995 | }, 996 | 52: { 997 | rpcs: [ 998 | "https://rpc.coinex.net/", 999 | "https://rpc1.coinex.net/", 1000 | "https://rpc2.coinex.net/", 1001 | "https://rpc3.coinex.net/", 1002 | "https://rpc4.coinex.net/", 1003 | ], 1004 | }, 1005 | 820: { 1006 | rpcs: ["https://rpc.callisto.network", "https://clo-geth.0xinfra.com/"], 1007 | }, 1008 | 108: { 1009 | rpcs: ["https://mainnet-rpc.thundercore.com"], 1010 | }, 1011 | 20: { 1012 | rpcs: ["https://api.elastos.io/esc", "https://api.trinity-tech.io/esc"], 1013 | }, 1014 | 82: { 1015 | rpcs: ["https://rpc.meter.io", 1016 | { 1017 | url: "https://rpc-meter.jellypool.xyz/", 1018 | tracking: "yes", 1019 | trackingDetails: privacyStatement.jellypool, 1020 | }, 1021 | ], 1022 | }, 1023 | 5551: { 1024 | rpcs: ["https://l2.nahmii.io/"], 1025 | }, 1026 | 88: { 1027 | rpcs: ["https://rpc.tomochain.com"], 1028 | }, 1029 | 246: { 1030 | rpcs: ["https://rpc.energyweb.org"], 1031 | }, 1032 | 57: { 1033 | rpcs: [ 1034 | "https://rpc.syscoin.org", 1035 | { 1036 | url: "https://rpc.ankr.com/syscoin", 1037 | tracking: "limited", 1038 | trackingDetails: privacyStatement.ankr, 1039 | }, 1040 | ], 1041 | }, 1042 | 8: { 1043 | rpcs: ["https://rpc.octano.dev"], 1044 | }, 1045 | 5050: { 1046 | rpcs: ["https://rpc.liquidchain.net/", "https://rpc.xlcscan.com/"], 1047 | }, 1048 | 333999: { 1049 | rpcs: ["https://rpc.polis.tech"], 1050 | }, 1051 | 55: { 1052 | rpcs: [ 1053 | "https://rpc-1.zyx.network/", 1054 | "https://rpc-2.zyx.network/", 1055 | "https://rpc-3.zyx.network/", 1056 | "https://rpc-5.zyx.network/", 1057 | ], 1058 | }, 1059 | 60: { 1060 | rpcs: ["https://rpc.gochain.io"], 1061 | }, 1062 | 11297108109: { 1063 | rpcs: [ 1064 | { 1065 | url: 1066 | "https://palm-mainnet.infura.io/v3/3a961d6501e54add9a41aa53f15de99b", 1067 | tracking: "limited", 1068 | trackingDetails: privacyStatement.infura, 1069 | }, 1070 | { 1071 | url: "https://palm-mainnet.public.blastapi.io", 1072 | tracking: "limited", 1073 | trackingDetails: privacyStatement.blastapi, 1074 | }, 1075 | ], 1076 | }, 1077 | 7: { 1078 | rpcs: ["https://rpc.dome.cloud"], 1079 | }, 1080 | 11: { 1081 | rpcs: ["https://api.metadium.com/dev"], 1082 | }, 1083 | 14: { 1084 | rpcs: [], 1085 | rpcWorking: false, 1086 | }, 1087 | 15: { 1088 | rpcs: ["https://prenet.diode.io:8443/"], 1089 | }, 1090 | 17: { 1091 | rpcs: ["https://rpc.thaifi.com"], 1092 | }, 1093 | 22: { 1094 | rpcs: ["https://api.trinity-tech.io/eid", "https://api.elastos.io/eid"], 1095 | }, 1096 | 24: { 1097 | rpcs: ["https://rpc.kardiachain.io"], 1098 | }, 1099 | 27: { 1100 | rpcs: ["https://rpc.shibachain.net"], 1101 | websiteUrl: "https://shibachain.net/", 1102 | }, 1103 | 29: { 1104 | rpcs: ["https://rpc.genesisl1.org"], 1105 | }, 1106 | 33: { 1107 | rpcs: [], 1108 | rpcWorking: false, 1109 | }, 1110 | 35: { 1111 | rpcs: ["https://rpc.tbwg.io"], 1112 | }, 1113 | 38: { 1114 | rpcs: [], 1115 | websiteDead: true, 1116 | rpcWorking: false, 1117 | }, 1118 | 44: { 1119 | rpcs: [], 1120 | rpcWorking: false, 1121 | }, 1122 | 50: { 1123 | rpcs: [ 1124 | "https://rpc.xdcrpc.com", 1125 | "https://erpc.xinfin.network", 1126 | "https://rpc.xinfin.network", 1127 | "https://rpc1.xinfin.network", 1128 | ], 1129 | }, 1130 | 58: { 1131 | rpcs: [ 1132 | "https://dappnode1.ont.io:10339", 1133 | "https://dappnode2.ont.io:10339", 1134 | "https://dappnode3.ont.io:10339", 1135 | "https://dappnode4.ont.io:10339", 1136 | ], 1137 | }, 1138 | 59: { 1139 | rpcs: ["https://api.eosargentina.io", "https://api.metahub.cash"], 1140 | }, 1141 | 61: { 1142 | rpcs: [ 1143 | "https://etc.rivet.link", 1144 | "https://etc.etcdesktop.com", 1145 | "https://etc.mytokenpocket.vip", 1146 | { 1147 | url: "https://besu-de.etc-network.info", 1148 | tracking: "yes", 1149 | trackingDetails: privacyStatement.etcnetworkinfo, 1150 | }, 1151 | { 1152 | url: "https://geth-de.etc-network.info", 1153 | tracking: "yes", 1154 | trackingDetails: privacyStatement.etcnetworkinfo, 1155 | }, 1156 | { 1157 | url: "https://besu-at.etc-network.info", 1158 | tracking: "yes", 1159 | trackingDetails: privacyStatement.etcnetworkinfo, 1160 | }, 1161 | { 1162 | url: "https://geth-at.etc-network.info", 1163 | tracking: "yes", 1164 | trackingDetails: privacyStatement.etcnetworkinfo, 1165 | }, 1166 | "https://rpc.etcplanets.com", 1167 | ], 1168 | }, 1169 | 64: { 1170 | rpcs: [], 1171 | websiteDead: true, 1172 | rpcWorking: false, 1173 | }, 1174 | 68: { 1175 | rpcs: [], 1176 | rpcWorking: false, 1177 | }, 1178 | 74: { 1179 | rpcs: ["https://idchain.one/rpc/"], 1180 | }, 1181 | 76: { 1182 | rpcs: [], 1183 | rpcWorking: false, 1184 | possibleRebrand: 1185 | "It is now a Polkadot chain project renamed: Acuity being built on substrate", 1186 | }, 1187 | 77: { 1188 | rpcs: ["https://sokol.poa.network"], 1189 | }, 1190 | 78: { 1191 | rpcs: ["https://ethnode.primusmoney.com/mainnet"], 1192 | }, 1193 | 80: { 1194 | rpcs: ["website:https://genechain.io/en/index.html"], 1195 | rpcWorking: false, 1196 | }, 1197 | 86: { 1198 | rpcs: ["https://evm.gatenode.cc"], 1199 | }, 1200 | 87: { 1201 | rpcs: [ 1202 | { 1203 | url: "https://rpc.novanetwork.io:9070", 1204 | tracking: "none", 1205 | trackingDetails: privacyStatement.restratagem, 1206 | }, 1207 | { 1208 | url: "https://dev.rpc.novanetwork.io/", 1209 | tracking: "none", 1210 | trackingDetails: privacyStatement.restratagem, 1211 | } 1212 | ], 1213 | }, 1214 | 90: { 1215 | rpcs: ["https://s0.garizon.net/rpc"], 1216 | }, 1217 | 91: { 1218 | rpcs: ["https://s1.garizon.net/rpc"], 1219 | }, 1220 | 92: { 1221 | rpcs: ["https://s2.garizon.net/rpc"], 1222 | }, 1223 | 93: { 1224 | rpcs: ["https://s3.garizon.net/rpc"], 1225 | }, 1226 | 96: { 1227 | rpcs: ["https://rpc.nextsmartchain.com"], 1228 | }, 1229 | 99: { 1230 | rpcs: ["https://core.poanetwork.dev"], 1231 | }, 1232 | 101: { 1233 | rpcs: [], 1234 | websiteDead: true, 1235 | rpcWorking: false, 1236 | }, 1237 | 111: { 1238 | rpcs: ["https://rpc.etherlite.org"], 1239 | }, 1240 | 123: { 1241 | rpcs: ["https://rpc.fusespark.io"], 1242 | }, 1243 | 124: { 1244 | rpcs: [], 1245 | rpcWorking: false, 1246 | }, 1247 | 126: { 1248 | rpcs: ["https://rpc.mainnet.oychain.io", "https://rpc.oychain.io"], 1249 | }, 1250 | 127: { 1251 | rpcs: [], 1252 | rpcWorking: false, 1253 | }, 1254 | 142: { 1255 | rpcs: ["https://rpc.prodax.io"], 1256 | }, 1257 | 163: { 1258 | rpcs: ["https://node.mainnet.lightstreams.io"], 1259 | }, 1260 | 186: { 1261 | rpcs: ["https://rpc.seelen.pro/"], 1262 | }, 1263 | 188: { 1264 | rpcs: ["https://mainnet.bmcchain.com/"], 1265 | }, 1266 | 199: { 1267 | rpcs: ["https://rpc.bittorrentchain.io/"], 1268 | }, 1269 | 200: { 1270 | rpcs: ["https://arbitrum.xdaichain.com"], 1271 | }, 1272 | 70: { 1273 | rpcs: ["https://http-mainnet.hoosmartchain.com"], 1274 | }, 1275 | 211: { 1276 | rpcs: [], 1277 | websiteDead: true, 1278 | rpcWorking: false, 1279 | }, 1280 | 222: { 1281 | rpcs: ["https://blockchain-api-mainnet.permission.io/rpc"], 1282 | }, 1283 | 258: { 1284 | rpcs: [], 1285 | rpcWorking: false, 1286 | }, 1287 | 262: { 1288 | rpcs: ["https://sur.nilin.org"], 1289 | }, 1290 | 333: { 1291 | rpcs: [], 1292 | rpcWorking: false, 1293 | }, 1294 | 369: { 1295 | rpcs: [], 1296 | rpcWorking: false, 1297 | }, 1298 | 385: { 1299 | rpcs: [], 1300 | websiteDead: true, 1301 | rpcWorking: false, 1302 | }, 1303 | 416: { 1304 | rpcs: ["https://rpc.sx.technology"], 1305 | }, 1306 | 499: { 1307 | rpcs: [], 1308 | rpcWorking: false, 1309 | website: "https://rupayacoin.org/", 1310 | }, 1311 | 512: { 1312 | rpcs: ["https://rpc.acuteangle.com"], 1313 | }, 1314 | 555: { 1315 | rpcs: ["https://rpc.velaverse.io"], 1316 | }, 1317 | 558: { 1318 | rpcs: ["https://rpc.tao.network"], 1319 | }, 1320 | 686: { 1321 | rpcs: [ 1322 | "https://eth-rpc-karura.aca-api.network", 1323 | "https://rpc.evm.karura.network", 1324 | ], 1325 | }, 1326 | 707: { 1327 | rpcs: [], 1328 | rpcWorking: false, 1329 | }, 1330 | 777: { 1331 | rpcs: ["https://node.cheapeth.org/rpc"], 1332 | }, 1333 | 787: { 1334 | rpcs: [ 1335 | "https://eth-rpc-acala.aca-api.network", 1336 | "https://rpc.evm.acala.network", 1337 | ], 1338 | }, 1339 | 803: { 1340 | rpcs: [], 1341 | websiteDead: true, 1342 | rpcWorking: false, 1343 | }, 1344 | 880: { 1345 | rpcs: [], 1346 | websiteDead: true, 1347 | rpcWorking: false, 1348 | }, 1349 | 977: { 1350 | rpcs: [], 1351 | websiteDead: true, 1352 | rpcWorking: false, 1353 | }, 1354 | 998: { 1355 | rpcs: [], 1356 | websiteDead: true, 1357 | rpcWorking: false, 1358 | }, 1359 | 1001: { 1360 | rpcs: [ 1361 | "https://public-node-api.klaytnapi.com/v1/baobab", 1362 | "https://baobab.fautor.app/archive", 1363 | { 1364 | url: "https://klaytn-baobab.blockpi.network/v1/rpc/public", 1365 | tracking: "limited", 1366 | trackingDetails: privacyStatement.blockpi, 1367 | }, 1368 | ], 1369 | }, 1370 | 1010: { 1371 | rpcs: ["https://meta.evrice.com"], 1372 | }, 1373 | 1012: { 1374 | rpcs: ["https://global.rpc.mainnet.newtonproject.org"], 1375 | }, 1376 | 1022: { 1377 | rpcs: [], 1378 | websiteDead: "Possible rebrand to Clover CLV", 1379 | rpcWorking: false, 1380 | }, 1381 | 1024: { 1382 | rpcs: [ 1383 | "https://rpc-ivy.clover.finance", 1384 | "https://rpc-ivy-2.clover.finance", 1385 | "https://rpc-ivy-3.clover.finance", 1386 | ], 1387 | }, 1388 | 1030: { 1389 | rpcs: [ 1390 | "https://evm.confluxrpc.com", 1391 | "https://conflux-espace-public.unifra.io", 1392 | ], 1393 | }, 1394 | 1115: { 1395 | rpcs: ["https://rpc.test.btcs.network"], 1396 | }, 1397 | 1116: { 1398 | rpcs: ["https://rpc.coredao.org"], 1399 | }, 1400 | 1139: { 1401 | rpcs: ["https://mathchain.maiziqianbao.net/rpc"], 1402 | }, 1403 | 1197: { 1404 | rpcs: [], 1405 | rpcWorking: false, 1406 | }, 1407 | 1202: { 1408 | rpcs: [], 1409 | websiteDead: true, 1410 | rpcWorking: false, 1411 | }, 1412 | 1213: { 1413 | rpcs: ["https://dataseed.popcateum.org"], 1414 | }, 1415 | 1214: { 1416 | rpcs: [], 1417 | rpcWorking: false, 1418 | }, 1419 | 1280: { 1420 | rpcs: ["https://nodes.halo.land"], 1421 | }, 1422 | 1287: { 1423 | rpcs: [ 1424 | "https://rpc.testnet.moonbeam.network", 1425 | { 1426 | url: "https://moonbase.unitedbloc.com:1000", 1427 | tracking: "yes", 1428 | trackingDetails: privacyStatement.unitedbloc, 1429 | }, 1430 | { 1431 | url:"wss://moonbase.unitedbloc.com:1001", 1432 | tracking: "yes", 1433 | trackingDetails: privacyStatement.unitedbloc, 1434 | }, 1435 | { 1436 | url: "https://moonbase-alpha.public.blastapi.io", 1437 | tracking: "limited", 1438 | trackingDetails: privacyStatement.blastapi, 1439 | }, 1440 | { 1441 | url: "https://moonbeam-alpha.api.onfinality.io/public", 1442 | tracking: "limited", 1443 | trackingDetails: privacyStatement.onfinality 1444 | }, 1445 | { 1446 | url: "wss://moonbeam-alpha.api.onfinality.io/public-ws", 1447 | tracking: "limited", 1448 | trackingDetails: privacyStatement.onfinality 1449 | }, 1450 | ], 1451 | }, 1452 | 1288: { 1453 | rpcs: [], 1454 | rpcWorking: false, 1455 | }, 1456 | 1618: { 1457 | rpcs: ["https://send.catechain.com"], 1458 | }, 1459 | 1620: { 1460 | rpcs: [], 1461 | websiteDead: true, 1462 | rpcWorking: false, 1463 | }, 1464 | 1657: { 1465 | rpcs: ["https://dataseed1.btachain.com/"], 1466 | }, 1467 | 1856: { 1468 | rpcs: ["rpcWorking:false"], 1469 | rpcWorking: false, 1470 | }, 1471 | 1987: { 1472 | rpcs: [], 1473 | websiteDead: true, 1474 | rpcWorking: false, 1475 | }, 1476 | 2000: { 1477 | rpcs: [ 1478 | "https://rpc.dogechain.dog", 1479 | "https://rpc-us.dogechain.dog", 1480 | "https://rpc-sg.dogechain.dog", 1481 | "https://rpc.dogechain.dog", 1482 | "https://rpc01-sg.dogechain.dog", 1483 | "https://rpc02-sg.dogechain.dog", 1484 | "https://rpc03-sg.dogechain.dog", 1485 | { 1486 | url: "https://dogechain.ankr.com", 1487 | tracking: "limited", 1488 | trackingDetails: privacyStatement.ankr, 1489 | }, 1490 | { 1491 | url: "https://dogechain-sj.ankr.com", 1492 | tracking: "limited", 1493 | trackingDetails: privacyStatement.ankr, 1494 | }, 1495 | ], 1496 | }, 1497 | 2021: { 1498 | rpcs: ["https://mainnet2.edgewa.re/evm", "https://mainnet3.edgewa.re/evm"], 1499 | }, 1500 | 2025: { 1501 | rpcs: ["https://mainnet.rangersprotocol.com/api/jsonrpc"], 1502 | }, 1503 | 2077: { 1504 | rpcs: ["http://rpc.qkacoin.org:8548"], 1505 | }, 1506 | 2100: { 1507 | rpcs: ["https://api.ecoball.org/ecoball/"], 1508 | }, 1509 | 2213: { 1510 | rpcs: ["https://seed4.evanesco.org:8546"], 1511 | }, 1512 | 2222: { 1513 | rpcs: ["https://evm.kava.io"], 1514 | }, 1515 | 2559: { 1516 | rpcs: [], 1517 | rpcWorking: false, 1518 | }, 1519 | 2612: { 1520 | rpcs: ["https://api.ezchain.com/ext/bc/C/rpc"], 1521 | }, 1522 | 3690: { 1523 | rpcs: [], 1524 | websiteDead: true, 1525 | rpcWorking: false, 1526 | }, 1527 | 5197: { 1528 | rpcs: ["https://mainnet.eraswap.network"], 1529 | }, 1530 | 5315: { 1531 | rpcs: [], 1532 | rpcWorking: false, 1533 | }, 1534 | 5729: { 1535 | rpcs: ["https://rpc-testnet.hika.network"], 1536 | }, 1537 | 5869: { 1538 | rpcs: ["https://proxy.wegochain.io"], 1539 | }, 1540 | 6626: { 1541 | rpcs: ["https://http-mainnet.chain.pixie.xyz"], 1542 | }, 1543 | 7341: { 1544 | rpcs: ["https://rpc.shyft.network/"], 1545 | }, 1546 | 8000: { 1547 | rpcs: ["https://dataseed.testnet.teleport.network"], 1548 | }, 1549 | 8995: { 1550 | rpcs: ["https://core.bloxberg.org"], 1551 | }, 1552 | 9001: { 1553 | rpcs: [ 1554 | "https://eth.bd.evmos.org:8545/", 1555 | "https://evmos-mainnet.gateway.pokt.network/v1/lb/627586ddea1b320039c95205", 1556 | "https://evmos-json-rpc.stakely.io", 1557 | "https://jsonrpc-evmos-ia.cosmosia.notional.ventures", 1558 | "https://json-rpc.evmos.blockhunters.org", 1559 | "https://evmos-json-rpc.agoranodes.com", 1560 | { 1561 | url: "https://evmos-mainnet.public.blastapi.io", 1562 | tracking: "limited", 1563 | trackingDetails: privacyStatement.blastapi, 1564 | }, 1565 | { 1566 | url: "https://evmos-evm.publicnode.com", 1567 | tracking: "none", 1568 | trackingDetails: privacyStatement.publicnode, 1569 | }, 1570 | "https://jsonrpc-evmos.goldenratiostaking.net", 1571 | ], 1572 | }, 1573 | 836542336838601: { 1574 | rpcs: [], 1575 | websiteDead: true, 1576 | rpcWorking: false, 1577 | }, 1578 | 9100: { 1579 | rpcs: ["rpcWorking:false"], 1580 | }, 1581 | 10101: { 1582 | rpcs: ["https://eu.mainnet.xixoio.com"], 1583 | }, 1584 | 11111: { 1585 | rpcs: ["https://api.trywagmi.xyz/rpc"], 1586 | }, 1587 | 12052: { 1588 | rpcs: ["https://zerorpc.singularity.gold"], 1589 | }, 1590 | 13381: { 1591 | rpcs: ["https://rpc.phoenixplorer.com/"], 1592 | }, 1593 | 16000: { 1594 | rpcs: [], 1595 | websiteDead: true, 1596 | rpcWorking: false, 1597 | }, 1598 | 19845: { 1599 | rpcs: [], 1600 | websiteDead: true, 1601 | rpcWorking: false, 1602 | }, 1603 | 21816: { 1604 | rpcs: ["https://seed.omlira.com"], 1605 | }, 1606 | 24484: { 1607 | rpcs: [], 1608 | rpcWorking: false, 1609 | }, 1610 | 24734: { 1611 | rpcs: ["https://node1.mintme.com"], 1612 | }, 1613 | 31102: { 1614 | rpcs: ["rpcWorking:false"], 1615 | }, 1616 | 32520: { 1617 | rpcs: [ 1618 | "https://rpc.icecreamswap.com", 1619 | "https://nodes.vefinetwork.org/bitgert", 1620 | "https://rpc-1.chainrpc.com", 1621 | "https://rpc-2.chainrpc.com", 1622 | "https://node1.serverrpc.com", 1623 | "https://node2.serverrpc.com" 1624 | ], 1625 | }, 1626 | 39797: { 1627 | rpcs: [ 1628 | "https://nodeapi.energi.network", 1629 | "https://explorer.energi.network/api/eth-rpc", 1630 | ], 1631 | }, 1632 | 39815: { 1633 | rpcs: [ 1634 | "https://mainnet.oho.ai", 1635 | "https://mainnet-rpc.ohoscan.com", 1636 | "https://mainnet-rpc2.ohoscan.com", 1637 | ], 1638 | }, 1639 | 42069: { 1640 | rpcs: ["rpcWorking:false"], 1641 | }, 1642 | 43110: { 1643 | rpcs: ["rpcWorking:false"], 1644 | }, 1645 | 45000: { 1646 | rpcs: ["https://rpc.autobahn.network"], 1647 | }, 1648 | 47805: { 1649 | rpcs: ["https://rpc.rei.network"], 1650 | }, 1651 | 55555: { 1652 | rpcs: ["https://rei-rpc.moonrhythm.io"], 1653 | }, 1654 | 63000: { 1655 | rpcs: ["https://rpc.ecredits.com"], 1656 | }, 1657 | 70000: { 1658 | rpcs: [], 1659 | rpcWorking: false, 1660 | }, 1661 | 70001: { 1662 | rpcs: ["https://proxy1.thinkiumrpc.net/"], 1663 | }, 1664 | 70002: { 1665 | rpcs: ["https://proxy2.thinkiumrpc.net/"], 1666 | }, 1667 | 70103: { 1668 | rpcs: ["https://proxy103.thinkiumrpc.net/"], 1669 | }, 1670 | 99999: { 1671 | rpcs: ["https://rpc.uschain.network"], 1672 | }, 1673 | 100000: { 1674 | rpcs: [], 1675 | rpcWorking: false, 1676 | }, 1677 | 100001: { 1678 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39000"], 1679 | }, 1680 | 100002: { 1681 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39001"], 1682 | }, 1683 | 100003: { 1684 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39002"], 1685 | }, 1686 | 100004: { 1687 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39003"], 1688 | }, 1689 | 100005: { 1690 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39004"], 1691 | }, 1692 | 100006: { 1693 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39005"], 1694 | }, 1695 | 100007: { 1696 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39006"], 1697 | }, 1698 | 100008: { 1699 | rpcs: ["http://eth-jrpc.mainnet.quarkchain.io:39007"], 1700 | }, 1701 | 108801: { 1702 | rpcs: ["rpcWorking:false"], 1703 | }, 1704 | 110000: { 1705 | rpcs: ["rpcWorking:false"], 1706 | }, 1707 | 110001: { 1708 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39900"], 1709 | }, 1710 | 110002: { 1711 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39901"], 1712 | }, 1713 | 110003: { 1714 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39902"], 1715 | }, 1716 | 110004: { 1717 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39903"], 1718 | }, 1719 | 110005: { 1720 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39904"], 1721 | }, 1722 | 110006: { 1723 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39905"], 1724 | }, 1725 | 110007: { 1726 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39906"], 1727 | }, 1728 | 110008: { 1729 | rpcs: ["http://eth-jrpc.devnet.quarkchain.io:39907"], 1730 | }, 1731 | 200625: { 1732 | rpcs: ["https://boot2.akroma.org/"], 1733 | }, 1734 | 201018: { 1735 | rpcs: ["https://openapi.alaya.network/rpc"], 1736 | }, 1737 | 210425: { 1738 | rpcs: [], 1739 | rpcWorking: false, 1740 | }, 1741 | 246529: { 1742 | rpcs: [], 1743 | websiteDead: true, 1744 | rpcWorking: false, 1745 | }, 1746 | 281121: { 1747 | rpcs: ["rpcWorking:false"], 1748 | }, 1749 | 534354:{ 1750 | rpcs:[ 1751 | { 1752 | url: "https://scroll-prealpha.blockpi.network/v1/rpc/public", 1753 | tracking: "limited", 1754 | trackingDetails: privacyStatement.blockpi, 1755 | }, 1756 | ] 1757 | }, 1758 | 888888: { 1759 | rpcs: ["https://infragrid.v.network/ethereum/compatible"], 1760 | }, 1761 | 955305: { 1762 | rpcs: ["https://host-76-74-28-226.contentfabric.io/eth/"], 1763 | }, 1764 | 1313114: { 1765 | rpcs: ["https://rpc.ethoprotocol.com"], 1766 | }, 1767 | 1313500: { 1768 | rpcs: ["https://rpc.xerom.org"], 1769 | }, 1770 | 11155111:{ 1771 | rpcs:[ 1772 | { 1773 | url: "https://endpoints.omniatech.io/v1/eth/sepolia/public", 1774 | tracking: "none", 1775 | trackingDetails: privacyStatement.omnia, 1776 | }, 1777 | { 1778 | url: "https://ethereum-sepolia.blockpi.network/v1/rpc/public", 1779 | tracking: "limited", 1780 | trackingDetails: privacyStatement.blockpi, 1781 | }, 1782 | ] 1783 | }, 1784 | 7762959: { 1785 | rpcs: [], 1786 | websiteDead: true, 1787 | rpcWorking: false, 1788 | }, 1789 | 13371337: { 1790 | rpcs: [], 1791 | websiteDead: true, 1792 | rpcWorking: false, 1793 | }, 1794 | 18289463: { 1795 | rpcs: [], 1796 | websiteDead: true, 1797 | rpcWorking: false, 1798 | }, 1799 | 20181205: { 1800 | rpcs: ["https://hz.rpc.qkiscan.cn"], 1801 | }, 1802 | 28945486: { 1803 | rpcs: [], 1804 | rpcWorking: false, 1805 | }, 1806 | 35855456: { 1807 | rpcs: ["https://node.joys.digital"], 1808 | }, 1809 | 61717561: { 1810 | rpcs: ["https://c.onical.org"], 1811 | }, 1812 | 192837465: { 1813 | rpcs: ["https://mainnet.gather.network"], 1814 | }, 1815 | 245022926: { 1816 | rpcs: ["https://proxy.devnet.neonlabs.org/solana"], 1817 | }, 1818 | 245022934: { 1819 | rpcs: ["https://neon-proxy-mainnet.solana.p2p.org", "rpcWorking:false"], 1820 | }, 1821 | 311752642: { 1822 | rpcs: ["https://mainnet-rpc.oneledger.network"], 1823 | }, 1824 | 356256156: { 1825 | rpcs: ["https://testnet.gather.network"], 1826 | }, 1827 | 486217935: { 1828 | rpcs: ["https://devnet.gather.network"], 1829 | }, 1830 | 1122334455: { 1831 | rpcs: [], 1832 | rpcWorking: false, 1833 | }, 1834 | 1313161556: { 1835 | rpcs: [], 1836 | websiteDead: true, 1837 | rpcWorking: false, 1838 | }, 1839 | 53935: { 1840 | rpcs: [ 1841 | "https://avax-dfk.gateway.pokt.network/v1/lb/6244818c00b9f0003ad1b619/ext/bc/q2aTwKuyzgs8pynF7UXBZCU7DejbZbZ6EUyHr3JQzYgwNPUPi/rpc", 1842 | ], 1843 | }, 1844 | 1666600001: { 1845 | rpcs: ["https://s1.api.harmony.one"], 1846 | }, 1847 | 1666600002: { 1848 | rpcs: ["https://s2.api.harmony.one"], 1849 | }, 1850 | 1666600003: { 1851 | rpcs: [], 1852 | rpcWorking: false, 1853 | }, 1854 | 2021121117: { 1855 | rpcs: [], 1856 | rpcWorking: false, 1857 | websiteDead: true, 1858 | }, 1859 | 3125659152: { 1860 | rpcs: [], 1861 | rpcWorking: false, 1862 | }, 1863 | 197710212030: { 1864 | rpcs: ["https://rpc.ntity.io"], 1865 | }, 1866 | 6022140761023: { 1867 | rpcs: ["https://molereum.jdubedition.com"], 1868 | websiteDead: true, 1869 | }, 1870 | 79: { 1871 | rpcs: [ 1872 | "https://dataserver-us-1.zenithchain.co/", 1873 | "https://dataserver-asia-3.zenithchain.co/", 1874 | "https://dataserver-asia-4.zenithchain.co/", 1875 | "https://dataserver-asia-2.zenithchain.co/", 1876 | ], 1877 | }, 1878 | 1506: { 1879 | rpcs: ["https://mainnet.sherpax.io/rpc"], 1880 | }, 1881 | 512512: { 1882 | rpcs: ["https://galaxy.block.caduceus.foundation"], 1883 | }, 1884 | 256256: { 1885 | rpcs: ["https://mainnet.block.caduceus.foundation"], 1886 | }, 1887 | 167: { 1888 | rpcs: [ 1889 | "https://node.atoshi.io", 1890 | "https://node2.atoshi.io", 1891 | "https://node3.atoshi.io", 1892 | ], 1893 | }, 1894 | 7777: { 1895 | rpcs: [ 1896 | "https://testnet1.rotw.games", 1897 | "https://testnet2.rotw.games", 1898 | "https://testnet3.rotw.games", 1899 | "https://testnet4.rotw.games", 1900 | "https://testnet5.rotw.games", 1901 | ], 1902 | }, 1903 | 103090: { 1904 | rpcs: ["https://evm.cryptocurrencydevs.org", "https://rpc.crystaleum.org"], 1905 | }, 1906 | 420420: { 1907 | rpcs: [ 1908 | "https://mainnet.kekchain.com", 1909 | "https://rpc2.kekchain.com", 1910 | "https://kek.interchained.org", 1911 | "https://kekchain.interchained.org", 1912 | ], 1913 | }, 1914 | 420666: { 1915 | rpcs: ["https://testnet.kekchain.com"], 1916 | }, 1917 | 1515: { 1918 | rpcs: ["https://beagle.chat/eth"], 1919 | }, 1920 | 10067275: { 1921 | rpcs: ["https://testnet.plian.io/child_test"], 1922 | }, 1923 | 16658437: { 1924 | rpcs: ["https://testnet.plian.io/testnet"], 1925 | }, 1926 | 2099156: { 1927 | rpcs: ["https://mainnet.plian.io/pchain"], 1928 | }, 1929 | 8007736: { 1930 | rpcs: ["https://mainnet.plian.io/child_0"], 1931 | }, 1932 | 970: { 1933 | rpcs: ["https://rpc.mainnet.computecoin.com"], 1934 | }, 1935 | 971: { 1936 | rpcs: ["https://beta-rpc.mainnet.computecoin.com"], 1937 | }, 1938 | 10086: { 1939 | rpcs: [], 1940 | rpcWorking: false, 1941 | websiteDead: true, 1942 | }, 1943 | 5177: { 1944 | rpcs: [], 1945 | rpcWorking: false, 1946 | websiteDead: true, 1947 | }, 1948 | 10248: { 1949 | rpcs: [], 1950 | rpcWorking: false, 1951 | websiteDead: true, 1952 | }, 1953 | 18159: { 1954 | rpcs: [ 1955 | "https://mainnet-rpc.memescan.io/", 1956 | "https://mainnet-rpc2.memescan.io/", 1957 | "https://mainnet-rpc3.memescan.io/", 1958 | "https://mainnet-rpc4.memescan.io/", 1959 | ], 1960 | }, 1961 | 13000: { 1962 | rpcs: ["https://rpc.ssquad.games"], 1963 | }, 1964 | 14000: { 1965 | rpcs: [], 1966 | rpcWorking: false, 1967 | websiteDead: true, 1968 | }, 1969 | 22776: { 1970 | rpcs: [], 1971 | rpcWorking: false, 1972 | websiteDead: true, 1973 | }, 1974 | 50001: { 1975 | rpcs: [ 1976 | "https://rpc.oracle.liveplex.io", 1977 | { 1978 | url: "https://rpc.oracle.liveplex.io", 1979 | tracking: "yes", 1980 | trackingDetails: privacyStatement.LiveplexOracleEVM, 1981 | }, 1982 | ], 1983 | }, 1984 | 119: { 1985 | rpcs: [ 1986 | "https://evmapi.nuls.io", 1987 | "https://evmapi2.nuls.io", 1988 | ], 1989 | }, 1990 | }; 1991 | 1992 | const allExtraRpcs = mergeDeep(llamaNodesRpcs, extraRpcs); 1993 | 1994 | export default allExtraRpcs; 1995 | --------------------------------------------------------------------------------