I want to know because I would like to generate a vanity address at Vanity Pool.
2 Answers
Install OpenSSL. When the executable in your path, enter this command to generate a private key:
openssl ecparam -genkey -name secp256k1 -noout -out myprivatekey.pem
To create the corresponding public key, do this:
openssl ec -in myprivatekey.pem -pubout -out mypubkey.pem
This will give you both keys in PEM format. I'm not sure what format the web page wants, but it shouldn't be difficult to convert. You can use variants of the last command to output other formats. Remove -pubout if you want the private key, leave it if you want the public key. And you can use -outform DER to get DER format. You can use -text to get hexadecimal.
Do not give any form of your private key to anyone else.
- 51,308
- 6
- 106
- 177
To generate an Elliptic Curve private key in PEM format using the secp256k1 curve (which is the one used in Bitcoin):
openssl ecparam -genkey -name secp256k1 -out tmp/data.pem
To convert the private key from PEM (human-readable and extended) to a hex format:
openssl ec -in tmp/data.pem -outform DER|tail -c +8|head -c 32|xxd -p -c 32
To retrieve the public key in a hex format:
openssl ec -in tmp/data.pem -pubout -outform DER|tail -c 65|xxd -p -c 65
Explanation of the piped commands above
1) openssl ec -in tmp/data.pem -outform DER
Converts the private key from PEM to DER (binary) format.
2) tail -c +8
Skips the first (due to "+") 8 bytes (due to "c"), which should be the header of the DER format.
3) head -c 32
Returns the first 32 bytes which is the private key length.
4) xxd -p -c 32
Does a hex dump on the binary format of the key.
-pis for having the output in plain hexdump style-c 32is for having the 32 characters in one line, default is 16.
-
What are those `xxd`'s about? – DepressedDaniel Dec 20 '16 at 03:35
-
What's the background of getting the pub/priv Bitcoin key from the ecda keypair? – soupdiver Sep 14 '17 at 17:46
-
@DepressedDaniel I've edited the answer with more information about `xxd`. – Chris Jan 30 '19 at 12:34