使用three.js建立大小不隨着場景變化的文字,須要如下兩步:html
一、將文字繪製到畫布上。git
二、建立着色器材質,把文字放到三維場景中。github
優勢:canvas
一、跟用html實現文字相比,這些文字能夠被模型遮擋,更具備三維效果。dom
二、不會隨着場景旋轉縮放改變尺寸,不存在遠處看不清的狀況,適用於三維標註。編輯器
效果圖:測試
示例代碼1:https://github.com/tengge1/ShadowEditor/blob/master/ShadowEditor.Web/src/object/text/UnscaledText.js字體
示例代碼2:https://gitee.com/tengge1/ShadowEditor/blob/master/ShadowEditor.Web/src/object/text/UnscaledText.jsspa
一、使用canvas繪製文字,先用黑色繪製描邊,而後用白色繪製文字。黑色描邊主要爲了讓文字在白色背景處能看清。code
let context = canvas.getContext('2d'); context.imageSmoothingQuality = 'high'; context.textBaseline = 'middle'; context.textAlign = 'center'; context.lineWidth = 4; let halfWidth = canvas.width / 2; let halfHeight = canvas.height / 2; // 畫描邊 context.font = `16px "Microsoft YaHei"`; context.strokeStyle = '#000'; context.strokeText(text, halfWidth, halfHeight); // 畫文字 context.fillStyle = '#fff'; context.fillText(text, halfWidth, halfHeight);
二、 建立着色器材質,將文字正對屏幕,渲染到三維場景中。
let geometry = new THREE.PlaneBufferGeometry(); let material = new THREE.ShaderMaterial({ vertexShader: UnscaledTextVertexShader, fragmentShader: UnscaledTextFragmentShader, uniforms: { tDiffuse: { value: new THREE.CanvasTexture(canvas) }, width: { value: canvas.width }, height: { value: canvas.height }, domWidth: { value: renderer.domElement.width }, domHeight: { value: renderer.domElement.height } }, transparent: true }); let mesh = new THREE.Mesh(geometry, material);
說明:因爲canvas上繪製的文字邊緣是半透明的,材質要設置成半透明才能實現文字邊緣平滑效果。
precision highp float; uniform float width; uniform float height; uniform float domWidth; uniform float domHeight; varying vec2 vUv; void main() { vUv = uv; vec4 proj = projectionMatrix * modelViewMatrix * vec4(0.0, 0.0, 0.0, 1.0); gl_Position = vec4( proj.x / proj.w + position.x * width / domWidth * 2.0, proj.y / proj.w + position.y * height / domHeight * 2.0, proj.z / proj.w, 1.0 ); }
說明:
a、(0.0, 0.0, 0.0)是平面中心世界座標,左乘modelViewMatrix和projectionMatrix後,獲得屏幕座標系中的座標。
b、proj.x / proj.w + position.x * width / domWidth * 2.0的意思是把平板中心放到世界座標系正確位置,讓平板顯示的寬度剛好等於屏幕上的像素數,避免文字縮放。
c、乘以2.0是由於three.js默認生成的平板寬度和高度是1,屏幕座標系寬度和高度都是從-1到1,是2。
d、gl_Position.w爲1.0時,是正投影,模型大小不隨着屏幕深度變化而改變。
precision highp float; uniform sampler2D tDiffuse; uniform float width; uniform float height; varying vec2 vUv; void main() { // 注意vUv必定要從畫布整數座標取顏色,不然會致使文字模糊問題。 vec2 _uv = vec2( (floor(vUv.s * width) + 0.5) / width, (floor(vUv.t * height) + 0.5) / height ); gl_FragColor = texture2D( tDiffuse, _uv ); }
說明:
一、uv座標必定要剛好對應畫布上的像素點,不然會致使文字模糊問題。
vec2 _uv = vec2( (floor(vUv.s * width) + 0.5) / width, (floor(vUv.t * height) + 0.5) / height );