web-dev-qa-db-ja.com

BashはオンラインファイルのMD5を取得します

オンラインファイルのMD5ハッシュを取得し、ローカルマシン上のファイルと比較する必要があります。

Bashでこれを行うにはどうすればよいですか?

2
Finlay Roelofs

curlを使用して、オンラインファイルを取得できます。

curl -sL http://www.your.fi/le | md5sum | cut -d ' ' -f 1

別のものと比較するには、変数に保存してから続行します。

online_md5="$(curl -sL http://www.your.fi/le | md5sum | cut -d ' ' -f 1)"
local_md5="$(md5sum "$file" | cut -d ' ' -f 1)"

if [ "$online_md5" == "$local_md5" ]; then
    echo "hurray, they are equal!"
fi
2
fedorqui

直接行うこともできます。 wgetまたはcurlを使用して、リモートファイルのコンテンツを印刷し、ローカルファイルのコンテンツも印刷します。両方をmd5sumに渡し、出力を比較します。

$ md5sum <(wget  http://www.exacmple.com/file -O- 2>/dev/null) <(cat localfile) 
733f328d8cff7dd89970ec34a70aa14f  /dev/fd/63
733f328d8cff7dd89970ec34a70aa14f  /dev/fd/62

最初の行はリモートファイルのmd5sumで、2行目はローカルの行です。

1
terdon

wgetは、-O-を使用して標準出力にダウンロードできます。

 wget http://example.com/some-file.html -O- \
     | md5sum \
     | cut -f1 -d' ' \
     | diff - <(md5sum local-file.html | cut -f1 -d' ')

md5sumはMD5の後にファイル名を追加します。cutを使用して削除できます。

1
choroba
 wget -q -O- http://example.com/your_file | md5sum | sed 's:-$:local_file:' | md5sum -c

http://example.com/your_fileをオンラインファイルのURLに、local_fileをローカルファイルの名前に置き換えます

1
Florian Diesch

長いワンライナーとしてwgetおよびmd5sumおよびawk経由=)

awk 'FNR == NR {a[0]=$1; next} {if (a[0]==$1) {print "match"; exit} {print "no match"}}'\
 <(wget -O- -q URL | md5sum)\
 <(md5sum local_file)

$ awk 'FNR == NR {a[0]=$1; next} {if (a[0]==$1) {print "match"; exit} {print "no match"}}' <(wget -O- -q http://security.ubuntu.com/ubuntu/pool/main/h/hunspell/libhunspell-1.2-0_1.2.8-6ubuntu1_i386.deb | md5sum) <(md5sum libhunspell-1.2-0_1.2.8-6ubuntu1_i386.deb)
match

$ awk 'FNR == NR {a[0]=$1; next} {if (a[0]==$1) {print "match"; exit} {print "no match"}}' <(wget -O- -q http://security.ubuntu.com/ubuntu/pool/main/h/hunspell/libhunspell-1.2-0_1.2.8-6ubuntu1_i386.deb | md5sum) <(md5sum foo) 
no match
0
A.B.