14

我正在编写一个创建用户帐户的 bash 脚本。用户名和密码哈希是根据特定标准从文件中提取的。密码散列自然包含分隔散列字段的“$”(例如,$1${SALT}$...)。

问题是 -p 选项useradd需要在密码哈希周围加上单引号,以防止将“$”字段插入为变量。传递变量时,为了正确插入它,引号需要是双引号。单引号将变量视为字符串。

但是,如果我用双引号传递变量,则该变量会被扩展,然后每个“$”都被视为变量,这意味着永远不会正确设置密码。更糟糕的是,一些变量中有大括号(“{”或“}”),这进一步搞砸了事情。

我怎样才能传递这样一个值并确保它被完全插值并且没有被 shell 修改?

所有插值变量完整的特定代码行示例:

# Determine the customer we are dealing with by extracting the acryonym from the FQDN
CUSTACRO=$(${GREP} "HOST" ${NETCONF} | ${AWK} -F "." '{print $2}')

# Convert Customer acronym to all caps
UCUSTACRO=$(${ECHO} ${CUSTACRO} | ${TR} [:lower:] [:upper:])

# Pull the custadmin account and password string from the cust_admins.txt file
PASSSTRING=$(${GREP} ${CUSTACRO} ${SRCDIR}/cust_admins.txt)

# Split the $PASSSTRING into the custadmin and corresponding password
CUSTADMIN=$(${ECHO} ${PASSSTRING} | ${CUT} -d'=' -f1)
PASS=$(${ECHO} ${PASSSTRING} | ${CUT} -d'=' -f2)

# Create the custadmin account
${USERADD} -u 20000 -c "${UCUSTACRO} Delivery Admin" -p "${PASS}" -G custadmins ${CUSTADMIN}

编辑:扩展代码以获得更多上下文。

4

1 回答 1

27

分配给时使用单引号$PASS。双引号不会递归扩展变量。

观察:

$ foo=hello
$ bar=world
$ single='$foo$bar'
$ double="$foo$bar"
$ echo "$single"
$foo$bar
$ echo "$double"
helloworld

引号仅影响 shell 解析文字字符串的方式。只有当你根本不使用任何引号时,shell 才会查看变量“内部”,即使这样,它也只会进行分词和通配符扩展。

于 2013-11-05T01:14:59.510 回答