CoderSenju
CoderSenju

Reputation: 39

nodeJS: Sending html data from one js to another

The code below is working

var express = require('express')
var app =  express();
var fs = require('fs')
var addUserToDB = require('./addUserToDB')

app.use('addUserToDB', addUserToDB)

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

var server = app.listen(8087,function(){

    console.log("Listening at 8087");
})


app.get('/addUserToDB',function(req,res){

    firstname = req.query.firstname;
    console.log(firstname)
})

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

However, when I try to remove the following method and place it into another .js file so I can get the firstName from that file. It's not working. The following code is in addUserToDB.js:

var addUserToDB = app.get('/addUserToDB',function(req,res){

        firstname = req.query.firstname;
        console.log(firstname)
    })
module.exports = addUserToDB;

I have tried making a addUserToDB.js file and added the code

var express = require('express')
var app = express();

app.get('addUserToDB',function(req,res){

    firstname = req.query.firstname;
    console.log(firstname)
})

but it seems I am missing something because it doesn't work. Thanks.

Upvotes: 1

Views: 70

Answers (1)

A few things here. First, need to do a require of addUserToDB.js from server.js (I will assume that's the name of your main file) and then use it as a middleware. Also, you need to export the app from addUserToDB.js.

server.js:

var express = require('express')
var app =  express();
var fs = require('fs')
var addUserToDB = require('./addUserToDB');

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

var server = app.listen(8087,function(){

    console.log("Listening at 8087");
})

app.use(addUserToDB);

addUserToDB.js:

var express = require('express')
var router = express.Router();

router.get('/addUserToDB',function(req,res){

    firstname = req.query.firstname;
    console.log(firstname)
})

module.exports = router;

Upvotes: 2

Related Questions