DEV Community

Cover image for Decomissioning with Puppet: report & purge unmanaged resources

Decomissioning with Puppet: report & purge unmanaged resources

Puppet lets you manage resources explicitely. But did you know you can also dynamically purge unmanaged resources using Puppet?

Why?

A user in your organization just left, and you need to remove their account from all nodes. If you were managing their account with Puppet —whether with a user resource type or using an accounts module—, you need to make sure this user is absent:

user { 'jdoe':
  ensure => absent,
}
Enter fullscreen mode Exit fullscreen mode

Great. Job done. Now, how long should this resource be kept in your code? One hour? One week? One year? What if an old node that was turned off wakes up months from now with this account activated?

To be honest, if a node turned off for months suddenly wakes up, you'll probably have more issues than just old users if your Puppet code base is quite active…
However, purging all unknown users would be a much easier approach than managing them explicitely!

How?

As explained in a previous post about managing files in Puppet, Puppet has the ability of purging unmanaged resources. I'll let you see the post for more explanations on how this works:

What if I don't want to purge?

What if instead of purging, I'd just like Puppet to report the unmanaged resources but not do anything about them?

Luckily for us, noop works fine with the purge type, so you can use something like:

purge { 'user':
  noop   => true,
  unless => [
    ['uid', '<', '1000'],
    ['name', '==', 'nobody'],
  ],
}
Enter fullscreen mode Exit fullscreen mode

This code will mark all users with a UID above 999 (except the nobody user) to be purged, but it won't do it. As a result, you'll get noop resources in your reports, for example in Puppetboard:

Noop resources

And then in the report, you'll see the unmanaged users:

Report view

Forcing purge

If you see users that should be purged, you can add again a user resource in your Puppet code to ensure their absence:

user { 'iperf':
  ensure => absent,
}
Enter fullscreen mode Exit fullscreen mode

Another option is to make it a bit more dynamic. I've added an option in my accounts base class to use a dynamic fact to purge users on demand:

class osbase::accounts (
  Boolean $purge_users = str2bool($facts['purge_users']),
) {
  purge { 'user':
    noop   => !$purge_users,
    unless => [
      ['uid', '<', '1000'],
      ['name', '==', 'nobody'],
    ],
  }
}
Enter fullscreen mode Exit fullscreen mode

The purge_users fact doesn't exist by default, so I can define it on the go when I need to purge users.
Now I can run puppet apply on a node and force purging the users with:

$ FACTER_purge_users=y puppet agent -t
Enter fullscreen mode Exit fullscreen mode

And all unmanaged users will be removed from the node!

Do you have specific Puppet needs? Contact us, we can help you!

Top comments (0)