Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: add support for flag enum #207

Merged
merged 4 commits into from
Sep 25, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
59 changes: 48 additions & 11 deletions src/superqt/combobox/_enum_combobox.py
Original file line number Diff line number Diff line change
@@ -1,5 +1,9 @@
from enum import Enum, EnumMeta
from typing import Optional, TypeVar
import sys
from enum import Enum, EnumMeta, Flag
from functools import reduce
from itertools import combinations
from operator import or_
from typing import Optional, Tuple, TypeVar

from qtpy.QtCore import Signal
from qtpy.QtWidgets import QComboBox
Expand All @@ -17,10 +21,36 @@
# check if function was overloaded
name = str(enum_value)
else:
name = enum_value.name.replace("_", " ")
if enum_value.name is None:
# This is hack for python bellow 3.11
if not isinstance(enum_value, Flag):
raise TypeError(
f"Expected Flag instance, got {enum_value}"
) # pragma: no cover
if sys.version_info >= (3, 11):
# There is a bug in some releases of Python 3.11 (for example 3.11.3)
# that leads to wrong evaluation of or operation on Flag members
# and produces numeric value without proper set name property.
return f"{enum_value.value}"

Check warning on line 34 in src/superqt/combobox/_enum_combobox.py

View check run for this annotation

Codecov / codecov/patch

src/superqt/combobox/_enum_combobox.py#L34

Added line #L34 was not covered by tests

# Before python 3.11 there is no smart name set during
# the creation of Flag members.
# We needs to decompose the value to get the name.
# It is under if condition because it uses private API.

from enum import _decompose

members, not_covered = _decompose(enum_value.__class__, enum_value.value)
name = "|".join(m.name.replace("_", " ") for m in members[::-1])
else:
name = enum_value.name.replace("_", " ")
return name
tlambert03 marked this conversation as resolved.
Show resolved Hide resolved


def _get_name_with_value(enum_value: Enum) -> Tuple[str, Enum]:
return _get_name(enum_value), enum_value


class QEnumComboBox(QComboBox):
"""ComboBox presenting options from a python Enum.

Expand All @@ -47,9 +77,20 @@
self._allow_none = allow_none and enum is not None
if allow_none:
super().addItem(NONE_STRING)
names = map(_get_name, self._enum_class.__members__.values())
_names = dict.fromkeys(names) # remove duplicates/aliases, keep order
super().addItems(list(_names))
names_ = self._get_enum_member_list(enum)
super().addItems(list(names_))

@staticmethod
def _get_enum_member_list(enum: Optional[EnumMeta]):
if issubclass(enum, Flag):
members = list(enum.__members__.values())
comb_list = []
for i in range(len(members)):
comb_list.extend(reduce(or_, x) for x in combinations(members, i + 1))

else:
comb_list = list(enum.__members__.values())
return dict(map(_get_name_with_value, comb_list))
tlambert03 marked this conversation as resolved.
Show resolved Hide resolved

def enumClass(self) -> Optional[EnumMeta]:
"""Return current Enum class."""
Expand All @@ -70,11 +111,7 @@
if self._allow_none:
if self.currentText() == NONE_STRING:
return None
else:
return list(self._enum_class.__members__.values())[
self.currentIndex() - 1
]
return list(self._enum_class.__members__.values())[self.currentIndex()]
return self._get_enum_member_list(self._enum_class)[self.currentText()]
return None

def setCurrentEnum(self, value: Optional[EnumType]) -> None:
Expand Down
90 changes: 88 additions & 2 deletions tests/test_enum_comb_box.py
Original file line number Diff line number Diff line change
@@ -1,4 +1,5 @@
from enum import Enum, IntEnum
import sys
from enum import Enum, Flag, IntEnum, IntFlag

import pytest

Expand Down Expand Up @@ -42,6 +43,36 @@ class IntEnum1(IntEnum):
c = 5


class IntFlag1(IntFlag):
a = 1
b = 2
c = 4


class Flag1(Flag):
a = 1
b = 2
c = 4


class IntFlag2(IntFlag):
a = 1
b = 2
c = 3


class Flag2(IntFlag):
a = 1
b = 2
c = 5


class FlagOrNum(IntFlag):
a = 3
b = 5
c = 8


def test_simple_create(qtbot):
enum = QEnumComboBox(enum_class=Enum1)
qtbot.addWidget(enum)
Expand Down Expand Up @@ -140,5 +171,60 @@ def test_optional(qtbot):
def test_simple_create_int_enum(qtbot):
enum = QEnumComboBox(enum_class=IntEnum1)
qtbot.addWidget(enum)
assert enum.count() == 3
assert [enum.itemText(i) for i in range(enum.count())] == ["a", "b", "c"]


@pytest.mark.parametrize("enum_class", [IntFlag1, Flag1])
def test_enum_flag_create(qtbot, enum_class):
enum = QEnumComboBox(enum_class=enum_class)
qtbot.addWidget(enum)
assert [enum.itemText(i) for i in range(enum.count())] == [
"a",
"b",
"c",
"a|b",
"a|c",
"b|c",
"a|b|c",
]
enum.setCurrentText("a|b")
assert enum.currentEnum() == enum_class.a | enum_class.b


def test_enum_flag_create_collision(qtbot):
enum = QEnumComboBox(enum_class=IntFlag2)
qtbot.addWidget(enum)
assert [enum.itemText(i) for i in range(enum.count())] == ["a", "b", "c"]


@pytest.mark.skipif(
sys.version_info >= (3, 11), reason="different representation in 3.11"
)
def test_enum_flag_create_collision_evaluated_to_seven(qtbot):
enum = QEnumComboBox(enum_class=FlagOrNum)
qtbot.addWidget(enum)
assert [enum.itemText(i) for i in range(enum.count())] == [
"a",
"b",
"c",
"a|b",
"a|c",
"b|c",
"a|b|c",
]


@pytest.mark.skipif(
sys.version_info < (3, 11), reason="StrEnum is introduced in python 3.11"
)
def test_create_str_enum(qtbot):
from enum import StrEnum

class StrEnum1(StrEnum):
a = "a"
b = "b"
c = "c"

enum = QEnumComboBox(enum_class=StrEnum1)
qtbot.addWidget(enum)
assert [enum.itemText(i) for i in range(enum.count())] == ["a", "b", "c"]
Loading