从数据库加载数据并将其加载到 Vapor 3 中的视图的正确方法?

Correct way to load data from database and load it to the view in Vapor 3?

我有一个 Vapor 3 项目可以上传一些格式为 html 的内容字符串。并具有将此内容加载为 html 页面的功能。代码如下所示:

func newpost(_ reqest: Request) throws -> Future<View> {
    self.getContent(req: reqest) { (content) in
        return try reqest.view().render("newpost.leaf", content)
    }

}

func getContent(req:Request, callback: @escaping (String) -> ()) {
   let _ = BlogModel.query(on: req).first().map(to: BlogModel.self) { (blog) -> (BlogModel) in
        callback((blog?.content)!)
        return blog!
    }
}

但是这段代码会导致错误:

Invalid conversion from throwing function of type '(_) throws -> _' to non-throwing function type '(String) -> ()'

如果我尝试 return try reqest.view().render("newpost.leaf", content) 出块,那么我无法获得 content。请帮助我找到正确的加载方式。

您应该查看文档(Promises 等)中的 Async section。无需使用回调。

这可能是一种从数据库中获取数据并使用 Leaf 呈现数据的方法(这与您的代码的想法相同,但是用 Promises 替换了回调并清理了不必要的代码):

enum APIError: AbortError {
    case dataNotFound
}

/// Render the HTML string using Leaf
func newPost(_ req: Request) throws -> Future<View> {
    return getContent(req)
        .flatMap(to: View.self) { model in
            // By default, Leaf will assume all templates have the "leaf" extension
            // There's no need to specify it
            return req.view().render("newpost", model)
        }
}

/// Retrieve X content from the DB
private func getContent(_ req: Request) throws -> Future<BlogModel> {
    return BlogModel.query(on: req)
        .first() // can be nil
        .unwrap(or: APIError.dataNotFound)
        // returns an unwrapped value or throws if none
}

如果你不想在找不到数据时抛出异常,你可以使用 nil-coalescing 将 nil 转换为空字符串。