簡體   English   中英

findOneAndUpdate 不是 mongoose 的 function

[英]findOneAndUpdate is not a function of mongoose

我知道之前已經回答了這個問題,但我似乎無法將更改實施到我正在使用的內容中。 我正在嘗試創建一個日常命令來獎勵用戶執行 s.daily,我收到錯誤消息,

類型錯誤:profileData.findOneAndUpdate 不是 function

在 Object.execute (C:\Users--\Desktop\DiscBot\commands\daily.js:35:43)

在 module.exports (C:\Users--\Desktop\DiscBot\events\client\message.js:34:13)

daily.js,第 35 行的 findOneAndUpdate 錯誤不是 function

const Schema = require('../models/profileSchema')
//cache users that claim daily rewards
let claimedCache = []

const clearCache = () => {
  claimedCache = []
  setTimeout(clearCache, 1000 * 60 * 10)
}
clearCache()
//message to make it easier later
const alreadyClaimed = 'You have already claimed your daily rewards'

module.exports = {
    name: "daily",
    aliases: ["day", "d"],
    permissions: [],
    description: "Claim your daily rewards!",
    async execute(message, args, cmd, client, Discord, profileData) {

    const { serverID, member } = message
    const { id } = member
//If user is in cache return message
    if (claimedCache.includes(id)) {
      console.log('Returning from cache')
      message.reply(alreadyClaimed)
      return
    }
//Put everything in object for later
    const obj = {
      guildId: serverID,
      userId: id,
    }
//Results is an update that either updates if is user is not in array and doesn't if they are, but it doesn't know what findOneAndUpdate is (thought it was just a mongo/mongoose function??)
      try {
        const results = await profileData.findOneAndUpdate(obj)

        console.log('RESULTS:', results)

        if (results) {
          const then = new Date(results.updatedAt).getTime()
          const now = new Date().getTime()

          const diffTime = Math.abs(now - then)
          const diffDays = Math.round(diffTime / (1000 * 60 * 60 * 24))

          if (diffDays <= 1) {
            claimedCache.push(id)

            message.reply(alreadyClaimed)
            return
          }
        }
//after the update increase coins by 50 and send claimed message
        await profileRewardsSchema.findOneAndUpdate(obj, obj, {
          upsert: true,
        })

        claimedCache.push(id)
        const amount = 50;
        await profileModel.findOneAndUpdate(
            {
              userID: id,
            },
            {
              $inc: {
                coins: amount,
              },
            }
          );
        message.reply('You have claimed your daily rewards!')
      }catch (err) {
        console.log(err);
      }
    }
}

message.js,在這里我使用 mongoose 將 profileModel 傳遞到我的命令中

const profileModel = require("../../models/profileSchema");
const config = require('../../config.json');

module.exports = async (Discord, client, message) => {
    //command handler start

    const prefix = 's!';
    if (!message.content.startsWith(prefix) || message.author.bot) return;

    //database junk
    let profileData;
    try {
      profileData = await profileModel.findOne({ userID: message.author.id });
      if (!profileData) {
        let profile = await profileModel.create({
          userID: message.author.id,
          serverID: message.guild.id,
          coins: 10,
          bank: 0,
        });
        profile.save();
      }
    } catch (err) {
      console.log("Error creating new database profile");
    }
    
    const args = message.content.slice(prefix.length).split(/ +/);
    const cmd = args.shift().toLowerCase();
  
    const command = client.commands.get(cmd)  || client.commands.find(a => a.aliases && a.aliases.includes(cmd));
   
    if(!command) return message.channel.send(":x: This is not a valid command");
    try {
    command.execute(message, args, cmd, client, Discord, profileData);
    } catch (err) {
      message.reply('There was an error executing that command!');
    }
};

profileSchema.js,其中將配置文件制作成mongo數據庫

const mongoose = require("mongoose");

const profileSchema = new mongoose.Schema({
  userID: { type: String, require: true, unique: true },
  serverID: { type: String, require: true },
  coins: { type: Number, default: 10 },
  bank: { type: Number },
},
  {
    timestamps: true,
  }
)
const model = mongoose.model("ProfileModels", profileSchema);
module.exports = model;

main.js,這里連接mongoose,然后傳下去

mongoose.connect(process.env.MONGODB_SRV, {
    useNewUrlParser: true,
    useUnifiedTopology: true,
    useFindAndModify: false
})

您正在嘗試在文檔上調用 findOneAndUpdate,您通過該文檔在 message.js 中執行 function。 查看如何使用 findOneAndUpdate 的示例

https://mongoosejs.com/docs/tutorials/findoneandupdate.html

我猜 findOneAndUpdate 需要兩個相關參數(過濾器):要更新的數據和有效負載。

檢查 mongoosedocs 了解更多信息。

大多數情況下,當您在 model 的實例而不是實際的 model 實例上調用 mongoose 中的 findOneAndUpdate 時,會發生此錯誤

所以而不是這個

var NewUser = new User(req.user);
NewUser.findOneAndUpdate...

做這個

var NewUser = new User(req.user);
User.findOneAndUpdate(
        { name: NewUser.name },
        { name: NewUser.name},
        { upsert: true });

暫無
暫無

聲明:本站的技術帖子網頁,遵循CC BY-SA 4.0協議,如果您需要轉載,請注明本站網址或者原文地址。任何問題請咨詢:yoyou2525@163.com.

 
粵ICP備18138465號  © 2020-2024 STACKOOM.COM