Tutorial Hyperledger Fabric SDK Go: How to build your first app?
This tutorial will introduce you to the Hyperledger Fabric Go SDK and allows you to build a simple application using the blockchain principle.
This tutorial uses Hyperledger Fabric version 1.0.0-rc1, on github Heroes-Service use the branch 1.0.0-rc1!
Edit: The certificates used in this tutorial are no longer valid. The new version of this tutorial is finished and available here: chainhero.io/2018/03/tutorial-build-blockchain-app-2
First part This is the first part of this tutorial. The basics SDK features will be shown, but the second part is scheduled to demonstrate a more complex application.
- Prerequisites
- Introduction to Hyperledger Fabric
- Installation guide
- Make your first blockchain network
- Use the Fabric SDK Go
- Make this in a web application
- Referencies
1. Prerequisites
This tutorial won’t explain in detail how Hyperledger Fabric works. I will just give some tips to understand the general behavior of the framework. If you want to get a full explanation of the tool, go to the official documentation there is a lot of work there that explains what kind of blockchain, Hyperledger Fabric is.
This tutorial has been made on Ubuntu 16.04, but the Hyperledger Fabric framework is compatible with Mac OS X, Windows and other Linux distributions.
We will use the Go language to design a first application, because the Hyperledger Fabric has been built also in Go and the Fabric SDK Go is really simple to use. In addition, the chaincode (smart contract) can be written in Go too. So the full-stack will be only in Go! There are other SDK if you want to, like for NodeJS, Java or Python.
Hyperledger Fabric uses Docker to easily deploy a blockchain network. In addition, in the v1.0, some component (peers) also deploys docker containers to separate data (channel). So make sure that the platform supports this kind of virtualization.
2. Introduction to Hyperledger Fabric
Hyperledger Fabric is a platform for distributed ledger solutions underpinned by a modular architecture delivering high degrees of confidentiality, resiliency, flexibility and scalability. It is designed to support pluggable implementations of different components and accommodate the complexity and intricacies that exist across the economic ecosystem.
See the full explaination from the official documentation, in the introduction part: Hyperledger Fabric Blockchain
3. Installation guide
This tutorial was made on Ubuntu 16.04, but there is some help for make the installation in Windows, Mac OS X and other Linux distributions.
a. Docker
Linux (Ubuntu)
The required version for docker is 1.12 or greater, this version is already available in the package manager on Ubuntu. Just install it with this command line:
sudo apt install docker.io
In addition, we need docker-compose 1.8+ to manage multiple containers at once. You can also use your package manager that hold the right version:
sudo apt install docker-compose
Now we need to manage the current user to avoid using root
access when we will use docker. To do so, we need to add the current user to the docker
group:
sudo groupadd docker
sudo gpasswd -a ${USER} docker
sudo service docker restart
In order to apply these changes, you need to logout/login and then check versions with:
docker --version
docker-compose version
Mac OS X
Dowload and install the latest Docker.dmg
package for Mac OS X available on the Docker website. This will install docker-compose
as well.
Linux (not Ubuntu)
See links below:
Windows
See instructions from the Docker website: docker.com/docker-for-windows
b. Go
Hyperledger Fabric requires a Go version 1.7.x or more and we have only Go version 1.6.x in package manager. So this time we need to use the official installation method. You can follow instructions from golang.org or use these generics commands that will install Golang 1.8.3 and prepare your environment (generate your GOPATH
) for Ubuntu:
wget https://storage.googleapis.com/golang/go1.8.3.linux-amd64.tar.gz && \
sudo tar -C /usr/local -xzf go1.8.3.linux-amd64.tar.gz && \
rm go1.8.3.linux-amd64.tar.gz && \
echo 'export PATH=$PATH:/usr/local/go/bin' | sudo tee -a /etc/profile && \
echo 'export GOPATH=$HOME/go' | tee -a $HOME/.bashrc && \
echo 'export PATH=$PATH:$GOROOT/bin:$GOPATH/bin' | tee -a $HOME/.bashrc && \
mkdir -p $HOME/go/{src,pkg,bin}
To make sure that the installation works, you can logout/login (again) and run:
go version
c. Hyperledger Fabric & Certificate Authority (CA)
Now we can install the main framework: Hyperledger Fabric. We will fix the commit level to the v1.0.0-rc1 because the Fabric SDK Go is compatible with it. All the code is available in a mirror on github, just check out (and optionally build binaries):
mkdir -p $GOPATH/src/github.com/hyperledger && \
cd $GOPATH/src/github.com/hyperledger && \
git clone https://github.com/hyperledger/fabric.git && \
cd fabric && \
git checkout v1.0.0-rc1
Same for the Hyperledger Fabric CA part:
cd $GOPATH/src/github.com/hyperledger && \
git clone https://github.com/hyperledger/fabric-ca.git && \
cd fabric-ca && \
git checkout v1.0.0-rc1
We won’t use directly the framework, but this is useful to have the framework locally in your GOPATH to compile your app.
d. Fabric SDK Go
Finally, we install the Hyperledger Fabric SDK Go that will allow us to easily communicate with the Fabric framework. To avoid versions issues, we directly checkout a specific commit that works with the following tutorial.
cd $GOPATH/src/github.com/hyperledger && \
git clone https://github.com/hyperledger/fabric-sdk-go.git && \
cd fabric-sdk-go && \
git checkout 85fa3101eb4694d464003c3a900672d632f17833
Then we will use the golang built in functions in order to install packages:
go get github.com/hyperledger/fabric-sdk-go/pkg/fabric-client && \
go get github.com/hyperledger/fabric-sdk-go/pkg/fabric-ca-client
If you get the following error:
../fabric-sdk-go/vendor/github.com/miekg/pkcs11/pkcs11.go:29:18: fatal error: ltdl.h: No such file or directory
You need to install the package libltdl-dev
and re-execute previous command (go get ...
):
sudo apt install libltdl-dev
Then you can go inside the new fabric-sdk-go
directory in your GOPATH and we will install dependencies and check out if all is ok:
cd $GOPATH/src/github.com/hyperledger/fabric-sdk-go && make
The installation can take a while (depending on your network connection), but in the end you should see Integration tests passed.
During this process, a virtual network has been built and some tests have been made in order to check if your system is ready. Now we can work with our first application.
4. Make your first blockchain network
a. Prepare environment
In order to make a blockchain network, we will use docker
to build virtual computers that will handle different roles. In this tutorial we will stay as simple as possible. Hyperledger Fabric needs a lot of certificates to ensure encryption during the whole end to end process (SSL, TSL, authentification…). Fortunately, the Fabric SDK Go provides them. In order to use them, we simply use the network deployed by the testing part of the SDK.
Make a new directory in the src
folder of your GOPATH
, we name it heroes-service
:
mkdir -p $GOPATH/src/github.com/chainhero/heroes-service && \
cd $GOPATH/src/github.com/chainhero/heroes-service
Now, we can copy the environment of the Fabric SDK Go placed in the test folder:
cp -r $GOPATH/src/github.com/hyperledger/fabric-sdk-go/test/fixtures ./
We can clean up a little bit to make it more simple. We remove the default chaincode, as we will make our own chaincode later. We also remove some files used by the test script of the SDK:
rm -rf fixtures/{config,src,.env,latest-env.sh}
b. Build a Docker compose file
In order to make it work, we have to edit the docker-compose.yaml
file, which is the configuration file for docker-compose
command. It tells which containers needs to be created/started and with the right configuration for each. Take your favorite text editor and copy/paste content from this repository:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
vi fixtures/docker-compose.yaml
see fixtures/docker-compose.yaml
Now if we use docker-compose
, we will setup two Fabric Certificate Authorities with one peer for each. Peers will have all roles: ledger, endorser and commiter. In addition, an orderer is also created with the solo
ordering algorithm (no consensus is made).
c. Test
In order to check if the network works, we will use docker-compose
to start or stop all containers at the same time. Go inside the fixtures
folder, and run:
cd $GOPATH/src/github.com/chainhero/heroes-service/fixtures && \
docker-compose up
You will see a lot of logs with different colors (for your information, red isn’t equal to errors).
Open a new terminal and run:
docker ps
You will see : two peers, the orderer and two CA containers. You have successfully made a new network ready to use with the SDK. To stop the network go back to the previous terminal, press Ctrl+C
and wait that all containers are stopped. If you want to explore more deepper, check out the official documentation about this: Building Your First Network
Tips: when the network is stopped, all containers used remain accessible. This is very useful to check logs for example. You can see them with
docker ps -a
. In order to clean up these containers, you need to delete them withdocker rm $(docker ps -aq)
or if you have used adocker-compose
file, go where this file is and rundocker-compose down
.
Tips: you can run the
docker-compose
command in background to keep the prompt. To do so, use the parameter-d
, like this:docker-compose up -d
. To stop containers, run in the same folder where thedocker-compose.yaml
is, the command:docker-compose stop
(ordocker-compose down
to clean up after all containers are stopped).
5. Use the Fabric SDK Go
a. Configuration
As we removed the config folder, we need to make a new config file. We will put in it everything that the Fabric SDK Go and our custom parameters for our app needs to work. The config file will contain all our custom parameters and everything else the Fabric SDK Go needs for our app to work. For the moment, we will only try to make the Fabric SDK Go work with the default chaincode:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
vi config.yaml
client:
peers:
# peer0
- host: "localhost"
port: 7051
eventHost: "localhost"
eventPort: 7053
primary: true
tls:
# Certificate location absolute path
certificate: "$GOPATH/src/github.com/chainhero/heroes-service/fixtures/channel/crypto-config/peerOrganizations/org1.example.com/peers/peer0.org1.example.com/cacerts/org1.example.com-cert.pem"
serverHostOverride: "peer0.org1.example.com"
tls:
enabled: true
security:
enabled: true
hashAlgorithm: "SHA2"
level: 256
tcert:
batch:
size: 200
orderer:
host: "localhost"
port: 7050
tls:
# Certificate location absolute path
certificate: "$GOPATH/src/github.com/chainhero/heroes-service/fixtures/channel/crypto-config/ordererOrganizations/example.com/orderers/orderer.example.com/cacerts/example.com-cert.pem"
serverHostOverride: "orderer.example.com"
logging:
level: info
fabricCA:
tlsEnabled: true
id: "Org1MSP"
name: "ca-org1"
homeDir: "/tmp/"
mspDir: "msp"
serverURL: "https://localhost:7054"
certfiles :
- "$GOPATH/src/github.com/chainhero/heroes-service/fixtures/tls/fabricca/ca/ca_root.pem"
client:
keyfile: "$GOPATH/src/github.com/chainhero/heroes-service/fixtures/tls/fabricca/client/client_client1-key.pem"
certfile: "$GOPATH/src/github.com/chainhero/heroes-service/fixtures/tls/fabricca/client/client_client1.pem"
cryptoconfig:
path: "$GOPATH/src/github.com/chainhero/heroes-service/fixtures/channel/crypto-config"
The full configuration file is available here: config.yaml
b. Initialise
We add a new folder named blockchain
that will contain the whole interface that communicate with the network. We will see the Fabric SDK Go only in this folder.
mkdir $GOPATH/src/github.com/chainhero/heroes-service/blockchain
Now, we add a new go file named setup.go
:
vi $GOPATH/src/github.com/chainhero/heroes-service/blockchain/setup.go
package blockchain
import (
api "github.com/hyperledger/fabric-sdk-go/api"
fsgConfig "github.com/hyperledger/fabric-sdk-go/pkg/config"
bccspFactory "github.com/hyperledger/fabric/bccsp/factory"
fcutil "github.com/hyperledger/fabric-sdk-go/pkg/util"
"github.com/hyperledger/fabric-sdk-go/pkg/fabric-client/events"
"fmt"
)
// FabricSetup implementation
type FabricSetup struct {
Client api.FabricClient
Channel api.Channel
EventHub api.EventHub
Initialized bool
ChannelId string
ChannelConfig string
}
// Initialize reads the configuration file and sets up the client, chain and event hub
func Initialize() (*FabricSetup, error) {
// Add parameters for the initialization
setup := FabricSetup{
// Channel parameters
ChannelId: "mychannel",
ChannelConfig: "fixtures/channel/mychannel.tx",
}
// Initialize the configuration
// This will read the config.yaml, in order to tell to
// the SDK all options and how contact a peer
configImpl, err := fsgConfig.InitConfig("config.yaml")
if err != nil {
return nil, fmt.Errorf("Initialize the config failed: %v", err)
}
// Initialize blockchain cryptographic service provider (BCCSP)
// This tool manages certificates and keys
err = bccspFactory.InitFactories(configImpl.GetCSPConfig())
if err != nil {
return nil, fmt.Errorf("Failed getting ephemeral software-based BCCSP [%s]", err)
}
// This will make a user access (here the admin) to interact with the network
// To do so, it will contact the Fabric CA to check if the user has access
// and give it to him (enrollment)
client, err := fcutil.GetClient("admin", "adminpw", "/tmp/enroll_user", configImpl)
if err != nil {
return nil, fmt.Errorf("Create client failed: %v", err)
}
setup.Client = client
// Make a new instance of channel pre-configured with the info we have provided,
// but for now we can't use this channel because we need to create and
// make some peer join it
channel, err := fcutil.GetChannel(setup.Client, setup.ChannelId)
if err != nil {
return nil, fmt.Errorf("Create channel (%s) failed: %v", setup.ChannelId, err)
}
setup.Channel = channel
// Get an orderer user that will validate a proposed order
// The authentication will be made with local certificates
ordererUser, err := fcutil.GetPreEnrolledUser(
client,
"ordererOrganizations/example.com/users/Admin@example.com/keystore",
"ordererOrganizations/example.com/users/Admin@example.com/signcerts",
"ordererAdmin",
)
if err != nil {
return nil, fmt.Errorf("Unable to get the orderer user failed: %v", err)
}
// Get an organisation user (admin) that will be used to sign the proposal
// The authentication will be made with local certificates
orgUser, err := fcutil.GetPreEnrolledUser(
client,
"peerOrganizations/org1.example.com/users/Admin@org1.example.com/keystore",
"peerOrganizations/org1.example.com/users/Admin@org1.example.com/signcerts",
"peerorg1Admin",
)
if err != nil {
return nil, fmt.Errorf("Unable to get the organisation user failed: %v", err)
}
// Initialize the channel "mychannel" based on the genesis block by
// 1. locating in fixtures/channel/mychannel.tx and
// 2. joining the peer given in the configuration file to this channel
if err := fcutil.CreateAndJoinChannel(client, ordererUser, orgUser, channel, setup.ChannelConfig); err != nil {
return nil, fmt.Errorf("CreateAndJoinChannel return error: %v", err)
}
// Give the organisation user to the client for next proposal
client.SetUserContext(orgUser)
// Setup Event Hub
// This will allow us to listen for some event from the chaincode
// and act on it. We won't use it for now.
eventHub, err := getEventHub(client)
if err != nil {
return nil, err
}
if err := eventHub.Connect(); err != nil {
return nil, fmt.Errorf("Failed eventHub.Connect() [%s]", err)
}
setup.EventHub = eventHub
// Tell that the initialization is done
setup.Initialized = true
return &setup, nil
}
// getEventHub initialize the event hub
func getEventHub(client api.FabricClient) (api.EventHub, error) {
eventHub, err := events.NewEventHub(client)
if err != nil {
return nil, fmt.Errorf("Error creating new event hub: %v", err)
}
foundEventHub := false
peerConfig, err := client.GetConfig().GetPeersConfig()
if err != nil {
return nil, fmt.Errorf("Error reading peer config: %v", err)
}
for _, p := range peerConfig {
if p.EventHost != "" && p.EventPort != 0 {
fmt.Printf("EventHub connect to peer (%s:%d)\n", p.EventHost, p.EventPort)
eventHub.SetPeerAddr(fmt.Sprintf("%s:%d", p.EventHost, p.EventPort),
p.TLS.Certificate, p.TLS.ServerHostOverride)
foundEventHub = true
break
}
}
if !foundEventHub {
return nil, fmt.Errorf("No EventHub configuration found")
}
return eventHub, nil
}
The file is available here: blockchain/setup.go
At this stage, we only initialised a client that will communicate to a peer, a CA and an orderer. We also made a new channel and connected this peer to this channel. See the comments in the code for more information.
c. Test
To make sure that the client managed to initialise all his components, we will make a simple test with the network launched. In order to do this, we need to build the go code. Since we we haven’t any main file we have to add one:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
vi main.go
package main
import (
"github.com/chainhero/heroes-service/blockchain"
"fmt"
"os"
"runtime"
"path/filepath"
)
// Fix empty GOPATH with golang 1.8 (see https://github.com/golang/go/blob/1363eeba6589fca217e155c829b2a7c00bc32a92/src/go/build/build.go#L260-L277)
func defaultGOPATH() string {
env := "HOME"
if runtime.GOOS == "windows" {
env = "USERPROFILE"
} else if runtime.GOOS == "plan9" {
env = "home"
}
if home := os.Getenv(env); home != "" {
def := filepath.Join(home, "go")
if filepath.Clean(def) == filepath.Clean(runtime.GOROOT()) {
// Don't set the default GOPATH to GOROOT,
// as that will trigger warnings from the go tool.
return ""
}
return def
}
return ""
}
func main() {
// Setup correctly the GOPATH in the environment
if goPath := os.Getenv("GOPATH"); goPath == "" {
os.Setenv("GOPATH", defaultGOPATH())
}
// Initialize the Fabric SDK
_, err := blockchain.Initialize()
if err != nil {
fmt.Printf("Unable to initialize the Fabric SDK: %v", err)
}
}
The file is available here: main.go
As you can see, we fixed the GOPATH of the environment if it’s not set. We will need this feature in order to compile the chaincode (we will see this in the next step).
The last thing to do before starting the compilation is to use a vendor directory. In our GOPATH we have Fabric, Fabric CA, Fabric SDK Go and maybe other projects. When we will try to compile our app, there may be some conflicts (like multiple definitions of BCCSP). We will handle this by using a tool like govendor
to flatten these dependencies. Just install it and import external dependencies inside the vendor directory like this:
go get -u github.com/kardianos/govendor && \
cd $GOPATH/src/github.com/chainhero/heroes-service && \
govendor init && govendor add +external
Now we can make the compilation:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
go build
After some time, a new binary named heroes-service
will appear at the root of the project. Try to start the binary like this:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
./heroes-service
At this point, it won’t work because there is no network deployed that the SDK can talk with. Start the network and launch the app again:
cd $GOPATH/src/github.com/chainhero/heroes-service/fixtures && \
docker-compose up -d && \
cd .. && \
./heroes-service
Great! We initialised the SDK with our local network. In the next step, we will interact with a chaincode.
d. Clean up and Makefile
The Fabric SDK generates some files, like certificates and/or temporally files. Shutting down the network won’t fully clean up your environment and when you will need to start it again, these files will be reused to avoid building process. For development you can keep them to test quickly but for a real test, you need to clean up all and start from the beginning.
How clean up my environment ?
- Shut down your network:
cd $GOPATH/src/github.com/chainhero/heroes-service/fixtures && docker-compose down
- Remove MSP folder (defined in the config file, in the
fabricCA
section):rm -rf /tmp/msp
- Remove enrolment files (defined when we initialise the SDK, in the setup file, when we get the client):
rm -rf /tmp/enroll_user
- Remove some docker containers and docker images not generated by the
docker-compose
command:docker rm -f -v `docker ps -a --no-trunc | grep "heroes-service" | cut -d ' ' -f 1` 2>/dev/null
anddocker rmi `docker images --no-trunc | grep "heroes-service" | cut -d ' ' -f 1` 2>/dev/null
How to be more efficient ?
We can automatise all these tasks in one single step. Also the build and start process can be automated. To do so, we will create a Makefile. First, ensure that you have the tool:
make --version
If make
is not installed do (Ubuntu):
sudo apt install make
Then create a file named Makefile
at the root of the project with this content:
.PHONY: all dev clean build env-up env-down run
all: clean build env-up run
dev: build run
##### BUILD
build:
@echo "Build ..."
@govendor sync
@go build
@echo "Build done"
##### ENV
env-up:
@echo "Start environnement ..."
@cd fixtures && docker-compose up --force-recreate -d
@echo "Sleep 15 seconds in order to let the environment setup correctly"
@sleep 15
@echo "Environnement up"
env-down:
@echo "Stop environnement ..."
@cd fixtures && docker-compose down
@echo "Environnement down"
##### RUN
run:
@echo "Start app ..."
@./heroes-service
##### CLEAN
clean: env-down
@echo "Clean up ..."
@rm -rf /tmp/enroll_user /tmp/msp heroes-service
@docker rm -f -v `docker ps -a --no-trunc | grep "heroes-service" | cut -d ' ' -f 1` 2>/dev/null || true
@docker rmi `docker images --no-trunc | grep "heroes-service" | cut -d ' ' -f 1` 2>/dev/null || true
@echo "Clean up done"
The file is available here: Makefile
Now with the task all
:
- the whole environment will be cleaned up,
- then our go program will be compiled,
- after the network will be deployed and
- finally the app will be up and running.
To use it, go in the root of the project and use the make
command:
- Task
all
:make
ormake all
- Task
build
:make build
- Task
env-up
:make env-up
- …
e. Install & instanciate a chaincode
We are almost there to use the blockchain system. But for now we haven’t set up any chaincode (smart contract) yet that will handle queries from our application. First, let’s create a new directory named chaincode
and add a new file named main.go
:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
mkdir chaincode && \
vi chaincode/main.go
package main
import (
"fmt"
"github.com/hyperledger/fabric/core/chaincode/shim"
pb "github.com/hyperledger/fabric/protos/peer"
)
// HeroesServiceChaincode implementation of Chaincode
type HeroesServiceChaincode struct {
}
// Init of the chaincode
// This function is called only one when the chaincode is instantiated.
// So the goal is to prepare the ledger to handle future requests.
func (t *HeroesServiceChaincode) Init(stub shim.ChaincodeStubInterface) pb.Response {
fmt.Println("########### HeroesServiceChaincode Init ###########")
// Get the function and arguments from the request
function, _ := stub.GetFunctionAndParameters()
// Check if the request is the init function
if function != "init" {
return shim.Error("Unknown function call")
}
// Put in the ledger the key/value hello/world
err := stub.PutState("hello", []byte("world"))
if err != nil {
return shim.Error(err.Error())
}
// Return a successful message
return shim.Success(nil)
}
// Invoke
// All future requests named invoke will arrive here.
func (t *HeroesServiceChaincode) Invoke(stub shim.ChaincodeStubInterface) pb.Response {
fmt.Println("########### HeroesServiceChaincode Invoke ###########")
// Get the function and arguments from the request
function, args := stub.GetFunctionAndParameters()
// Check whether it is an invoke request
if function != "invoke" {
return shim.Error("Unknown function call")
}
// Check whether the number of argument is sufficient
if len(args) < 1 {
return shim.Error("The number of arguments is insufficient.")
}
// In order to manage multiple type of request, we will check the first argument.
// Here we have one possible argument: query (every query request will read in the ledger without modification)
if args[0] == "query" {
return t.query(stub, args)
}
// If the arguments given don’t match any function, we return an error
return shim.Error("Unknown action, check the first argument")
}
// query
// Every readonly functions in the ledger will be here
func (t *HeroesServiceChaincode) query(stub shim.ChaincodeStubInterface, args []string) pb.Response {
// whether the number of arguments is sufficient
if len(args) < 2 {
return shim.Error("The number of arguments is insufficient.")
}
// Like the Invoke function, we manage multiple type of query requests with the second argument.
// We also have only one possible argument: hello
if args[1] == "hello" {
// Get the state of the value matching the key hello in the ledger
state, err := stub.GetState("hello")
if err != nil {
return shim.Error("Failed to get state of hello")
}
// Return this value in response
return shim.Success(state)
}
// If the arguments given don’t match any function, we return an error
return shim.Error("Unknown query action, check the second argument.")
}
func main() {
// Start the chaincode and make it ready for futures requests
err := shim.Start(new(HeroesServiceChaincode))
if err != nil {
fmt.Printf("Error starting Heroes Service chaincode: %s\n", err)
}
}
The file is available here: chaincode/main.go
We choose to put the chaincode here to make the application simpler, but from an architecture point of view, it will be better to use the architectural given by the SDK and put the chaincode in the
src
folder offixtures
. The chaincode isn’t really related to the application, we can have one repository for the app and another for the chaincode. For your information, in a near future, the chaincode could be written in other languages.
For now, the chaincode does nothing extraordinary, just put the key/value hello
/world
in the ledger at initialisation. In addition, there is one function that we can call by an invoke: query hello
. This function gets the state of the ledger, i.e. hello
and give it in response. We will test this in the next step, after successfully install and instantiate the chaincode.
In order to install and instantiate the chaincode, we need to add some code in the application. Edit the blockchain/setup.go
and add this following lines:
line 3 of
blockchain/setup.go
: we add the OS import to get access to the GOPATH variable in the environment
import (
api "github.com/hyperledger/fabric-sdk-go/api"
fsgConfig "github.com/hyperledger/fabric-sdk-go/pkg/config"
bccspFactory "github.com/hyperledger/fabric/bccsp/factory"
fcutil "github.com/hyperledger/fabric-sdk-go/pkg/util"
"github.com/hyperledger/fabric-sdk-go/pkg/fabric-client/events"
"fmt"
"os"
)
line 13 of
blockchain/setup.go
: we add chaincode parameters
// FabricSetup implementation
type FabricSetup struct {
Client api.FabricClient
Channel api.Channel
EventHub api.EventHub
Initialized bool
ChannelId string
ChannelConfig string
ChaincodeId string
ChaincodeVersion string
ChaincodeGoPath string
ChaincodePath string
}
line 28 of
blockchain/setup.go
: we set new parameters
func Initialize() (*FabricSetup, error) {
// Add parameters for the initialization
setup := FabricSetup{
// Channel parameters
ChannelId: "mychannel",
ChannelConfig: "fixtures/channel/mychannel.tx",
// Chaincode parameters
ChaincodeId: "heroes-service",
ChaincodeVersion: "v1.0.0",
ChaincodeGoPath: os.Getenv("GOPATH"),
ChaincodePath: "github.com/chainhero/heroes-service/chaincode",
}
[...]
}
line 156 of
blockchain/setup.go
: we add the function that will install and instantiate the chaincode
// Install and instantiate the chaincode
func (setup *FabricSetup) InstallAndInstantiateCC() error {
// Check if chaincode ID is provided
// otherwise, generate a random one
if setup.ChaincodeId == "" {
setup.ChaincodeId = fcutil.GenerateRandomID()
}
fmt.Printf(
"Chaincode %s (version %s) will be installed (Go Path: %s / Chaincode Path: %s)\n",
setup.ChaincodeId,
setup.ChaincodeVersion,
setup.ChaincodeGoPath,
setup.ChaincodePath,
)
// Install ChainCode
// Package the go code and make a proposal to the network with this new chaincode
err := fcutil.SendInstallCC(
setup.Client, // The SDK client
setup.Channel, // The channel concerned
setup.ChaincodeId,
setup.ChaincodePath,
setup.ChaincodeVersion,
nil,
setup.Channel.GetPeers(), // Peers concerned by this change in the channel
setup.ChaincodeGoPath,
)
if err != nil {
return fmt.Errorf("Send install proposal return error: %v", err)
} else {
fmt.Printf("Chaincode %s installed (version %s)\n", setup.ChaincodeId, setup.ChaincodeVersion)
}
// Instantiate ChainCode
// Call the Init function of the chaincode in order to initialize in every peer the new chaincode
err = fcutil.SendInstantiateCC(
setup.Channel,
setup.ChaincodeId,
setup.ChannelId,
[]string{"init"}, // Arguments for the invoke request
setup.ChaincodePath,
setup.ChaincodeVersion,
[]api.Peer{setup.Channel.GetPrimaryPeer()}, // Which peer to contact
setup.EventHub,
)
if err != nil {
return err
} else {
fmt.Printf("Chaincode %s instantiated (version %s)\n", setup.ChaincodeId, setup.ChaincodeVersion)
}
return nil
}
The file is available here: blockchain/setup.go
Tips: take care of the chaincode version, if you want to update your chaincode, increment this number. Otherwise the network will keep the same chaincode.
Finally, we add the call to this function in the main.go
after the SDK initialisation:
line 38 of
main.go
: we add the function that will install and instantiate the chaincode
func main() {
[...]
// Initialize the Fabric SDK
fabricSdk, err := blockchain.Initialize()
if err != nil {
fmt.Printf("Unable to initialize the Fabric SDK: %v\n", err)
}
// Install and instantiate the chaincode
err = fabricSdk.InstallAndInstantiateCC()
if err != nil {
fmt.Printf("Unable to install and instantiate the chaincode: %v\n", err)
}
}
The file is available here: main.go
We can test this, just with the make
command setup in the previous step:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
make
Tips: the installation and the instantiation don’t need to be run at every start of the application. Only when we update the chaincode (and the chaincode version). A solution is to provide an argument when we run the application to tell to do this additional procedure before move on. Since in this tutorial we will clean up the environment every time we don’t really care about that.
f. Query the chaincode
Like a database, the chaincode is plugged and ready to answer. Let’s try the hello
query.
We will put all query functions in a new file named query.go
in the blockchain
folder:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
vi blockchain/query.go
package blockchain
import (
fcutil "github.com/hyperledger/fabric-sdk-go/pkg/util"
api "github.com/hyperledger/fabric-sdk-go/api"
"fmt"
)
// QueryHello query the chaincode to get the state of hello
func (setup *FabricSetup) QueryHello() (string, error) {
// Prepare arguments
var args []string
args = append(args, "invoke")
args = append(args, "query")
args = append(args, "hello")
// Make the proposal and submit it to the network (via our primary peer)
transactionProposalResponses, _, err := fcutil.CreateAndSendTransactionProposal(
setup.Channel,
setup.ChaincodeId,
setup.ChannelId,
args,
[]api.Peer{setup.Channel.GetPrimaryPeer()}, // Peer contacted when submitted the proposal
nil,
)
if err != nil {
return "", fmt.Errorf("Create and send transaction proposal return error in the query hello: %v", err)
}
return string(transactionProposalResponses[0].ProposalResponse.GetResponse().Payload), nil
}
The file is available here: blockchain/query.go
Add the call to this new function in the main.go
:
line 49 of
main.go
func main() {
[...]
// Query the chaincode
response, err := fabricSdk.QueryHello()
if err != nil {
fmt.Printf("Unable to query hello on the chaincode: %v\n", err)
} else {
fmt.Printf("Response from the query hello: %s\n", response)
}
}
The file is available here: main.go
Let’s try:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
make
g. Change the ledger state
The next thing to do in order to make a basic tour of the Fabric SDK Go, is to make a request to the chaincode in order to change the ledger state.
First, we will add this ability in the chaincode. Edit the chaincode/main.go
file:
line 97 of
chaincode/main.go
// invoke
// All functions that read and write in the ledger will be here
func (t *HeroesServiceChaincode) invoke(stub shim.ChaincodeStubInterface, args []string) pb.Response {
if len(args) < 2 {
return shim.Error("The number of arguments is insufficient, you need to provide the function for the invoke.")
}
if args[1] == "hello" && len(args) == 3 {
//
err := stub.PutState("hello", []byte(args[2]))
if err != nil {
return shim.Error("Failed to update state of hello")
}
// Return this value in response
return shim.Success(nil)
}
// If the arguments given don't match any function, we return an error
return shim.Error("Unknown invoke action, check the second argument.")
}
line 57 of
chaincode/main.go
func (t *HeroesServiceChaincode) Invoke(stub shim.ChaincodeStubInterface) pb.Response {
[...]
if args[0] == "query" {
return t.query(stub, args)
}
// The update argument will manage all update in the ledger
if args[0] == "invoke" {
return t.invoke(stub, args)
}
[...]
}
The file is available here: chaincode/main.go
From the application side, we add a new interface to make the invocation of the chaincode. Add a file named invoke.go
in the blockchain
folder:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
vi blockchain/invoke.go
package blockchain
import (
fcutil "github.com/hyperledger/fabric-sdk-go/pkg/util"
api "github.com/hyperledger/fabric-sdk-go/api"
"fmt"
"time"
)
// InvokeHello
func (setup *FabricSetup) InvokeHello(value string) (string, error) {
// Prepare arguments
var args []string
args = append(args, "invoke")
args = append(args, "invoke")
args = append(args, "hello")
args = append(args, value)
// Add data that will be visible in the proposal, like a description of the invoke request
transientDataMap := make(map[string][]byte)
transientDataMap["result"] = []byte("Transient data in hello invoke")
// Make a next transaction proposal and send it
transactionProposalResponse, txID, err := fcutil.CreateAndSendTransactionProposal(
setup.Channel,
setup.ChaincodeId,
setup.ChannelId,
args,
[]api.Peer{setup.Channel.GetPrimaryPeer()},
transientDataMap,
)
if err != nil {
return "", fmt.Errorf("Create and send transaction proposal in the invoke hello return error: %v", err)
}
// Register the Fabric SDK to listen to the event that will come back when the transaction will be send
done, fail := fcutil.RegisterTxEvent(txID, setup.EventHub)
// Send the final transaction signed by endorser
if _, err := fcutil.CreateAndSendTransaction(setup.Channel, transactionProposalResponse); err != nil {
return "", fmt.Errorf("Create and send transaction in the invoke hello return error: %v", err)
}
// Wait for the result of the submission
select {
// Transaction Ok
case <-done:
return txID, nil
// Transaction failed
case <-fail:
return "", fmt.Errorf("Error received from eventhub for txid(%s) error(%v)", txID, fail)
// Transaction timeout
case <-time.After(time.Second * 30):
return "", fmt.Errorf("Didn't receive block event for txid(%s)", txID)
}
}
The file is available here: blockchain/invoke.go
Add the call to this function in the main.go
:
line 49 of
main.go
func main() {
[...]
// Query the chaincode
response, err := fabricSdk.QueryHello()
if err != nil {
fmt.Printf("Unable to query hello on the chaincode: %v\n", err)
} else {
fmt.Printf("Response from the query hello: %s\n", response)
}
// Invoke the chaincode
txId, err := fabricSdk.InvokeHello("chainHero")
if err != nil {
fmt.Printf("Unable to invoke hello on the chaincode: %v\n", err)
} else {
fmt.Printf("Successfully invoke hello, transaction ID: %s\n", txId)
}
// Query again the chaincode
response, err = fabricSdk.QueryHello()
if err != nil {
fmt.Printf("Unable to query hello on the chaincode: %v\n", err)
} else {
fmt.Printf("Response from the query hello: %s\n", response)
}
}
The file is available here: main.go
Let’s try:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
make
6. Make this in a web application
We also can make this usable for any user. The best choice is a web application and we are lucky because the Go language natively provides a web server handling HTTP requests and also templating for HTML.
For now, we have only two different actions: the query and the invocation of the hello value. Let’s make two HTML pages for each action. We add a web
directory with three other directories:
web/templates
: contains all HTML pages (templates)web/assets
: contains all CSS, Javascript, Fonts, Images…web/controllers
: contains all functions that will render templates
We use the MVC (Model-View-Controller) to make it more readable. The Model will be the blockchain part, the View are templates and Controller are provided by functions in the controllers
directory.
Populate each with the appropriate code (we also added Bootstrap to make the result a little prettier:
web/templates/layout.html
web/templates/home.html
web/templates/request.html
web/controllers/controller.go
web/controllers/home.go
web/controllers/request.go
web/app.go
web/assets
And finaly, we change the main.go
, in order to use the web interface instead of directly query the blockchain.
Run the app and go to localhost:3000/home.html:
cd $GOPATH/src/github.com/chainhero/heroes-service && \
make
The home
page make a query in in the blockchain to get the value of the hello
key and display it.
The request
page has a form to change the hello
value. After a successful submission the transaction ID is given.
We can see the change by going back to the home
page.
It’s the end for the first part. A more complex application is coming.
7. References
- Hyperledger website
- Hyperledger Fabric online documentation
- Hyperledger Fabric on github
- Hyperledger Fabric Certificate Authority on github
- Hyperledger Fabric SDK Go on github
- Fabric SDK Go tests
- CLI: An example CLI for Fabric built with the Go SDK.
Cool. A very good introductory material. Looking forward to a more sophisticated application example.
BTW, I’d be great if you could upgrade this tutorial and your upcoming one the v1.0.0 or v1.0.1 (depending on stability and differences). Thanks again.
Thanks for your feedback! We are waiting that the Fabric SDK Go are fully stabilized. Even now, there is big changes and we don’t want to edit this post every week.
Great tutorial!
Thank you for letting me know how to use fabric SDK.
I am very looking forward to see the next part.
Thanks, we will work on it soon!
Trying to send invoke to orderer via peer chaincode invoke command, but receives this error:
...
$GOPATH/src/github.com/hyperledger/fabric/peer/peer chaincode invoke -o 0.0.0.0:7050 --tls true --cafile $GOPATH/src/github.com/chainhero/heroes-service/fixtures/channel/crypto-config/ordererOrganizations/example.com/orderers/orderer.example.com/cacerts/example.com-cert.pem -C mychannel -n -n heroes-service -c '{"Args":["invoke","invoke","hello","TEST"]}'
2017-09-14 01:40:50.505 PDT [msp] getMspConfig -> WARN 001 Intermediate certs folder not found at [/home/tsgan/go/src/github.com/hyperledger/fabric/sampleconfig/msp/intermediatecerts]. Skipping. [stat /home/tsgan/go/src/github.com/hyperledger/fabric/sampleconfig/msp/intermediatecerts: no such file or directory]
2017-09-14 01:40:50.505 PDT [msp] getMspConfig -> WARN 002 TLS intermediate certs folder not found at [/home/tsgan/go/src/github.com/hyperledger/fabric/sampleconfig/msp/tlsintermediatecerts]. Skipping. [stat /home/tsgan/go/src/github.com/hyperledger/fabric/sampleconfig/msp/tlsintermediatecerts: no such file or directory]
2017-09-14 01:40:50.506 PDT [msp] getMspConfig -> WARN 003 crls folder not found at [/home/tsgan/go/src/github.com/hyperledger/fabric/sampleconfig/msp/crls]. Skipping. [stat /home/tsgan/go/src/github.com/hyperledger/fabric/sampleconfig/msp/crls: no such file or directory]
Error: Error getting broadcast client: Error connecting to 0.0.0.0:7050 due to x509: cannot validate certificate for 0.0.0.0 because it doesn't contain any IP SANs
How to solve this issue?
thanks,
Are you using the “localhost” in your configuration ? TSL certificates provided by the Fabric SDK Go work only on the “localhost” domain. In your error, the orderer can’t broadcast because the peer’s certificate is invalid (the connection is with 0.0.0.0 instead of localhost). Check your configuration and try again.
This is really a useful tutorial, do we have something for Java SDK? I was trying to use Java SDK to invoke existing examples of Hyperledger fabric and was struggling with that. So, any help would be appreciated. Thanks
We are not working with Java SDK for now, but you will probably find what you are looking for with the community. The Java SDK comes out before the Go SDK and there are more users. Use the chat of Hyperledger, there is a dedicated channel for this SDK: https://chat.hyperledger.org/channel/fabric-sdk-java
Hi
Thanks for Great, step-by-step tutorial!
Using your approach i have successfully deployed the hyperledger fabric. Now, I want to create 2 instance of the same hyperledger fabric one running on windows and one running on ubuntu, it will be done using your tutorial.
Can you please provide some guidance how these two different instance(windows and ubuntu) share the common hyperledger fabric blockchain and changes done through invoke query on one machine will be reflected on the other one?
I am very looking forward to see the next part.
Thanks
Ashish
Hi,
I’m glad that you succeed to make your app work.
You will need to build a Hyperledger Fabric environment shared between both systems.
To do that, you have two options:
After that, use the same certificates for both applications to contact peers and membership (of the Hyperledger Fabric) in order to test if it works.
Then you can create more certificates and users to identify which app is sending transaction for example.
I hope this will help you.
sudo apt install libltdl-dev … can you please let me know how to install this on mac ….
Hi,
Try:
sudo port install libtool-devel
or
sudo port install libtool
Source: https://stackoverflow.com/questions/5475343/using-libltdl-on-mac-os-x
Thanks for your tutorial, i followed your guidline and its worked as well on Mac. Cant wait to see next part, Thanks you so much
Thanks for your feedback!
when i put this command – ‘cd $GOPATH/src/github.com/hyperledger/fabric-sdk-go && make’
got the following error
test/scripts/dependencies.sh: line 10: go: command not found
test/scripts/dependencies.sh: line 11: go: command not found
test/scripts/dependencies.sh: line 12: go: command not found
test/scripts/dependencies.sh: line 13: go: command not found
test/scripts/dependencies.sh: line 14: go: command not found
Makefile:23: recipe for target 'depend' failed
make: *** [depend] Error 127
Hi,
The
dependencies.sh
script just runs a fewgo get
commands.Are you sure that you have installed
Golang
correctly?To be sure, run
go version
and check that the right golang version is displayed.If the result is
command not found
, check your path variable:echo $PATH
(you need to see the path to go executable).If not, reinstall Golang like it is explained in this tutorial.
Hi,
when execution of “make” command I’m getting error:
“Installing dependencies…
Checking committed files for SPDX-License-Identifier headers …
All files have SPDX-License-Identifier headers
Running linters…
Checking ./pkg/config
YOU MUST FIX THE FOLLOWING GOIMPORTS ERRORS:
pkg/config/config.go
END GOIMPORTS ERRORS
make: *** [lint] Error 1”
So, I’m getting “YOU MUST FIX THE FOLLOWING GOIMPORTS ERRORS:” do you know how to fix this?
Hi,
Go into your cloned Fabric SDK Go repository (ex.
~/go/src/github.com/hyperledger/fabric-sdk-go
) and check that every file are not changed (git status
).I think that this file “
pkg/config/config.go
” is not in the right state, so:git checkout pkg/config/config.go
Finally, check that your are at the right commit hash in the repository status: 85fa3101eb4694d464003c3a900672d632f17833
Hi, thanks for reply
Git status shows no modified state to all files, head commit is 85fa3101eb4694d464003c3a900672d632f17833
I’ve tried to install go 1.8.3 and start over, but got the same result
Do you know what else issue could be?
Hi, I have the same problem
Looks like the issue is with linters, could you please advice what to do?
Hi all, I just tested it from the beginning and I don’t have any issues at all.
Are you on Windows, Mac or Linux ?
The script run is there:
test/scripts/check_lint.sh
Check also that your
$GOPATH
is correctly set (check the path with:echo $GOPATH
) and make sure you had the SDK Fabric Go repository there:$GOPATH/src/github.com/hyperledger/fabric-sdk-go
Thanks. It is really a good guide for me and I am just waiting for your next part.
Hi
when i run the service i have got error on fabric-sdk -go
cd $GOPATH/src/github.com/chainhero/heroes-service/fixtures && \
docker-compose up -d && \
cd .. && \
./heroes-service
when i run this command i have got error like this
Starting orderer.example.com
Starting ca_peerOrg1
Starting fixtures_builder_1
Starting ca_peerOrg2
Starting peer0.org1.example.com
Starting peer0.org2.example.com
2017-10-30 09:27:47.397 IST [fabric_sdk_go] InitConfigWithCmdRoot -> INFO 001 Using config file: config.yaml
2017-10-30 09:27:47.397 IST [fabric_sdk_go] InitConfigWithCmdRoot -> INFO 002 fabric_sdk_go Logging level: info
09:27:47.397 [bccsp_sw] DEBU : KeyStore path [/tmp/msp/keystore] missing [true]: []
09:27:47.397 [bccsp_sw] DEBU : Creating KeyStore at [/tmp/msp/keystore]...
09:27:47.398 [bccsp_sw] DEBU : KeyStore created at [/tmp/msp/keystore].
09:27:47.398 [bccsp_sw] DEBU : KeyStore opened at [/tmp/msp/keystore]...done
09:27:47.398 [bccsp] DEBU : Initialize BCCSP [SW]
09:27:47.398 [fabric_sdk_go] INFO : KeyStore path [/tmp/enroll_user] missing [true]: [%!s()]
09:27:47.398 [fabric_sdk_go] INFO : Constructed fabricCAClient instance: &{0xc4202257a0}
09:27:47.399 [bccsp_sw] DEBU : KeyStore path [/tmp/msp/keystore] missing [true]: []
09:27:47.399 [bccsp_sw] DEBU : Creating KeyStore at [/tmp/msp/keystore]...
09:27:47.399 [bccsp_sw] DEBU : KeyStore created at [/tmp/msp/keystore].
09:27:47.399 [bccsp_sw] DEBU : KeyStore opened at [/tmp/msp/keystore]...done
2017/10/30 09:27:47 [INFO] generating key: &{A:ecdsa S:256}
2017/10/30 09:27:47 [INFO] encoded CSR
2017/10/30 09:27:47 [INFO] TLS Enabled
09:27:48.637 [fabric_sdk_go] INFO : Constructed channel instance: &{mychannel true map[] 200 map[] 0xc420218500 0xc4202e05c0 []}
Unable to initialize the Fabric SDK: Unable to get the orderer user failed: Error finding the private key path: Could not read directory open ordererOrganizations/example.com/users/Admin@example.com/keystore: no such file or directory, err ordererOrganizations/example.com/users/Admin@example.com/keystore
please give me a solution
Hi,
The SDK haven’t right to read on orderer key placed here:
$GOPATH/src/github.com/chainhero/heroes-service/fixtures/channel/crypto-config/ordererOrganizations/example.com/users/Admin@example.com/keystore/ef8e88d28a86f23466ad378003d819561adbedc77fe90cc250424ce4de179a3c_sk
Check right on every directory (they need to have the execution right for your user) and check that the key have the read and the execution for your user too.
If you clone the repository directly from github, you also can check that every file are not changed from the HEAD.
Ok Thanks!
cd $GOPATH/src/github.com/chainhero/heroes-service/fixtures && docker-compose up -d && cd .. && ./heroes-service
Starting ca_peerOrg1 ...
Starting ca_peerOrg2 ...
Starting ca_peerOrg1
Starting ca_peerOrg2
orderer.example.com is up-to-date
Starting fixtures_builder_1 ...
Starting fixtures_builder_1 ... done
peer0.org1.example.com is up-to-date
Starting ca_peerOrg2 ... done
2017-11-07 14:30:02.608 IST [fabric_sdk_go] InitConfigWithCmdRoot -> INFO 001 Using config file: config.yaml
14:30:02.608 [bccsp_sw] DEBU : KeyStore path [keystore] missing [true]: []
14:30:02.608 [bccsp_sw] DEBU : Creating KeyStore at [keystore]...
14:30:02.608 [bccsp_sw] DEBU : KeyStore created at [keystore].
14:30:02.608 [bccsp_sw] DEBU : KeyStore opened at [keystore]...done
Unable to initialize the Fabric SDK: Failed getting ephemeral software-based BCCSP [Failed initializing SW.BCCSP [Could not initialize BCCSP SW [CSP:500 - Failed initializing configuration at [0,]
/home/cybrosys/go/src/github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/sw/impl.go:59 github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/sw.New
/home/cybrosys/go/src/github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory/swfactory.go:62 github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory.(*SWFactory).Get
/home/cybrosys/go/src/github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory/factory.go:85 github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory.initBCCSP
/home/cybrosys/go/src/github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory/pkcs11.go:65 github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory.setFactories
/home/cybrosys/go/src/github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory/pkcs11.go:40 github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory.InitFactories.func1
/usr/local/go/src/sync/once.go:46 sync.(*Once).Do
/home/cybrosys/go/src/github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory/pkcs11.go:42 github.com/chainhero/heroes-service/vendor/github.com/hyperledger/fabric/bccsp/factory.InitFactories
/home/cybrosys/go/src/github.com/chainhero/heroes-service/blockchain/setup.go:42 github.com/chainhero/heroes-service/blockchain.Initialize
/home/cybrosys/go/src/github.com/chainhero/heroes-service/main.go:38 main.main
/usr/local/go/src/runtime/proc.go:194 runtime.main
/usr/local/go/src/runtime/asm_amd64.s:2198 runtime.goexit
Caused by: Hash Family not supported []]]
Could not find default `SW` BCCSP]
why does this happens? plz give me a solution
Hi,
Check your configuration file:
config.yaml
Make the diff with: https://github.com/chainHero/heroes-service/blob/master/config.yaml
I think there is an error with:
security.hashAlgorithm: "SHA2"
Hi,
Thanks for this great tutorial.
From the fabric-sdk-go directory, am trying to run command “mingw32-make”, but this fails with error :
$ mingw32-make
Installing dependencies...
Checking committed files for SPDX-License-Identifier headers ...
All files have SPDX-License-Identifier headers
Running linters...
Checking ./pkg/config
C:\Projects\Go\src\github.com\hyperledger\fabric-sdk-go\test\scripts\check_lint.sh: line 22: golint: command not found
Makefile:32: recipe for target 'lint' failed
mingw32-make: *** [lint] Error 127
Can you please suggest why it fails to execute golint ? I tried to run some test standalone go files on my desktop, they work fine.
Hi,
The
golint
binary is not found in your PATH (it is normally installed in$GOPATH/bin
).Check that you correctly setup your Golang workspace and make sure that in the
$PATH
environment variable is the path to the bin folder of your$GOPATH
.Print the path variable like this:
echo $PATH
You should see in every paths something like this:
C:\Projects\Go\bin
or$GOPATH\bin
Hi,
I’m at 5.c step.
When execute “go build” command the following error comes.
blockchain/setup.go:42: cannot use configImpl.GetCSPConfig() (type *"github.com/hyperledger/fabric-sdk-go/vendor/github.com/hyperledger/fabric/bccsp/factory".FactoryOpts) as type *"github.com/hyperledger/fabric/bccsp/factory".FactoryOpts in argument to "github.com/hyperledger/fabric/bccsp/factory".InitFactories
Could please explain?
Thank you.
Hi,
Check the import part of your
blockchain/setup.go
file.I think you should see something like that:
bccspFactory "github.com/hyperledger/fabric-sdk-go/vendor/github.com/hyperledger/fabric/bccsp/factory"
Change this line by:
bccspFactory "github.com/hyperledger/fabric/bccsp/factory"
The import part of the setup.go file is same as you suggested:
import (
api "github.com/hyperledger/fabric-sdk-go/api"
fsgConfig "github.com/hyperledger/fabric-sdk-go/pkg/config"
bccspFactory "github.com/hyperledger/fabric/bccsp/factory"
fcutil "github.com/hyperledger/fabric-sdk-go/pkg/util"
"github.com/hyperledger/fabric-sdk-go/pkg/fabric-client/events"
"fmt"
)
The issue come from this line:
configImpl, err := fsgConfig.InitConfig("config.yaml")
The object
configImpl
come fromgithub.com/hyperledger/fabric-sdk-go/vendor/github.com/hyperledger/fabric/bccsp/factory
andbccspFactory.InitFactories
function come fromgithub.com/hyperledger/fabric/bccsp/factory
. There is a misused in that part, check your imported packages, your vendor directory, go insidefsgConfig.InitConfig
function to see see what’s going on.Hi
I also have this issue
I have tried everything suggested as well as other stuff I have searched for online
Are there any other fixes you can propose because this is the only thing stopping me from launching the network ?
Thank you very much
Hi,
Today there is newer versions of Hyperledger Fabric and Fabric SDK Go.
Maybe, the version of Hyperledger Fabric in the vendor directory of the SDK is not the good one.
You can clone the application directly and run it, in order to see if it come from your code or not.
But, I launched the application a few weeks ago and had no problems.
I am getting following error on step 5c
~/go/src/github.com/chainhero/heroes-service$ cd $GOPATH/src/github.com/chainhero/heroes-service && go build
# github.com/chainhero/heroes-service/blockchain
blockchain/setup.go:53: cannot use configImpl.GetCSPConfig() (type *"github.com/hyperledger/fabric-sdk-go/vendor/github.com/hyperledger/fabric/bccsp/factory".FactoryOpts) as type *"github.com/hyperledger/fabric/bccsp/factory".FactoryOpts in argument to "github.com/hyperledger/fabric/bccsp/factory".InitFactories
Hi,
You have the same issue as Batu, see my reply.
Hi,
After running the command “cd $GOPATH/src/github.com/chainhero/heroes-service/fixtures && docker-compose up”, I found the following error:
The Compose file './docker-compose.yaml' is invalid because:
Additional properties are not allowed ('image' was unexpected)
Please help me.
Hi,
You have a problem of indentation I guess.
Check that there is no difference between your file and this file: https://github.com/chainHero/heroes-service/blob/master/fixtures/docker-compose.yaml
Thank you.
That error has gone. Now I found another after this “cd $GOPATH/src/github.com/chainhero/heroes-service && \
go build” as:
main.go:9:2: cannot find package "github.com/chainhero/heroes-service/web" in any of:
/home/priya/go/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web (vendor tree)
/usr/local/go/src/github.com/chainhero/heroes-service/web (from $GOROOT)
/home/priya/go/src/github.com/chainhero/heroes-service/web (from $GOPATH)
main.go:10:2: cannot find package "github.com/chainhero/heroes-service/web/controllers" in any of:
/home/priya/go/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web/controllers (vendor tree)
/usr/local/go/src/github.com/chainhero/heroes-service/web/controllers (from $GOROOT)
/home/priya/go/src/github.com/chainhero/heroes-service/web/controllers (from $GOPATH)
Now what to do?
Have you found the solution to this error?
the solution is to copy the files manually from their repo and then you will get another error saying methods are missing.
Seems like the hyperledger docs are old and rarely updated.
Hi,
I am facing same issue as you posted.
The Compose file ‘./docker-compose.yaml’ is invalid because:
Additional properties are not allowed (‘image’ was unexpected)
Could you post how did you resolve it ?
On this page: https://github.com/chainHero/heroes-service/blob/master/fixtures/docker-compose.yaml, click on the “raw” button on top of the code and copy the raw text to your file. This should solve the error. Good luck!
Hi
Why the transaction ID displayed in browser differs from the transaction ID in the blockchain?
Hi,I have got your code working. Thanks for great tutorial. I tried to change it a bit and was passing key value in invoke function as I want to write different key/value pairs. I changed the code in chaincode/main.go in invoke method. It seems to give me following error. Can you shed some light on this? I tried changing chanincode version but it doesn’t seem working
Chaincode network installed (version v1.0.0)
Unable to install and instantiate the chaincode: SendInstantiateProposal Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = Error starting container: Failed to generate platform-specific docker build: Error returned from build: 2 "# github.com/networktest/network/chaincode
chaincode/input/src/github.com/networktest/network/chaincode/main.go:97: syntax error: unexpected shim, expecting comma or )
"
Unable to query hello on the chaincode: Create and send transaction proposal return error in the query hello: invoke Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = could not find chaincode with name 'network' - make sure the chaincode network has been successfully instantiated and try again
Unable to invoke hello on the chaincode: Create and send transaction proposal in the invoke hello return error: invoke Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = could not find chaincode with name 'network' - make sure the chaincode network has been successfully instantiated and try again
Unable to query hello1 on the chaincode: Create and send transaction proposal return error in the query hello: invoke Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = could not find chaincode with name 'network' - make sure the chaincode network has been successfully instantiated and try again
Hi,
Look at your error stack. There is a syntax error at line 97 of your
main.go
file in the chaincode :src/github.com/networktest/network/chaincode/main.go:97: syntax error: unexpected shim, expecting comma or )
So your chaincode can’t be installed properly and them when you make your query, an old chaincode is used.
Hi, ultra special thanks for this ninja tutorial…. My issue is… after install packages, when I run the make in fabric-sdk-go I received:
... Removing network fixtures_default
WARNING: Network fixtures_default not found.
Creating network "fixtures_default" with the default driver
Creating ca_peerOrg2 ...
Creating orderer.example.com ...
Creating ca_peerOrg1 ...
Creating fixtures_builder_1 ...
Creating ca_peerOrg1
Creating orderer.example.com
Creating fixtures_builder_1
Creating ca_peerOrg1 ... error
ERROR: for ca_peerOrg1 Cannot start service ca0: driver failed programming external connectivity on endpoint ca_peerOrg1 (a042b1cd12b840e2ea728526972a05e9eeb985ff0b84319c1083ea5c51e0f70f): Bind for 0.0.0.0:7054 Creating orderer.example.com ... error ...
Please, did you can put some light in this issue? I’m using OSX…
Ok… I cleaned all docker images and now I receiving:
2017/12/10 13:46:51 [INFO] TLS Enabled
--- FAIL: TestChannelQueries (1.13s)
channel_queries_test.go:28: Create client failed: Enroll return error: Enroll failed: POST failure [Post https://localhost:7054/enroll: dial tcp [::1]:7054: getsockopt: connection refused]; not sending
POST https://localhost:7054/enroll
Authorization: Basic YWRtaW46YWRtaW5wdw==
{"hosts":null,"certificate_request":"-----BEGIN CERTIFICATE REQUEST-----\nMIH2MIGeAgEAMBAxDjAMBgNVBAMTBWFkbWluMFkwEwYHKoZIzj0CAQYIKoZIzj0D\nAQcDQgAEiD5twEMgE7uMi0cp8v4cHdXdiJQbeSi6WZB4hEmoBkOdFXKQ/ZFeXPIL\neZEZ7VjzZsuPC2pTlPAW6ph0XC4IoaAsMCoGCSqGSIb3DQEJDjEdMBswGQYDVR0R\nBBIwEIIOZHJvcGFkZXYubG9jYWwwCgYIKoZIzj0EAwIDRwAwRAIgWJYRfpf0wxpw\nGNmMqzwzXLE+zPN6K9gk6yn7dNcXtKcCIHYHhW4ODK7olULxhRfkzxk7A06FWEoK\niIBNzUfzTOLs\n-----END CERTIFICATE REQUEST-----\n","profile":"","crl_override":"","label":"","CAName":"ca-org1"}
Hi,
Your first issue is related to docker on OSX, maybe you have exactly this problem describe here: https://github.com/docker/compose/issues/3277
Your second issue is very strange, it’s when you run the integration tests ? The CA seem to not be started correctly. Try to find the CA error log before this error.
Hi, I am newbie for hyperledger fabric and I have same issue with the second one.
This happens when I run “make” after cloning fabric-sdk-go
“The CA seem to not be started correctly” means that I need to run fabric-ca like ‘fabric-ca-server start -b admin:adminpw’?
When I run it, then “make” complains the port 7054 is already used.
And where can I find CA error?
Hi,
No, don’t start the CA by hand, let Docker do it.
Make the following instructions:
– Clean up your environment:
make clean
– Then run the environment up by hand to see full logs:
cd fixtures && docker-compose up
– Look in the logs to see that there are no errors, I think you’ll see at least one (give me this error in order to help you)
– If you see nothing, try again to run the app in an other terminal, go to the root of the project and run:
make dev
– To stop the
docker-compose
command, just useCtrl+C
and to usemake clean
to clean up.Hi, thank you for your answer.
I followed your instruction. And Here are some bad logs.
fixtures_builder_1 exited with code 0
ca_peerOrg1 | Error: open /etc/hyperledger/fabric-ca-server-config/server_localhost.pem: no such file or directory
ca_peerOrg1 exited with code 1
Intentionally, I didn’t list WARN messages here. But the messages above looks serious because I checked ca_peerOrg1 and fixtures_builder_1 are not running when I run docker-compose up.
c3e4fa307782 hyperledger/fabric-ccenv:x86_64-1.0.0-rc1 "/bin/bash" About a minute ago Exited (0) About a minute ago fixtures_builder_1
ee08f00f6e74 hyperledger/fabric-ca:x86_64-1.0.0-rc1 "sh -c 'fabric-ca-..." About a minute ago Exited (1) About a minute ago ca_peerOrg1
For docker logs with them, fixtures_builder_1 has no log but ca_peerOrg1 has the log like this.
…
2017/12/22 00:53:35 [DEBUG] CA initialization successful
2017/12/22 00:53:35 [INFO] Home directory for default CA: /etc/hyperledger/fabric-ca-server
2017/12/22 00:53:35 [DEBUG] 1 CA instance(s) running on server
2017/12/22 00:53:35 [DEBUG] TLS is enabled
Error: open /etc/hyperledger/fabric-ca-server-config/server_localhost.pem: no such file or directory
And one more thing, root of the project means “fabric-sdk-go” directory, right? But I cannot run “make dev” and the Makefile doesn’t have “dev:”.
The root of the project means “$GOPATH/src/github.com/chainhero/heroes-service”. You need to setup the Makefile in order to run “make dev”.
Yes your error come from the missing file “/etc/hyperledger/fabric-ca-server-config/server_localhost.pem”. Are you sure that every files are here ? Compare with the github repository. I think you have something different.
Hi @Donggon
I finally find out where come from this issue! A new version of docker or docker-compose has deactivated the possibility to make multiple mounting point to the same destination. In the CA container it was the case. I change the docker-compose.yaml and now all works correctly with the old and the new docker version.
I hope there won’t be any more problems like that.
Very Good Tutorial. Ran into many of the same errors as the ones posted. They were on my end and easy to debug. Appreciate this.
Hi,
Good tutorial! Unfortunately it uses an older version of the sdk (for example pkg/util is no more in the current branches). Any plans to update to a newer version?
Hi,
Thank you for this feedback.
I will try to upgrade this tutorial to the Hyperledger Fabric version 1.0.5 and the last release of the SDK Go.
It’s not a huge job, but we have to find the time.
when i am giving this command in terminal
ishwarya@ishwarya-VirtualBox:~/chainhero/src/github.com/hyperledger/fabric-sdk-go$ cd $GOPATH/src/github.com/hyperledger/fabric-sdk-go && make
gocov is not installed (go get -u github.com/axw/gocov/...)
gocov-xml is not installed (go get -u github.com/AlekSi/gocov-xml)
misspell is not installed (go get -u github.com/client9/misspell/cmd/misspell)
golint is not installed (go get -u github.com/golang/lint/golint)
goimports is not installed (go get -u golang.org/x/tools/cmd/goimports)
mockgen is not installed (go get -u github.com/golang/mock/mockgen)
dep is not installed (go get -u github.com/golang/dep/cmd/dep)
Missing dependency. Aborting. You can fix by installing the tool listed above or running make depend-install.
Makefile:177: recipe for target 'depend' failed
make: *** [depend] Error 1
Maybe your GOPATH is not setup correctly. Check the installation part of the tutorial.
I got the following, while trying this command: go get github.com/hyperledger/fabric-sdk-go/pkg/fabric-client && \
go get github.com/hyperledger/fabric-sdk-go/pkg/fabric-ca-client
Can you please suggest what could be the issue?
# runtime
/usr/local/go/src/runtime/signal_unix.go:27: _SIG_DFL redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:15
/usr/local/go/src/runtime/signal_unix.go:28: _SIG_IGN redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:16
/usr/local/go/src/runtime/signal_unix.go:37: fwdSig redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:25
/usr/local/go/src/runtime/signal_unix.go:42: disableSigChan redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:35
/usr/local/go/src/runtime/signal_unix.go:43: enableSigChan redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:36
/usr/local/go/src/runtime/signal_unix.go:44: maskUpdatedChan redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:37
/usr/local/go/src/runtime/signal_unix.go:56: signalsOK redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:49
/usr/local/go/src/runtime/signal_unix.go:62: initsig redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:55
/usr/local/go/src/runtime/signal_unix.go:97: sigInstallGoHandler redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:90
/usr/local/go/src/runtime/signal_unix.go:122: sigenable redeclared in this block
previous declaration at /usr/local/go/src/runtime/signal1_unix.go:115
/usr/local/go/src/runtime/signal_unix.go:122: too many errors
Hi,
This error seems to be due to a problem with the installation of Go. Try to reinstall the last Golang version.
First of all thank you for this nice tutorial.
I am seeing this error , would you suggest what to do ?
ERROR: The Compose file './docker-compose.yaml' is invalid because:
Additional properties are not allowed ('image' was unexpected)
You might be seeing this error because you're using the wrong Compose file version. Either specify a version of "2" (or "2.0") and place your service definitions under the `services` key, or omit the `version` key and place your service definitions at the root of the file to use version 1.
For more on the Compose file format versions, see https://docs.docker.com/compose/compose-file/
Hi,
Your docker-composer.yaml file probably not quite indented.
To be sure, take the file available here: https://raw.githubusercontent.com/chainHero/heroes-service/master/fixtures/docker-compose.yaml
Hi,
when i run this : localhost:3000/home.html in my web browser.
it showing this error: Unable to query the blockchain
Hi,
You must look at the error message that appears in the terminal. The Hyperledger Fabric network is well launched?
Hi Sir,
I have created a basic blockchain application with 4 participants in hyperledger composer platform. Now, I want to deploy the application in the network with 4 participants (peers). All peers are allowed to do different different task. Please suggest me sir about how to start deploying and making network of 4 peers.
Hi,
You need to create a new Hyperledger Fabric network. To do this, checkout the official documentation, there are tools to do this automatically.
See:
– https://hyperledger-fabric.readthedocs.io/en/release/build_network.html
– https://hyperledger-fabric.readthedocs.io/en/release/configtxgen.html
Thank you for this Tutorial I am a newbie in hyper ledger I have an issue when I paste this command “cd $GOPATH/src/github.com/hyperledger/fabric-sdk-go && make”
I got an error:
gocov is not installed
gocov-xml is not installed
Hi,
There must be a problem with environment variables, such as GOPATH. Check the installation part. If not, we are currently working on updating this tutorial, come back in a few days to get the latest version.
I’m facing the error in step 6:
I got the following error, while trying this command:: cd $GOPATH/src/github.com/chainhero/heroes-service && make
main.go:9:2: cannot find package "github.com/chainhero/heroes-service/web" in any of:
/home/sujan/Projects/Proj1/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web (vendor tree)
/usr/local/go/src/github.com/chainhero/heroes-service/web (from $GOROOT)
/home/sujan/Projects/Proj1/src/github.com/chainhero/heroes-service/web (from $GOPATH)
main.go:10:2: cannot find package "github.com/chainhero/heroes-service/web/controllers" in any of:
/home/sujan/Projects/Proj1/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web/controllers (vendor tree)
/usr/local/go/src/github.com/chainhero/heroes-service/web/controllers (from $GOROOT)
/home/sujan/Projects/Proj1/src/github.com/chainhero/heroes-service/web/controllers (from $GOPATH)
Makefile:9: recipe for target 'build' failed
make: *** [build] Error 1
Hi,
Read the tutorial correctly, your Go installation is not correct. The GOPATH and GOROOT are not good.
Thank You for your suggestion, It was very helpful and I have installed successfully.
Now I’m trying to communicate between two peers(2 hyperledger fabric frameworks). Can you please share some documents or any ideas related to it.
Hi,
When I run this command
“docker compose up” I have got this error
Error: Get http:// http no Host in request URL
Hi,
Your docker-composer.yaml file is probably not correct. Also, don’t forget the `-` between `docker` and `compose`: `docker-compose up`
To be sure, take the file available here and run the command again: https://raw.githubusercontent.com/chainHero/heroes-service/master/fixtures/docker-compose.yaml
You didnt mention how to create (github.com/chainhero/heroes-service/web) web directory and its contents in this tutorial.
when i ran: go build it returns errors.
main.go:9:2: cannot find package "github.com/chainhero/heroes-service/web" in any of:
/home/posixtech/go/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web (vendor tree)
/usr/local/go/src/github.com/chainhero/heroes-service/web (from $GOROOT)
/home/posixtech/go/src/github.com/chainhero/heroes-service/web (from $GOPATH)
main.go:10:2: cannot find package "github.com/chainhero/heroes-service/web/controllers" in any of:
/home/posixtech/go/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web/controllers (vendor tree)
/usr/local/go/src/github.com/chainhero/heroes-service/web/controllers (from $GOROOT)
/home/posixtech/go/src/github.com/chainhero/heroes-service/web/controllers (from $GOPATH)
Hi,
Indeed, because I believe that this is not the heart of the subject I want to deal with here. You can retrieve all the contents of the web folder here: https://github.com/chainHero/heroes-service/tree/v1.0.0-rc1/web
I got an error when I started the service
./heroes-service
2018-01-23 10:58:02.589 IST [fabric_sdk_go] InitConfigWithCmdRoot -> INFO 001 Using config file: config.yaml
2018-01-23 10:58:02.589 IST [fabric_sdk_go] InitConfigWithCmdRoot -> INFO 002 fabric_sdk_go Logging level: info
10:58:02.589 [bccsp_sw] DEBU : KeyStore opened at [/tmp/msp/keystore]...done
10:58:02.589 [bccsp] DEBU : Initialize BCCSP [SW]
10:58:02.589 [fabric_sdk_go] INFO : KeyStore path [/tmp/enroll_user] missing [true]: [%!s()]
10:58:02.590 [fabric_sdk_go] INFO : Constructed fabricCAClient instance: &{0xc4201dc000}
10:58:02.590 [bccsp_sw] DEBU : KeyStore opened at [/tmp/msp/keystore]...done
2018/01/23 10:58:02 [INFO] generating key: &{A:ecdsa S:256}
2018/01/23 10:58:02 [INFO] encoded CSR
2018/01/23 10:58:02 [INFO] TLS Enabled
10:58:02.827 [fabric_sdk_go] INFO : Constructed channel instance: &{mychannel true map[] 200 map[] 0xc4201c44b0 0xc4202b87d0 []}
Unable to initialize the Fabric SDK: Unable to get the orderer user failed: Error finding the private key path: Could not read directory open ordererOrganizations/example.com/users/Admin@example.com/keystore: no such file or directory, err ordererOrganizations/example.com/users/Admin@example.com/keystore
panic: runtime error: invalid memory address or nil pointer dereference
[signal SIGSEGV: segmentation violation code=0x1 addr=0x60 pc=0x9e8a8a]
goroutine 1 [running]:
github.com/chainhero/heroes-service/blockchain.(*FabricSetup).InstallAndInstantiateCC(0x0, 0x28, 0xc4200c9f68)
/home/nawaz/go/src/github.com/chainhero/heroes-service/blockchain/setup.go:161 +0x3a
main.main()
/home/nawaz/go/src/github.com/chainhero/heroes-service/main.go:46 +0xca
I am having the following issue while building fabric-sdk-go
Installing dependencies...
Checking committed files for SPDX-License-Identifier headers ...
All files have SPDX-License-Identifier headers
Running linters...
Checking ./pkg/config
Checking ./pkg/fabric-ca-client
Checking ./pkg/fabric-client
Checking ./test
You should check the following golint suggestions:
test/integration/base_test_setup.go:129:2: redundant if ...; err != nil check, just return error instead.
end golint suggestions
Checking changed go files for spelling errors ...
spell checker passed
Running tests...
? github.com/hyperledger/fabric-sdk-go/api [no test files]
? github.com/hyperledger/fabric-sdk-go/api/mocks [no test files]
ok github.com/hyperledger/fabric-sdk-go/pkg/config 0.022s coverage: 37.9% of statements
ok github.com/hyperledger/fabric-sdk-go/pkg/fabric-ca-client 0.027s coverage: 64.3% of statements
? github.com/hyperledger/fabric-sdk-go/pkg/fabric-ca-client/mocks [no test files]
ok github.com/hyperledger/fabric-sdk-go/pkg/fabric-client 0.023s coverage: 28.1% of statements
2018-01-30 18:06:59.871 CET [fabric_sdk_go] NewChannel -> INFO 001 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc4201f6410 0xc420202690 []}
2018-01-30 18:06:59.871 CET [fabric_sdk_go] NewChannel -> INFO 002 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc4201f64b0 0xc4202027a0 []}
2018-01-30 18:06:59.871 CET [fabric_sdk_go] NewChannel -> INFO 003 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc4201f6550 0xc420202950 []}
2018-01-30 18:06:59.871 CET [fabric_sdk_go] GetPrimaryPeer -> INFO 004 Primary peer was not set, using Peer1
2018-01-30 18:06:59.871 CET [fabric_sdk_go] NewChannel -> INFO 005 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc4201f65f0 0xc420202b10 []}
2018-01-30 18:06:59.914 CET [fabric_sdk_go] NewChannel -> INFO 006 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc420908280 0xc4208927a0 []}
Starting test server
2018-01-30 18:07:00.076 CET [fabric_sdk_go] NewChannel -> INFO 007 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc426a8a910 0xc426c480e0 []}
2018-01-30 18:07:00.076 CET [bccsp] GetDefault -> WARN 008 Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
--- FAIL: TestJoinChannel (10.00s)
channel_test.go:323: Did not expect error from join channel. Got: Join channel proposal response error: Error calling endorser '0.0.0.0:5244': context deadline exceeded
2018-01-30 18:07:10.077 CET [fabric_sdk_go] NewChannel -> INFO 009 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc426a8b630 0xc426c48f90 []}
2018-01-30 18:07:10.078 CET [bccsp] GetDefault -> WARN 00a Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.078 CET [bccsp] GetDefault -> WARN 00b Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 00c loadConfigValue - base.Orderer.OrdererMSP - START value name: MSP
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 00d loadConfigValue - base.Orderer.OrdererMSP - version: 0
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 00e loadConfigValue - base.Orderer.OrdererMSP - modPolicy: Admins
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 00f loadConfigValue - base.Orderer - START value name: BatchSize
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 010 loadConfigValue - base.Orderer - version: 0
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 011 loadConfigValue - base.Orderer - modPolicy: Admins
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 012 loadConfigValue - base.Application.ORG1MSP - START value name: MSP
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 013 loadConfigValue - base.Application.ORG1MSP - version: 0
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 014 loadConfigValue - base.Application.ORG1MSP - modPolicy: Admins
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 015 loadConfigValue - base.Application.ORG2MSP - START value name: MSP
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 016 loadConfigValue - base.Application.ORG2MSP - version: 0
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 017 loadConfigValue - base.Application.ORG2MSP - modPolicy: Admins
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 018 loadConfigValue - base.Application - START value name: BatchSize
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 019 loadConfigValue - base.Application - version: 0
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 01a loadConfigValue - base.Application - modPolicy: Admins
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 01b loadConfigValue - base - START value name: OrdererAddresses
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 01c loadConfigValue - base - version: 0
2018-01-30 18:07:10.079 CET [fabric_sdk_go] loadConfigValue -> INFO 01d loadConfigValue - base - modPolicy: Admins
2018-01-30 18:07:10.079 CET [bccsp] GetDefault -> WARN 01e Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.080 CET [bccsp] GetDefault -> WARN 01f Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.080 CET [bccsp] GetDefault -> WARN 020 Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.081 CET [fabric_sdk_go] NewChannel -> INFO 021 Constructed channel instance: &{testChannel false map[] 0 map[] 0xc426cfc230 0xc426d021a0 []}
2018-01-30 18:07:10.081 CET [bccsp] GetDefault -> WARN 022 Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.081 CET [bccsp] GetDefault -> WARN 023 Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 024 loadConfigValue - base.Orderer.OrdererMSP - START value name: MSP
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 025 loadConfigValue - base.Orderer.OrdererMSP - version: 0
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 026 loadConfigValue - base.Orderer.OrdererMSP - modPolicy: Admins
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 027 loadConfigValue - base.Orderer - START value name: BatchSize
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 028 loadConfigValue - base.Orderer - version: 0
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 029 loadConfigValue - base.Orderer - modPolicy: Admins
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 02a loadConfigValue - base.Application.ORG2MSP - START value name: MSP
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 02b loadConfigValue - base.Application.ORG2MSP - version: 0
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 02c loadConfigValue - base.Application.ORG2MSP - modPolicy: Admins
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 02d loadConfigValue - base.Application.testChannel - START value name: MSP
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 02e loadConfigValue - base.Application.testChannel - version: 0
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 02f loadConfigValue - base.Application.testChannel - modPolicy: Admins
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 030 loadConfigValue - base.Application.ORG1MSP - START value name: MSP
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 031 loadConfigValue - base.Application.ORG1MSP - version: 0
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 032 loadConfigValue - base.Application.ORG1MSP - modPolicy: Admins
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 033 loadConfigValue - base.Application - START value name: BatchSize
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 034 loadConfigValue - base.Application - version: 0
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 035 loadConfigValue - base.Application - modPolicy: Admins
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 036 loadConfigValue - base - START value name: OrdererAddresses
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 037 loadConfigValue - base - version: 0
2018-01-30 18:07:10.082 CET [fabric_sdk_go] loadConfigValue -> INFO 038 loadConfigValue - base - modPolicy: Admins
2018-01-30 18:07:10.082 CET [bccsp] GetDefault -> WARN 039 Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.083 CET [bccsp] GetDefault -> WARN 03a Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.083 CET [bccsp] GetDefault -> WARN 03b Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.084 CET [bccsp] GetDefault -> WARN 03c Before using BCCSP, please call InitFactories(). Falling back to bootBCCSP.
2018-01-30 18:07:10.084 CET [fabric_sdk_go] NewChannel -> INFO 03d Constructed channel instance: &{testChannel false map[] 0 map[] 0xc426d43090 0xc426d51270 []}
FAIL
coverage: 50.6% of statements
FAIL github.com/hyperledger/fabric-sdk-go/pkg/fabric-client/channel 10.249s
error: exit status 1
panic: EOF
goroutine 1 [running]:
main.main()
/home/masignor/go/src/github.com/AlekSi/gocov-xml/gocov-xml.go:60 +0x1534
Makefile:38: recipe for target 'unit-test' failed
make: *** [unit-test] Error 2
Hello ChainHero,
On January 4th you said that you found a problem with multiple mount points on the docker-compose.yaml, and that you had fixed the issue.
I am having the same issue, and I just downloaded the latest version of the files.
Any pointer to fix the issue of the missing “/etc/hyperledger/fabric-ca-server-config/server_localhost.pem” will be appreciated.
And, thanks a lot for the excellent tutorial.
Kind regards
Hi, try cloning the heros-services repository from github using the v1.0.0.0-rc1 branch (https://github.com/chainHero/heroes-service/tree/v1.0.0-rc1). Launch the application and check if the error is still present. If this is the case, I will investigate in more detail otherwise it is that there is a difference between your files and those present on the github repository.
Thank You for your suggestion, It was very helpful and I have installed successfully.
Now I’m trying to communicate between two peers(2 hyperledger fabric frameworks). Can you please share some documents or any ideas related to it.
Hello ! Thanks for you very nice tutorial, really good job !
I got this following issue when I run the code…
EventHub connect to peer (localhost:7053)
Chaincode heroes-service (version v1.0.0) will be installed (Go Path: /home/gilles/go / Chaincode Path: github.com/chainhero/heroes-service/chaincode)
Chaincode heroes-service installed (version v1.0.0)
Unable to install and instantiate the chaincode: Send install proposal return error: InstallChaincode Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = chaincode error (status: 500, message: Error installing chaincode code heroes-service:v1.0.0(chaincode /var/hyperledger/production/chaincodes/heroes-service.v1.0.0 exists))
Unable to query hello on the chaincode: Create and send transaction proposal return error in the query hello: invoke Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = could not find chaincode with name 'heroes-service' - make sure the chaincode heroes-service has been successfully instantiated and try again
Unable to invoke hello on the chaincode: Create and send transaction proposal in the invoke hello return error: invoke Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = could not find chaincode with name 'heroes-service' - make sure the chaincode heroes-service has been successfully instantiated and try again
Unable to query hello on the chaincode: Create and send transaction proposal return error in the query hello: invoke Endorser localhost:7051 return error: Error calling endorser 'localhost:7051': rpc error: code = Unknown desc = could not find chaincode with name 'heroes-service' - make sure the chaincode heroes-service has been successfully instantiated and try again
Did I miss something ?
Best regards
I found my mistake !
I forgot the function ‘invoke’ in chaincode/main.go. ^^()
@ChainHero,
I get the following issue when I execute “go build”. I am unable to find a fix for this issue. I followed the steps mentioned and got the latest files for config.yaml, setup.go and main.go. Not sure what I am missing.
[sriadmin@localhost heroes-service]$ echo $GOROOT
/home/sriadmin/go
[sriadmin@localhost heroes-service]$ echo $GOPATH
/home/sriadmin/goprojects
sriadmin@localhost heroes-service]$ go version
go version go1.9.3 linux/amd64
[sriadmin@localhost heroes-service]$
[sriadmin@localhost heroes-service]$ go build
vendor/github.com/hyperledger/fabric/core/chaincode/platforms/platforms.go:20:2: cannot find package "archive/tar" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/archive/tar (vendor tree)
/home/sriadmin/go/src/archive/tar (from $GOROOT)
/home/sriadmin/goprojects/src/archive/tar (from $GOPATH)
vendor/github.com/golang/protobuf/proto/text.go:37:2: cannot find package "bufio" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/bufio (vendor tree)
/home/sriadmin/go/src/bufio (from $GOROOT)
/home/sriadmin/goprojects/src/bufio (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/aes.go:20:2: cannot find package "bytes" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/bytes (vendor tree)
/home/sriadmin/go/src/bytes (from $GOROOT)
/home/sriadmin/goprojects/src/bytes (from $GOPATH)
vendor/github.com/docker/docker/pkg/archive/archive.go:7:2: cannot find package "compress/bzip2" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/compress/bzip2 (vendor tree)
/home/sriadmin/go/src/compress/bzip2 (from $GOROOT)
/home/sriadmin/goprojects/src/compress/bzip2 (from $GOPATH)
vendor/google.golang.org/grpc/rpc_util.go:38:2: cannot find package "compress/gzip" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/compress/gzip (vendor tree)
/home/sriadmin/go/src/compress/gzip (from $GOROOT)
/home/sriadmin/goprojects/src/compress/gzip (from $GOPATH)
vendor/github.com/pelletier/go-buffruneio/buffruneio.go:6:2: cannot find package "container/list" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/container/list (vendor tree)
/home/sriadmin/go/src/container/list (from $GOROOT)
/home/sriadmin/goprojects/src/container/list (from $GOPATH)
vendor/golang.org/x/net/context/go17.go:10:2: cannot find package "context" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/context (vendor tree)
/home/sriadmin/go/src/context (from $GOROOT)
/home/sriadmin/goprojects/src/context (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/bccsp.go:20:2: cannot find package "crypto" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto (vendor tree)
/home/sriadmin/go/src/crypto (from $GOROOT)
/home/sriadmin/goprojects/src/crypto (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/aes.go:21:2: cannot find package "crypto/aes" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/aes (vendor tree)
/home/sriadmin/go/src/crypto/aes (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/aes (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/aes.go:22:2: cannot find package "crypto/cipher" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/cipher (vendor tree)
/home/sriadmin/go/src/crypto/cipher (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/cipher (from $GOPATH)
vendor/golang.org/x/crypto/ssh/cipher.go:10:2: cannot find package "crypto/des" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/des (vendor tree)
/home/sriadmin/go/src/crypto/des (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/des (from $GOPATH)
vendor/golang.org/x/crypto/ssh/keys.go:10:2: cannot find package "crypto/dsa" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/dsa (vendor tree)
/home/sriadmin/go/src/crypto/dsa (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/dsa (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/pkcs11/ecdsa.go:19:2: cannot find package "crypto/ecdsa" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/ecdsa (vendor tree)
/home/sriadmin/go/src/crypto/ecdsa (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/ecdsa (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/pkcs11/ecdsa.go:20:2: cannot find package "crypto/elliptic" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/elliptic (vendor tree)
/home/sriadmin/go/src/crypto/elliptic (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/elliptic (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/keyderiv.go:26:2: cannot find package "crypto/hmac" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/hmac (vendor tree)
/home/sriadmin/go/src/crypto/hmac (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/hmac (from $GOPATH)
vendor/github.com/google/certificate-transparency/go/x509/pem_decrypt.go:15:2: cannot find package "crypto/md5" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/md5 (vendor tree)
/home/sriadmin/go/src/crypto/md5 (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/md5 (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/aes.go:23:2: cannot find package "crypto/rand" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/rand (vendor tree)
/home/sriadmin/go/src/crypto/rand (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/rand (from $GOPATH)
vendor/golang.org/x/crypto/ssh/cipher.go:11:2: cannot find package "crypto/rc4" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/rc4 (vendor tree)
/home/sriadmin/go/src/crypto/rc4 (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/rc4 (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/pkcs11/impl.go:21:2: cannot find package "crypto/rsa" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/rsa (vendor tree)
/home/sriadmin/go/src/crypto/rsa (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/rsa (from $GOPATH)
vendor/golang.org/x/crypto/ssh/common.go:14:2: cannot find package "crypto/sha1" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/sha1 (vendor tree)
/home/sriadmin/go/src/crypto/sha1 (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/sha1 (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/pkcs11/conf.go:19:2: cannot find package "crypto/sha256" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/sha256 (vendor tree)
/home/sriadmin/go/src/crypto/sha256 (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/sha256 (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/pkcs11/conf.go:20:2: cannot find package "crypto/sha512" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/sha512 (vendor tree)
/home/sriadmin/go/src/crypto/sha512 (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/sha512 (from $GOPATH)
vendor/golang.org/x/crypto/ssh/cipher.go:12:2: cannot find package "crypto/subtle" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/subtle (vendor tree)
/home/sriadmin/go/src/crypto/subtle (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/subtle (from $GOPATH)
vendor/golang.org/x/net/http2/client_conn_pool.go:10:2: cannot find package "crypto/tls" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/tls (vendor tree)
/home/sriadmin/go/src/crypto/tls (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/tls (from $GOPATH)
vendor/github.com/hyperledger/fabric-sdk-go/api/config.go:10:2: cannot find package "crypto/x509" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/x509 (vendor tree)
/home/sriadmin/go/src/crypto/x509 (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/x509 (from $GOPATH)
vendor/github.com/hyperledger/fabric/msp/cert.go:23:2: cannot find package "crypto/x509/pkix" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/crypto/x509/pkix (vendor tree)
/home/sriadmin/go/src/crypto/x509/pkix (from $GOROOT)
/home/sriadmin/goprojects/src/crypto/x509/pkix (from $GOPATH)
vendor/github.com/jmoiron/sqlx/named.go:15:2: cannot find package "database/sql" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/database/sql (vendor tree)
/home/sriadmin/go/src/database/sql (from $GOROOT)
/home/sriadmin/goprojects/src/database/sql (from $GOPATH)
vendor/github.com/jmoiron/sqlx/sqlx.go:5:2: cannot find package "database/sql/driver" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/database/sql/driver (vendor tree)
/home/sriadmin/go/src/database/sql/driver (from $GOROOT)
/home/sriadmin/goprojects/src/database/sql/driver (from $GOPATH)
vendor/github.com/golang/protobuf/proto/text.go:39:2: cannot find package "encoding" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding (vendor tree)
/home/sriadmin/go/src/encoding (from $GOROOT)
/home/sriadmin/goprojects/src/encoding (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/pkcs11/conf.go:21:2: cannot find package "encoding/asn1" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding/asn1 (vendor tree)
/home/sriadmin/go/src/encoding/asn1 (from $GOROOT)
/home/sriadmin/goprojects/src/encoding/asn1 (from $GOPATH)
vendor/gopkg.in/yaml.v2/decode.go:5:2: cannot find package "encoding/base64" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding/base64 (vendor tree)
/home/sriadmin/go/src/encoding/base64 (from $GOROOT)
/home/sriadmin/goprojects/src/encoding/base64 (from $GOPATH)
vendor/golang.org/x/crypto/sha3/xor_generic.go:7:8: cannot find package "encoding/binary" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding/binary (vendor tree)
/home/sriadmin/go/src/encoding/binary (from $GOROOT)
/home/sriadmin/goprojects/src/encoding/binary (from $GOPATH)
vendor/github.com/spf13/pflag/string_slice.go:5:2: cannot find package "encoding/csv" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding/csv (vendor tree)
/home/sriadmin/go/src/encoding/csv (from $GOROOT)
/home/sriadmin/goprojects/src/encoding/csv (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/pkcs11/pkcs11.go:23:2: cannot find package "encoding/hex" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding/hex (vendor tree)
/home/sriadmin/go/src/encoding/hex (from $GOROOT)
/home/sriadmin/goprojects/src/encoding/hex (from $GOPATH)
vendor/github.com/golang/protobuf/proto/lib.go:268:2: cannot find package "encoding/json" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding/json (vendor tree)
/home/sriadmin/go/src/encoding/json (from $GOROOT)
/home/sriadmin/goprojects/src/encoding/json (from $GOPATH)
vendor/github.com/hyperledger/fabric-sdk-go/api/peer.go:10:2: cannot find package "encoding/pem" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/encoding/pem (vendor tree)
/home/sriadmin/go/src/encoding/pem (from $GOROOT)
/home/sriadmin/goprojects/src/encoding/pem (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/factory/pkcs11factory.go:21:2: cannot find package "errors" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/errors (vendor tree)
/home/sriadmin/go/src/errors (from $GOROOT)
/home/sriadmin/goprojects/src/errors (from $GOPATH)
vendor/github.com/magiconair/properties/integrate.go:7:8: cannot find package "flag" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/flag (vendor tree)
/home/sriadmin/go/src/flag (from $GOROOT)
/home/sriadmin/goprojects/src/flag (from $GOPATH)
main.go:4:2: cannot find package "fmt" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/fmt (vendor tree)
/home/sriadmin/go/src/fmt (from $GOROOT)
/home/sriadmin/goprojects/src/fmt (from $GOPATH)
main.go:9:2: cannot find package "github.com/chainhero/heroes-service/web" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web (vendor tree)
/home/sriadmin/go/src/github.com/chainhero/heroes-service/web (from $GOROOT)
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/web (from $GOPATH)
main.go:10:2: cannot find package "github.com/chainhero/heroes-service/web/controllers" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/github.com/chainhero/heroes-service/web/controllers (vendor tree)
/home/sriadmin/go/src/github.com/chainhero/heroes-service/web/controllers (from $GOROOT)
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/web/controllers (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/bccsp.go:21:2: cannot find package "hash" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/hash (vendor tree)
/home/sriadmin/go/src/hash (from $GOROOT)
/home/sriadmin/goprojects/src/hash (from $GOPATH)
vendor/golang.org/x/net/trace/events.go:10:2: cannot find package "html/template" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/html/template (vendor tree)
/home/sriadmin/go/src/html/template (from $GOROOT)
/home/sriadmin/goprojects/src/html/template (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/utils/io.go:20:2: cannot find package "io" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/io (vendor tree)
/home/sriadmin/go/src/io (from $GOROOT)
/home/sriadmin/goprojects/src/io (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/fileks.go:20:2: cannot find package "io/ioutil" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/io/ioutil (vendor tree)
/home/sriadmin/go/src/io/ioutil (from $GOROOT)
/home/sriadmin/goprojects/src/io/ioutil (from $GOPATH)
vendor/github.com/op/go-logging/log_nix.go:13:2: cannot find package "log" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/log (vendor tree)
/home/sriadmin/go/src/log (from $GOROOT)
/home/sriadmin/goprojects/src/log (from $GOPATH)
vendor/github.com/op/go-logging/syslog.go:9:8: cannot find package "log/syslog" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/log/syslog (vendor tree)
/home/sriadmin/go/src/log/syslog (from $GOROOT)
/home/sriadmin/goprojects/src/log/syslog (from $GOPATH)
vendor/github.com/golang/protobuf/proto/text.go:44:2: cannot find package "math" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/math (vendor tree)
/home/sriadmin/go/src/math (from $GOROOT)
/home/sriadmin/goprojects/src/math (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/ecdsa.go:25:2: cannot find package "math/big" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/math/big (vendor tree)
/home/sriadmin/go/src/math/big (from $GOROOT)
/home/sriadmin/goprojects/src/math/big (from $GOPATH)
vendor/google.golang.org/grpc/transport/http2_server.go:41:2: cannot find package "math/rand" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/math/rand (vendor tree)
/home/sriadmin/go/src/math/rand (from $GOROOT)
/home/sriadmin/goprojects/src/math/rand (from $GOPATH)
vendor/golang.org/x/net/lex/httplex/httplex.go:13:2: cannot find package "net" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net (vendor tree)
/home/sriadmin/go/src/net (from $GOROOT)
/home/sriadmin/goprojects/src/net (from $GOPATH)
vendor/golang.org/x/net/http2/client_conn_pool.go:11:2: cannot find package "net/http" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net/http (vendor tree)
/home/sriadmin/go/src/net/http (from $GOROOT)
/home/sriadmin/goprojects/src/net/http (from $GOPATH)
vendor/golang.org/x/net/http2/go17.go:13:2: cannot find package "net/http/httptrace" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net/http/httptrace (vendor tree)
/home/sriadmin/go/src/net/http/httptrace (from $GOROOT)
/home/sriadmin/goprojects/src/net/http/httptrace (from $GOPATH)
vendor/google.golang.org/grpc/proxy.go:43:2: cannot find package "net/http/httputil" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net/http/httputil (vendor tree)
/home/sriadmin/go/src/net/http/httputil (from $GOROOT)
/home/sriadmin/goprojects/src/net/http/httputil (from $GOPATH)
vendor/github.com/hyperledger/fabric-ca/lib/server.go:28:2: cannot find package "net/http/pprof" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net/http/pprof (vendor tree)
/home/sriadmin/go/src/net/http/pprof (from $GOROOT)
/home/sriadmin/goprojects/src/net/http/pprof (from $GOPATH)
vendor/github.com/cloudflare/cfssl/csr/csr.go:16:2: cannot find package "net/mail" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net/mail (vendor tree)
/home/sriadmin/go/src/net/mail (from $GOROOT)
/home/sriadmin/goprojects/src/net/mail (from $GOPATH)
vendor/golang.org/x/net/http2/server.go:39:2: cannot find package "net/textproto" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net/textproto (vendor tree)
/home/sriadmin/go/src/net/textproto (from $GOROOT)
/home/sriadmin/goprojects/src/net/textproto (from $GOPATH)
vendor/golang.org/x/net/http2/server.go:40:2: cannot find package "net/url" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/net/url (vendor tree)
/home/sriadmin/go/src/net/url (from $GOROOT)
/home/sriadmin/goprojects/src/net/url (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/utils/io.go:21:2: cannot find package "os" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/os (vendor tree)
/home/sriadmin/go/src/os (from $GOROOT)
/home/sriadmin/goprojects/src/os (from $GOPATH)
vendor/github.com/docker/docker/pkg/idtools/usergroupadd_linux.go:5:2: cannot find package "os/exec" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/os/exec (vendor tree)
/home/sriadmin/go/src/os/exec (from $GOROOT)
/home/sriadmin/goprojects/src/os/exec (from $GOPATH)
vendor/github.com/lib/pq/conn.go:17:2: cannot find package "os/user" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/os/user (vendor tree)
/home/sriadmin/go/src/os/user (from $GOROOT)
/home/sriadmin/goprojects/src/os/user (from $GOPATH)
vendor/github.com/op/go-logging/format.go:13:2: cannot find package "path" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/path (vendor tree)
/home/sriadmin/go/src/path (from $GOROOT)
/home/sriadmin/goprojects/src/path (from $GOPATH)
vendor/github.com/op/go-logging/format.go:14:2: cannot find package "path/filepath" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/path/filepath (vendor tree)
/home/sriadmin/go/src/path/filepath (from $GOROOT)
/home/sriadmin/goprojects/src/path/filepath (from $GOPATH)
vendor/github.com/hyperledger/fabric/bccsp/sw/impl.go:23:2: cannot find package "reflect" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/reflect (vendor tree)
/home/sriadmin/go/src/reflect (from $GOROOT)
/home/sriadmin/goprojects/src/reflect (from $GOPATH)
vendor/github.com/hyperledger/fabric/common/errors/errors.go:23:2: cannot find package "regexp" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/regexp (vendor tree)
/home/sriadmin/go/src/regexp (from $GOROOT)
/home/sriadmin/goprojects/src/regexp (from $GOPATH)
package github.com/chainhero/heroes-service
imports runtime: cannot find package "runtime" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/runtime (vendor tree)
/home/sriadmin/go/src/runtime (from $GOROOT)
/home/sriadmin/goprojects/src/runtime (from $GOPATH)
package github.com/chainhero/heroes-service
imports github.com/chainhero/heroes-service/blockchain
imports github.com/hyperledger/fabric-sdk-go/api
imports github.com/hyperledger/fabric/bccsp/factory
imports github.com/hyperledger/fabric/bccsp/pkcs11
imports github.com/miekg/pkcs11
imports runtime/cgo: cannot find package "runtime/cgo" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/runtime/cgo (vendor tree)
/home/sriadmin/go/src/runtime/cgo (from $GOROOT)
/home/sriadmin/goprojects/src/runtime/cgo (from $GOPATH)
vendor/github.com/golang/protobuf/proto/encode.go:42:2: cannot find package "sort" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/sort (vendor tree)
/home/sriadmin/go/src/sort (from $GOROOT)
/home/sriadmin/goprojects/src/sort (from $GOPATH)
vendor/github.com/op/go-logging/format.go:17:2: cannot find package "strconv" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/strconv (vendor tree)
/home/sriadmin/go/src/strconv (from $GOROOT)
/home/sriadmin/goprojects/src/strconv (from $GOPATH)
vendor/github.com/op/go-logging/format.go:18:2: cannot find package "strings" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/strings (vendor tree)
/home/sriadmin/go/src/strings (from $GOROOT)
/home/sriadmin/goprojects/src/strings (from $GOPATH)
vendor/github.com/op/go-logging/format.go:19:2: cannot find package "sync" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/sync (vendor tree)
/home/sriadmin/go/src/sync (from $GOROOT)
/home/sriadmin/goprojects/src/sync (from $GOPATH)
vendor/github.com/op/go-logging/logger.go:16:2: cannot find package "sync/atomic" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/sync/atomic (vendor tree)
/home/sriadmin/go/src/sync/atomic (from $GOROOT)
/home/sriadmin/goprojects/src/sync/atomic (from $GOPATH)
package github.com/chainhero/heroes-service
imports github.com/chainhero/heroes-service/blockchain
imports github.com/hyperledger/fabric-sdk-go/api
imports github.com/spf13/viper
imports github.com/spf13/afero
imports syscall: cannot find package "syscall" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/syscall (vendor tree)
/home/sriadmin/go/src/syscall (from $GOROOT)
/home/sriadmin/goprojects/src/syscall (from $GOPATH)
vendor/github.com/hyperledger/fabric-sdk-go/pkg/fabric-client/events/eventmocks.go:12:2: cannot find package "testing" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/testing (vendor tree)
/home/sriadmin/go/src/testing (from $GOROOT)
/home/sriadmin/goprojects/src/testing (from $GOPATH)
vendor/github.com/docker/docker/pkg/fileutils/fileutils.go:11:2: cannot find package "text/scanner" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/text/scanner (vendor tree)
/home/sriadmin/go/src/text/scanner (from $GOROOT)
/home/sriadmin/goprojects/src/text/scanner (from $GOPATH)
vendor/golang.org/x/net/trace/events.go:20:2: cannot find package "text/tabwriter" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/text/tabwriter (vendor tree)
/home/sriadmin/go/src/text/tabwriter (from $GOROOT)
/home/sriadmin/goprojects/src/text/tabwriter (from $GOPATH)
vendor/github.com/op/go-logging/format.go:20:2: cannot find package "time" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/time (vendor tree)
/home/sriadmin/go/src/time (from $GOROOT)
/home/sriadmin/goprojects/src/time (from $GOPATH)
vendor/gopkg.in/yaml.v2/sorter.go:5:2: cannot find package "unicode" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/unicode (vendor tree)
/home/sriadmin/go/src/unicode (from $GOROOT)
/home/sriadmin/goprojects/src/unicode (from $GOPATH)
vendor/golang.org/x/crypto/pkcs12/bmp-string.go:9:2: cannot find package "unicode/utf16" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/unicode/utf16 (vendor tree)
/home/sriadmin/go/src/unicode/utf16 (from $GOROOT)
/home/sriadmin/goprojects/src/unicode/utf16 (from $GOPATH)
vendor/github.com/golang/protobuf/proto/text_parser.go:44:2: cannot find package "unicode/utf8" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/unicode/utf8 (vendor tree)
/home/sriadmin/go/src/unicode/utf8 (from $GOROOT)
/home/sriadmin/goprojects/src/unicode/utf8 (from $GOPATH)
vendor/github.com/op/go-logging/memory.go:13:2: cannot find package "unsafe" in any of:
/home/sriadmin/goprojects/src/github.com/chainhero/heroes-service/vendor/unsafe (vendor tree)
/home/sriadmin/go/src/unsafe (from $GOROOT)
/home/sriadmin/goprojects/src/unsafe (from $GOPATH)
[sriadmin@localhost heroes-service]$
Hi, why don’t you use the standards for GOROOT and GOPATH? (as is done in the tutorial). I feel like that’s the problem.
Hi nice article and also helpful.
When executing this command ->
cd $GOPATH/src/github.com/hyperledger/fabric-sdk-go && make
getting integration error
test/integration/base_test_setup.go:129:2: redundant if ...; err != nil check, just return error instead.
end golint suggestions
goroutine 1 [running]:
main.main()
/home/ani/go/src/github.com/AlekSi/gocov-xml/gocov-xml.go:60 +0x12c8
Integration tests failed. Cleaning up...
Makefile:43: recipe for target 'integration-test' failed
make: *** [integration-test] Error 1
Hi,
It’s very strange, I don’t have any of this on my side and I don’t see why you only have it.
A new version of the tutorial is almost finished, I strongly advise you to follow this new version: github.com/chainHero/heroes-service/tree/v1.0.5
Hi, i am following this tutoral, and i have a problem: when i execute:
cd $GOPATH/src/github.com/hyperledger/fabric-sdk-go && make
my integration test fail with the following errors:
addrConn.resetTransport failed to create client transport: connection error: desc = "transport: Error while dialing dial tcp 127.0.0.1:7050: getsockopt: connection refused"; Reconnecting to {localhost:7050 }
failed to dial localhost:7050: context cancelled; please retry.
-- FAIL: TestTransient (0.1s) transient_data_test.go:27: CreateAndJoinChannel return error: CreateChannel returned error
FAIL
FAIL github.com/hyperledger/fabric-sdk-go/test/integration 0.745s
error: exit status 1
panic: EOF
make: *** [integtation-test] Error 1
How can I fix that?
Hi,
This error is due to the expiration of some certificates used in the communication process in the network. You can find more details here: github.com/chainHero/heroes-service/issues/2
A new version of the tutorial is almost finished, I strongly advise you to follow this new version: github.com/chainHero/heroes-service/tree/v1.0.5
Hi, i fix my error following this new tutorial at github.com/chainHero/heroes-service/tree/newVersion. Following that, i find another annoying problem: when i launch go build command, i have:
# github.com/chainHero/heroes-service/blockchain
blockchain/setup.go:8:2: imported and not used: "github.com/chainHero/heroes-service/vendor/github.com/hyperledger/fabric-sdk-go/pkg/fabric-client/ccpackager/gopackager" as packager
blockchain/setup.go:9:2: imported and not used: "github.com/chainHero/heroes-service/vendor/github.com/hyperledger/fabric-sdk-go/api/apitxn/resmgmtclient" as resmgmt
blockchain/setup.go:10:2: imported and not used: "github.com/chainHero/heroes-service/vendor/github.com/hyperledger/fabric-sdk-go/third_party/github.com/hyperledger/fabric/common/cauthdsl"
blockchain/setup.go:12:2: imported and not used: "github.com/chainHero/heroes-service/vendor/github.com/hyperledger/fabric-sdk-go/api/apitxn/chclient"
blockchain/setup.go:37:7: setup.sdk undefined (type *FabricSetup has no field or method sdk)
blockchain/setup.go:44:28: setup.sdk undefined (type *FabricSetup has no field or method sdk)
blockchain/setup.go:50:23: setup.sdk undefined (type *FabricSetup has no field or method sdk)
blockchain/setup.go:66:7: setup.admin undefined (type *FabricSetup has no field or method admin)
blockchain/setup.go:66:26: setup.sdk undefined (type *FabricSetup has no field or method sdk)
blockchain/setup.go:72:16: setup.admin undefined (type *FabricSetup has no field or method admin)
blockchain/setup.go:72:16: too many errors
I don’t know why, i am really confused because i was following the tutorial in every line of command and i took the file text directly from the tutorial. I think i am wrong with Gopkg.toml file because it is not indicated the directory in which save the file before calling dep ensure command. Sorry for posting here but i am very confused and i don’t know what to do 🙁
Hi,
We have made some improvements and we have corrected this kind of problem. I just finished a complete test on the new tutorial, everything should work fine now.
I’m trying to develop my own network based on your application and I encounter errors concerning the orderer and the consortium value and application version. With configtxlator I checked what’s inside your .tx and your genesis block and the layout is very different from the ones I generated with configtxgen (fabric v1.0.5). Is it possible to see the files (configtx.yaml and crypto-config.yaml) you used to create your network ? With wich version of these tools did you generate your .tx and .block ?
Hi,
The network was generated with the version v1.0.0-rc1 of fabric, you must recover this version to rebuild an identical network.
The configurations come from the network generated for the example in the Fabric SDK, I don’t have them.
I strongly advise you to use the latest version of the tutorial, it’s almost finished, but most of the work is there. There’s a whole new network: github.com/chainHero/heroes-service/tree/v1.0.5
Hi,
I’m working from the newVersion branch. Leaving a comment was the easiest way I found to contact you. Every time I want to adapt it to my needs I got some errors. So If I understand correctly, you generated orderer.genesis.block, chainhero.channel.tx and org1.chainhero.anchors.tx with the version v1.0.0-rc1 of the binary configtxgen ? Because depending on which version of the binary I use (the one from fabric-samples and the one from fabric), I don’t have the same result (after being decode by configtxlator). It seems that the app doesn’t accept certain version of these artifacts. That’s why i’m asking you which version you used to generate the artifacts and what the config files look like (And I don’t think you used the files from fixtures/old).
Hello Sir,
I got this problem, can you help please.
./byfn.sh -m up
Starting with channel 'mychannel' and CLI timeout of '10' seconds and CLI delay of '3' seconds
Continue? [Y/n] y
proceeding ...
Unable to find image 'hyperledger/fabric-tools:latest' locally
docker: Error response from daemon: manifest for hyperledger/fabric-tools:latest not found.
See 'docker run --help'.
LOCAL_VERSION=1.1.0
DOCKER_IMAGE_VERSION=
=================== WARNING ===================
Local fabric binaries and docker images are
out of sync. This may cause problems.
===============================================
Pulling orderer.example.com (hyperledger/fabric-orderer:latest)...
ERROR: manifest for hyperledger/fabric-orderer:latest not found
ERROR !!!! Unable to start network
Hi,
This is not at all related to this tutorial, if I understood correctly you are trying to create your own Hyperledger Fabric network. According to your error messages, you are missing some Docker containers.
Try to recover (pull) the missing containers and add the tag “lastest” on them. This should correct your problem.
Otherwise use an already existing network, like the one of the update of this tutorial, available here: https://chainhero.io/2018/03/tutorial-build-blockchain-app-2/
Hi ,
I followed the tutorial step by step and it worked as described, till I reached this error:
ahu@sd:~/go/src/github.com/chainHero/heroes-service$ cd $GOPATH/src/github.com/chainHero/heroes-service/fixtures && docker-compose up -d && cd .. && ./heroes-service
Creating orderer.hf.chainhero.io
Creating ca.org1.hf.chainhero.io
Creating peer1.org1.hf.chainhero.ioCreating peer0.org1.hf.chainhero.io
[fabric_sdk_go] 2018/05/21 03:33:59 UTC - config.initConfig -> INFO config fabric_sdk_go logging levelis set to: INFO
Unable to initialize the Fabric SDK: failed to create channel: reading channel config file failed: open/src/github.com/chainHero/heroes-service/fixtures/artifacts/chainhero.channel.tx: no such file or directory
panic: runtime error: invalid memory address or nil pointer dereference
[signal SIGSEGV: segmentation violation code=0x1 addr=0x18 pc=0x97a709]
goroutine 1 [running]:
github.com/chainHero/heroes-service/blockchain.(*FabricSetup).InstallAndInstantiateCC(0xc4201eedd0, 0x28, 0xc4201cde98)
/home/ahu/go/src/github.com/chainHero/heroes-service/blockchain/setup.go:102 +0x199
main.main()
/home/ahu/go/src/github.com/chainHero/heroes-service/main.go:37 +0x1db
I see the files as follows:
ahu@sd:~/go/src/github.com/chainHero/heroes-service/fixtures/artifacts$ ls -al
total 32
drwxrwxr-x 2 ahu ahu 4096 May 17 21:47 .
drwxrwxr-x 9 ahu ahu 4096 May 20 20:22 ..
-rw-rw-r-- 1 ahu ahu 398 May 17 21:47 chainhero.channel.tx
-rw-rw-r-- 1 ahu ahu 12355 May 17 21:47 orderer.genesis.block
-rw-rw-r-- 1 ahu ahu 319 May 17 21:47 org1.chainhero.anchors.tx
Also tried following command but cannot really understand the output below.
ahu@sd:~/go/src/github.com/chainHero/heroes-service/fixtures/artifacts$ configtxgen -inspectChannelCreateTx chainhero.channel.tx
2018-05-20 20:40:57.505 PDT [common/tools/configtxgen] main -> INFO 001 Loading configuration
2018-05-20 20:40:57.505 PDT [common/tools/configtxgen/localconfig] LoadTopLevel -> CRIT 002 Error reading configuration: Unsupported Config Type ""
2018-05-20 20:40:57.506 PDT [common/tools/configtxgen] func1 -> ERRO 003 Could not find configtx.yaml. Please make sure that FABRIC_CFG_PATH is set to a path which contains configtx.yaml
Please see if there are any obvious mistake that I may have overlooked?
Thanks for putting this great tutorial!
PM
Hey PM,
You are using an old version of the tutorial.
Please use https://chainhero.io/2018/03/tutorial-build-blockchain-app-2/ instead 🙂
Maxime
Part e suggests code edits and then links to the file on github. The code is different and I can’t either one to work. Shouldn’t the code be the same?
Hello RV,
This tutorial is only the reflection of this repository https://github.com/chainHero/heroes-service/tree/v1.0.0-rc1, which is the old tutorial. Are you sure that you are looking at the good branch ? If so please quote where the difference is. Note that the link that you are talking about show the final file.
Nevertheless, I would recommend you to use our new tutorial : https://chainhero.io/2018/03/tutorial-build-blockchain-app-2/.
Maxime
./heroes-service was not creating for me why?
Hi, use the last release of this tutorial here to avoid any errors: https://chainhero.io/2018/06/tutorial-build-blockchain-app-v1-1-0/
When I switch to v1.0.0-rc1 branch and cd to fixtures, run `docker-compose up`.
I got error :
orderer.example.com | panic: Error creating configtx manager and handlers: Setting up the MSP manager failed, err CA Certificate is not valid, (SN: 1000) [Could not obtain certification chain, err The supplied identity is not valid, Verify() returned x509: certificate has expired or is not yet valid]
and this `orderer.example.com exited with code 2`
how to fix this?
Hi, use the last release of this tutorial here to avoid any errors: https://chainhero.io/2018/06/tutorial-build-blockchain-app-v1-1-0/
panic: runtime error: invalid memory address or nil pointer dereference
[signal SIGSEGV: segmentation violation code=0x1 addr=0x18 pc=0x457cb49]
goroutine 1 [running]:
github.com/chainHero/heroes-service/blockchain.(*FabricSetup).InstallAndInstantiateCC(0xc00013beb8, 0xc00003a107, 0xd)
/Users/rjj/go/src/github.com/chainHero/heroes-service/blockchain/setup.go:102 +0x199
main.main()
/Users/rjj/go/src/github.com/chainHero/heroes-service/main.go:29 +0x129
exit status 2
Your article was written in great detail, and my current branch of fabric is fabric v1.1.0, but I did run into the above problem later
So I rebooted the container and saw the following errors. Would my question have anything to do with the following errors
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.743 UTC [flogging] setModuleLevel -> DEBU 195 Module 'msp/identity' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.743 UTC [flogging] setModuleLevel -> DEBU 196 Module 'msp' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.743 UTC [nodeCmd] func5 -> INFO 197 Starting profiling server with listenAddress = 0.0.0.0:6060
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.743 UTC [flogging] setModuleLevel -> DEBU 198 Module 'gossip/election' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.743 UTC [flogging] setModuleLevel -> DEBU 199 Module 'gossip/gossip' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.743 UTC [flogging] setModuleLevel -> DEBU 19a Module 'gossip/pull' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.743 UTC [flogging] setModuleLevel -> DEBU 19b Module 'gossip/service' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 19c Module 'peer/gossip/mcs' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 19d Module 'gossip/discovery' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 19e Module 'gossip/state' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 19f Module 'gossip/comm' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 1a0 Module 'peer/gossip/sa' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 1a1 Module 'ledgermgmt' logger enabled for log level 'INFO'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 1a2 Module 'kvledger' logger enabled for log level 'INFO'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 1a3 Module 'kvledger.util' logger enabled for log level 'INFO'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 1a4 Module 'cauthdsl' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 1a5 Module 'policies' logger enabled for log level 'WARNING'
peer1.org1.hf.chainhero.io | 2018-09-25 05:57:05.744 UTC [flogging] setModuleLevel -> DEBU 1a6 Module 'grpc' logger enabled for log level 'ERROR'
Hi, I face this error
root@ubuntu:~# cd $GOPATH/src/github.com/root/heroes-service/fixtures
root@ubuntu:~/go/src/github.com/root/heroes-service/fixtures# docker-compose upWARNING: The FABRIC_BUILDER_FIXTURE_IMAGE variable is not set. Defaulting to a blank string.
WARNING: The ARCH variable is not set. Defaulting to a blank string.
WARNING: The FABRIC_BUILDER_FIXTURE_TAG variable is not set. Defaulting to a blank string.
WARNING: The FABRIC_PEER_FIXTURE_IMAGE variable is not set. Defaulting to a blank string.
WARNING: The FABRIC_PEER_FIXTURE_TAG variable is not set. Defaulting to a blank string.
WARNING: The FABRIC_ORDERER_FIXTURE_IMAGE variable is not set. Defaulting to a blank string.
WARNING: The FABRIC_ORDERER_FIXTURE_TAG variable is not set. Defaulting to a blank string.
WARNING: The FABRIC_CA_FIXTURE_IMAGE variable is not set. Defaulting to a blank string.
WARNING: The FABRIC_CA_FIXTURE_TAG variable is not set. Defaulting to a blank string.
ERROR: no such image: :-: invalid reference format
root@ubuntu:~/go/src/github.com/root/heroes-service/fixtures#
Thanks for a good tutorial. What are the changes I should make , if i want to run this application using multiple systems?
[…] https://chainhero.io/2017/07/tutorial-build-blockchain-app/ […]