如何使用此设置进行简单的路由测试?

时间:2019-01-04 03:18:41

标签: node.js testing mocha

编辑:经过努力寻求解决方案后,我确信这与package.json文件当前正在编译许多站点的方式有关。涉及Webpack和胡言乱语。我认为该解决方案将设置一个与完全编译的站点一起工作的测试服务器。

我正在完成节点课程,我想停下来再进一步进行测试。

ATM我只想能够测试本地路由回拨200。对于邮递员来说,这没问题,但是我无法获得摩卡测试。

app.js:

const express = require("express");
const session = require("express-session");
const mongoose = require("mongoose");
const MongoStore = require("connect-mongo")(session);
const path = require("path");
const cookieParser = require("cookie-parser");
const bodyParser = require("body-parser");
const passport = require("passport");
const { promisify } = require("es6-promisify");
const flash = require("connect-flash");
const expressValidator = require("express-validator");
const routes = require("./routes/index");
const helpers = require("./helpers");
const errorHandlers = require("./handlers/errorHandlers");

// create our Express app
const app = express();

// view engine setup
app.set("views", path.join(__dirname, "views")); // this is the folder where we keep our pug files
app.set("view engine", "pug"); // we use the engine pug, mustache or EJS work great too

// serves up static files from the public folder. Anything in public/ will just be served up as the file it is
app.use(express.static(path.join(__dirname, "public")));

// Takes the raw requests and turns them into usable properties on req.body
app.use(bodyParser.json());
app.use(bodyParser.urlencoded({ extended: true }));

// Exposes a bunch of methods for validating data. Used heavily on userController.validateRegister
app.use(expressValidator());

// populates req.cookies with any cookies that came along with the request
app.use(cookieParser());

// Sessions allow us to store data on visitors from request to request
// This keeps users logged in and allows us to send flash messages
app.use(
  session({
    secret: process.env.SECRET,
    key: process.env.KEY,
    resave: false,
    saveUninitialized: false,
    store: new MongoStore({ mongooseConnection: mongoose.connection })
  })
);

// // Passport JS is what we use to handle our logins
app.use(passport.initialize());
app.use(passport.session());

// // The flash middleware let's us use req.flash('error', 'Shit!'), which will then pass that message to the next page the user requests
app.use(flash());

// pass variables to our templates + all requests
app.use((req, res, next) => {
  res.locals.h = helpers;
  res.locals.flashes = req.flash();
  res.locals.user = req.user || null;
  res.locals.currentPath = req.path;
  next();
});

// promisify some callback based APIs
app.use((req, res, next) => {
  req.login = promisify(req.login, req);
  next();
});

// After allllll that above middleware, we finally handle our own routes!
app.use("/", routes);

// If that above routes didnt work, we 404 them and forward to error handler
app.use(errorHandlers.notFound);

// One of our error handlers will see if these errors are just validation errors
app.use(errorHandlers.flashValidationErrors);

// Otherwise this was a really bad error we didn't expect! Shoot eh
if (app.get("env") === "development") {
  /* Development Error Handler - Prints stack trace */
  app.use(errorHandlers.developmentErrors);
}

// production error handler
app.use(errorHandlers.productionErrors);

// done! we export it so we can start the site in start.js
module.exports = app;

该应用程序被设置为通过位于route /的文件index.js运行路由。然后,该文件调用视图文件...

我的测试似乎无法正确路由。

const expect = require("expect");
const request = require("supertest");
const app = require("./../../app");

describe("Dummy Test", () => {
  it("Should return 5", () => {
    const result = 2 + 3;
    expect(5);
  });
});

describe("Get /home", () => {
  it("should get home", done => {
    request(app)
      .get("/home")
      .expect(200)
      .end(done);
  });
});

它总是返回500。如果更深入的研究可能会有所帮助,我可以公开此回购协议。

1 个答案:

答案 0 :(得分:0)

不确定我是否会解决它,但希望至少可以为您激发一些新的调试思路。我通常将Superagent与Jest一起使用进行测试,但这看起来或多或少都非常相似。

我对文档(https://www.npmjs.com/package/supertest)进行了一些代码比较。

在此示例中,.end()上存在一些错误处理。想知道添加它是否可以帮助您诊断吗?

describe('POST /users', function() {
  it('responds with json', function(done) {
    request(app)
      .post('/users')
      .send({name: 'john'})
      .set('Accept', 'application/json')
      .expect(200)
      .end(function(err, res) {
        if (err) return done(err);
        done();
      });
  });
});

此外,此示例还显示done以逗号分隔,而不是单独一行上的.end(done)。您当前的方式也会显示出来,但这只是另一种尝试方式。

describe('GET /user', function() {
  it('respond with json', function(done) {
    request(app)
      .get('/user')
      .set('Accept', 'application/json')
      .expect('Content-Type', /json/)
      .expect(200, done);
  });
});

如果上述方法均无济于事,那么我最后的想法是您的“ / home”路线实际上返回了什么?我在您的应用文件中看到了路由导入,但是看不到实际的路由以供参考。您是否在/ home路由中尝试了其他console.log的/错误处理,以检查后端对所发送内容的看法?