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)
答案 0 :(得分:1)
您应该使用new
来实例化对象:
p = new Euclidean2D.Point(1.0,2.0)
如果要从构造函数返回一个数组,请明确地执行:
constructor: (x,y) ->
return if Float32Array? then Float32Array([x,y]) else Array(x,y)
(默认情况下,Coffeescript不会从构造函数返回值,因此您必须明确地执行此操作。)
你也可以这样做:
class @Point
constructor: (x,y) ->
@[0] = x
@[1] = y
答案 1 :(得分:1)
您正在定义构造函数,但期望它的行为类似于函数。但是,构造函数只是在要返回的对象中设置值。由于构造函数没有在初始化对象中设置任何属性,因此它实际上没用。
你有一些选择:
将课程初始化为@amaud sugested。
从@amaud sugested返回构造函数中的值(这对我来说没有多大意义。这不是我觉得构造函数的功能。在这种情况下,解决方案#3似乎更好)。
定义函数而不是类。恕我直言,是最简单和功能性的解决方案
@Point = (x, y) ->
if Float32Array? then Float32Array([x,y]) else Array(x,y)
如果您希望Point
成为Float32Array
或Array
的专精,请使用选项#1,但让Point
继承您的课程想:
superclass = if Float32Array? then Float32Array else Array
class @Point extends superclass
constructor: (x,y) ->
@[0] = x
@[1] = y
编辑:@ amaud676875发表了一个有趣的问题作为评论。由于合理的答案会涉及一些代码,我将答案作为编辑发布。
@amaud,为了验证你的观点,我编写了以下CoffeeScript模块:
class Float32Array extends Array
first: -> # Just for testing
@[0]
superclass = if Float32Array? then Float32Array else Array
class @Point extends superclass
constructor: (x,y) ->
@[0] = x
@[1] = y
然后我在控制台中导入了模块:
coffee> point = require './point'
{ Point: { [Function: Point] __super__: [ constructor: [Object], first: [Function] ] },
Float32Array: { [Function: Float32Array] __super__: [] } }
并创建了Point
:
coffee> p = new point.Point 3, 2
[ 3, 2 ]
此Point
包含first()
的{{1}}方法:
Float32Array
和 coffee> p.first()
3
表示它也是instanceof
的一个实例:
Float32Array
所以我敢打赌coffee> p instanceof point.Float32Array
true
会返回new Point x, y
的实例。当然它也是Float32Array
的一个实例,并且它不是问题,因为Point
是-a Point
,使用经典的OOP表达式。