SSH agent forwarding" /> SSH agent forwarding">

Vagrant and SSH agent forwarding

tags = [, , , ]

I haven’t even started yet and I can already hear you muttering over there, “What the hell is this Vagrant thing and why should I care?”. Well, Vagrant is a wrapper around VirtualBox, the virtualization software, that can create homogeneous development environments automatically without any effort from the developer. This means that we have a consistent development environment across out team with the same OS version, same package versions, same database, same settings. No more But it worked on MY machine excuses.

Lets say that inside this virtual machine you need to use your SSH key, maybe the key for your Github account to access your private or public git repositories or maybe the key to connect to a remote server. That can be a problem, you don’t want to distribute your SSH keys with the Vagrant box. Each SSH key should be tied to an individual developer account so to prevent SSH key sharing you would need to either distribute each SSH key with a new Vagrant box or copy it during provisioning. That’s not really homogeneous, you will end up with a Vagrant box for each developer or an inconvenient way of providing the SSH key depending on the developer’s OS.

Enter SSH agent forwarding. With SSH agent forwarding we can use the SSH key from our local machine inside the Vagrant box.

To enable agent forwarding for all ssh connections inside your Vagrant box you need to set the following in your Vagrant file inside the config section (Vagrant.configure(VAGRANTFILE_API_VERSION) do |config|):

1
2
3
4
[...]
    config.ssh.private_key_path = "~/.ssh/id_rsa"
    config.ssh.forward_agent = true
[...]

Due to a Vagrant bug SSH Agent Forwarding not available during provisioning (see issue), to work around that we need to create a file in /etc/sudoers.d/ with the following contents:

1
Defaults env_keep += "SSH_AUTH_SOCK"

To create it automatically during provisioning we can add the following to our Vagrant file:

1
2
3
4
config.vm.provision :shell do |shell|
    shell.inline = "touch $1 && chmod 0440 $1 && echo $2 > $1"
    shell.args = %q{/etc/sudoers.d/root_ssh_agent "Defaults env_keep += \"SSH_AUTH_SOCK\""}
end

or in the shell script that you’re using for provisioning:

1
2
3
4
5
6
SSH_FIX_FILE="/etc/sudoers.d/root_ssh_agent"
if [ ! -f  $SSH_FIX_FILE ]
    then
    echo "Defaults env_keep += \"SSH_AUTH_SOCK\"" > $SSH_FIX_FILE
    chmod 0440 $SSH_FIX_FILE
fi
Go Top