1

完全披露:我真的不了解 Ruby。我主要是在假装。

我有一个脚本,我想用它来收集 Casper 中的库存,我用它来管理一堆 Mac。我正在尝试将变量传递给带有%x. 问题是,Ruby 将变量视为注释。以下是相关代码:

def get_host
 host=%x(/usr/sbin/dsconfigad -show | /usr/bin/awk '/Computer Account/ {print $4}').chomp
 raise Error, "this machine must not be bound to AD.\n try again." if host == nil
end

def get_ou
  host = get_host
  dsout = %x(/usr/bin/dscl /Search -read /Computers/#{host}).to_a
  ou = dsout.select {|item| item =~ /OU=/}.to_s.split(",")[1].to_s.gsub(/OU=/, '').chomp
end

我尝试使用反引号而不是%x,但得到了相同的结果。该命令应该返回一堆关于它运行的主机的信息,但它返回的结果dscl /Search -read /Computers总是name: dsRecTypeStandard:Computers.

我怎样才能完成我想做的事情?

4

1 回答 1

5

问题就在这里。Ruby 总是返回方法中的最后一个表达式。

def get_host
  host=%x(/usr/sbin/dsconfigad -show | /usr/bin/awk '/Computer Account/ {print $4}').chomp
  raise Error, "this machine must not be bound to AD.\n try again." if host == nil
end

在这种情况下,最后一个表达式是:

raise Error, "this machine must not be bound to AD.\n try again." if host == nil

它将返回 if或 will return if的返回值raise(实际上不会发生)。所以你的方法永远不会返回. 将其替换为:host == nilnilhost != nilnil

def get_host
  host=%x(/usr/sbin/dsconfigad -show | /usr/bin/awk '/Computer Account/ {print $4}').chomp
  raise Error, "this machine must not be bound to AD.\n try again." if host == nil
  host
end
于 2012-05-09T21:23:27.673 回答