Skip to content

Commit ca4b8fb

Browse files
committed
fix #105
1 parent bcc7c84 commit ca4b8fb

15 files changed

+737
-55
lines changed

README.md

+3-3
Original file line numberDiff line numberDiff line change
@@ -94,9 +94,9 @@ Many packages aim to ease usage of Python enumerations as model fields. Most wer
9494

9595
class Permissions(IntFlag):
9696

97-
READ = 1**2
98-
WRITE = 2**2
99-
EXECUTE = 3**2
97+
READ = 1 << 0
98+
WRITE = 1 << 1
99+
EXECUTE = 1 << 2
100100

101101

102102
class FlagExample(models.Model):

doc/source/changelog.rst

+5
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,10 @@ Change Log
77
v2.2.0 (2025-03-XX)
88
===================
99

10+
* Implemented `If default is not provided for flag fields it should be Flag(0). <https://github.com/bckohan/django-enum/issues/105>`_
11+
* Fixed `EnumFlagFields set empty values to Flag(0) when model field has null=True, default=None <https://github.com/bckohan/django-enum/issues/104>`_
12+
* Fixed `Large enum fields that inherit from binaryfield have editable=False by default <https://github.com/bckohan/django-enum/issues/103>`_
13+
* Fixed `EnumFlagField breaks for Flag types that are not constructible from lists of values <https://github.com/bckohan/django-enum/issues/102>`_
1014
* Implemented `Test all example code in the docs <https://github.com/bckohan/django-enum/issues/99>`_
1115
* Implemented `Use intersphinx for doc references <https://github.com/bckohan/django-enum/issues/98>`_
1216
* Implemented `Support Django 5.2 <https://github.com/bckohan/django-enum/issues/96>`_
@@ -40,6 +44,7 @@ v2.0.0 (2024-09-09)
4044
* Completed `Reorganize tests <https://github.com/bckohan/django-enum/issues/70>`_
4145
* Completed `Switch linting and formatting to ruff <https://github.com/bckohan/django-enum/issues/62>`_
4246
* Implemented `Install django-stubs when running static type checks. <https://github.com/bckohan/django-enum/issues/60>`_
47+
* Fixed `When a character enum field allows null and blank=True, form fields and drf fields allow '' to pass through causing errors. <https://github.com/bckohan/django-enum/issues/53>`_
4348
* Implemented `Supply a mixin for DRF ModelSerializers that instantiates the provided DRF EnumField type for model EnumFields. <https://github.com/bckohan/django-enum/issues/47>`_
4449
* Implemented `EnumField's should inherit from common base titled EnumField <https://github.com/bckohan/django-enum/issues/46>`_
4550
* Implemented `Add database constraints on enum fields by default. <https://github.com/bckohan/django-enum/issues/45>`_

justfile

+6
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,12 @@ install *OPTS="--all-extras":
4747
install-docs:
4848
uv sync --group docs --all-extras
4949

50+
# run the development server
51+
runserver:
52+
@just manage makemigrations
53+
@just manage migrate
54+
@just manage runserver 8027
55+
5056
[script]
5157
_lock-python:
5258
import tomlkit

src/django_enum/fields.py

+66-28
Original file line numberDiff line numberDiff line change
@@ -293,7 +293,10 @@ def lte(tpl1: Tuple[int, int], tpl2: Tuple[int, int]) -> bool:
293293
)
294294

295295
return field_cls(
296-
enum=enum, primitive=primitive, bit_length=bit_length, **field_kwargs
296+
enum=enum, # type: ignore[arg-type]
297+
primitive=primitive,
298+
bit_length=bit_length,
299+
**field_kwargs,
297300
)
298301

299302
if issubclass(primitive, float):
@@ -664,35 +667,14 @@ def formfield(self, form_class=None, choices_form_class=None, **kwargs):
664667
# we try to pass in. Very annoying because we have to
665668
# un-encapsulate some of this initialization logic, this makes our
666669
# EnumChoiceField pretty ugly!
667-
from django_enum.forms import (
668-
EnumChoiceField,
669-
EnumFlagField,
670-
FlagSelectMultiple,
671-
NonStrictSelect,
672-
NonStrictSelectMultiple,
673-
)
674-
675-
is_multi = self.enum and issubclass(self.enum, Flag)
676-
if is_multi:
677-
kwargs["empty_value"] = None if self.null else self.enum(0)
678-
# why fail? - does this fail for single select too?
679-
# kwargs['show_hidden_initial'] = True
670+
from django_enum.forms import EnumChoiceField, NonStrictSelect
680671

681672
if not self.strict:
682-
kwargs.setdefault(
683-
"widget",
684-
NonStrictSelectMultiple(enum=self.enum)
685-
if is_multi
686-
else NonStrictSelect,
687-
)
688-
elif is_multi:
689-
kwargs.setdefault("widget", FlagSelectMultiple(enum=self.enum))
673+
kwargs.setdefault("widget", NonStrictSelect)
690674

691675
form_field = super().formfield(
692676
form_class=form_class,
693-
choices_form_class=(
694-
choices_form_class or EnumFlagField if is_multi else EnumChoiceField
695-
),
677+
choices_form_class=choices_form_class or EnumChoiceField,
696678
**kwargs,
697679
)
698680

@@ -709,8 +691,6 @@ def get_choices(
709691
limit_choices_to=None,
710692
ordering=(),
711693
):
712-
if self.enum and issubclass(self.enum, Flag):
713-
blank_choice = [(self.enum(0), "---------")]
714694
return [
715695
(getattr(choice, "value", choice), label)
716696
for choice, label in super().get_choices(
@@ -1146,7 +1126,18 @@ class FlagField(with_typehint(IntEnumField)): # type: ignore
11461126
support bitwise operations.
11471127
"""
11481128

1149-
enum: Type[Flag]
1129+
enum: Type[IntFlag]
1130+
1131+
def __init__(
1132+
self,
1133+
enum: Optional[Type[IntFlag]] = None,
1134+
blank=True,
1135+
default=NOT_PROVIDED,
1136+
**kwargs,
1137+
):
1138+
if enum and default is NOT_PROVIDED:
1139+
default = enum(0)
1140+
super().__init__(enum=enum, default=default, blank=blank, **kwargs)
11501141

11511142
def contribute_to_class(
11521143
self, cls: Type[Model], name: str, private_only: bool = False
@@ -1220,6 +1211,53 @@ def contribute_to_class(
12201211
# for non flag fields
12211212
IntegerField.contribute_to_class(self, cls, name, private_only=private_only)
12221213

1214+
def formfield(self, form_class=None, choices_form_class=None, **kwargs):
1215+
from django_enum.forms import (
1216+
ChoiceFieldMixin,
1217+
EnumFlagField,
1218+
FlagSelectMultiple,
1219+
NonStrictSelectMultiple,
1220+
)
1221+
1222+
kwargs["empty_value"] = None if self.default is None else self.enum(0)
1223+
kwargs.setdefault(
1224+
"widget",
1225+
FlagSelectMultiple(enum=self.enum)
1226+
if self.strict
1227+
else NonStrictSelectMultiple(enum=self.enum),
1228+
)
1229+
1230+
form_field = Field.formfield(
1231+
self,
1232+
form_class=form_class,
1233+
choices_form_class=choices_form_class or EnumFlagField,
1234+
**kwargs,
1235+
)
1236+
1237+
# we can't pass these in kwargs because formfield() strips them out
1238+
if isinstance(form_field, ChoiceFieldMixin):
1239+
form_field.enum = self.enum
1240+
form_field.strict = self.strict
1241+
form_field.primitive = self.primitive
1242+
return form_field
1243+
1244+
def get_choices(
1245+
self,
1246+
include_blank=False,
1247+
blank_choice=tuple(BLANK_CHOICE_DASH),
1248+
limit_choices_to=None,
1249+
ordering=(),
1250+
):
1251+
return [
1252+
(getattr(choice, "value", choice), label)
1253+
for choice, label in super().get_choices(
1254+
include_blank=False,
1255+
blank_choice=blank_choice,
1256+
limit_choices_to=limit_choices_to,
1257+
ordering=ordering,
1258+
)
1259+
]
1260+
12231261

12241262
class SmallIntegerFlagField(FlagField, EnumPositiveSmallIntegerField):
12251263
"""

src/django_enum/forms.py

+10-13
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,5 @@
11
"""Enumeration support for django model forms"""
22

3-
import sys
43
from copy import copy
54
from decimal import DecimalException
65
from enum import Enum, Flag
@@ -17,7 +16,12 @@
1716
from django.forms.widgets import Select, SelectMultiple
1817

1918
from django_enum.utils import choices as get_choices
20-
from django_enum.utils import determine_primitive, with_typehint
19+
from django_enum.utils import (
20+
decompose,
21+
determine_primitive,
22+
get_set_values,
23+
with_typehint,
24+
)
2125

2226
__all__ = [
2327
"NonStrictSelect",
@@ -98,25 +102,18 @@ def format_value(self, value):
98102
"""
99103
Return a list of the flag's values.
100104
"""
105+
if value is None:
106+
return []
101107
if not isinstance(value, list):
102108
# see impl of ChoiceWidget.optgroups
103109
# it compares the string conversion of the value of each
104110
# choice tuple to the string conversion of the value
105111
# to determine selected options
106112
if self.enum:
107-
if sys.version_info < (3, 11):
108-
return [
109-
str(flg.value)
110-
for flg in self.enum
111-
if flg in self.enum(value) and flg is not self.enum(0)
112-
]
113-
else:
114-
return [str(en.value) for en in self.enum(value)]
113+
return [str(en.value) for en in decompose(self.enum(value))]
115114
if isinstance(value, int):
116115
# automagically work for IntFlags even if we weren't given the enum
117-
return [
118-
str(1 << i) for i in range(value.bit_length()) if (value >> i) & 1
119-
]
116+
return [str(bit) for bit in get_set_values(value)]
120117
return value
121118

122119

src/django_enum/utils.py

+34-3
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,9 @@
11
"""Utility routines for django_enum."""
22

3+
import sys
34
from datetime import date, datetime, time, timedelta
45
from decimal import Decimal
5-
from enum import Enum, IntFlag
6+
from enum import Enum, Flag, IntFlag
67
from typing import TYPE_CHECKING, Any, Dict, List, Optional, Tuple, Type, TypeVar, Union
78

89
from typing_extensions import get_args
@@ -21,6 +22,7 @@
2122

2223

2324
T = TypeVar("T")
25+
F = TypeVar("F", bound=Flag)
2426

2527
SupportedPrimitive = Union[
2628
int,
@@ -214,11 +216,40 @@ def decimal_params(
214216
return {"max_digits": max_digits, "decimal_places": decimal_places}
215217

216218

217-
def get_set_bits(flag: Union[int, IntFlag]) -> List[int]:
219+
def get_set_bits(flag: Optional[Union[int, IntFlag]]) -> List[int]:
218220
"""
219221
Return the indices of the bits set in the flag.
220222
221223
:param flag: The flag to get the set bits for, value must be an int.
222224
:return: A list of indices of the set bits
223225
"""
224-
return [i for i in range(flag.bit_length()) if flag & (1 << i)]
226+
if flag:
227+
return [i for i in range(flag.bit_length()) if flag & (1 << i)]
228+
return []
229+
230+
231+
def get_set_values(flag: Optional[Union[int, IntFlag]]) -> List[int]:
232+
"""
233+
Return the integers corresponding to the flags set on the IntFlag or integer.
234+
235+
:param flag: The flag to get the set bits for, value must be an int.
236+
:return: A list of flag integers
237+
"""
238+
if flag:
239+
return [1 << i for i in range(flag.bit_length()) if (flag >> i) & 1]
240+
return []
241+
242+
243+
def decompose(flags: Optional[F]) -> List[F]:
244+
"""
245+
Get the activated flags in a :class:`~enum.Flag` instance.
246+
247+
:param: flags: The flag instance to decompose
248+
:return: A list of the :class:`~enum.Flag` instances comprising the flag.
249+
"""
250+
if not flags:
251+
return []
252+
if sys.version_info < (3, 11):
253+
return [flg for flg in type(flags) if flg in flags and flg is not flags(0)]
254+
else:
255+
return list(flags) # type: ignore[arg-type]

tests/djenum/admin.py

+11-1
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,18 @@
11
from django.contrib import admin
22

3-
from tests.djenum.models import AdminDisplayBug35, EnumTester
3+
from django.forms import ModelForm
4+
from tests.djenum.models import (
5+
AdminDisplayBug35,
6+
EnumTester,
7+
NullBlankFormTester,
8+
NullableBlankFormTester,
9+
Bug53Tester,
10+
)
411

512
admin.site.register(EnumTester)
13+
admin.site.register(NullBlankFormTester)
14+
admin.site.register(NullableBlankFormTester)
15+
admin.site.register(Bug53Tester)
616

717

818
class AdminDisplayBug35Admin(admin.ModelAdmin):

tests/djenum/enums.py

+24
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,21 @@ def __str__(self):
4747
return self.name
4848

4949

50+
class NullableExternEnum(Enum):
51+
"""
52+
Tests that externally defined (i.e. not deriving from choices enums
53+
are supported.
54+
"""
55+
56+
NONE = None
57+
ONE = 1
58+
TWO = 2
59+
THREE = 3
60+
61+
def __str__(self):
62+
return self.name
63+
64+
5065
class Constants(FloatChoices):
5166
PI = 3.14159265358979323846264338327950288, "Pi"
5267
e = 2.71828, "Euler's Number"
@@ -357,3 +372,12 @@ class StrPropsEnum(Enum):
357372
STR1 = StrProps("str1")
358373
STR2 = StrProps("str2")
359374
STR3 = StrProps("str3")
375+
376+
377+
class StrTestEnum(str, Enum):
378+
V1 = "v1"
379+
V2 = "v2"
380+
V3 = "v3"
381+
382+
def __str__(self):
383+
return self.value

0 commit comments

Comments
 (0)