MacOS上的SwiftUI,- 打开新窗口

svmlkihl  于 2023-06-21  发布在  Swift
关注(0)|答案(1)|浏览(169)

在我的MacOS SwiftUI应用程序中,我想在新的Windows中显示一些视图。调用应该可以从代码的几个部分,所以我决定,实现它作为一个静态函数的特殊结构像这样。
工作正常-有什么要说的反对它?

struct Appwindows {
  
  static func newWindow(forSpecialView view: SpecialView, title: String = "new Window")
 { let newWindow = newWindowInternal(title: title)!
   
    newWindow.contentView = NSHostingView(rootView: view)
 }
  
  private static func newWindowInternal(title: String = "new Window") -> NSWindow!
 { var newWindow: NSWindow!
   newWindow = NSWindow(
     contentRect: NSRect(x: 20, y: 20, width: 680, height: 600),
     styleMask: [.titled, .closable, .miniaturizable, .resizable, .fullSizeContentView],
     backing: .buffered,
     defer: false)
     newWindow.center()
     newWindow.isReleasedWhenClosed = false
     newWindow.title = title
     newWindow.makeKeyAndOrderFront(nil)
     return newWindow
 }
}

有没有一种方法可以使它更通用,以便任何类型的视图都可以传递给func?

nzk0hqpo

nzk0hqpo1#

使你的函数通用化并添加视图约束。

static func newWindow<Content: View>(forSpecialView view: Content, title: String = "new Window") { // <-- Here

另一个好的和简单的解决方案是使用View扩展。

extension View {
    private func newWindowInternal(with title: String) -> NSWindow {
        let window = NSWindow(
            contentRect: NSRect(x: 20, y: 20, width: 680, height: 600),
            styleMask: [.titled, .closable, .miniaturizable, .resizable, .fullSizeContentView],
            backing: .buffered,
            defer: false)
        window.center()
        window.isReleasedWhenClosed = false
        window.title = title
        window.makeKeyAndOrderFront(nil)
        return window
    }
    
    func openNewWindow(with title: String = "new Window") {
        self.newWindowInternal(with: title).contentView = NSHostingView(rootView: self)
    }
}

用途:

struct ContentView: View {
    var body: some View {
        Button(action: {
            ContentViewNewWindow().openNewWindow()
        }) {
            Text("Open New Window")
        }
    }
}

相关问题