Files
wren/test/core/object/same.wren
Bob Nystrom fcf4197139 Add Object.same(_,_) to access built-in equality even for classes that may override ==.
Had to add a new metaclass for Object since it now has its own static method so we
can't just use Class as its metaclass. (We don't want *every* class to have a same(_,_)
static method.)
2015-05-01 07:55:28 -07:00

41 lines
1.2 KiB
Plaintext

// Value types compare by value.
IO.print(Object.same(true, true)) // expect: true
IO.print(Object.same(true, false)) // expect: false
IO.print(Object.same(null, null)) // expect: true
IO.print(Object.same(1 + 2, 2 + 1)) // expect: true
IO.print(Object.same(1 + 2, 2 + 2)) // expect: false
IO.print(Object.same(1..2, 1..2)) // expect: true
IO.print(Object.same(1..2, 1..3)) // expect: false
IO.print(Object.same("ab", "a" + "b")) // expect: true
IO.print(Object.same("ab", "a" + "c")) // expect: false
// Different types are never the same.
IO.print(Object.same(null, false)) // expect: false
IO.print(Object.same(true, 2)) // expect: false
IO.print(Object.same(1..2, 2)) // expect: false
IO.print(Object.same("1", 1)) // expect: false
// Classes compare by identity.
IO.print(Object.same(Bool, Num)) // expect: false
IO.print(Object.same(Bool, Bool)) // expect: true
// Other types compare by identity.
class Foo {}
var foo = new Foo
IO.print(Object.same(foo, foo)) // expect: true
IO.print(Object.same(foo, new Foo)) // expect: false
// Ignores == operators.
class Bar {
==(other) { true }
}
var bar = new Bar
IO.print(Object.same(bar, bar)) // expect: true
IO.print(Object.same(bar, new Bar)) // expect: false