Skip to content

Commit

Permalink
user: simplify ssh key provisioning and drop unsafe usage (#95)
Browse files Browse the repository at this point in the history
In order to correctly set the ownership of the authorized_keys file, the
function was using libc directly with some unsafe blocks. It's tricky to
correctly use the C APIs and in this case, both getpwnam() and getgrnam()
return NULL if a matching entry isn't found or if an error occurred.
Since we weren't checking the return value this would result in a null
pointer dereference.

`nix` provides safe APIs to retrieve the user and group ids so rather
than implementing it ourselves, just use those. This also refactors the
two separate APIs for creating the directory and writing the keys to a
single call that handles it all.
  • Loading branch information
jeremycline committed Jul 3, 2024
1 parent 40c951c commit 773f4cf
Show file tree
Hide file tree
Showing 4 changed files with 159 additions and 100 deletions.
2 changes: 1 addition & 1 deletion libazureinit/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -16,12 +16,12 @@ tokio = { version = "1", features = ["full"] }
serde-xml-rs = "0.6.0"
serde_json = "1.0.96"
nix = {version = "0.29.0", features = ["fs", "user"]}
libc = "0.2.146"
block-utils = "0.11.1"
tracing = "0.1.40"

[dev-dependencies]
tempfile = "3"
whoami = "1"

[lib]
name = "libazureinit"
Expand Down
224 changes: 153 additions & 71 deletions libazureinit/src/user.rs
Original file line number Diff line number Diff line change
@@ -1,95 +1,177 @@
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.

use std::fs;
use std::fs::create_dir;
use std::fs::File;
use std::io::Write;
use std::{
fs::Permissions,
io::Write,
os::unix::fs::{DirBuilderExt, PermissionsExt},
};

use nix::unistd::{Gid, Uid};
use std::ffi::CString;
use std::os::unix::fs::PermissionsExt;
use tracing::instrument;

use crate::error::Error;
use crate::imds::PublicKeys;

pub async fn set_ssh_keys(
pub fn set_ssh_keys(
keys: Vec<PublicKeys>,
username: String,
file_path: String,
username: impl AsRef<str>,
) -> Result<(), Error> {
let mut authorized_keys_path = file_path;
authorized_keys_path.push_str("/authorized_keys");

let mut authorized_keys = File::create(authorized_keys_path.clone())?;
for key in keys {
writeln!(authorized_keys, "{}", key.key_data)?;
}
let metadata = fs::metadata(authorized_keys_path.clone())?;
let permissions = metadata.permissions();
let mut new_permissions = permissions;
new_permissions.set_mode(0o600);
fs::set_permissions(authorized_keys_path.clone(), new_permissions)?;

let uid_username = CString::new(username.clone())?;
let uid_passwd = unsafe { libc::getpwnam(uid_username.as_ptr()) };
let uid = unsafe { (*uid_passwd).pw_uid };
let new_uid = Uid::from_raw(uid);

let gid_groupname = CString::new(username)?;
let gid_group = unsafe { libc::getgrnam(gid_groupname.as_ptr()) };
let gid = unsafe { (*gid_group).gr_gid };
let new_gid = Gid::from_raw(gid);

let _set_ownership = nix::unistd::chown(
authorized_keys_path.as_str(),
Some(new_uid),
Some(new_gid),
);

Ok(())
}

pub async fn create_ssh_directory(
username: &str,
home_path: &String,
) -> Result<(), Error> {
let mut file_path = home_path.to_owned();
file_path.push_str("/.ssh");

create_dir(file_path.clone())?;

let user =
nix::unistd::User::from_name(username)?.ok_or(Error::UserMissing {
user: username.to_string(),
nix::unistd::User::from_name(username.as_ref())?.ok_or_else(|| {
Error::UserMissing {
user: username.as_ref().to_string(),
}
})?;
nix::unistd::chown(file_path.as_str(), Some(user.uid), Some(user.gid))?;
provision_ssh(&user, &keys)
}

let metadata = fs::metadata(&file_path)?;
let permissions = metadata.permissions();
let mut new_permissions = permissions;
new_permissions.set_mode(0o700);
fs::set_permissions(&file_path, new_permissions)?;
#[instrument(skip_all, name = "ssh")]
pub(crate) fn provision_ssh(
user: &nix::unistd::User,
keys: &[PublicKeys],
) -> Result<(), Error> {
let ssh_dir = user.dir.join(".ssh");
std::fs::DirBuilder::new()
.recursive(true)
.mode(0o700)
.create(&ssh_dir)?;
nix::unistd::chown(&ssh_dir, Some(user.uid), Some(user.gid))?;
// It's possible the directory already existed if it's created with the user; make sure
// the permissions are correct.
std::fs::set_permissions(&ssh_dir, Permissions::from_mode(0o700))?;

let authorized_keys_path = ssh_dir.join("authorized_keys");
let mut authorized_keys = std::fs::File::create(&authorized_keys_path)?;
authorized_keys.set_permissions(Permissions::from_mode(0o600))?;
keys.iter()
.try_for_each(|key| writeln!(authorized_keys, "{}", key.key_data))?;
nix::unistd::chown(&authorized_keys_path, Some(user.uid), Some(user.gid))?;

Ok(())
}

#[cfg(test)]
mod tests {

use super::create_ssh_directory;
use super::provision_ssh;
use crate::imds::PublicKeys;
use std::{
fs::Permissions,
io::Read,
os::unix::fs::{DirBuilderExt, PermissionsExt},
};

// Test that we set the permission bits correctly on the ssh files; sadly it's difficult to test
// chown without elevated permissions.
#[test]
fn test_provision_ssh() {
let mut user =
nix::unistd::User::from_name(whoami::username().as_str())
.unwrap()
.unwrap();
let home_dir = tempfile::TempDir::new().unwrap();
user.dir = home_dir.path().into();

let keys = vec![
PublicKeys {
key_data: "not-a-real-key abc123".to_string(),
path: "unused".to_string(),
},
PublicKeys {
key_data: "not-a-real-key xyz987".to_string(),
path: "unused".to_string(),
},
];
provision_ssh(&user, &keys).unwrap();

let ssh_dir =
std::fs::File::open(home_dir.path().join(".ssh")).unwrap();
let mut auth_file =
std::fs::File::open(home_dir.path().join(".ssh/authorized_keys"))
.unwrap();
let mut buf = String::new();
auth_file.read_to_string(&mut buf).unwrap();

assert_eq!("not-a-real-key abc123\nnot-a-real-key xyz987\n", buf);
// Refer to man 7 inode for details on the mode - 100000 is a regular file, 040000 is a directory
assert_eq!(
ssh_dir.metadata().unwrap().permissions(),
Permissions::from_mode(0o040700)
);
assert_eq!(
auth_file.metadata().unwrap().permissions(),
Permissions::from_mode(0o100600)
);
}

#[tokio::test]
#[should_panic]
async fn user_does_not_exist() {
let test_dir = tempfile::tempdir().unwrap();
let dir_path = test_dir.path();
// Test that if the .ssh directory already exists, we handle it gracefully. This can occur if, for example,
// /etc/skel includes it. This also checks that we fix the permissions if /etc/skel has been mis-configured.
#[test]
fn test_pre_existing_ssh_dir() {
let mut user =
nix::unistd::User::from_name(whoami::username().as_str())
.unwrap()
.unwrap();
let home_dir = tempfile::TempDir::new().unwrap();
user.dir = home_dir.path().into();
std::fs::DirBuilder::new()
.mode(0o777)
.create(user.dir.join(".ssh").as_path())
.unwrap();

let keys = vec![
PublicKeys {
key_data: "not-a-real-key abc123".to_string(),
path: "unused".to_string(),
},
PublicKeys {
key_data: "not-a-real-key xyz987".to_string(),
path: "unused".to_string(),
},
];
provision_ssh(&user, &keys).unwrap();

let ssh_dir =
std::fs::File::open(home_dir.path().join(".ssh")).unwrap();
assert_eq!(
ssh_dir.metadata().unwrap().permissions(),
Permissions::from_mode(0o040700)
);
}

create_ssh_directory(
"i_sure_hope_this_user_doesnt_exist",
&dir_path.as_os_str().to_str().unwrap().to_string(),
)
.await
.unwrap();
// Test that any pre-existing authorized_keys are overwritten.
#[test]
fn test_pre_existing_authorized_keys() {
let mut user =
nix::unistd::User::from_name(whoami::username().as_str())
.unwrap()
.unwrap();
let home_dir = tempfile::TempDir::new().unwrap();
user.dir = home_dir.path().into();
std::fs::DirBuilder::new()
.mode(0o777)
.create(user.dir.join(".ssh").as_path())
.unwrap();

let keys = vec![
PublicKeys {
key_data: "not-a-real-key abc123".to_string(),
path: "unused".to_string(),
},
PublicKeys {
key_data: "not-a-real-key xyz987".to_string(),
path: "unused".to_string(),
},
];
provision_ssh(&user, &keys[..1]).unwrap();
provision_ssh(&user, &keys[1..]).unwrap();

let mut auth_file =
std::fs::File::open(home_dir.path().join(".ssh/authorized_keys"))
.unwrap();
let mut buf = String::new();
auth_file.read_to_string(&mut buf).unwrap();

assert_eq!("not-a-real-key xyz987\n", buf);
}
}
15 changes: 2 additions & 13 deletions src/main.rs
Original file line number Diff line number Diff line change
Expand Up @@ -99,19 +99,8 @@ async fn provision() -> Result<(), anyhow::Error> {
|| format!("Unabled to set an empty password for user '{username}'"),
)?;

user::create_ssh_directory(username.as_str(), &file_path)
.await
.with_context(|| "Failed to create ssh directory.")?;

file_path.push_str("/.ssh");

user::set_ssh_keys(
instance_metadata.compute.public_keys,
username.to_string(),
file_path.clone(),
)
.await
.with_context(|| "Failed to write ssh public keys.")?;
user::set_ssh_keys(instance_metadata.compute.public_keys, &username)
.with_context(|| "Failed to write ssh public keys.")?;

distro::set_hostname_with_hostnamectl(
instance_metadata.compute.os_profile.computer_name.as_str(),
Expand Down
18 changes: 3 additions & 15 deletions tests/functional_tests.rs
Original file line number Diff line number Diff line change
Expand Up @@ -67,17 +67,6 @@ async fn main() {

println!("User {} was successfully created", username.as_str());

println!();
println!("Attempting to create user's SSH directory");

let _create_directory =
user::create_ssh_directory(username.as_str(), &file_path).await;
match _create_directory {
Ok(create_directory) => create_directory,
Err(_err) => return,
};
println!("User's SSH directory was successfully created");

let keys: Vec<PublicKeys> = vec![
PublicKeys {
path: "/path/to/.ssh/keys/".to_owned(),
Expand All @@ -93,11 +82,10 @@ async fn main() {
},
];

file_path.push_str("/.ssh");
println!();
println!("Attempting to create user's SSH authorized_keys");

user::set_ssh_keys(keys, username.to_string(), file_path.clone())
.await
.unwrap();
user::set_ssh_keys(keys, username).unwrap();

println!();
println!("Attempting to set the VM hostname");
Expand Down

0 comments on commit 773f4cf

Please sign in to comment.