Skip to main content
3 of 4
edited body
ielyamani
  • 889
  • 1
  • 5
  • 18
  • According to the Swift API Design Guidelines, it's recommended to:

    • Use camel case and start with a lowercase letter for the names of variables.
    • Avoid including the type of the variable in its name

name variables [...] according to their roles, rather than their type constraints.

So use terrain instead of TerrainTexture, and device instead of Device.

  • Avoid force unwrapping Optionals unless you are sure it's never going to fail or if you really want the app to crash without providing you with any debugging information. Optional binding gives you the opportunity to give an alternate route to your code other than crashing. In this case, we could just throw an error using assert(), assertFailiure(), precondition(), preconditionFailiure, or fatalError. Let's use the latter because it allows us to print a string in the console before the app terminates, and it works for all app optimization levels in all build configurations.:
guard let device = MTLCreateSystemDefaultDevice() else {
    fatalError("Couldn't get a reference to the preferred default Metal device object.")
}
var terrain: MTLTexture {
    //Do all the necessay configuration
}

Another way to conceal the intermediate variables needed to build objects in your code base, is the Factory pattern 🏭.

  • For objects that take an empty initializer, like a MTLTextureDescriptor, you could use the Builder Pattern. It emphasizes the separation between the phase of building the object to your liking and the phase of actually using it. You could define a custom convenience initializer, but the Builder pattern gives you more freedom in the number of properties to initialize and the order of assigning values to the different properties of the object.

We could use this pattern to build the descriptor:

extension MTLTextureDescriptor: Buildable {}

let descriptor = MTLTextureDescriptor.builder()
    .textureType(.type2DArray)
    .arrayLength(TERRAIN_TEXTURES_COUNT)
    .width(TERRAIN_TEXTURE_SIZE)
    .height(TERRAIN_TEXTURE_SIZE)
    .mipmapLevelCount(TERRAIN_TEXTURE_MIPMAP_LEVEL_COUNT)
    .build()

This is possible via the power of Protocols, Dynamic member lookup and Keypaths:

@dynamicMemberLookup
class Builder<T> {
    private var value: T
    
    init(_ value: T) { self.value = value }
    
    subscript<U>(dynamicMember keyPath: WritableKeyPath<T, U>) -> (U) -> Builder<T> {
        {
            self.value[keyPath: keyPath] = $0
            return self
        }
    }
    
    func build() -> T { self.value }
}

protocol Buildable { init() }

extension Buildable {
    static func builder() -> Builder<Self> {
        Builder(Self())
    }
}

This talk and this article will help you understand this pattern better.

For a more comprehensive implementation of the Builder pattern, refer to this GitHub repository.

Kintsugi time

With the Builder pattern in a separate file, it's time to put together all the above remarks.

Here is how your code looks now after some much-needed makeover:

extension MTLTextureDescriptor: Buildable {}

var terrain: MTLTexture {
    guard let device = MTLCreateSystemDefaultDevice() else {
        fatalError("Couldn't get a reference to the preferred default Metal device object.")
    }
    
    let descriptor = MTLTextureDescriptor.builder()
        .textureType(.type2DArray)
        .arrayLength(TERRAIN_TEXTURES_COUNT)
        .width(TERRAIN_TEXTURE_SIZE)
        .height(TERRAIN_TEXTURE_SIZE)
        .mipmapLevelCount(TERRAIN_TEXTURE_MIPMAP_LEVEL_COUNT)
        .build()
    
    guard let texture = device.makeTexture(descriptor: descriptor) else {
        fatalError("Couldn't make a new texture object.")
    }
    
    return texture
}

This way your code is safer, better readable, and has stronger separation of concerns.

ielyamani
  • 889
  • 1
  • 5
  • 18