兄弟連區塊鏈入門教程eth源碼分析RPC分析

來源:互聯網
上載者:User

標籤:ready   conf   toWei   work   inf   node   rmi   參數   gap   

這是一個互動 JavaScript 執行環境,在這裡面可以執行 JavaScript 代碼,其中 > 是命令提示字元。在這個環境裡也內建了一些用來操作eth的 JavaScript 對象,可以直接使用這些對象。這些對象主要包括:

eth:包含一些跟操作區塊鏈相關的方法;
net:包含一些查看p2p網路狀態的方法;
admin:包含一些與管理節點相關的方法;
miner:包含啟動&停止挖礦的一些方法;
personal:主要包含一些管理賬戶的方法;
txpool:包含一些查看交易記憶體池的方法;
web3:包含了以上對象,還包含一些單位換算的方法。

personal.newAccount(‘liyuechun‘)
personal.listAccounts?
account1 = web3.eth.coinbase
web3.eth.getBalance(account1)

發送交易:
eth.sendTransaction({from:"0x1c0f18be339b56073e5d18b479bbc43b0ad5349c", to:"0x13d0dc1c592570f48360d7b779202d8df404563e", value: web3.toWei(0.05, "ether")})

#增加節點
admin.addPeers("..")
#查看當前鏈串連資訊
admin.nodeInfo.enode
#查看串連了幾個節點
web3.net.peerCount

net.listening

#查看串連了幾個節點
net.peerCount

#串連對應workid鏈的控制台
--networkid=1114 console

初始化創世塊
init /home/yujian/eth-go/genesis.json --datadir /home/yujian/eth-go
根據創世塊啟動,並且開啟控制台
--datadir /home/yujian/eth-go --networkid 1114 --port 30304 console 2>>/home/yujian/eth-go/myEth2.log

RPC包概述

RPC包主要的服務邏輯在server.go和subscription.go包中。介面的定義在types.go中。
RPC包主要實現在啟動節點的時候,將自己寫的api包通過反射的形式將方法名和調用的api綁定。在啟動命令列之後,通過輸入命令的形式,通過RPC方法找到對應的方法調用,擷取傳回值。

RPC方法追蹤

首先,在geth啟動時,geth中有startNode方法,通過層層跟蹤我們進入到了Node.Start()方法中。
在start方法中,有一個startRPC方法,啟動節點的RPC。

// startRPC is a helper method to start all the various RPC endpoint during node// startup. It‘s not meant to be called at any time afterwards as it makes certain// assumptions about the state of the node.func (n *Node) startRPC(services map[reflect.Type]Service) error {// Gather all the possible APIs to surfaceapis := n.apis()for _, service := range services {apis = append(apis, service.APIs()...)}// Start the various API endpoints, terminating all in case of errorsif err := n.startInProc(apis); err != nil {return err}if err := n.startIPC(apis); err != nil {n.stopInProc()return err}if err := n.startHTTP(n.httpEndpoint, apis, n.config.HTTPModules, n.config.HTTPCors); err != nil {n.stopIPC()n.stopInProc()return err}if err := n.startWS(n.wsEndpoint, apis, n.config.WSModules, n.config.WSOrigins, n.config.WSExposeAll); err != nil {n.stopHTTP()n.stopIPC()n.stopInProc()return err}// All API endpoints started successfullyn.rpcAPIs = apisreturn nil}

這裡,startRPC方法在執行時就會去讀取api,然後暴露各個api。
apis()的定義如下:

// apis returns the collection of RPC descriptors this node offers.func (n *Node) apis() []rpc.API {return []rpc.API{{Namespace: "admin",Version: "1.0",Service: NewPrivateAdminAPI(n),}, {Namespace: "admin",Version: "1.0",Service: NewPublicAdminAPI(n),Public: true,}, {Namespace: "debug",Version: "1.0",Service: debug.Handler,}, {Namespace: "debug",Version: "1.0",Service: NewPublicDebugAPI(n),Public: true,}, {Namespace: "web3",Version: "1.0",Service: NewPublicWeb3API(n),Public: true,},}}

其中,Namespace是我們定義的包名,即在命令列中可以調用的方法。
Version是這個包的版本號碼。
Service是所映射的API管理的結構體,這裡API的方法需要滿足RPC的標準才能通過校正。
成為RPC調用方法標準如下:

·對象必須匯出·方法必須匯出·方法返回0,1(響應或錯誤)或2(響應和錯誤)值·方法參數必須匯出或是內建類型·方法傳回值必須匯出或是內建類型

在將各個API都寫入到列表中之後,然後啟動多個API endpoints。
這裡我們以啟動IPC為例,主要看startIPC方法。

func (n *Node) startIPC(apis []rpc.API) error {// Short circuit if the IPC endpoint isn‘t being exposedif n.ipcEndpoint == "" {return nil}// Register all the APIs exposed by the serviceshandler := rpc.NewServer()for _, api := range apis {if err := handler.RegisterName(api.Namespace, api.Service); err != nil {return err}n.log.Debug(fmt.Sprintf("IPC registered %T under ‘%s‘", api.Service, api.Namespace))}...

這裡會首先啟建立一個rpc server。在啟動的過程中,rpc server會將自己註冊到handler中,即rpc包。
在建立rpc server之後,handler會通過RegisterName方法將暴露的方法註冊到rpc server中。

// RegisterName will create a service for the given rcvr type under the given name. When no methods on the given rcvr// match the criteria to be either a RPC method or a subscription an error is returned. Otherwise a new service is// created and added to the service collection this server instance serves.func (s *Server) RegisterName(name string, rcvr interface{}) error {if s.services == nil {s.services = make(serviceRegistry)}svc := new(service)svc.typ = reflect.TypeOf(rcvr)rcvrVal := reflect.ValueOf(rcvr)if name == "" {return fmt.Errorf("no service name for type %s", svc.typ.String())}if !isExported(reflect.Indirect(rcvrVal).Type().Name()) {return fmt.Errorf("%s is not exported", reflect.Indirect(rcvrVal).Type().Name())}methods, subscriptions := suitableCallbacks(rcvrVal, svc.typ)// already a previous service register under given sname, merge methods/subscriptions????if regsvc, present := s.services[name]; present {????????if len(methods) == 0 && len(subscriptions) == 0 {????????????return fmt.Errorf("Service %T doesn‘t have any suitable methods/subscriptions to expose", rcvr)????????}????????for _, m := range methods {????????????regsvc.callbacks[formatName(m.method.Name)] = m????????}????????for _, s := range subscriptions {????????????regsvc.subscriptions[formatName(s.method.Name)] = s????????}????????return nil????}????svc.name = name????svc.callbacks, svc.subscriptions = methods, subscriptions????if len(svc.callbacks) == 0 && len(svc.subscriptions) == 0 {????????return fmt.Errorf("Service %T doesn‘t have any suitable methods/subscriptions to expose", rcvr)????}????s.services[svc.name] = svc????return nil}

在RegisterName方法中,這個方法會將所提供包下所有符合RPC調用標準的方法註冊到Server的callback調用集合中等待調用。
這裡,篩選合格RPC調用方法又suitableCallbacks方法實現。
這樣就將對應包中的方法註冊到Server中,在之後的命令列中即可調用。

兄弟連區塊鏈入門教程eth源碼分析RPC分析

相關文章

聯繫我們

該頁面正文內容均來源於網絡整理,並不代表阿里雲官方的觀點,該頁面所提到的產品和服務也與阿里云無關,如果該頁面內容對您造成了困擾,歡迎寫郵件給我們,收到郵件我們將在5個工作日內處理。

如果您發現本社區中有涉嫌抄襲的內容,歡迎發送郵件至: info-contact@alibabacloud.com 進行舉報並提供相關證據,工作人員會在 5 個工作天內聯絡您,一經查實,本站將立刻刪除涉嫌侵權內容。

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.