Skip to content

convert

add_logical_columns(X, arity=2, operations=['and', 'or', 'xor'])

Combines all features in a dataframe with each other using bitwise operations

Parameters:

Name Type Description Default
X DataFrame

dataframe with features

required
arity int

the number of columns to combine at once

2
operations list of str

the operations to apply. Possible values are ‘and’, ‘or’ and ‘xor’

['and', 'or', 'xor']

Returns:

Name Type Description
X DataFrame

dataframe with new features

Examples:

>>> X = pd.DataFrame({"a": [True, False, True], "b": [True, True, False], "c": [False, False, True]})
>>> add_logical_columns(X)
    a      b      c  a_and_b  a_and_c  b_and_c  a_or_b  a_or_c  b_or_c  a_xor_b  a_xor_c  b_xor_c
0  True   True  False     True    False    False    True    True    True    False     True     True
1 False   True  False    False    False    False    True   False    True     True     True    False
2  True  False   True    False     True    False    True    True    True     True    False     True
Source code in spotPython/utils/convert.py
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
def add_logical_columns(X, arity=2, operations=["and", "or", "xor"]):
    """Combines all features in a dataframe with each other using bitwise operations

    Args:
        X (pd.DataFrame): dataframe with features
        arity (int): the number of columns to combine at once
        operations (list of str): the operations to apply. Possible values are 'and', 'or' and 'xor'

    Returns:
        X (pd.DataFrame): dataframe with new features

    Examples:
        >>> X = pd.DataFrame({"a": [True, False, True], "b": [True, True, False], "c": [False, False, True]})
        >>> add_logical_columns(X)
            a      b      c  a_and_b  a_and_c  b_and_c  a_or_b  a_or_c  b_or_c  a_xor_b  a_xor_c  b_xor_c
        0  True   True  False     True    False    False    True    True    True    False     True     True
        1 False   True  False    False    False    False    True   False    True     True     True    False
        2  True  False   True    False     True    False    True    True    True     True    False     True

    """
    new_cols = []
    # Iterate over all combinations of columns of the given arity
    for cols in combinations(X.columns, arity):
        # Create new columns for the specified operations
        if "and" in operations:
            and_col = X[list(cols)].apply(lambda x: x.all(), axis=1)
            new_cols.append(and_col)
        if "or" in operations:
            or_col = X[list(cols)].apply(lambda x: x.any(), axis=1)
            new_cols.append(or_col)
        if "xor" in operations:
            xor_col = X[list(cols)].apply(lambda x: x.sum() % 2 == 1, axis=1)
            new_cols.append(xor_col)
    # Join all the new columns at once
    X = pd.concat([X] + new_cols, axis=1)
    return X

check_type(value)

Check the type of the input value and return the type as a string.

Parameters:

Name Type Description Default
value object

The input value.

required

Returns:

Name Type Description
str

The type of the input value as a string.

Possible values are “int”, “float”, “str”, “bool”, or None.

Checks for numpy types as well, i.e., np.integer, np.floating, np.str_, np.bool_.

Examples:

>>> from spotPython.utils.convert import check_type
>>> check_type(5)
"int"
Source code in spotPython/utils/convert.py
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
def check_type(value):
    """Check the type of the input value and return the type as a string.

    Args:
        value (object): The input value.

    Returns:
        str: The type of the input value as a string.
        Possible values are "int", "float", "str", "bool", or None.
        Checks for numpy types as well, i.e., np.integer, np.floating, np.str_, np.bool_.

    Examples:
        >>> from spotPython.utils.convert import check_type
        >>> check_type(5)
        "int"

    """
    if isinstance(value, (int, np.integer)):
        return "int"
    elif isinstance(value, (float, np.floating)):
        return "float"
    elif isinstance(value, (str, np.str_)):
        return "str"
    elif isinstance(value, (bool, np.bool_)):
        return "bool"
    else:
        return None

class_for_name(module_name, class_name)

Returns a class for a given module and class name.

Parameters:

Name Type Description Default
module_name str

The name of the module.

required
class_name str

The name of the class.

required

Returns:

Name Type Description
object object

The class.

Examples:

>>> from spotPython.utils.convert import class_for_name
    from scipy.optimize import rosen
    bounds = [(0,2), (0, 2), (0, 2), (0, 2), (0, 2)]
    shgo_class = class_for_name("scipy.optimize", "shgo")
    result = shgo_class(rosen, bounds)
Source code in spotPython/utils/convert.py
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
def class_for_name(module_name, class_name) -> object:
    """Returns a class for a given module and class name.

    Args:
        module_name (str): The name of the module.
        class_name (str): The name of the class.

    Returns:
        object: The class.

    Examples:
        >>> from spotPython.utils.convert import class_for_name
            from scipy.optimize import rosen
            bounds = [(0,2), (0, 2), (0, 2), (0, 2), (0, 2)]
            shgo_class = class_for_name("scipy.optimize", "shgo")
            result = shgo_class(rosen, bounds)
    """
    m = importlib.import_module(module_name)
    c = getattr(m, class_name)
    return c

get_Xy_from_df(df, target_column)

Get X and y from a dataframe.

Parameters:

Name Type Description Default
df DataFrame

The input dataframe.

required
target_column str

The name of the target column.

required

Returns:

Name Type Description
tuple tuple

The tuple (X, y).

Examples:

>>> from spotPython.utils.convert import get_Xy_from_df
>>> import pandas as pd
>>> df = pd.DataFrame({"a": [1, 2, 3], "b": [4, 5, 6], "c": [7, 8, 9]})
>>> X, y = get_Xy_from_df(df, "c")
Source code in spotPython/utils/convert.py
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
def get_Xy_from_df(df, target_column) -> tuple:
    """Get X and y from a dataframe.

    Args:
        df (pandas.DataFrame): The input dataframe.
        target_column (str): The name of the target column.

    Returns:
        tuple: The tuple (X, y).

    Examples:
        >>> from spotPython.utils.convert import get_Xy_from_df
        >>> import pandas as pd
        >>> df = pd.DataFrame({"a": [1, 2, 3], "b": [4, 5, 6], "c": [7, 8, 9]})
        >>> X, y = get_Xy_from_df(df, "c")
    """
    X = df.drop(columns=[target_column])
    y = df[target_column]
    # convert to numpy arrays
    X = X.to_numpy()
    y = y.to_numpy()
    return X, y

map_to_True_False(value)

Map the string value to a boolean value. If the value is “True” or “true”, return True. Otherwise, return False.

Parameters:

Name Type Description Default
value str

The string to be mapped to a boolean value.

required

Returns: bool: True if the value is “True” or “true”, False otherwise.

Examples:

from spotPython.utils.convert import map_to_True_False map_to_True_False(“True”) True

Source code in spotPython/utils/convert.py
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
def map_to_True_False(value):
    """
    Map the string value to a boolean value.
    If the value is "True" or "true", return True.
    Otherwise, return False.

    Args:
        value (str):
            The string to be mapped to a boolean value.
    Returns:
        bool:
            True if the value is "True" or "true", False otherwise.

    Examples:
    >>> from spotPython.utils.convert import map_to_True_False
        map_to_True_False("True")
        True
    """
    if value.lower() == "true":
        return True
    else:
        return False

series_to_array(series)

Converts a pandas series to a numpy array. Args: series (pandas.Series): The input series.

Returns:

Type Description
ndarray

The output array.

Examples:

>>> from spotPython.utils.convert import series_to_array
>>> import pandas as pd
>>> series = pd.Series([1, 2, 3])
>>> series_to_array(series)
array([1, 2, 3])
Source code in spotPython/utils/convert.py
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
def series_to_array(series):
    """Converts a pandas series to a numpy array.
    Args:
        series (pandas.Series): The input series.

    Returns:
        (numpy.ndarray): The output array.

    Examples:
        >>> from spotPython.utils.convert import series_to_array
        >>> import pandas as pd
        >>> series = pd.Series([1, 2, 3])
        >>> series_to_array(series)
        array([1, 2, 3])
    """
    if isinstance(series, np.ndarray):
        return series
    else:
        return series.to_numpy()

set_dataset_target_type(dataset, target='y')

Set the target column to 0 and 1.

Parameters:

Name Type Description Default
dataset DataFrame

The input dataset.

required
target str

The name of the target column. Default is “y”.

'y'

Returns:

Type Description

pd.DataFrame: The dataset with the target column set to 0 and 1.

Examples:

from spotPython.utils.convert import set_dataset_target_type dataset = pd.DataFrame({“a”: [1, 2, 3], “b”: [4, 5, 6], “c”: [7, 8, 9], “y”: [True, False, True]}) dataset = set_dataset_target_type(dataset)

Source code in spotPython/utils/convert.py
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
def set_dataset_target_type(dataset, target="y"):
    """Set the target column to 0 and 1.

    Args:
        dataset (pd.DataFrame): The input dataset.
        target (str): The name of the target column. Default is "y".

    Returns:
        pd.DataFrame: The dataset with the target column set to 0 and 1.

    Examples:
    >>> from spotPython.utils.convert import set_dataset_target_type
        dataset = pd.DataFrame({"a": [1, 2, 3], "b": [4, 5, 6], "c": [7, 8, 9], "y": [True, False, True]})
        dataset = set_dataset_target_type(dataset)


    """
    val = copy.deepcopy(dataset.iloc[0, -1])
    target_type = check_type(val)
    if target_type == "bool" or target_type == "str":
        # convert the target column to 0 and 1
        dataset[target] = dataset[target].astype(int)
    return dataset

sort_by_kth_and_return_indices(array, k)

Sorts an array of arrays based on the k-th values in descending order and returns the indices of the original array entries.

Parameters:

Name Type Description Default
array list of lists

The array to be sorted. Each sub-array should have at least k+1 elements.

required
k int

The index (zero-based) of the element within each sub-array to sort by.

required

Returns:

Type Description
list

list of int: Indices of the original array entries after sorting by the k-th value.

Raises:

Type Description
ValueError

If the input array is empty, None, or any sub-array does not have at least k+1 elements, or if k is out of bounds for any sub-array.

Examples:

>>> from spotPython.utils.convert import sort_by_kth_and_return_indices
    try:
        array = [['x0', 85.50983192204619], ['x1', 100.0], ['x2', 81.35712613549178]]
        k = 1  # Sort by the second element in each sub-array
        indices = sort_by_kth_and_return_indices(array, k)
        print("Indices of the sorted elements using the k-th value:", indices)
    except ValueError as error:
        print(f"Sorting failed due to: {error}")
Source code in spotPython/utils/convert.py
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
def sort_by_kth_and_return_indices(array, k) -> list:
    """Sorts an array of arrays based on the k-th values in descending order and returns
    the indices of the original array entries.

    Args:
        array (list of lists): The array to be sorted. Each sub-array should have at least
            `k+1` elements.
        k (int): The index (zero-based) of the element within each sub-array to sort by.

    Returns:
        list of int: Indices of the original array entries after sorting by the k-th value.

    Raises:
        ValueError: If the input array is empty, None, or any sub-array does not have at least
            `k+1` elements, or if k is out of bounds for any sub-array.

    Examples:
        >>> from spotPython.utils.convert import sort_by_kth_and_return_indices
            try:
                array = [['x0', 85.50983192204619], ['x1', 100.0], ['x2', 81.35712613549178]]
                k = 1  # Sort by the second element in each sub-array
                indices = sort_by_kth_and_return_indices(array, k)
                print("Indices of the sorted elements using the k-th value:", indices)
            except ValueError as error:
                print(f"Sorting failed due to: {error}")
    """
    if not array:
        return []

    # Check for improperly structured sub-arrays and that k is within bounds
    for item in array:
        if not isinstance(item, list) or len(item) <= k:
            raise ValueError("All sub-arrays must be lists with at least k+1 elements.")

    # Enumerate the array to keep track of original indices, then sort by the k-th item
    sorted_indices = [index for index, value in sorted(enumerate(array), key=lambda x: x[1][k], reverse=True)]

    return sorted_indices