rustdesk-server/src/utils.rs

94 lines
2.4 KiB
Rust
Raw Normal View History

2022-07-21 17:07:16 +08:00
use hbb_common::{bail, ResultType};
2022-07-14 21:59:39 +08:00
use sodiumoxide::crypto::sign;
use std::env;
use std::process;
2022-07-16 03:39:19 +08:00
use std::str;
2022-07-14 21:59:39 +08:00
fn print_help() {
2022-07-21 17:07:16 +08:00
println!(
"Usage:
rustdesk-util [command]\n
Available Commands:
genkeypair Generate a new keypair
validatekeypair [public key] [secret key] Validate an existing keypair"
);
2022-07-14 21:59:39 +08:00
process::exit(0x0001);
}
fn error_then_help(msg: &str) {
println!("ERROR: {}\n", msg);
print_help();
}
fn gen_keypair() {
let (pk, sk) = sign::gen_keypair();
let public_key = base64::encode(pk);
let secret_key = base64::encode(sk);
println!("Public Key: {public_key}");
println!("Secret Key: {secret_key}");
}
2022-07-21 17:07:16 +08:00
fn validate_keypair(pk: &str, sk: &str) -> ResultType<()> {
2022-07-14 21:59:39 +08:00
let sk1 = base64::decode(&sk);
2022-07-21 17:07:16 +08:00
if sk1.is_err() {
bail!("Invalid secret key");
2022-07-14 21:59:39 +08:00
}
let sk1 = sk1.unwrap();
let secret_key = sign::SecretKey::from_slice(sk1.as_slice());
2022-07-21 17:07:16 +08:00
if secret_key.is_none() {
bail!("Invalid Secret key");
2022-07-14 21:59:39 +08:00
}
let secret_key = secret_key.unwrap();
let pk1 = base64::decode(&pk);
2022-07-21 17:07:16 +08:00
if pk1.is_err() {
bail!("Invalid public key");
2022-07-14 21:59:39 +08:00
}
let pk1 = pk1.unwrap();
let public_key = sign::PublicKey::from_slice(pk1.as_slice());
2022-07-21 17:07:16 +08:00
if public_key.is_none() {
bail!("Invalid Public key");
2022-07-14 21:59:39 +08:00
}
let public_key = public_key.unwrap();
let random_data_to_test = b"This is meh.";
let signed_data = sign::sign(random_data_to_test, &secret_key);
let verified_data = sign::verify(&signed_data, &public_key);
2022-07-21 17:07:16 +08:00
if verified_data.is_err() {
bail!("Key pair is INVALID");
2022-07-14 21:59:39 +08:00
}
let verified_data = verified_data.unwrap();
2022-07-21 17:07:16 +08:00
if random_data_to_test != &verified_data[..] {
bail!("Key pair is INVALID");
2022-07-14 21:59:39 +08:00
}
2022-07-21 17:07:16 +08:00
Ok(())
2022-07-14 21:59:39 +08:00
}
fn main() {
let args: Vec<_> = env::args().collect();
if args.len() <= 1 {
print_help();
}
let command = args[1].to_lowercase();
match command.as_str() {
"genkeypair" => gen_keypair(),
"validatekeypair" => {
if args.len() <= 3 {
error_then_help("You must supply both the public and the secret key");
}
2022-07-21 17:07:16 +08:00
let res = validate_keypair(args[2].as_str(), args[3].as_str());
if let Err(e) = res {
println!("{}", e);
process::exit(0x0001);
}
println!("Key pair is VALID");
2022-07-16 03:39:19 +08:00
}
_ => print_help(),
2022-07-14 21:59:39 +08:00
}
2022-07-16 03:39:19 +08:00
}