Express.js session undefined in method put

Building an API with node and express. In my "home" route i set a session with a users id. When i want to add and update information on a user i want to access the session to know which user to update. In my get routes i can access the session, but in my route with put method its always undefined. Why is this?

app.get('/users/:id/spots', spot.findSpotsByUserId); //I set the session in this method
app.get('/spots/:id', spot.findById);
app.put('/userspot/spot/:spotId/add'', spot.addUserSpot);

exports.findSpotsByUserId = function(req, res) {
    var id = req.params.id; //Should ofc be done with login function later  

    db.collection('users', function(err, collection) {
        collection.findOne({'_id':new BSON.ObjectID(id)}, function(err, user) {

            if (err) {
                res.send({'error':'Couldnt find user'});
            } else {
                req.session.userId = id;//<----- sets session
                console.log("SESSION",req.session.userId);               
            }
......}



exports.findById = function(req, res) {
    var id = req.params.id;
    console.log('Get spot: ' + id);
    console.log("SESSION!",req.session.userId);// <----prints the id!
    db.collection('spots', function(err, collection) {
        collection.findOne({'_id':new BSON.ObjectID(id)}, function(err, item) {
            res.send(item);
        });
    });
};

exports.addUserSpot = function(req, res) {

    var user = req.session.userId;
    var spot = req.params.spotId; 
    console.log("SESSION!",req.session.userId);// always UNDEFINED!

//........}

You are looking for req.params.userId, not req.session.

The session is persisted between multiple calls, and it has no connection to the params object. You can set req.session.userId in a previous call and access it here, but I don't think this is what you want.

Try this:

exports.findById = function(req, res) {
    req.session.test = "from findById";
    ...
};

exports.addUserSpot = function(req, res) {
    console.log(req.session.test, req.params.userId);
    ...
};