実現したいこと
モックを作成しテストを実行したい
発生している問題・分からないこと
Mongoose を使用した Node.js アプリケーション(バックエンド側)のテストを Jest で実行しようとしていますが、エラーが発生して進めません。
分かる方教えていただけると幸いです。
エラーメッセージ
error
1TypeError: _cryptid.Cryptid.find(...).sort is not a function
該当のソースコード
javascript
1// テストコード 2import request from "supertest"; 3import app from "../app.mjs"; 4 5// モックデータ 6const mockCryptids = [ 7 { _id: "1", name: "Bigfoot", size: "L", area: 1 }, 8 { _id: "2", name: "Nessie", size: "M", area: 2 }, 9]; 10jest.mock("../models/cryptid.mjs", () => ({ 11 Cryptid: { 12 find: jest.fn(() => ({ 13 sort: jest.fn().mockResolvedValue([]), 14 })), 15 findById: jest.fn(), 16 }, 17})); 18 19import { Cryptid } from "../models/cryptid.mjs"; 20 21describe("CgetAllCryptids", () => { 22 test("size クエリでフィルタリングできる", async () => { 23 Cryptid.find.mockResolvedValueOnce([mockCryptids[0]]); 24 const response = await request(app).get("/cryptids?size=L"); 25 26 expect(Cryptid.find).toHaveBeenCalled(); //成功する 27 expect(Cryptid.find().sort).toHaveBeenCalled(); //失敗する 28 29 expect(response.status).toBe(200); 30 }); 31});
javascript
1//テスト対象のモジュール 2export const getAllCryptids = async (req, res, next) => { 3 const { size, area, name } = req.query; 4 5 try { 6 7 // サイズで絞り込み 8 if(size) { 9 const filteredBySize = await Cryptid.find({ size: size }).sort({ updatedAt: -1 }); 10 return res.json(filteredBySize); 11 } 12 13 } catch (error) { 14 console.log(`エラー発生:${error}`); 15 next(error); 16 } 17}; 18 19 20
試したこと・調べたこと
- teratailやGoogle等で検索した
- ソースコードを自分なりに変更した
- 知人に聞いた
- その他
上記の詳細・結果
・エラーメッセージから、sort()が認識できていない
・expect(Cryptid.find).toHaveBeenCalled();
は成功するので、モックによりfind()は作成できた
・expect(Cryptid.find().sort).toHaveBeenCalled();
は以下のように失敗する
expect(jest.fn()).toHaveBeenCalled() Expected number of calls: >= 1 Received number of calls: 0 44 | 45 | expect(Cryptid.find).toHaveBeenCalled(); > 46 | expect(Cryptid.find().sort).toHaveBeenCalled(); | ^
・記述を変えたりしたがエラー変わらずでした
javascript
1jest.mock("../models/cryptid.mjs", () => ({ 2 Cryptid: { 3 find: jest.fn().mockReturnValue({ 4 sort: jest.fn(() => []), 5 }), 6 findById: jest.fn(), 7 }, 8}));
補足
"express": "^4.21.2",
"mongodb": "^6.12.0",
"mongoose": "^8.9.4"
あなたの回答
tips
プレビュー