Smalltalk中Array和Literal Array之间的区别是什么?

时间:2017-02-10 13:33:00

标签: smalltalk gnu-smalltalk

除了尺寸。

例如:

|arr|. arr := Array new: 10

#(element1,element2, ...)

2 个答案:

答案 0 :(得分:5)

在两种形式中,创建的对象将具有相同的类型并具有相同的元素。主要区别在于,在使用Array with:时,每次执行代码时都会获得一个新实例,使用#( )可以获得在接受/编译方法时创建的实例,以便每次都使用代码执行时,数组的实例是相同的。

请考虑以下代码:

doSomething
    array := #(6 7 8).
    Transcript show: array.
    array at: 1 put: 3.

第一次执行doSomething时,一切都会正常。第二次打印3,7,8,因为数组与修改后的数组相同 上一次调用该方法。

因此,在使用文字时应该小心,主要是将它们留给不会发生变异的情况。

答案 1 :(得分:3)

在具有实例变量阈值的示例类中考虑此方法:

Example >> #threshold
    ^threshold
Example >> #threshold: anInteger
    threshold := anInteger
Example >> #initialize
    threshold := 0
Example class >> #new
    ^super new initialize

Example >> testArraySum
   | a |
   a := #(4 8 10).
   a sum > threshold ifTrue: [ a at: 1 put: a first - 2 ].
   ^a sum

现在,如果您读取testArraySum的代码,如果阈值没有改变,它应该总是重新调整,不应该吗?你开始设置一个固定值为a,然后减去(或不是,取决于阈值,但我们说它是固定的)一个固定的数量,所以它应该是...... 20.

好吧,如果你评估

Example new testArraySum

几次,你会得到20,18,16 ......因为数组#(4 8 10)被修改了。  另一方面,

Example >> testConstantArraySum
   | a |
   a := Array new:  3.
   a at: 1 put: 4; at: 2 put: 8; at: 3 put: 10.
   a sum > threshold ifTrue: [ a at: 1 put: a first - 2 ].
   ^a sum

非常稳定。