34

有没有办法从 UTF-8 编码文件中删除 BOM?

我知道我所有的 JSON 文件都以 UTF-8 编码,但编辑 JSON 文件的数据输入人员将其保存为 UTF-8 和 BOM。

当我运行我的 Ruby 脚本来解析 JSON 时,它失败并出现错误。我不想手动打开 58+ JSON 文件并在没有 BOM 的情况下转换为 UTF-8。

4

5 回答 5

37

使用 ruby​​ >= 1.9.2 您可以使用该模式r:bom|utf-8

这应该有效(我没有结合json测试它):

json = nil #define the variable outside the block to keep the data
File.open('file.txt', "r:bom|utf-8"){|file|
  json = JSON.parse(file.read)
}

BOM 在文件中是否可用并不重要。


Andrew 说,这File#rewind不能与 BOM 一起使用。

如果您需要倒带功能,您必须记住位置并替换rewindpos=

#Prepare test file
File.open('file.txt', "w:utf-8"){|f|
  f << "\xEF\xBB\xBF" #add BOM
  f << 'some content'
}

#Read file and skip BOM if available
File.open('file.txt', "r:bom|utf-8"){|f|
  pos =f.pos
  p content = f.read  #read and write file content
  f.pos = pos   #f.rewind  goes to pos 0
  p content = f.read  #(re)read and write file content
}
于 2011-10-15T20:42:45.690 回答
28

因此,解决方案是通过 gsub 对 BOM 进行搜索和替换!我强制将字符串编码为 UTF-8,并强制将正则表达式模式编码为 UTF-8。

通过查看http://self.d-struct.org/195/howto-remove-byte-order-mark-with-ruby-and-iconvhttp://blog.grayproductions,我能够得出一个解决方案。网/文章/ruby_19s_string

def read_json_file(file_name, index)
  content = ''
  file = File.open("#{file_name}\\game.json", "r") 
  content = file.read.force_encoding("UTF-8")

  content.gsub!("\xEF\xBB\xBF".force_encoding("UTF-8"), '')

  json = JSON.parse(content)

  print json
end
于 2011-02-16T02:00:04.530 回答
10

您还可以使用File.readandCSV.read方法指定编码,但不指定read模式。

File.read(path, :encoding => 'bom|utf-8')
CSV.read(path, :encoding => 'bom|utf-8')
于 2013-05-10T16:02:57.600 回答
5

如果您只读取文件一次,“bom|UTF-8”编码效果很好,但如果您调用 File#rewind 则会失败,就像我在代码中所做的那样。为了解决这个问题,我做了以下事情:

def ignore_bom
  @file.ungetc if @file.pos==0 && @file.getc != "\xEF\xBB\xBF".force_encoding("UTF-8")
end

这似乎运作良好。不确定是否还有其他类似类型的字符需要注意,但它们可以很容易地内置到此方法中,可以在您倒带或打开时随时调用。

于 2014-11-14T20:28:28.973 回答
2

对我有用的 utf-8 bom 字节的服务器端清理:

csv_text.gsub!("\xEF\xBB\xBF".force_encoding(Encoding::BINARY), '')
于 2018-08-28T19:36:36.420 回答