web-dev-qa-db-ja.com

rsyncを使用して変更されたファイルを印刷する方法は?

実際にファイルを転送せずに、rsyncに異なるすべてのファイルへの完全なファイルパスを印刷させる方法はありますか?

または、サイズの変更または最終変更時刻のみに基づいて、2つのツリー間で(SSHを介して)ファイルを比較する方法が必要です。

34
Joe Tsai

Rsyncにはdry-runオプション:

-n, --dry-run               show what would have been transferred

これがあなたの望むものかどうかはわかりません。

2つのツリーにわたってファイルをdiffしたい場合は、findおよびpipeを使用して2つの方向を再帰的に検索し、lsに出力して、両方をファイルにパイプすることができます。次に、diffを使用してファイルを比較できます。

35
Vincent

--out-formatを使用して詳細を表示し、それをlessにパイプすることを好みます。

rsync -azh --dry-run --delete-after --out-format="[%t]:%o:%f:Last Modified %M" source destination | less
14
kabZX

rsync -rvn localdir targetdir

-nは、アクションのみを表示することを意味します(アクションは実行されません)。

'v'が必要か、何も表示されないことに注意してください。 (残りの答えはこれを忘れます...)

7
Hugo Zaragoza

その他の回答と https://serverfault.com/a/618740/11452

  • _--dry-run_(または_-n_)を使用して変更を回避する
  • _--itemize-changes_(または_-i_)を使用して変更を見つける
  • _--archive_(または_-a_)を使用してすべてのサブディレクトリを取得する
  • egrepを使用して、ドットで始まるエントリを除外します(変更なし)

これはあなたに与えます:_rsync -nia source destination | egrep -v "sending incremental file list" | egrep -v "^\."_

1つの方法だけが必要な場合は、コマンドを変更できます。

  • ソースから宛先への変更の場合:rsync -nia source destination | egrep -v "sending incremental file list" | egrep -v "^(\.|<)"
  • 宛先からソースへの変更の場合:rsync -nia source destination | egrep -v "sending incremental file list" | egrep -v "^(\.|>)"

ファイルだけが必要な場合は、awk magic:_rsync -nia source destination | egrep -v "sending incremental file list" | egrep -v "^\." | awk '{print $2}'_を追加するだけです

1
Yvan

私はこのようなものに行きます:

#! /bin/bash 

set -eu   ## Stop on errors and on undefined variables

## The local directory name
LOCAL_DIR=$1
## The remote directory in rsync sintax. Example: "machine:directory"
REMOTE_DIR=$2

shift 
shift 
# Now the first two args are gone and any other remaining arguments, if any, 
# can be expanded with $* or $@

# Create temporary file in THIS directory (hopefully in the same disk as $1:
# we need to hard link, which can only made in the same partition)
tmpd="$(mktemp -d  "$PWD/XXXXXXX.tmp" )"

# Upon exit, remove temporary directory, both on error and on success
trap 'rm -rf "$tmpd"' EXIT

# Make a *hard-linked* copy of our repository. It uses very little space 
# and is very quick 
cp -al "$LOCAL_DIR" "$tmpd"

# Copy the files. The final «"$@"» allows us to pass on arguments for rsync 
# from the command line (after the two directories).
rsync -a "$REMOTE_DIR"/   "$tmpd/"  --size-only "$@"

# Compare both trees
meld "$LOCAL_DIR"  "$tmpd"

例えば:

$ cd svn 
$ rsyncmeld myproject othermachine:myproject -v --exclude '*.svn' --exclude build

問題の真実は、あなたがrsync -v ...そしてファイル名を画面に出力し、そのファイルisが転送されます(または--dry-runを実行している場合は転送されます)。 whyを確認するには、rsyncが転送しようとしていたため、itemizeモードを使用します: https://serverfault.com/a/618740/2781

他の人が指摘したように、デフォルトでは、rsyncはファイルサイズとタイムスタンプに基づいて比較するだけです。どのファイルが異なるのかを本当に知りたい場合は、「-c」チェックサムモードを使用してください。

0
rogerdpack