4

R2 と R3 ではunique、シリーズから重複したアイテムを削除するために使用できます。

>> a: [1 2 2 3]
>> length? a
== 4
>> length? unique a
== 3

一連のオブジェクトに対して同じ操作を実行するにはどうすればよいですか? 例えば、

b: reduce [
    make object! [a: 1] 
    make object! [b: 2] 
    make object! [b: 2] 
    make object! [c: 3]
]
>> length? b
== 4
>> length? unique b
== 4  ; (I'd like it to be 3)
4

3 に答える 3

2
unique+: func [array [block!]] [
    objs: copy []
    map-each item unique array [
        if object? :item [
            foreach obj objs [
                if equal-object? :item :obj [unset 'item break]
            ]
            if value? 'item [append objs item]
        ]
        ;-- If unset, map-each adds nothing to result under R3.
        ;   R2 behaves differently. This works for both.
        either value? 'item [:item] [()]
    ]
]

equal-object?: func [
    "Returns true if both objects have same words and values."
    o [object!] p [object!]
][
    if not equal? sort words-of o sort words-of p [return false]
    foreach word words-of o [
        if not equal? o/:word p/:word [return false]
    ]
    true
]
于 2015-11-20T21:26:23.723 に答える
2

同等?そして同じ?オブジェクトが同じオブジェクト参照である場合にのみ、オブジェクトに対して true を返します。オブジェクト間の類似性をチェックする関数を作成しました。2 つのオブジェクトが同じ値と同じ型を持つ同じ単語を持っている場合、true を返します。

similar?: func [
    {Returns true if both object has same words in same types.}
    o [object!] p [object!] /local test
][
    test: [if not equal? type? get in o word type? get in p word [return false]]
    foreach word sort first o test
    foreach word sort first p test
    true
]

次のようにテストできます。

>> o: make object! [b: 2]
>> p: make object! [b: 2]
>> equal? o p
== false
>> same? o p
== false
>> similar? o p
== true

あなたのケースでそれを使用することができます。

于 2015-11-09T13:52:07.233 に答える