I made my first server using express in typescript and it perfectly works
import app from './Server'
const server = app.listen(8080, '0.0.0.0', () => {
console.log("Server is listening on standard port 80...");
});
export default server;
Now I try testing the routes stored in app:
import express from 'express';
import * as bodyParser from "body-parser";
const app = express();
app.use(bodyParser.json());
app.get("/", (req: express.Request, res: express.Response) => {
res.status(200).send("SUCCESS");
});
export default app;
Using this test:
import * as chai from 'chai';
import chaiHttp = require('chai-http');
chai.use(chaiHttp);
import server from '../src';
describe("LogAPI", () => {
describe('Base express tests', () => {
it("Should return 'SUCCESS' if GET /", async () => {
return chai.request(server).get("/").then(res => {
chai.expect(res.body).to.equal("SUCCESS");
})
});
it("Should return status-code 200 by calling GET /", async () => {
return chai.request(server).get("/").then(res => {
chai.expect(res.status).to.equal(200);
})
});
});
});
But even while running the server itself works, staring the test with
mocha --require ts-node/register ./../test/**/*.ts
throws me this error:
/Users/.../NotificationService/src/Server/index.js:5 var app = express_1.default(); ^ TypeError: express_1.default is not a function at Object. (/Users/.../NotificationService/src/Server/inde> x.js:5:28)
I am using es6 target and commonjs module. How can I properly test my server?
Update 1
I now fiddled a bit and it turned out that deleting the default()
method from the compiled code resolved something.
Now, I get
/Users/.../NotificationService/test/node_modules/@types/chai-http/index.d.ts:13 import * as request from 'superagent'; SyntaxError: Unexpected token import
Update 2 My ts-config.json:
{
"compilerOptions": {
"target": "es6",
"module": "commonjs",
"outDir": "./../out“,
"strict": true,
"esModuleInterop": true
}
}
The answer was to not use seperate package.json and tsconfig.json files. Thanks to deerawan, I now use
- tsconfig.json
- package.json
- src/
- index.ts
- test/
- test.ts
which resolves the issue!