概述: 用Go初始化客户端以连接以太坊的教程

初始化客户端

用Go初始化以太坊客户端是和区块链交互所需的基本步骤。首先,导入go-etherem的ethclient包并通过调用接收区块链服务提供者URL的Dial来初始化它。

若您没有现有以太坊客户端,您可以连接到infura网关。Infura管理着一批安全,可靠,可扩展的以太坊[geth和parity]节点,并且在接入以太坊网络时降低了新人的入门门槛。

  1. client, err := ethclient.Dial("https://mainnet.infura.io")

若您运行了本地geth实例,您还可以将路径传递给IPC端点文件。

  1. client, err := ethclient.Dial("/home/user/.ethereum/geth.ipc")

对每个Go以太坊项目,使用ethclient是您开始的必要事项,您将在本书中非常多的看到这一步骤。

使用Ganache

Ganache(正式名称为testrpc)是一个用Node.js编写的以太坊实现,用于在本地开发去中心化应用程序时进行测试。现在我们将带着您完成安装并连接到它。

首先通过NPM安装ganache。

  1. npm install -g ganache-cli

然后运行ganache cli客户端。

  1. ganache-cli

现在连到http://localhost:8584上的ganache RPC主机。

  1. client, err := ethclient.Dial("http://localhost:8545")
  2. if err != nil {
  3. log.Fatal(err)
  4. }

在启动ganache时,您还可以使用相同的助记词来生成相同序列的公开地址。

  1. ganache-cli -m "much repair shock carbon improve miss forget sock include bullet interest solution"

我强烈推荐您通过阅读其文档熟悉ganache。

完整代码

client.go

  1. package main
  2. import (
  3. "fmt"
  4. "log"
  5. "github.com/ethereum/go-ethereum/ethclient"
  6. )
  7. func main() {
  8. client, err := ethclient.Dial("https://mainnet.infura.io")
  9. if err != nil {
  10. log.Fatal(err)
  11. }
  12. fmt.Println("we have a connection")
  13. _ = client // we'll use this in the upcoming sections
  14. }