I have a Model which conforms to Content:
import Vapor
import Fluent
final class User: Model, Content {
    static let schema = "user"
    
    @ID(key: .id)
    var id: UUID?
    @Field(key: "email")
    var email: String
    init() { }
    init(id: UUID? = nil, email: String) {
        self.id = id
        self.email = email
    }
}
This can be fetched from the database and directly returned from a route, so the client receives the users as JSON.
Now I want to add an additional property to the user, which isn't stored in the database but a fixed value or just added after the user is loaded from the database:
final class User: Model, Content {
    // ...
    var someOther: String = "hello"
    // ...
}
or
final class User: Model, Content {
    // ...
    var someOther: String? // set later
    // ...
}
Now the problem is that this property is never added to the JSON, so the client only gets the user's id and email and NOT the someProperty. How do I fix this?
 
    