使用 gltf-transform 合并具有一些公共节点的多个 GLTF

时间:2021-06-23 11:01:03

标签: gltf

此问题是 Multiple GLTF loading and Merging on server side 的扩展。

我正在尝试合并多个也有一些公共节点的 GLTF 文件。 答案帮助我合并了文件,我通过以下代码组合了场景并完美呈现

    const scenes = root.listScenes()
    const scene0 = scenes[0]
    root.setDefaultScene(scene0);
    if(scenes.length > 1) {
      for(let i = 1 ; i < scenes.length;i++) {
        let scene = scenes[i];
        let nodes = scene.listChildren()
        for(let j = 0 ; j < nodes.length; j++) {
          scene0.addChild(nodes[j]);
        }
      }
    }

root.listScenes().forEach((b, index) => index > 0 ? b.dispose() : null);

我的问题是 GLTF 中常见的所有数据都被复制,这将在需要更改根骨骼时在动画中产生问题。有没有办法合并,这样公共节点就不会重复?我也在尝试一些自定义合并。

const gltfLoader=() => {
  const document = new Document();
  const root = document.getRoot();
  document.merge(io.read(filePaths[0]));
  let model;
  for (let i = 1 ; i < filePaths.length; i++) {
    const inDoc = new Document();
    inDoc.merge(io.read(filePaths[i]));
    model = inDoc.getRoot().listScenes()[0];
    model.listChildren().forEach((child) => {
      mergeStructure(root.listScenes()[0], child);
    });
  }

io.write('output.gltf', document);
}

const mergeStructure = (parent, childToMerge) => {
  let contains = false;
  parent.listChildren().forEach((child) => {
    if (child.t === childToMerge.t && !contains && child.getName() === childToMerge.getName()) {
      
      childToMerge.listChildren().forEach((subChild) => {
        mergeStructure(child, subChild);
      });
      contains = true;
    }
  });
  if (!contains) {
    console.log("Adding " + childToMerge.getName() + " to  " + parent.getName() + "  as child")
    parent.addChild(childToMerge);
  }
}

但由于 Error: Cannot link disconnected graphs/documents,此合并不起作用。 我是 3D 建模的新手。一些方向会很棒。

谢谢!

1 个答案:

答案 0 :(得分:2)

您在上面看到的错误是由于代码尝试移动单个资源而发生的 - 例如Nodes — 从一个 glTF Document 到另一个。这是不可能的,每个文档都在内部管理其资源图,但等效的工作流程是:

  1. 加载 N 个文件并合并为一个文档(包含 N 个场景)。
import { Document, NodeIO } from '@gltf-transform/core';

const io = new NodeIO();
const document = new Document();

for (const path of paths) {
  document.merge(io.read(path));
}
  1. 迭代所有场景,将他们的孩子移动到一些共同的场景:
const root = document.getRoot();
const mainScene = root.listScenes()[0];

for (const scene of root.listScenes()) {
  if (scene === mainScene) continue;

  for (const child of scene.listChildren()) {
    // If conditions are met, append child to `mainScene`. 
    // Doing so will automatically detach it from the
    // previous scene.
  }

  scene.dispose();
}
  1. 清理所有剩余的未合并资源。
import { prune } from '@gltf-transform/functions';

await document.transform(prune());