14

NARで動作するブール値を複製したい:

NA は有効な論理オブジェクトです。x または y のコンポーネントが NA の場合、結果があいまいな場合、結果は NA になります。つまり、NA & TRUE は NA と評価されますが、NA & FALSE は FALSE と評価されます。 http://stat.ethz.ch/R-manual/R-devel/library/base/html/Logic.html

欠損値に対して推奨されているのを見てきましたが、Pythonはブール式を評価するときに にNone変換Noneし、 に計算します。欠損値が与えられた場合、結論を出すことができないため、結果はもちろん である必要があります。FalseNone or FalseFalseNone

Pythonでこれを達成するにはどうすればよいですか?

EDIT受け入れられた回答は、ビットごとのブール演算子で正しく計算されますが、論理演算子notorおよびandで同じ動作を実現するには、Python プログラミング言語を変更する必要があるようです。

4

3 に答える 3

9

他の人が言ったように、独自のクラスを定義できます。

class NA_(object):
    instance = None # Singleton (so `val is NA` will work)
    def __new__(self):
        if NA_.instance is None:
            NA_.instance = super(NA_, self).__new__(self)
        return NA_.instance
    def __str__(self): return "NA"
    def __repr__(self): return "NA_()"
    def __and__(self, other):
        if self is other or other:
            return self
        else:
            return other
    __rand__ = __and__
    def __or__(self, other):
        if self is other or other:
            return other
        else:
            return self
    __ror__ = __or__
    def __xor__(self, other):
        return self
    __rxor__ = __xor__
    def __eq__(self, other):
        return self is other
    __req__ = __eq__
    def __nonzero__(self):
        raise TypeError("bool(NA) is undefined.")
NA = NA_()

使用する:

>>> print NA & NA
NA
>>> print NA & True
NA
>>> print NA & False
False
>>> print NA | True
True
>>> print NA | False
NA
>>> print NA | NA
NA
>>> print NA ^ True
NA
>>> print NA ^ NA
NA
>>> if NA: print 3
...
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "<stdin>", line 28, in __nonzero__
TypeError: bool(NA) is undefined.
>>> if NA & False: print 3
...
>>>
>>> if NA | True: print 3
...
3
>>>
于 2013-08-02T17:02:25.010 に答える
6

これを行うには、クラスを作成し、ブール演算メソッドをオーバーライドします。

>>> class NA_type(object):
        def __and__(self,other):
                if other == True:
                        return self
                else:
                        return False
        def __str__(self):
                return 'NA'


>>> 
>>> NA = NA_type()
>>> print NA & True
NA
>>> print NA & False
False
于 2013-08-02T14:31:25.370 に答える
0

カスタム クラス (singleton?) を定義し、カスタム__and__(およびその他必要なもの) 関数を定義できます。これを参照してください:

http://docs.python.org/2/reference/datamodel.html#emulating-numeric-types

于 2013-08-02T14:31:13.120 に答える