web-dev-qa-db-ja.com

Capistranoにファイルが(リモートサーバー上に)存在するかどうかを確認するにはどうすればよいですか?

私がGoogleverseで見た他の多くのように、私はFile.exists?トラップの犠牲になりました。もちろん、あなたが展開しているサーバーではなくlocalファイルシステムをチェックします。

次のようなシェルハックを使用した結果が1つ見つかりました。

if [[ -d #{shared_path}/images ]]; then ...

しかし、Rubyメソッドで適切にラップされていない限り、それは私にはうまく合いません。

誰かがこれをエレガントに解決しましたか?

41
Teflon Ted

@knocteは正しいですが、captureには問題があります。通常、全員がデプロイメントを複数のホストにターゲット設定しているためです(キャプチャは最初のホストからの出力のみを取得します)。すべてのホストをチェックするには、代わりに invoke_command を使用する必要があります(これはcaptureが内部で使用するものです)。 all一致するサーバー全体にファイルが存在することを確認する例を次に示します。

def remote_file_exists?(path)
  results = []

  invoke_command("if [ -e '#{path}' ]; then echo -n 'true'; fi") do |ch, stream, out|
    results << (out == 'true')
  end

  results.all?
end

invoke_commandはデフォルトでrunを使用することに注意してください-詳細な制御については 渡すことができるオプション を確認してください。

48
Patrick Reagan

Capistrano 3では、次のことができます。

on roles(:all) do
  if test("[ -f /path/to/my/file ]")
    # the file exists
  else
    # the file does not exist
  end
end

これは、リモートテストの結果をローカルのRubyプログラムに返し、より簡単なシェルコマンドで作業できるためです。

58
Matt Connolly

テストを伴う@bhups応答に触発されました:

def remote_file_exists?(full_path)
  'true' ==  capture("if [ -e #{full_path} ]; then echo 'true'; fi").strip
end

namespace :remote do
  namespace :file do
    desc "test existence of missing file"
    task :missing do
      if remote_file_exists?('/dev/mull')
        raise "It's there!?"
      end
    end

    desc "test existence of present file"
    task :exists do
      unless remote_file_exists?('/dev/null')
        raise "It's missing!?"
      end
    end
  end
end
22
Teflon Ted

あなたがしたいかもしれません:

isFileExist = 'if [ -d #{dir_path} ]; then echo "yes"; else echo "no"; fi'.strip
puts "File exist" if isFileExist == "yes"
5
bhups

Capistranoでrunコマンドを使用する前にそれを実行しました(リモートサーバーでShellコマンドを実行します)

たとえば、ここに1つのcapistranoタスクがあります。このタスクは、database.ymlがshared/configsディレクトリーに存在するかどうかを確認し、存在する場合はリンクします。

  desc "link shared database.yml"
  task :link_shared_database_config do
    run "test -f #{shared_path}/configs/database.yml && ln -sf 
    #{shared_path}/configs/database.yml #{current_path}/config/database.yml || 
    echo 'no database.yml in shared/configs'"
  end
4