1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
// Copyright 2021 MaidSafe.net limited.
//
// This SAFE Network Software is licensed to you under The General Public License (GPL), version 3.
// Unless required by applicable law or agreed to in writing, the SAFE Network Software distributed
// under the GPL Licence is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
// KIND, either express or implied. Please review the Licences for the specific language governing
// permissions and limitations relating to use of the SAFE Network Software.

use crate::{Error, Result};
use bls::{self, serde_impl::SerdeSecret, PublicKey, SecretKey, PK_SIZE};
pub use ed25519_dalek::{Keypair, KEYPAIR_LENGTH};
use std::path::Path;
use tokio::fs;

const REWARD_PUBLIC_KEY_FILENAME: &str = "reward_public_key";
const REWARD_SECRET_KEY_FILENAME: &str = "reward_secret_key";

const NETWORK_KEYPAIR_FILENAME: &str = "network_keypair";

/// Writes the network keypair to disk.
pub async fn store_network_keypair(
    root_dir: &Path,
    keypair_as_bytes: [u8; KEYPAIR_LENGTH],
) -> Result<()> {
    let keypair_path = root_dir.join(NETWORK_KEYPAIR_FILENAME);
    fs::write(keypair_path, keypair_to_hex(keypair_as_bytes)).await?;
    Ok(())
}

fn keypair_to_hex(keypair_as_bytes: [u8; KEYPAIR_LENGTH]) -> String {
    vec_to_hex(keypair_as_bytes.to_vec())
}

/// Returns Some(KeyPair) or None if file doesn't exist.
pub async fn get_network_keypair(root_dir: &Path) -> Result<Option<Keypair>> {
    let path = root_dir.join(NETWORK_KEYPAIR_FILENAME);
    if !path.is_file() {
        return Ok(None);
    }
    let bytes = fs::read(path).await?;
    Ok(Some(keypair_from_bytes(bytes)?))
}

fn keypair_from_bytes(bytes: Vec<u8>) -> Result<Keypair> {
    let hex = String::from_utf8(bytes)
        .map_err(|_| Error::Logic("Config error: Could not parse bytes as string".to_string()))?;
    keypair_from_hex(&hex)
}

fn keypair_from_hex(hex_str: &str) -> Result<Keypair> {
    let keypair_bytes = parse_hex(&hex_str);
    let mut keypair_bytes_array: [u8; KEYPAIR_LENGTH] = [0; KEYPAIR_LENGTH];
    keypair_bytes_array.copy_from_slice(&keypair_bytes[..KEYPAIR_LENGTH]);
    Keypair::from_bytes(&keypair_bytes_array)
        .map_err(|_| Error::Logic("Config error: Invalid network keypair bytes".to_string()))
}

/// Writes the public and secret key to different locations at disk.
pub async fn store_new_reward_keypair(
    root_dir: &Path,
    secret: &SecretKey,
    public: &PublicKey,
) -> Result<()> {
    let secret_key_path = root_dir.join(REWARD_SECRET_KEY_FILENAME);
    let public_key_path = root_dir.join(REWARD_PUBLIC_KEY_FILENAME);
    fs::write(secret_key_path, sk_to_hex(secret)).await?;
    fs::write(public_key_path, pk_to_hex(public)).await?;
    Ok(())
}

/// Returns Some(PublicKey) or None if file doesn't exist.
pub async fn get_reward_pk(root_dir: &Path) -> Result<Option<PublicKey>> {
    let path = root_dir.join(REWARD_PUBLIC_KEY_FILENAME);
    if !path.is_file() {
        return Ok(None);
    }
    let bytes = fs::read(path).await?;
    Ok(Some(pk_from_bytes(bytes)?))
}

///
pub fn pk_to_hex(pk: &PublicKey) -> String {
    let pk_as_bytes: [u8; PK_SIZE] = pk.to_bytes();
    vec_to_hex(pk_as_bytes.to_vec())
}

///
pub fn pk_from_bytes(bytes: Vec<u8>) -> Result<PublicKey> {
    let hex = String::from_utf8(bytes)
        .map_err(|_| Error::Logic("Config error: Could not parse bytes as string".to_string()))?;
    pk_from_hex(&hex)
}

///
pub fn pk_from_hex(hex_str: &str) -> Result<PublicKey> {
    let pk_bytes = parse_hex(&hex_str);
    let mut pk_bytes_array: [u8; PK_SIZE] = [0; PK_SIZE];
    pk_bytes_array.copy_from_slice(&pk_bytes[..PK_SIZE]);
    PublicKey::from_bytes(pk_bytes_array)
        .map_err(|_| Error::Logic("Config error: Invalid public key bytes".to_string()))
}

fn sk_to_hex(secret: &SecretKey) -> String {
    let sk_serialised = bincode::serialize(&SerdeSecret(secret))
        .expect("Failed to serialise the generated secret key");
    vec_to_hex(sk_serialised)
}

fn vec_to_hex(hash: Vec<u8>) -> String {
    hash.iter().map(|b| format!("{:02x}", b)).collect()
}

fn parse_hex(hex_str: &str) -> Vec<u8> {
    let mut hex_bytes = hex_str
        .as_bytes()
        .iter()
        .filter_map(|b| match b {
            b'0'..=b'9' => Some(b - b'0'),
            b'a'..=b'f' => Some(b - b'a' + 10),
            b'A'..=b'F' => Some(b - b'A' + 10),
            _ => None,
        })
        .fuse();

    let mut bytes = Vec::new();
    while let (Some(h), Some(l)) = (hex_bytes.next(), hex_bytes.next()) {
        bytes.push(h << 4 | l)
    }
    bytes
}

#[cfg(test)]
mod test {
    use super::*;
    use tempdir::TempDir;

    /// Hex encoding public keys.
    #[test]
    fn pubkey_hex() -> Result<()> {
        let key = gen_key();
        let encoded = pk_to_hex(&key);
        println!("{:?}", encoded);
        let decoded: PublicKey = pk_from_hex(&encoded)?;
        assert_eq!(decoded, key);
        Ok(())
    }

    #[tokio::test]
    async fn pubkey_to_and_from_file() -> Result<()> {
        let sk = SecretKey::random();
        let pk = sk.public_key();

        let root = create_temp_root(&"rewardkey")?;
        let root_dir = root.path();
        store_new_reward_keypair(root_dir, &sk, &pk).await?;
        let pk_result = get_reward_pk(root_dir).await?;

        assert_eq!(pk_result, Some(pk));
        Ok(())
    }

    fn gen_key() -> PublicKey {
        SecretKey::random().public_key()
    }

    /// creates a temp dir for the root of all stores
    fn create_temp_root(dir: &str) -> Result<TempDir> {
        TempDir::new(dir).map_err(|e| Error::TempDirCreationFailed(e.to_string()))
    }
}