1

我目前正在玩ThreeJS 贴花。我已经能够在我的球体上涂上美丽的污点。

这是我用来在我的球体上“应用”贴花的一段代码。(我有一些自定义类,但不要担心这个。

// Create sphere
var mainMesh = new THREE.Mesh(
    new THREE.SphereGeometry(7, 16, 16),
    new THREE.MeshBasicMaterial({ color: 0x00a1fd })
);

// Declare decal material
var decalMaterial = new THREE.MeshPhongMaterial({
    color               : 0xff0000,    
    specular            : 0x444444,
    map                 : TextureLoader.instance.getTexture('http://threejs.org/examples/textures/decal/decal-diffuse.png'),
    normalMap           : TextureLoader.instance.getTexture('http://threejs.org/examples/textures/decal/decal-normal.jpg'),
    normalScale         : new THREE.Vector2( 1, 1 ),
    shininess           : 30,
    transparent         : true,
    depthTest           : true,
    depthWrite          : false,
    polygonOffset       : true,
    polygonOffsetFactor : -4,
    wireframe           : false
});

// Create decal itself
var decal = new THREE.Mesh(
    new THREE.DecalGeometry(
        mainMesh,
        new THREE.Vector3(0, 2.5, 3),
        new THREE.Vector3(0, 0, 0),
        new THREE.Vector3(8, 8, 8),
        new THREE.Vector3(1, 1, 1)
    ),
    decalMaterial.clone()
);

// Add mesh + decal + helpers
scene.add(
    mainMesh,
    new THREE.HemisphereLight(0xffffff, 0, 1),
    decal,
    new THREE.WireframeHelper(decal, 0xffff00)
);

decal.add(new THREE.BoxHelper(decal, 0xffff00));

现在,我想在我的球体上移动这个污点,从而更新我贴花的几何形状。

不幸的是,当我调用 时decal.geometry.computeDecal(),贴花的网格不会更新。我找不到任何解决方案。

    function moveDecal()
    {
        decal.translateX(1);
        decal.geometry.computeDecal();
    };

根据DecalGeometry该类,该函数computeDecal已设置为 true 更新顶点、颜色、UV 等所需的各种成员......

    this.computeDecal = function() {
        // [...]
        this.verticesNeedUpdate     = true;
        this.elementsNeedUpdate     = true;
        this.morphTargetsNeedUpdate = true;
        this.uvsNeedUpdate          = true;
        this.normalsNeedUpdate      = true;
        this.colorsNeedUpdate       = true;
     };

谢谢您的帮助 !:D

PS:ThreeJS r80

4

1 回答 1

1

您正在尝试更新几何的顶点。

您可以更改顶点组件的值,

geometry.vertices[ 0 ].x += 1;

但你不能添加新的验证

geometry.vertices.push( new THREE.Vector3( x, y, z ) ); // not allowed

或分配一个新的顶点数组

geometry.vertices = new_array; // not allowed

在几何图形至少渲染一次之后。

同样,对于其他属性,例如 UV。

有关更多信息,请参阅此答案:verticesNeedUpdate in Three.js

三.js r.80

于 2016-09-21T19:28:36.013 回答