0

我正在尝试用单词和句子制作一个二维数组,然后制作另一个与之匹配但翻译成英文的二维数组。

这是我创建新课程时发生的课程模型的回调:

before_create do |lesson|
  require 'rmmseg'
  require "to_lang"
  require "bing_translator"

  lesson.parsed_content =[]
  lesson.html_content = []
  RMMSeg::Dictionary.load_dictionaries

  text = lesson.content
  text = text.gsub("。","^^.")
  text = text.gsub("?","~~?")
  text = text.gsub("!", "||!")

  text = text.split(/[.?!]/u) #convert to an array
  text.each do |s|
    s.gsub!("^^","。")
    s.gsub!("~~","?")
    s.gsub!("||","!")
  end

  text.each_with_index do |val, index|
    algor = RMMSeg::Algorithm.new(text[index])
    splittext = []
    loop do
      tok = algor.next_token
      break if tok.nil?
      tex = tok.text.force_encoding('UTF-8')
      splittext << tex
      text[index] = splittext
    end
  end

  lesson.parsed_content = text
  textarray = text
  translator = BingTranslator.new(BING_CLIENT_ID, BING_API_KEY)
  ToLang.start(GOOGLE_TRANSLATE_API)
  textarray.each_with_index do |sentence, si| #iterate array of sentence
    textarray[si] = []
    sentence.each_with_index do |word,wi| #iterate sentence's array of words
      entry = DictionaryEntry.find_by_simplified(word) #returns a DictionaryEntry object hash
      if entry == nil #for cases where there is no DictionaryEntry
        textarray[si] << word
      else
        textarray[si] << entry.definition
      end
    end
    lesson.html_content = textarray
  end
end

为什么我的变量lesson.parsed_contentlesson.html_content最终彼此相等?

我期待lesson.parsed_content成为中国人和lesson.html_content英国人,但他们最终都是英国人。我可能太累了,但我不明白为什么lesson.parsed_content也会以英语结束。

4

1 回答 1

4

您在它们中都引用了相同的数组:

lesson.parsed_content = text
textarray = text
# Various in-place modifications of textarray...
lesson.html_content = textarray

只是做lesson.parsed_content = text不重复text,它只是复制引用,所以你最终会得到四个指向同一条数据的东西:

text ------------------=-+--+--+----> [ ... ]
lesson.parsed_content -=-/  |  |
lesson.html_content ---=----/  |
textarray -------------=-------/

每个赋值只是简单地将另一个指针添加到同一个底层数组。

你不能用一个简单的方法来解决这个问题,lesson.parsed_content = text.dup因为dup只做一个浅拷贝并且不会复制内部数组。由于您知道您有一个数组数组,因此您可以手动获取外部和内部数组以获得完整副本,或者您可以使用标准的深度复制方法之一,例如通过Marshaldup往返。或者完全跳过复制,迭代但修改一个单独的数组。textarray

于 2012-12-27T05:14:46.387 回答