CoffeeScript中这个类有什么问题?
@module "Euclidean2D", ->
class @Point
constructor: (x,y) ->
return if Float32Array? then Float32Array([ x, y ]) else Array(x,y)
我希望它表现得像:
p = new Point(1.0,2.0);
p[0] == 1.0
p[1] == 2.0
但是使用Jasmine测试我得到“预期未定义为等于1”.
describe "Point", ->
beforeEach ->
@point = new Euclidean2D.Point(1.0,2.0)
it "extracts values", ->
(expect @point[0]).toEqual 1.0
(expect @point[1]).toEqual 2.0
CoffeeScript或Jasmine中是否有错误?
所有这些都在一个模块中:
@module = (names, fn) ->
names = names.split '.' if typeof names is 'string'
space = @[names.shift()] ||= {}
space.module ||= @module
if names.length
space.module names, fn
else
fn.call space
在Chrome控制台中,我得到:
a = new Euclidean2D.Point(1.0,2.0)
-> Point
a[0]
undefined
b = new Float32Array([1.0,2.0])
-> Float32Array
b[0]
1
编辑:再次..抱歉
使用@brandizzi和@ arnaud576875答案的组合解决了问题.官方CoffeeScript Wiki中的@module无效.结果是:
class @Point
constructor: (x, y) ->
return if Float32Array? then Float32Array([ x, y ]) else Array(x,y)
解决方法:
您应该使用new来实例化对象:
p = new Euclidean2D.Point(1.0,2.0)
如果要从构造函数返回Array,请显式执行:
constructor: (x,y) ->
return if Float32Array? then Float32Array([x,y]) else Array(x,y)
(默认情况下,Coffeescript不会从构造函数返回值,因此您必须明确地执行此操作.)
你也可以这样做:
class @Point
constructor: (x,y) ->
@[0] = x
@[1] = y