genericsswiftui

SwiftUI custom container init()


I am making a custom SwiftUI view that will be based on Section(). My basic code looks like this, which works:

struct SettingsSection<Header: View, Content: View>: View {
    var header: () -> Header
    var content: () -> Content
    
    init(@ViewBuilder header: @escaping () -> Header, @ViewBuilder content: @escaping () -> Content)
    {
        self.header = header
        self.content = content
    }

    var body: some View {
        Section(content: {
            content()
        }, header: {
            header()
        })
    }
}

However I then want to add a simpler init that accepts just a string as a header. I tried to do the following:

    init(_ headerStr: String, @ViewBuilder content: @escaping () -> Content) {
        self.init(header: {
            Text(headerStr)
        }, content: content )
    }

But I am getting error "Generic parameter 'Header' could not be inferred" if SettingsSection is used like this, which is what I intend:

SettingsSection("Actions") {
   // ... content of the section
}

I can understand that Header type is not specified using this new init(), but certainly there must be a way how to create such simplified constructor ... am I right?


Solution

  • You just have to mark the init with Header's Type

    init(_ headerStr: String, @ViewBuilder content: @escaping () -> Content)
    where Header == Text { // MARK: init with Header Type
        self.init(header: {
            Text(headerStr)
        }, content: content )
    }