Someone's Alt
Someone's Alt

Reputation: 5

Node.js/Express error: cannot GET /

So I have some code (app.js, in the server)

console.log("Server started. If you're reading this then your computer is still alive."); //Unnecessary test command to make sure everything works.

var express = require("express");
var app = express();
var serv = require("http").Server(app);

app.get("/", function(req, res) {
    res.sendFile(__dirname + "/client");
});

app.use("/client", express.static(__dirname + "/client"));

serv.listen(2000);

//Set up server stuff. This isn't touched.

var io = require("socket.io")(serv, {});
io.sockets.on("connection", function(socket) {
    console.log("Socket connection"); //This will print to the server, not the developer console in your browser.
});

//Initialize sockets and set up socket listeners. This isn't touched either, except when adding new events.

And some more code:

<!DOCTYPE html>
<html>
    <head>
        <title>Multiplayer!</title>
        <script src="https://code.jquery.com/jquery-3.2.1.min.js"></script>
        <script src="/socket.io/socket.io.js"></script>
    </head>
    <body>

    <script>
        var socket = io();
    </script>

    </body>
</html>

My folder structure is:

multiplayer_game  
 app.js  
 package.json  
 node_modules (folder)  
  node stuff  
 client (folder)  
  index.html  
  js (folder)  
  img (folder)  
 server (folder) 

Where the farther in the file is, the more "nested" it is.
When I open the page by doing node app.js (folder already cd'ed) and go to localhost:2000, I get "Cannot GET /". When I go to localhost:2000/client, I get everything fine. What can I do to fix my code?

Upvotes: 0

Views: 898

Answers (1)

Rosmarine Popcorn
Rosmarine Popcorn

Reputation: 10965

You will need a router for that.

const router = express.Router;
router.get('/', function(req, res) {
    res.sendFile(__dirname + "/client");
});
app.use('/', router);

A middleware is not capable to handle various http methods.

Upvotes: 1

Related Questions