0

我找到了一个计算 3D 模型并组合相同顶点的脚本。它具有以下逻辑,根据我的理解,顶点是顶点类的哈希映射:

unless vertices.key?(vertex)
  new_vertices << vertex
  vertices[ vertex ] = @vertex_index
  @vertex_index += 1
end

如果我们找到一个vertex唯一的,我们将它添加到new_vertices数组中。

我想修改它,以便哈希映射的键是顶点和材质的组合(两者都是 Sketchup 中的类,这是运行此脚本的软件)。这样做的最佳方法是什么,以便每个键都是两个类而不是一个类的组合?某种同时拥有顶点和材质的双重或类?哈希映射支持吗?

4

1 回答 1

1

在 Ruby 中,可以使用任何东西作为哈希键:

hash = {
  42 => "an integer",
  [42, "forty two"] => "an array",
  Class => "a class"
}
#⇒  {42=>"an integer", [42, "forty two"]=>"an array", Class=>"a class"}

hash[[42, "forty two"]]
#⇒ "an array"

也就是说,在您的情况下,您可以使用数组[vertex, material]作为键:

unless vertices.key?([vertex, material])
  new_vertices_and_materials << [vertex, material]
  vertices[[vertex, material]] = @vertex_index
  @vertex_index += 1
end

更红宝石的方法是调用Enumerable#uniq输入并执行以下操作:

input = [ # example input data
  [:vertex1, :material1],
  [:vertex2, :material1],
  [:vertex2, :material1],
  [:vertex2, :material2],
  [:vertex2, :material2]
]
new_vertices_and_materials = input.uniq
vertices_and_materials_with_index =
  new_vertices_and_materials.
    zip(1..new_vertices_and_materials.size).
    to_h
#⇒ {[:vertex1, :material1]=>1,
#   [:vertex2, :material1]=>2,
#   [:vertex2, :material2]=>3}
于 2018-08-28T10:53:43.950 回答