加入Fluent in Vapor加速崩溃

问题描述 投票:0回答:1

我有两个模型,他们有一对多关系。这是我的课程。

预订

final class Booking: PostgreSQLModel {
    /// The unique identifier for this `Todo`.
    var id: Int?

    /// A title describing what this `Todo` entails.
    var user_id: User.ID
    var product_id: Product.ID
    var count: Int

    /// Creates a new `Todo`.
    init(id: Int? = nil, user_id: User.ID, product_id: Product.ID, count: Int) {
        self.id = id
        self.user_id = user_id
        self.product_id = product_id
        self.count = count
    }
}
extension Booking {
    var user: Parent<Booking, User> {
        return parent(\.user_id)
    }
    var product: Parent<Booking, Product> {
        return parent(\.product_id)
    }
}

产品

final class Product: PostgreSQLModel {
    /// The unique identifier for this `Todo`.
    var id: Int?

    /// A title describing what this `Todo` entails.
    var name: String
    var image_url: String
    var description: String
    var price: Int?

    /// Creates a new `Todo`.
    init(id: Int? = nil, name: String, image_url: String, description: String, price: Int) {
        self.id = id
        self.name = name
        self.image_url = image_url
        self.description = description
        self.price = price
    }
}
extension Product {
    var bookings: Children<Product, Booking> {
        return children(\.product_id)
    }
}

现在我想获取用户的所有预订,并且每次预订我也想获取产品信息。所以为此,我试图加入BookingProduct表,但这引发了一个例外。

致命错误:'试试!'表达式意外地引发了错误:⚠️CoreError:Parent<Booking, Product>不符合ReflectionDecodable。 - id:CoreError.ReflectionDecodable:file /BuildRoot/Library/Caches/com.apple.xbs/Sources/swiftlang_Fall2018/swiftlang_Fall2018-1000.11.42/src/swift/stdlib/public/core/ErrorType.swift,第184行程序结束于退出代码:9

这是我加入的代码。

let booking = Booking.query(on: req).join(\Product.bookings, to:\Booking.product).filter(\.user_id == userID).decode(BookingM.self).all()
swift postgresql join vapor vapor-fluent
1个回答
0
投票

首先,使用您拥有的查询,您不需要加入Product表,因为您从不查询或解码它。

你的join声明:

.join(\Product.bookings, to:\Booking.product)

是不正确的。您应该加入Product.bookings属性,而不是加入Product.id属性,因为产品的ID是Booking.product属性所包含的。

所以你的Fluent查询应该是这样的:

let booking = Booking.query(on: req).join(\Booking.product, to:\Product.id).filter(\.user_id == userID).all()

我删除了.decoding调用因为查询已经解码了查询结果Booking

要使用bookings属性,您的查询将如下所示:

let booking = product.bookings.query(on: req).filter(\Booking.user_id == userID).all()
© www.soinside.com 2019 - 2024. All rights reserved.