NodeJS использует класс из другого файла - PullRequest
0 голосов
/ 14 мая 2018

У меня есть файл сценария java, который ссылается на другой файл javascript, который содержит класс, используя

const Champion = require("./championgg_webscraper_cheerio.js");

Затем я пытаюсь создать экземпляр объекта класса Champion с помощью

var temp = new Champion("hello");
console.log(temp);

И когда я это делаю, он выводит это на консоль с указанием и неопределенной переменной:

Champion {}

Также, когда я пытаюсь распечатать свойства класса, который я получаю неопределенным, я думаю, что он может не иметь доступа к переменной most_frequent_completed_build.

console.log(temp.most_frequent_completed_build);

Вот посмотрите на файл championgg_webscraper_cheerio.js

function Champion(champName) {
  //CHEERIO webscraping
  var cheerio = require('cheerio');
  //REQUEST http library
  var request = require('request');
  //url of the champion
  var url = "http://champion.gg/champion/Camille/Top?";
  var most_frequent_completed_build;
  var highest_win_percentage_completed_build;
  request(url,
    function(error, response, html) {
      if (!error && response.statusCode == 200) {
        var $ = cheerio.load(html);
        var final_build_items = $(".build-wrapper a");
        var mfcb = [];
        var hwpcb = [];
        for (i = 0; i < 6; i++) {
          var temp = final_build_items.get(i);
          temp = temp.attribs.href;
          //slices <'http://leagueoflegends.wikia.com/wiki/> off the href
          temp = temp.slice(38);
          mfcb.push(temp);
        }
        for (i = 6; i < 12; i++) {
          var temp = final_build_items.get(i);
          temp = temp.attribs.href;
          //slices <'http://leagueoflegends.wikia.com/wiki/> off the href
          temp = temp.slice(38);
          hwpcb.push(temp);
        }
        most_frequent_completed_build = mfcb;
        highest_win_percentage_completed_build = hwpcb;
      } else {
        console.log("Response Error: " + response.statusCode);
      }
    }
  );
};
module.exports = Champion;

Ответы [ 3 ]

0 голосов
/ 14 мая 2018

Я думаю, вам нужен Конструктор функции с именем Чемпион (прототип или классные чертежи в других языках программирования, таких как Java).

В качестве альтернативыЯ бы посоветовал вам изучить ES6 способ написания классов , аналогичный Java.

Этого можно добиться, добавив все переменные или методы в эта переменная внутри Конструктора функций, так что вы можете получить к ним доступ, используя объект, созданный с помощью ключевого слова 'new', т.е. сделать их членами или методами класса.

В вашемcase,

function Champion(champName) {
    //Some code

    this.most_frequent_completed_build = NULL;

    //Rest of code
}

module.exports = Champion;

Просто убедитесь, что всякий раз, когда вы пытаетесь получить доступ к переменным класса, всегда используйте this.variable_name, как this.most_frequent_completed_build.

Поэтому, когда вы создаете новый объект этого класса в основном приложениивы сможете получить доступ ко всем членам и методам класса.

const Champion = require("./championgg_webscraper_cheerio.js");

var temp = new Champion("hello");
console.log(temp.most_frequent_completed_build);
0 голосов
/ 14 мая 2018
    function Champion(champName) {
  //CHEERIO webscraping
  var cheerio = require('cheerio');
  //REQUEST http library
  var request = require('request');
  //url of the champion
  var url = "http://champion.gg/champion/Camille/Top?";
  var most_frequent_completed_build;
  var highest_win_percentage_completed_build;
  request(url,
    function(error, response, html) {
      if (!error && response.statusCode == 200) {
        var $ = cheerio.load(html);
        var final_build_items = $(".build-wrapper a");
        var mfcb = [];
        var hwpcb = [];
        for (i = 0; i < 6; i++) {
          var temp = final_build_items.get(i);
          temp = temp.attribs.href;
          //slices <'http://leagueoflegends.wikia.com/wiki/> off the href
          temp = temp.slice(38);
          mfcb.push(temp);
        }
        for (i = 6; i < 12; i++) {
          var temp = final_build_items.get(i);
          temp = temp.attribs.href;
          //slices <'http://leagueoflegends.wikia.com/wiki/> off the href
          temp = temp.slice(38);
          hwpcb.push(temp);
        }
        most_frequent_completed_build = mfcb;
        highest_win_percentage_completed_build = hwpcb;
      } else {
        console.log("Response Error: " + response.statusCode);
      }
    }
  );
  return {most_frequent_completed_build:most_frequent_completed_build};
};
module.exports = Champion;

    var temp = new Champion("hello");
console.log(temp.most_frequent_completed_build);
0 голосов
/ 14 мая 2018

Вы экспортируете функцию

Все, что вам нужно сделать, это вызвать эту функцию, как

var temp = Champion();

Подробнее о new ключевом слове здесь и здесь

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...