1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
"""
Templates for invalid operations.
"""
from __future__ import annotations
 
import operator
 
import numpy as np
 
 
def invalid_comparison(left, right, op) -> np.ndarray:
    """
    If a comparison has mismatched types and is not necessarily meaningful,
    follow python3 conventions by:
 
        - returning all-False for equality
        - returning all-True for inequality
        - raising TypeError otherwise
 
    Parameters
    ----------
    left : array-like
    right : scalar, array-like
    op : operator.{eq, ne, lt, le, gt}
 
    Raises
    ------
    TypeError : on inequality comparisons
    """
    if op is operator.eq:
        res_values = np.zeros(left.shape, dtype=bool)
    elif op is operator.ne:
        res_values = np.ones(left.shape, dtype=bool)
    else:
        typ = type(right).__name__
        raise TypeError(f"Invalid comparison between dtype={left.dtype} and {typ}")
    return res_values
 
 
def make_invalid_op(name: str):
    """
    Return a binary method that always raises a TypeError.
 
    Parameters
    ----------
    name : str
 
    Returns
    -------
    invalid_op : function
    """
 
    def invalid_op(self, other=None):
        typ = type(self).__name__
        raise TypeError(f"cannot perform {name} with this index type: {typ}")
 
    invalid_op.__name__ = name
    return invalid_op