我一直在尝试使用Aframe和AR.js。对于增强现实应用程序,一个常见的问题是放置在标记上的对象变得非常“抖动”或“生涩”。我已经对该问题进行了一些研究,看来解决该问题的一种可能方法是在多个帧上平滑旋转和定位。不幸的是,几乎没有相关的教程,而我刚开始接触Html / Javascript。
因此,我的问题是:您是否知道在aframe实体中是否可能有一个函数来提取位置和旋转,对其进行平滑处理,然后将其传递给(我认为)使用这些平滑值的子实体放置?
<a-entity position="0 0 0" rotation="0 0 0" >
<a-video Mysmoothingfunction src="#video" width="3.5" height="2"></a-video>
</a-entity>
我可以想象开始看起来可能像这样:
<script type="text/javascript">
AFRAME.registerComponent("listener", {
schema :
{
stepFactor : {
type : "number",
default : 0.05
}
},
tick: function() {
this.getProperty("position"); // something like this?
}
</script>
您是否知道如何解决该问题?
答案 0 :(得分:2)
您的描述听起来像linear interpolation。在这里使用它应该很简单:
一旦可见标记,获取上一个视频的位置/旋转度,并使用实际的标记位置/旋转度进行近似计算。然后使用近似值更新视频。
近似值可以缓解“抖动”。在这种情况下,我将使用THREE lerp
函数。
如果您不熟悉linear interpolation,则可以将其视为使用线性函数的近似方法(这可能非常不精确,但这是我的想法)。
(附加到标记上的)代码如下:
AFRAME.registerComponent("listener", {
init: function() {
this.target = document.querySelector('#target'); // your video
this.prevPosition = null; // initially there is no position or rotation
this.prevRotation = null;
},
tick: function() {
if (this.el.object3D.visible) {
this.target.setAttribute('visible', 'true')
if(!this.prevPosition && !this.prevRotation) {
// there are no values to lerp from - set the initial values
this.target.setAttribute('position', this.el.getAttribute('position'))
this.target.setAttribute('rotation', this.el.getAttribute('rotation'))
} else {
// use the previous values to get an approximation
this.target.object3D.position.lerp(this.prevPosition, 0.1)
// this (below) may seem ugly, but the rotation is a euler, not a THREE.Vector3,
// so to use the lerp function i'm doing some probably unnecessary conversions
let rot = this.target.object3D.rotation.toVector3().lerp(this.prevRotation, 0.1)
this.target.object3D.rotation.setFromVector3(rot)
}
// update the values
this.prevPosition = this.el.object3D.position
this.prevRotation = this.el.object3D.rotation
} else {
// the marker dissapeared - reset the values
this.target.setAttribute('visible', 'false')
this.prevPosition = null;
this.prevRotation = null;
}
}
})
您会注意到,我在设置object3D
而不是官方的API(setAttribute()
/ getAttribute()
)的值。它应该更快,这是在tick()
函数中进行更改时所希望的。
Here是一个小故障(已插入一个框,其移动非常平稳)。