web-dev-qa-db-ja.com

.ssh / authorized_keys(2)ファイルのすべてのフィンガープリントを取得する方法

.ssh/authorized_keysに入力されたすべての指紋のリストを取得する簡単な方法はありますか|| .ssh/authorized_keys2ファイル?

ssh-keygen -l -f .ssh/authorized_keys 

最初の行/エントリ/公開鍵の指紋のみを返します

awkでハックする:

awk 'BEGIN { 
    while (getline < ".ssh/authorized_keys") {
        if ($1!~"ssh-(r|d)sa") {continue}
        print "Fingerprint for "$3
        system("echo " "\""$0"\"> /tmp/authorizedPublicKey.scan; \
            ssh-keygen -l -f /tmp/authorizedPublicKey.scan; \
            rm /tmp/authorizedPublicKey.scan"
        )
    }
}'

しかし、私が見つけなかった簡単な方法またはsshコマンドはありますか?

41
childno͡.de

一時ファイルなしでプレーンbashを使用する別のハックは次のとおりです。

while read l; do
  [[ -n $l && ${l###} = $l ]] && ssh-keygen -l -f /dev/stdin <<<$l;
done < .ssh/authorized_keys

.bashrcで関数を簡単に作成できます。

function fingerprints() {
  local file="${1:-$HOME/.ssh/authorized_keys}"
  while read l; do
    [[ -n $l && ${l###} = $l ]] && ssh-keygen -l -f /dev/stdin <<<$l
  done < "${file}"
}

そしてそれを呼び出す:

$ fingerprints .ssh/authorized_keys
47
ℝaphink

/ dev/stdin--aphinkの答え およびman xargs→Examplesからのトリックに基づくワンライナー:

egrep '^[^#]' ~/.ssh/authorized_keys | xargs -n1 -I% bash -c 'ssh-keygen -l -f /dev/stdin <<<"%"'
8
akavel

MacとLinuxでテストされた、特定のファイルのすべての主要なフィンガープリントを表示するポータブルな方法は次のとおりです。

#!/bin/bash

fingerprint_keys()
{
    if (( $# != 1 )); then
        echo "Usage: ${FUNCNAME} <authorized keys file>" >&2
        return 1
    fi

    local file="$1"
    if [ ! -r "$file" ]; then
        echo "${FUNCNAME}: File '${file}' does not exist or isn't readable." >&2
        return 1
    fi

    # Must be declared /before/ assignment, because of bash weirdness, in
    # order to get exit code in $?.
    local TMPFILE

    TEMPFILE=$(mktemp -q -t "$0.XXXXXXXXXX")
    if (( $? != 0 )); then
        echo "${FUNCNAME}: Can't create temporary file." >&2
        return 1
    fi

    while read line; do
        # Make sure lone isn't a comment or blank.
        if [[ -n "$line" ]] && [ "${line###}" == "$line" ]; then
            # Insert key into temporary file (ignoring noclobber).
            echo "$line" >| "$TEMPFILE"

            # Fingerprint time.
            ssh-keygen -l -f "$TEMPFILE"

            # OVerwrite the file ASAP (ignoring noclobber) to not leave keys
            # sitting in temp files.
            >| "$TEMPFILE"
        fi
    done < "$file"

    rm -f "$TEMPFILE"
    if (( $? != 0 )); then
        echo "${FUNCNAME}: Failed to remove temporary file." >&2
        return 1
    fi
}

使用例:

bash $ fingerprint_keys ~/.ssh/authorized_keys
2048 xx:xx:xx:xx:xx:xx:xx:xx:bb:xx:xx:xx:xx:xx:xx:xx  [email protected] (RSA)
bash $ 
8
Will

/dev/stdinから読み取るときに問題になる場合は、一時ファイルなしでプロセスリダイレクトを使用することをお勧めします。

while read l; do
  [[ -n $l && ${l###} = $l ]] && ssh-keygen -l -f <(echo $l);
done < .ssh/authorized_keys
0
emaV