猫鼬模式 RESTfull API 和 getone

Mongoose Schema RESTfull API and getone

您好,我需要使用 mongoose 创建 RESTfull API 和 express 以获取酒店数据,但我遇到了问题。让我演示给你看。 我需要创建这个数据库模式。

 {
"hotels" : [{

"name" : "Hotel Emperador",
"stars" : "3",
"images" :[....],
"price" : "1596",
},
...]

}`

我正在使用 mongoose 并且我创建了这个模式

const hotelSchema = new mongoose.Schema({
    hotels:[{
    id : Number,
    name: String,
    stars: String,
    images: [String],
    price: String
    }]
  });

  const hotel = mongoose.model('hotel', hotelSchema);

我使用 hotel.save() 方法保存这个

const hotels = new hotel( {hotels:[{
    "name" : "Hotel Emperador",
    "stars" : "5",
    "images" :['https://media-cdn.tripadvisor.com/media/photo-s/03/01/e7/a1/hotel-bolivar.jpg'],
    "price" : "1596"
    },...]

问题是上面的模式可以满足我对数据库的要求吗?在 mongo 地图集上显示:

嗯,我的主要问题是因为当我 运行 这段代码没有获取酒店数组

 hotel.find({},function(err,result){
        if(err){
            console.log(err)
        } else {
            console.log(result)
               }

我得到了这个(console.log(结果),这很有意义,因为我在我的对象旅馆之前有一个数组。

[
  {
    _id: 5ee30d871e42964f0f3b3a10,
    hotels: [ [Object], [Object], [Object], [Object], [Object] ],
    __v: 0
  }
]

我需要做一些事情如何将我所有的嵌套对象放入数组中

 hotel.findOne({ _id:"5ee30d871e42964f0f3b3a10"},function(err,result){
        if(err){
            console.log(err)
        } else {
            console.log(result)
               }

这里我需要你的帮助,因为我找不到一种方法来在我的数组中找到一个酒店你能帮我吗?我需要通过 mongose 获得响应的方式

{
"name" : "Hotel Emperador",
"stars" : "3",
"images" :[....],
"price" : "1596",
}

感谢您的帮助。

问题是您将所有酒店对象存储在一个 hotel 文档中。要轻松实现您想要的行为,您可以按如下方式修改架构:

const HotelSchema = new mongoose.Schema({
    name: String,
    stars: String,
    images: [String],
    price: String
});
const Hotel = mongoose.model('hotel', HotelSchema);

要将您的酒店列表插入集合:

await Hotel.create([{
    "name" : "Hotel Emperador",
    "stars" : "5",
    "images" :['https://media-cdn.tripadvisor.com/media/photo-s/03/01/e7/a1/hotel-bolivar.jpg'],
    "price" : "1596"
    },
    ... // other hotel elements go here.
]);

最后,执行以下操作从集合中检索单个酒店:

const hotel = await Hotel.findOne({});

希望对您有所帮助。