Reputation: 576
I'm trying to use babel to run my NodeJS program, which includes ES6 syntax and exports from the Colyseus library. However, when I run the command:
babel-node server.js
The following error message appears:
export class MyRoom extends colyseus.Room {
^^^^^^
SyntaxError: Unexpected token export
Below is my package.json file:
{
"name": "app",
"version": "1.0.0",
"description": "a description",
"main": "server.js",
"scripts": {
"test": "babel-node server.js",
"build": "babel-node server.js"
},
"author": "henryzhu",
"license": "ISC",
"dependencies": {
"actionhero": "^19.1.2",
"colyseus": "^0.9.33",
"easytimer.js": "^2.3.0",
"express": "^4.16.3",
"socket.io": "^2.1.0",
"socketio": "^1.0.0",
"uniqid": "^5.0.3"
},
"devDependencies": {
"babel-cli": "^6.26.0",
"babel-preset-env": "^1.7.0",
"babel-preset-es2015": "^6.24.1"
}
}
Below is my server.js file:
var colyseus = require("colyseus");
var http = require("http");
var express = require("express");
var port = process.env.port || 3000;
var app = express();
app.use(express.static("public", { dotfiles: 'allow' }));
var gameServer = new colyseus.Server({
server: http.createServer(app)
});
export class MyRoom extends colyseus.Room {
// When room is initialized
onInit (options) { }
}
gameServer.listen(port);
Upvotes: 12
Views: 28165
Reputation: 71
Adding a config file (babel.config.js) below worked for me. Also, the order is important. presets should be before all the plugins.
module.exports = {
presets: [['@babel/preset-env',{targets: {node:
'current',},loose:true,},],],
plugins: [
'@babel/plugin-syntax-dynamic-import',
'@babel/plugin-syntax-import-meta',
[
'@babel/plugin-transform-runtime',
{
useESModules: true,
},
],
],
};
Upvotes: 0
Reputation: 6445
Add a config file with the following (.babel.config.js
):
module.exports = {
presets: [
'@babel/preset-env'
]
};
Then run:
babel-node --config-file .babel.config.js server.js
Upvotes: 3
Reputation: 4045
babel-node is presumably expecting the node style module syntax:
module.exports = ...
instead of the es6 style:
export class ...
EDIT:
You might be able to fix it by specifying a .babelrc file like so:
{
"presets": ["env"]
}
with package babel-preset-env installed
Upvotes: 1