我正在尝试在CoffeeScript中做一些简单的子类化
class List
items: []
add: (n) ->
@items.push(n)
console.log "list now has: #{@}"
toString: ->
@items.join(', ')
class Foo extends List
constructor: ->
console.log "new list created"
console.log "current items: #{@}"
a = new Foo() # []
a.add(1) # [1]
a.add(2) # [2]
b = new Foo() # [1,2]
# why is b initializing with A's items?
b.add(5) # [1,2,5]
# b is just adding to A's list :(
但是,Foo
类的实例不维护自己的items
属性副本。
b = new Foo() # []
b.add(5) # [5]
答案 0 :(得分:4)
您正在为List的原型设置数组,该数组与List的所有实例共享。
您必须在构造函数中初始化数组,以便为每个实例初始化单独的数组。
尝试
class List
constructor: ->
@items = []