CoffeeScriptでプライベートな非静的メンバーを作成する方法を知っている人はいますか?現在、私はこれを行っていますが、アンダースコアで始まるパブリック変数を使用して、クラスの外部で使用しないでください:
class Thing extends EventEmitter
constructor: (@_name) ->
getName: -> @_name
変数をクラスに入れると、変数は静的メンバーになりますが、どのようにして非静的にすることができますか? 「空想」を取得せずにそれも可能ですか?
「空想」を取得せずにそれも可能ですか?
悲しいことに、あなたはfancyでなければなりません。
class Thing extends EventEmitter
constructor: (name) ->
@getName = -> name
"JavaScriptだけです。"
クラスは単なる関数なので、スコープを作成します。このスコープ内で定義されたすべてのものは、外部からは見えません。
class Foo
# this will be our private method. it is invisible
# outside of the current scope
foo = -> "foo"
# this will be our public method.
# note that it is defined with ':' and not '='
# '=' creates a *local* variable
# : adds a property to the class prototype
bar: -> foo()
c = new Foo
# this will return "foo"
c.bar()
# this will crash
c.foo
coffeescriptはこれを次のようにコンパイルします。
(function() {
var Foo, c;
Foo = (function() {
var foo;
function Foo() {}
foo = function() {
return "foo";
};
Foo.prototype.bar = function() {
return foo();
};
return Foo;
})();
c = new Foo;
c.bar();
c.foo();
}).call(this);
もっとおしゃれなものを見せたい
class Thing extends EventEmitter
constructor: ( nm) ->
_name = nm
Object.defineProperty @, 'name',
get: ->
_name
set: (val) ->
_name = val
enumerable: true
configurable: true
今、あなたはできる
t = new Thing( 'Dropin')
# members can be accessed like properties with the protection from getter/setter functions!
t.name = 'Dragout'
console.log t.name
# no way to access the private member
console.log t._name
こちら 設定について見つけた最高の記事public static members
、private static members
、public and private members
、およびその他の関連するもの。それは多くの詳細とjs
対coffee
比較をカバーしています。そして、historical理由のために、ここからの最良のコード例があります:
# CoffeeScript
class Square
# private static variable
counter = 0
# private static method
countInstance = ->
counter++; return
# public static method
@instanceCount = ->
counter
constructor: (side) ->
countInstance()
# side is already a private variable,
# we define a private variable `self` to avoid evil `this`
self = this
# private method
logChange = ->
console.log "Side is set to #{side}"
# public methods
self.setSide = (v) ->
side = v
logChange()
self.area = ->
side * side
s1 = new Square(2)
console.log s1.area() # output 4
s2 = new Square(3)
console.log s2.area() # output 9
s2.setSide 4 # output Side is set to 4
console.log s2.area() # output 16
console.log Square.instanceCount() # output 2
Vitalyの答えには1つの問題があります。つまり、スコープにniqueにしたい変数を定義することはできません。クラスのすべてのインスタンス。したがって、その問題を解決する方法は1つあります。
# create a function that will pretend to be our class
MyClass = ->
# this has created a new scope
# define our private varibles
names = ['joe', 'jerry']
# the names array will be different for every single instance of the class
# so that solves our problem
# define our REAL class
class InnerMyClass
# test function
getNames: ->
return names;
# return new instance of our class
new InnerMyClass
getNames
を使用しない限り、外部から名前の配列にアクセスすることは不可能ではありません。
これをテストする
test = new MyClass;
tempNames = test.getNames()
tempNames # is ['joe', 'jerry']
# add a new value
tempNames.Push 'john'
# now get the names again
newNames = test.getNames();
# the value of newNames is now
['joe', 'jerry', 'john']
# now to check a new instance has a new clean names array
newInstance = new MyClass
newInstance.getNames() # === ['joe', 'jerry']
# test should not be affected
test.getNames() # === ['joe', 'jerry', 'john']
コンパイルされたJavascript
var MyClass;
MyClass = function() {
var names;
names = ['joe', 'jerry'];
MyClass = (function() {
MyClass.name = 'MyClass';
function MyClass() {}
MyClass.prototype.getNames = function() {
return names;
};
return MyClass;
})();
return new MyClass;
};
ここに他のいくつかの答えと https://stackoverflow.com/a/7579956/148451 を利用したソリューションがあります。プライベートインスタンス(非静的)変数をプライベートクラス(静的)配列に格納し、オブジェクトIDを使用して、その配列のどの要素に各インスタンスに属するデータが含まれているかを確認します。
# Add IDs to classes.
(->
i = 1
Object.defineProperty Object.prototype, "__id", { writable:true }
Object.defineProperty Object.prototype, "_id", { get: -> @__id ?= i++ }
)()
class MyClass
# Private attribute storage.
__ = []
# Private class (static) variables.
_a = null
_b = null
# Public instance attributes.
c: null
# Private functions.
_getA = -> a
# Public methods.
getB: -> _b
getD: -> __[@._id].d
constructor: (a,b,@c,d) ->
_a = a
_b = b
# Private instance attributes.
__[@._id] = {d:d}
# Test
test1 = new MyClass 's', 't', 'u', 'v'
console.log 'test1', test1.getB(), test1.c, test1.getD() # test1 t u v
test2 = new MyClass 'W', 'X', 'Y', 'Z'
console.log 'test2', test2.getB(), test2.c, test2.getD() # test2 X Y Z
console.log 'test1', test1.getB(), test1.c, test1.getD() # test1 X u v
console.log test1.a # undefined
console.log test1._a # undefined
# Test sub-classes.
class AnotherClass extends MyClass
test1 = new AnotherClass 's', 't', 'u', 'v'
console.log 'test1', test1.getB(), test1.c, test1.getD() # test1 t u v
test2 = new AnotherClass 'W', 'X', 'Y', 'Z'
console.log 'test2', test2.getB(), test2.c, test2.getD() # test2 X Y Z
console.log 'test1', test1.getB(), test1.c, test1.getD() # test1 X u v
console.log test1.a # undefined
console.log test1._a # undefined
console.log test1.getA() # fatal error
ここでは、Coffeescriptでプライベートで非静的なメンバーを宣言する方法を示します
完全なリファレンスについては、 https://github.com/vhmh2005/jsClass をご覧ください。
class Class
# private members
# note: '=' is used to define private members
# naming convention for private members is _camelCase
_privateProperty = 0
_privateMethod = (value) ->
_privateProperty = value
return
# example of _privateProperty set up in class constructor
constructor: (privateProperty, @publicProperty) ->
_privateProperty = privateProperty
コーヒースクリプトの「クラス」は、プロトタイプベースの結果につながります。したがって、プライベート変数を使用しても、インスタンス間で共有されます。あなたはこれを行うことができます:
EventEmitter = ->
privateName = ""
setName: (name) -> privateName = name
getName: -> privateName
..につながる
emitter1 = new EventEmitter()
emitter1.setName 'Name1'
emitter2 = new EventEmitter()
emitter2.setName 'Name2'
console.log emitter1.getName() # 'Name1'
console.log emitter2.getName() # 'Name2'
ただし、コーヒースクリプトはパブリック関数をオブジェクトとして返すため、プライベートメンバーをパブリック関数の前に配置するように注意してください。コンパイルされたJavascriptを見てください:
EventEmitter = function() {
var privateName = "";
return {
setName: function(name) {
return privateName = name;
},
getName: function() {
return privateName;
}
};
};
コーヒースクリプトはJavaScriptにコンパイルされるため、プライベート変数を使用できる唯一の方法はクロージャーを使用することです。
class Animal
foo = 2 # declare it inside the class so all prototypes share it through closure
constructor: (value) ->
foo = value
test: (meters) ->
alert foo
e = new Animal(5);
e.test() # 5
これにより、次のJavaScriptがコンパイルされます。
var Animal, e;
Animal = (function() {
var foo; // closured by test and the constructor
foo = 2;
function Animal(value) {
foo = value;
}
Animal.prototype.test = function(meters) {
return alert(foo);
};
return Animal;
})();
e = new Animal(5);
e.test(); // 5
もちろん、これには、クロージャーを使用して持つことができる他のすべてのプライベート変数と同じ制限があります。たとえば、新しく追加されたメソッドは、同じスコープで定義されていないためアクセスできません。
CoffeeScriptクラスでは、クラスの作成にJavascriptコンストラクターパターンを使用するため、簡単に実行できません。
ただし、次のように言うことができます。
callMe = (f) -> f()
extend = (a, b) -> a[m] = b[m] for m of b; a
class superclass
constructor: (@extra) ->
method: (x) -> alert "hello world! #{x}#{@extra}"
subclass = (args...) -> extend (new superclass args...), callMe ->
privateVar = 1
getter: -> privateVar
setter: (newVal) -> privateVar = newVal
method2: (x) -> @method "#{x} foo and "
instance = subclass 'bar'
instance.setter 123
instance2 = subclass 'baz'
instance2.setter 432
instance.method2 "#{instance.getter()} <-> #{instance2.getter()} ! also, "
alert "but: #{instance.privateVar} <-> #{instance2.privateVar}"
しかし、CoffeeScriptクラスの素晴らしさは失われます。extend()を再度使用する以外の方法で、その方法で作成されたクラスから継承することはできないからです。 instanceofは動作を停止し、この方法で作成されたオブジェクトは少し多くのメモリを消費します。また、newおよびsuperキーワードを使用しないでください。
重要なのは、クラスをインスタンス化するたびにクロージャーを作成する必要があるということです。純粋なCoffeeScriptクラスのメンバークロージャーは1回だけ作成されます。つまり、クラスランタイムの "type"が構築されるときです。