web-dev-qa-db-ja.com

wgetで画像をダウンロードし、名前としてmd5ハッシュで保存するにはどうすればよいですか?

イメージをダウンロードし、イメージをmd5ハッシュし、そのイメージを名前としてmd5ハッシュとともにwgetを使用してディレクトリに保存するにはどうすればよいですか?

# An example of the image link...
http://31.media.tumblr.com/e1b8907c78b46099fd9611c2ab4b69ef/tumblr_n8rul3oJO91txb5tdo1_500.jpg

# Save the image linked with for name the MD5 hash

d494ba8ec8d4500cd28fbcecf38083ba.jpg

# Save the image with the new name to another directory

~/Users/TheGrayFox/Images/d494ba8ec8d4500cd28fbcecf38083ba.jpg
2
TheGrayFox

あなたはさまざまな方法でそれを行うことができます。小さなスクリプトが役立ちます。 /bin/bash myscript.sh http://yourhost/yourimage.ext where_to_saveで呼び出すことができます。宛先ディレクトリはオプションです。

#!/bin/bash
MyLink=${1}
DestDir=${2:-"~/Users/TheGrayFox/Images/"}   # fix destination directory
MyPath=$(dirname $MyLink)                    # strip the dirname  (Not used)
MyFile=$(basename $MyLink)                   # strip the filename
Extension="${MyFile##*.}"                    # strip the extension 

wget $MyLink                                 # get the file
MyMd5=$(md5sum $MyFile | awk '{print $1}')   # calculate md5sum
mv $MyFile  ${DestDir}/${MyMd5}.${Extension} # mv and rename the file
echo $MyMd5                                  # print the md5sum if wanted

コマンドdirnameはファイル名から最後のコンポーネントを削除し、コマンドbasenameはファイル名からディレクトリとサフィックスを削除します。

ファイルをwgetから宛先ディレクトリに直接保存し、後でmd5sumを計算して名前を変更することもできます。この場合、wget From_where/what.jpg -O destpathを使用する必要があります。注は大文字のoOであり、ゼロではありません。

1
Hastur

唯一の目的はインターウェブからものを引き出すことなので、これはwgetにとって少し複雑です。少しシャッフルする必要があるでしょう。

$ wget -O tmp.jpg http://31.media.tumblr.com/e1b8907c78b46099fd9611c2ab4b69ef/tumblr_n8rul3oJO91txb5tdo1_500.jpg; mv tmp.jpg $(md5sum tmp.jpg | cut -d' ' -f1).jpg
$ ls *jpg
fdef5ed6533af93d712b92fa7bf98ed8.jpg

これは常にcopypastaにとって少し厄介なので、シェルスクリプトを作成して、「。/fetch.sh http://example.com/image.jpg "」で呼び出すことができます。

$ cat fetch.sh 
#! /bin/bash

url=$1
ext=${url##*.}
wget -O /tmp/tmp.fetch $url
sum=$(md5sum /tmp/tmp.fetch | cut -d' ' -f1)
mv /tmp/tmp.fetch ${HOME}/Images/${sum}.${ext}

Jpgだけでなく、すべてのファイルタイプで上記が機能するように簡単に編集しました。

0
Falsenames