Vagrantfile 내에서 Vagrant 플러그인을 요구하십니까?
a를 실행 Vagrantfile
하려면 특정 Vagrant 플러그인을 설치해야합니다. 그래서 기본적으로해야 할 일은
$ vagrant plugin install foobar-plugin
$ vagrant up
첫 번째 단계를 건너 뛰면 vagrant up
실패합니다.
Vagrant에 플러그인을 자동으로 설치하는 옵션이 있습니까? 즉 Vagrantfile
, 머신을 생성하고 부팅하기 전에 자동으로 설치할 플러그인을 지정할 수 있습니까?
2019 업데이트 : Vagrant에는 이제 다음을 Vagrantfile
통해 플러그인을 요구하는 기능이 있습니다 .
Vagrant.configure("2") do |config|
config.vagrant.plugins = "vagrant-some-plugin"
# or as array:
config.vagrant.plugins = ["vagrant-some-plugin", "vagrant-some-other-plugin"]
# or as hash
config.vagrant.plugins = {"vagrant-some-plugin" => {"version" => "1.0.0"}}
end
참조 https://www.vagrantup.com/docs/vagrantfile/vagrant_settings.html를
2018 년 8 월 31 일 업데이트 : Vagrant의 최신 버전 (1.8 이상)은 아래 @Starx 수정 사항을 참조하십시오.
다음은 Louis St. Amour의 솔루션을 기반으로 한 버전입니다. 새 플러그인이 설치된 경우 재실행에 대한 Rob Kinyon의 의견과 함께 내 자신의 설정에서 성공적으로 사용합니다.
required_plugins = %w(vagrant-share vagrant-vbguest...)
plugins_to_install = required_plugins.select { |plugin| not Vagrant.has_plugin? plugin }
if not plugins_to_install.empty?
puts "Installing plugins: #{plugins_to_install.join(' ')}"
if system "vagrant plugin install #{plugins_to_install.join(' ')}"
exec "vagrant #{ARGV.join(' ')}"
else
abort "Installation of one or more plugins has failed. Aborting."
end
end
저는 Ruby 개발자이고 Bindler가 더 이상 유지 관리되지 않기 때문에 누락 된 경우 필요한 플러그인을 설치하기 위해 Vagrantfile 상단에 코드를 작성하는 것이 가장 자연 스럽습니다 (예 : Vagrant.configure
줄 앞 ).
다음은 나를 위해 작동합니다.
required_plugins = %w( vagrant-hostmanager vagrant-someotherplugin )
required_plugins.each do |plugin|
system "vagrant plugin install #{plugin}" unless Vagrant.has_plugin? plugin
end
system
는 백틱을 사용하는 것과 달리 명령을 직접 실행하는 것처럼 명령을 stdout에 에코합니다. 그리고 이렇게하면 Vagrant가 업데이트 할 수있는 필수 플러그인을 추적하기 위해 이상한 이름의 플러그인이나 시스템이 아직 필요하지 않습니다.
내가 따라 다른 질문에 대한 내 대답에 지적 , 당신은 사용할 수 있습니다 bindler 단일 명령을 사용하여 프로젝트에 플러그인의 특정 세트를 설치.
bindler가 설치되어 있고 필수 플러그인이 설치되어 있지 않으면 bindler가 오류를 발생시키고 프로세스를 중단합니다. s에 플러그인을 자동으로 설치하는 것과 관련된 공개 문제 도 vagrant up
있지만 아직 아무도 등록하지 않았습니다.
bindler를 사용하지 않으려면 Vagrant.has_plugin?
맨 위에있는 ( 1.3.0 이상에서 사용 가능)을 Vagrantfile
사용하고 필요한 플러그인이 설치되지 않은 경우 오류를 표시 할 수 있습니다.
다음과 같은 것 :
unless Vagrant.has_plugin?("vagrant-some-plugin")
raise 'some-plugin is not installed!'
end
Vagrant.configure("2") do |config|
config.vm.box = "box-name"
end
업데이트 : Bindler는 더 이상 지원되지 않으며 2015 년 5 월 11 일 현재 Vagrant 코어에서 동등한 기능을 제공하지 않았습니다.
Vagrant 1.5부터 Gemfile
. 업데이트에 대한 블로그 게시물에 따라 :
이제 Vagrant 1.5는 Gemfile의 "plugins"그룹에있는 모든 gem을 자동으로로드합니다. 예를 들어 다음은 "vagrant-bar"플러그인에 대한 Gemfile입니다.
source "https://rubygems.org" group :development do gem "vagrant", git: "https://github.com/mitchellh/vagrant.git" end group :plugins do gem "vagrant-foo", gem "vagrant-bar", path: "." end
Louis St-Amour의 답변에 댓글을 추가 할 수 없었지만, 누군가가 그의 솔루션을 확장하는 데 도움이 필요한 경우를 대비하여이 글을 게시하고 싶었습니다.
# Check for missing plugins
required_plugins = %w(vagrant-list)
plugin_installed = false
required_plugins.each do |plugin|
unless Vagrant.has_plugin?(plugin)
system "vagrant plugin install #{plugin}"
plugin_installed = true
end
end
# If new plugins installed, restart Vagrant process
if plugin_installed === true
exec "vagrant #{ARGV.join' '}"
end
Vagrant의 새 버전에서 @Amos Shapira의 답변은 무한 루프에 갇혀 있습니다. 그 이유는 각 호출이을 (를) vagrant plugin install
처리하고 Vagrantfile
처리 될 때 플러그인 설치와 관련된 코드를 반복해서 실행하기 때문입니다.
여기 루프를 피하는 내 솔루션이 있습니다.
# Plugins
#
# Check if the first argument to the vagrant
# command is plugin or not to avoid the loop
if ARGV[0] != 'plugin'
# Define the plugins in an array format
required_plugins = [
'vagrant-vbguest', 'vagrant-hostmanager',
'vagrant-disksize'
]
plugins_to_install = required_plugins.select { |plugin| not Vagrant.has_plugin? plugin }
if not plugins_to_install.empty?
puts "Installing plugins: #{plugins_to_install.join(' ')}"
if system "vagrant plugin install #{plugins_to_install.join(' ')}"
exec "vagrant #{ARGV.join(' ')}"
else
abort "Installation of one or more plugins has failed. Aborting."
end
end
end
I just noticed here http://docs.vagrantup.com/v2/plugins/packaging.html an instruction
Vagrant.require_plugin "vagrant-aws"
which does exactly the same thing as what descibed fgrehm: raising quickly an error if the plugin is not installed.
As far as I know, there are stil no way to auto-install plugins
My answer is very close to Louis St-Amour's answer, but instead of installing plugins automatically, it just raises an error message, so that the user has to install the plugin manually.
I would rather users be aware of any plugins that get installed, because they apply globally to all Vagrant instances, not just to the current Vagrantfile.
Put at the top of Vagrantfile
one line like this for each plugin, in this example, vagrant-vbguest
:
raise "vagrant-vbguest plugin must be installed" unless Vagrant.has_plugin? "vagrant-vbguest"
You could use this project (I am the author): https://github.com/DevNIX/Vagrant-dependency-manager
It's based on similar answers but trying to be more complete and stable. The big advantage of this idea is, you can distribute your Vagrantfile and it will run on every computer regardless of the installed plugins on that environment.
It is easy to use:
- Copy dependency_manager.rb next to your Vagrantfile
Include it and call
check_plugins
passing your dependencies as an arrayExample:
# -*- mode: ruby -*- # vi: set ft=ruby : require File.dirname(__FILE__)+"./dependency_manager" check_plugins ["vagrant-exec", "vagrant-hostsupdater", "vagrant-cachier", "vagrant-triggers"] Vagrant.configure(2) do |config| config.vm.box = "base" end
???
Profit!
I would love to merge pull requests, fix any issue you could have, and to get ideas of new features. Currently I'm thinking about updating the dependency manager itself, and requiring specific plugin versions :D
Regards!
I got a problem with new install of Vagrant, where .vagrant.d directory is not created yet. I was able to make the snippet from Luis St. Amour working by catching the exception.
required_plugins = %w(vagrant-share vagrant-vbguest)
begin
plugins_to_install = required_plugins.select { |plugin| not Vagrant.has_plugin? plugin }
if not plugins_to_install.empty?
puts "Installing plugins: #{plugins_to_install.join(' ')}"
if system "vagrant plugin install #{plugins_to_install.join(' ')}"
exec "vagrant #{ARGV.join(' ')}"
else
abort "Installation of one or more plugins has failed. Aborting."
end
end
rescue
exec "vagrant #{ARGV.join(' ')}"
end
Here's what I am using on Vagrant 1.8 and it is working fine. Put this somewhere before the configure block in your Vagrantfile.
# install required plugins if necessary
if ARGV[0] == 'up'
# add required plugins here
required_plugins = %w( plugin1 plugin2 plugin3 )
missing_plugins = []
required_plugins.each do |plugin|
missing_plugins.push(plugin) unless Vagrant.has_plugin? plugin
end
if ! missing_plugins.empty?
install_these = missing_plugins.join(' ')
puts "Found missing plugins: #{install_these}. Installing using sudo..."
exec "sudo vagrant plugin install #{install_these}; vagrant up"
end
end
참고URL : https://stackoverflow.com/questions/19492738/demand-a-vagrant-plugin-within-the-vagrantfile
'development' 카테고리의 다른 글
자바 스크립트 onclick 이벤트가있는 HTML 앵커 태그 (0) | 2020.10.28 |
---|---|
"git add, git commit"전후에 언제 "git pull"을 수행해야합니까? (0) | 2020.10.28 |
angular2는 특정 요소에서 수동으로 클릭 이벤트를 발생시킵니다. (0) | 2020.10.28 |
mysql-python을 설치하는 동안 "포함 파일을 열 수 없습니다 : 'config-win.h': 해당 파일 또는 디렉토리가 없습니다." (0) | 2020.10.28 |
다른 문자열에서 첫 번째 부분 문자열을 제거하는 가장 간단한 방법 (0) | 2020.10.28 |