Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
347 views
in Technique[技术] by (71.8m points)

node.js - Javascript and singleton pattern

I am reading the book by Addy Osmani book, Learning Javascript design patterns. http://addyosmani.com/resources/essentialjsdesignpatterns/book/

I have created a file called singleton.js it contains:

var mySingleton = (function() {
var instance;

function init() {

    var privateRandomNumber = Math.random();

    return {
        getRandomNumber : function() {
            return privateRandomNumber;
        }
};


return {
    getInstance : function() {
        if (!instance) {
            instance = init();
        }
        return instance;
    }
};


})();

I have a file that uses this mySingleton class, in that file I have

var mySin = require('./util/ss_client');
var singleB = mySin.getInstance();

I get a compile error saying var singleB = mySin.getInstance();

I missed something in the ss_client file to export mySingleton class?

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

Yes, you need to export mySingleton by assigning it to module.exports. You also have a syntax error in your code (one of your braces is in the wrong place). Fixing those two things, you get:

var mySingleton = (function() {
  var instance;

  function init() {
    var privateRandomNumber = Math.random();

    return {
      getRandomNumber : function() {
        return privateRandomNumber;
      }
    };
  }

  return {
    getInstance : function() {
      if (!instance) {
        instance = init();
      }
      return instance;
    }
  };

})();

module.exports = mySingleton;

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...