Bash脚本:在帐户删除过程中忽略删除unix帐户

时间:2015-02-23 16:25:05

标签: bash awk

需要在Linux机器上清除用户帐户,几乎没有例外。为我做同样的脚本是

#UIDMAX will contain the minimum value used by OS for ID selection
UIDMIN=`grep "UID_MIN" /etc/login.defs`

#UIDMAX will contain the mixnimum value used by OS for ID selection
UIDMAX=`grep "UID_MAX" /etc/login.defs`

for i in  awk -F: -v "min=${UIDMIN##UID_MIN}" -v "max=${UIDMAX##UID_MAX}" '{ if ( $3 >= min && $3 <=max ) print $1}' /etc/passwd
do 
     userdel -r $i  
done

但是我想添加一些存储在变量中的异常,在删除用户帐户进程时,脚本应该忽略这些异常。 e.g exceptions="test1 test2 test" 我希望userdel在执行上述脚本

时忽略exceptions变量中提到的用户

2 个答案:

答案 0 :(得分:2)

为什么要使用awk?

# using lower-case variable names is conventional for things which are neither builtins
# nor environment variables to avoid namespace conflicts.
min=$(grep "^UID_MIN" /etc/login.defs); min=${min##*[[:space:]]}
max=$(grep "^UID_MAX" /etc/login.defs); max=${max##*[[:space:]]}

# set up an associative array of users to ignore
declare -A users_to_ignore=( [test1]=1 [test2]=1 [test]=1 )

while IFS=: read -r name _ pid _ <&3; do
  # check not only for pid min and max, but also presence in users_to_ignore
  if (( pid >= min && pid < max )) && ! [[ ${users_to_ignore[$name]} ]]; then
    userdel -r "$name"
  fi
done 3</etc/passwd

如果您想使用不同目录源(NIS,LDAP等)并且您的操作系统提供getent的系统,您可以使用3< <(getent passwd)而不是3</etc/passwd;这样更灵活。


如果您想支持早于4.0的bash版本,那么可以使用:

users_to_ignore="test1 test2 test"

...和...

[[ " $users_to_ignore " =~ " $name " ]]

答案 1 :(得分:2)

保持简单并使用awk来擅长(解析文本)和shell以获得它擅长的功能(对命令调用顺序):

awk -F: -v exceptions="test1 test2 test" '
BEGIN {
    split(exceptions,tmp,/ /)
    for (i in tmp) {
        except[tmp[i]]
    }
}
NR==FNR {
   if ( sub(/UIDMIN/,"") ) min = $0
   if ( sub(/UIDMAX/,"") ) max = $0
   next
}
$3 >= min && $3 <=max && !($1 in except) {print $1}
' /etc/login.defs /etc/passwd |
while IFS= read -r name
do 
     userdel -r "$name"  
done

请注意,上面只是我试图翻译你的命令,因为你没有提供任何样本输入和输出,所以在执行之前自己检查一下。