12

我正在使用 Thor 并尝试将 YAML 输出到文件。在 irb 中,我得到了我的期望。YAML 格式的纯文本。但是当Thor中的方法的一部分时,它的输出是不同的......

class Foo < Thor
  include Thor::Actions

  desc "bar", "test"
  def set
    test = {"name" => "Xavier", "age" => 30}
    puts test
    # {"name"=>"Xavier", "age"=>30}
    puts test.to_yaml
    # !binary "bmFtZQ==": !binary |-
    #   WGF2aWVy
    # !binary "YWdl": 30
    File.open("data/config.yml", "w") {|f| f.write(test.to_yaml) }
  end
end

有任何想法吗?

4

3 回答 3

14

所有 Ruby 1.9 字符串都附加了一个编码。

YAML 将一些非 UTF8 字符串编码为二进制,即使它们看起来很无辜,也没有任何高位字符。您可能认为您的代码始终使用 UTF8,但内置函数可以返回非 UTF8 字符串(例如文件路径例程)。

为避免二进制编码,请在调用 to_yaml 之前确保所有字符串编码均为 UTF-8。使用 force_encoding("UTF-8") 方法更改编码。

例如,这就是我将选项哈希编码为 yaml 的方式:

options = {
    :port => 26000,
    :rackup => File.expand_path(File.join(File.dirname(__FILE__), "../sveg.rb"))
}
utf8_options = {}
options.each_pair { |k,v| utf8_options[k] = ((v.is_a? String) ? v.force_encoding("UTF-8") : v)}
puts utf8_options.to_yaml

这是 yaml 将简单字符串编码为二进制的示例

>> x = "test"
=> "test"
>> x.encoding
=> #<Encoding:UTF-8>
>> x.to_yaml
=> "--- test\n...\n"
>> x.force_encoding "ASCII-8BIT"
=> "test"
>> x.to_yaml
=> "--- !binary |-\n  dGVzdA==\n"
于 2012-03-29T20:22:26.783 回答
7

在 1.9.3p125 版本之后,ruby 内置 YAML 引擎将与以前不同地处理所有 BINARY 编码。您需要做的就是在您的 String.to_yaml 之前设置正确的非 BINARY 编码。

在 Ruby 1.9 中,所有 String 对象都附加了一个 Encoding 对象,并且正如以下博客(由 James Edward Gray II 撰写)所提到的,当 String 生成时,ruby 内置了三种类型的编码:http: //blog.grayproductions.net/articles/ ruby_19s_three_default_encodings

一种编码可能会解决您的问题 => 源代码编码

这是您的源代码的编码,可以通过在第一行或第二行添加魔术编码字符串来指定(如果您在源代码的第一行有一个 sha-bang 字符串)魔术编码代码可以是一个以下:

  • # 编码:utf-8
  • # 编码:utf-8
  • # - - 编码:utf-8 - -

因此,在您的情况下,如果您使用 ruby​​ 1.9.3p125 或更高版本,则应通过在代码开头添加一种魔术编码来解决此问题。

# encoding: utf-8
require 'thor'
class Foo < Thor
  include Thor::Actions

  desc "bar", "test"
  def bar
    test = {"name" => "Xavier", "age" => 30}
    puts test
    #{"name"=>"Xavier", "age"=>30}
    puts test["name"].encoding.name
    #UTF-8
    puts test.to_yaml
    #---
    #name: Xavier
    #age: 30
    puts test.to_yaml.encoding.name
    #UTF-8
  end
end
于 2012-10-20T07:20:19.187 回答
0

我一直在努力解决这个问题,在 Windows 上使用 1.9.3p545 - 只是使用包含字符串的简单哈希 - 而没有 Thor。

gem ZAML非常简单地解决了这个问题:

require 'ZAML'
yaml = ZAML.dump(some_hash)
File.write(path_to_yaml_file, yaml)
于 2014-07-23T06:46:02.063 回答