Ruby中执行shell命令

碰到需要调用操作系统shell命令的时候,Ruby为我们提供了六种完成任务的方法:
1.Exec方法:
Kernel#exec方法通过调用指定的命令取代当前进程:
例子:

   $ irb      
  >> exec 'echo "hello $HOSTNAME"'         
  hello nate.local      
  $

值得注意的是,exec方法用echo命令来取代了irb进程从而退出了irb。主要的缺点是,你无法从你的ruby脚本里知道这个命令是成功还是失败。

2.System方法。
Kernel#system方法操作命令同上, 但是它是运行一个子shell来避免覆盖当前进程。如果命令执行成功则返回true,否则返回false。

   $ irb               
  >> system 'echo "hello $HOSTNAME"'  
  hello nate.local  
  => true  
  >> system 'false'   
  => false  
  >> puts $?  
  256  
  => nil  
  >> 

3.反引号(Backticks,Esc键下面那个键)

  $ irb 
   >> today = `date`  
  => "Mon Mar 12 18:15:35 PDT 2007n"   
  >> $?  
  => #  
  >> $?.to_i  
  => 0

这种方法是最普遍的用法了。它也是运行在一个子shell中。

4.IO#popen

  $ irb 
    >> IO.popen("date") { |f| puts f.gets }  
     Mon Mar 12 18:58:56 PDT 2007  
     => nil

5.open3#popen3

   $ irb  
  >> stdin, stdout, stderr = Open3.popen3('dc')   
  => [#, #, #]  
  >> stdin.puts(5)  
  => nil  
  >> stdin.puts(10)  
  => nil  
  >> stdin.puts("+")  
  => nil  
  >> stdin.puts("p")  
  => nil  
  >> stdout.gets  
  => "15n"

6.Open4#popen4

   $ irb  
  >> require "open4"   
  => true  
  >> pid, stdin, stdout, stderr = Open4::popen4 "false"   
  => [26327, #, #, #]  
  >> $?  
  => nil  
  >> pid  
  => 26327  
  >> ignored, status = Process::waitpid2 pid  
  => [26327, #]  
  >> status.to_i  
  => 256

更多精彩,请关注微信公众号: python爱好部落

Ruby中执行shell命令_第1张图片
qrcode_for_gh_ca85abea157e_430.jpg

你可能感兴趣的:(Ruby中执行shell命令)