[MetalKit]41-Working-with-Particles-in-Metal-part3粒子系統3

蘋果API搬運工發表於2017-12-25

本系列文章是對 metalkit.org 上面MetalKit內容的全面翻譯和學習.

MetalKit系統文章目錄


上次我們關注的是如何操縱GPU上的Model I/O物件的頂點.本文我們用另一種方式來通過計算執行緒來建立粒子.我們可以重用上次的playground,從修改metal檢視代理類的Particle結構體開始,只需要包含兩個GPU更新用的成員就行了-positionvelocity:

struct Particle {
    var position: float2
    var velocity: float2
}
複製程式碼

我們還可以刪除timer變數, 及translate(by:)update() 方法了.改得最多的是initializeBuffers() 方法:

func initializeBuffers() {
    for _ in 0 ..< particleCount {
        let particle = Particle(
        		position: float2(Float(arc4random() %  UInt32(side)), 
        				Float(arc4random() % UInt32(side))), 
        		velocity: float2((Float(arc4random() %  10) - 5) / 10, 
        				(Float(arc4random() %  10) - 5) / 10))
        particles.append(particle)
    }
    let size = particles.count * MemoryLayout<Particle>.size
    particleBuffer = device.makeBuffer(bytes: &particles, length: size, options: [])
}
複製程式碼

注意:我們在整個視窗範圍內生成隨機位置,並生成[-5,5]範圍內的速度值.將其除以10以讓速度慢下來.

最重要的部分則是在配置指令編碼器時.設定threads per group數量為2D網格,一邊為thread execution width,另一邊為maximum total threads per threadgroup,這兩個值是GPU的硬體特徵值,且在執行期間不會改變.設定threads per grid為一維陣列,size由粒子數量決定:

let w = pipelineState.threadExecutionWidth
let h = pipelineState.maxTotalThreadsPerThreadgroup / w
let threadsPerGroup = MTLSizeMake(w, h, 1)
let threadsPerGrid = MTLSizeMake(particleCount, 1, 1)
commandEncoder.dispatchThreads(threadsPerGrid, threadsPerThreadgroup: threadsPerGroup)
複製程式碼

注意:在新的Metal 2中,dispatchThreads(:) 可以不指定執行緒組數而直接工作.與使用舊的dispatchThreadgroups(:) 方法相比,新方法計算組數,並當網格尺寸不是組尺寸的倍數時提供nonuniform thread groups,並確保沒有未使用的執行緒.

回到核心著色器中,首先匹配CPU中的粒子結構體,然後在核心中更新位置和速度:

Particle particle = particles[id];
float2 position = particle.position;
float2 velocity = particle.velocity;
int width = output.get_width();
int height = output.get_height();
if (position.x < 0 || position.x > width) { velocity.x *= -1; }
if (position.y < 0 || position.y > height) { velocity.y *= -1; }
position += velocity;
particle.position = position;
particle.velocity = velocity;
particles[id] = particle;
uint2 pos = uint2(position.x, position.y);
output.write(half4(1.), pos);
output.write(half4(1.), pos + uint2( 1, 0));
output.write(half4(1.), pos + uint2( 0, 1));
output.write(half4(1.), pos - uint2( 1, 0));
output.write(half4(1.), pos - uint2( 0, 1));
複製程式碼

注意:我們做了邊界檢測,當遇到邊界時將速度取反,使粒子不會離開螢幕.還有一個小技巧,通過渲染出相鄰的四個粒子來讓整個粒子看起來更大點.

你可以設定particleCount1000000,但這樣會花費好幾秒來渲染全部粒子.我只用了10000個粒子,這樣它們在螢幕上不會顯得太擠.執行一下app,你會看到粒子隨機來回移動:

particles3.gif

至此,粒子渲染系統結束,感謝FlexMonkey分享對計算概念的見解,原始碼source code已釋出在Github上.

下次見!

相關文章