Nodejs web scraper for password protected website

I am trying to clean up a site using nodejs and it works great on sites that don't require any authentication. But whenever I try to clear a site with a form that requires a username and password, I only get HTML from the authentication page (that is, if you click "view page source" on the authentication page, this is myself, that is, the HTML I get) ... I can get the HTML I want using curl

curl -d "username=myuser&password=mypw&submit=Login" URL

      

Here is my code ...

var express = require('express');
var fs = require('fs'); //access to file system
var request = require('request');
var cheerio = require('cheerio');
var app     = express();

app.get('/scrape', function(req, res){
url = 'myURL'

request(url, function(error, response, html){

    // check errors
    if(!error){
        // Next, we'll utilize the cheerio library on the returned html which will essentially give us jQuery functionality
        var $ = cheerio.load(html);

        var title, release, rating;
        var json = { title : "", release : "", rating : ""};

        $('.span8 b').filter(function(){
            // Let store the data we filter into a variable so we can easily see what going on.
            var data = $(this);
            title = data.first().text();
            release = data.text();

            json.title = title;
            json.release = release;
        })
    }
    else{
        console.log("Error occurred: " + error);
    }

    fs.writeFile('output.json', JSON.stringify(json, null, 4), function(err){

        console.log('File successfully written! - Check your project directory for the output.json file');

    })

    res.send('Check your console!')
})

})

app.listen('8081')
console.log('Magic happens on port 8081');
exports = module.exports = app;

      

I've tried the following ...

var request = require('request',
    username:'myuser',
    password:'mypw');

      

This just returns an HTML authentication page

request({form: {username:myuser, password:mypw, submit:Login}, url: myURL}, function(error, response, html){
    ...
    ...
    ...
}

      

This also just returns an HTML authentication page

So my question is how to achieve this with nodejs?

+3


source to share


1 answer


you shouldn't be using .get but .post, and put the post parameter (username and password) in your call



request.post({
  headers: {'content-type' : 'application/x-www-form-urlencoded'},
  url:     url,
  body:    "username=myuser&password=mypw&submit=Login"
}, function(error, response, html){
    //do your parsing... 
    var $ = cheerio.load(html)
});

      

+2


source







All Articles