dearpygui-forms 0.1.2__py3-none-any.whl → 0.2.0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- dearpygui_forms/__init__.py +1 -121
- dearpygui_forms/dpg_form.py +53 -0
- dearpygui_forms/models.py +14 -0
- dearpygui_forms/widgets.py +216 -0
- dearpygui_forms-0.2.0.dist-info/METADATA +64 -0
- dearpygui_forms-0.2.0.dist-info/RECORD +7 -0
- dearpygui_forms-0.1.2.dist-info/METADATA +0 -9
- dearpygui_forms-0.1.2.dist-info/RECORD +0 -5
- dearpygui_forms-0.1.2.dist-info/entry_points.txt +0 -2
- {dearpygui_forms-0.1.2.dist-info → dearpygui_forms-0.2.0.dist-info}/WHEEL +0 -0
dearpygui_forms/__init__.py
CHANGED
@@ -1,124 +1,4 @@
|
|
1
1
|
"""
|
2
2
|
Dearpygui extention for autogeneration forms powered by pydantic.
|
3
3
|
"""
|
4
|
-
import
|
5
|
-
from typing import Any, Type
|
6
|
-
from pprint import pformat
|
7
|
-
|
8
|
-
|
9
|
-
import dearpygui.dearpygui as dpg
|
10
|
-
from loguru import logger
|
11
|
-
import pydantic
|
12
|
-
|
13
|
-
|
14
|
-
def parse_property_type(property_schema: dict[str, Any]) -> str:
|
15
|
-
property_type = property_schema.get("type", None)
|
16
|
-
if property_type is None:
|
17
|
-
any_of = property_schema.get("anyOf", None)
|
18
|
-
if any_of is None:
|
19
|
-
raise ValueError(f"Property type not detected. {property_schema}")
|
20
|
-
|
21
|
-
# Text input field preferred for Decimal type than float input field
|
22
|
-
if 'string' in map(lambda x: x.get("type"), any_of):
|
23
|
-
property_type = 'string'
|
24
|
-
else:
|
25
|
-
property_type = any_of[0].get("type", None)
|
26
|
-
|
27
|
-
if property_type is None:
|
28
|
-
raise ValueError(f"Property type not detected. {property_schema}")
|
29
|
-
return property_type
|
30
|
-
|
31
|
-
class DPGForm:
|
32
|
-
"""
|
33
|
-
Base class for dearpygui forms.
|
34
|
-
Sublasses must define `__pydantic_model__` with some Pydantic model type.
|
35
|
-
|
36
|
-
# Example:
|
37
|
-
```python
|
38
|
-
import dearpygui.dearpygui as dpg
|
39
|
-
from pydantic import BaseModel
|
40
|
-
from dearpygui_forms import DPGForm
|
41
|
-
|
42
|
-
class User(BaseModel):
|
43
|
-
name: str
|
44
|
-
age: int
|
45
|
-
|
46
|
-
class UserForm(DPGForm):
|
47
|
-
__pydantic_model__ = User
|
48
|
-
|
49
|
-
dpg.create_context()
|
50
|
-
dpg.create_viewport()
|
51
|
-
with dpg.window(label="User Form"):
|
52
|
-
user_form = UserForm(callback=lambda x: print(x))
|
53
|
-
user_form.add()
|
54
|
-
dpg.setup_dearpygui()
|
55
|
-
dpg.show_viewport()
|
56
|
-
dpg.start_dearpygui()
|
57
|
-
dpg.destroy_context()
|
58
|
-
```
|
59
|
-
"""
|
60
|
-
__pydantic_model__: Type[pydantic.BaseModel]
|
61
|
-
|
62
|
-
def __init__(self, callback):
|
63
|
-
"""
|
64
|
-
Initializes the UserForm instance.
|
65
|
-
|
66
|
-
Args:
|
67
|
-
callback (Callable): The callback function to be called with a validated pydantic model.
|
68
|
-
"""
|
69
|
-
self.callback = callback
|
70
|
-
logger.debug(self.__pydantic_model__)
|
71
|
-
self.model_schema = self.__pydantic_model__.model_json_schema()
|
72
|
-
logger.debug(pformat(self.model_schema))
|
73
|
-
|
74
|
-
def add(self):
|
75
|
-
"""Adds form as child_window dearpygui element."""
|
76
|
-
schema = self.model_schema
|
77
|
-
with dpg.child_window(label=schema["title"]):
|
78
|
-
for property_name, property_schema in schema["properties"].items():
|
79
|
-
property_type = parse_property_type(property_schema)
|
80
|
-
default_value = property_schema.get("default")
|
81
|
-
if property_type == "string":
|
82
|
-
schema["properties"][property_name]["dpg_form_id"] = \
|
83
|
-
dpg.add_input_text(label=property_schema["title"], default_value=default_value or '')
|
84
|
-
elif property_type == "integer":
|
85
|
-
schema["properties"][property_name]["dpg_form_id"] = \
|
86
|
-
dpg.add_input_int(label=property_schema["title"], default_value=default_value)
|
87
|
-
elif property_type == "number":
|
88
|
-
schema["properties"][property_name]["dpg_form_id"] = \
|
89
|
-
dpg.add_input_float(label=property_schema["title"], default_value=float(default_value))
|
90
|
-
elif property_type == "boolean":
|
91
|
-
schema["properties"][property_name]["dpg_form_id"] = \
|
92
|
-
dpg.add_checkbox(label=property_schema["title"], default_value=default_value)
|
93
|
-
elif property_type == "array":
|
94
|
-
schema["properties"][property_name]["dpg_form_id"] = \
|
95
|
-
dpg.add_input_text(label=property_schema["title"])
|
96
|
-
elif property_type == "object":
|
97
|
-
schema["properties"][property_name]["dpg_form_id"] = \
|
98
|
-
dpg.add_input_text(label=property_schema["title"])
|
99
|
-
else:
|
100
|
-
raise ValueError(f"Unsupported type: {property_type}")
|
101
|
-
|
102
|
-
dpg.add_button(label="Submit", callback=self.submit)
|
103
|
-
|
104
|
-
logger.debug(pformat(self.model_schema))
|
105
|
-
|
106
|
-
def submit(self):
|
107
|
-
try:
|
108
|
-
data = self._handle_data()
|
109
|
-
except pydantic.ValidationError as e:
|
110
|
-
with dpg.window(label="Validation error", modal=True):
|
111
|
-
dpg.add_text(str(e))
|
112
|
-
else:
|
113
|
-
self.callback(data)
|
114
|
-
|
115
|
-
def _handle_data(self):
|
116
|
-
json_data = {}
|
117
|
-
for property_name, property_schema in self.model_schema["properties"].items():
|
118
|
-
form_id = property_schema["dpg_form_id"]
|
119
|
-
if form_id is not None:
|
120
|
-
json_data[property_name] = dpg.get_value(form_id)
|
121
|
-
else:
|
122
|
-
raise ValueError(f"Missing form ID for property: {property_name}")
|
123
|
-
|
124
|
-
return self.__pydantic_model__(**json_data)
|
4
|
+
from .dpg_form import DPGForm
|
@@ -0,0 +1,53 @@
|
|
1
|
+
from pprint import pformat
|
2
|
+
from typing import Any, Type
|
3
|
+
import copy
|
4
|
+
|
5
|
+
import pydantic
|
6
|
+
import dearpygui.dearpygui as dpg
|
7
|
+
from loguru import logger
|
8
|
+
|
9
|
+
|
10
|
+
from .models import PropertySchema
|
11
|
+
from .widgets import *
|
12
|
+
|
13
|
+
|
14
|
+
def extract_defs(schema: dict[str, Any]) -> tuple[dict[str, Any], dict[str, Any]]:
|
15
|
+
"""split schema on root models schema and $defs"""
|
16
|
+
schema = copy.deepcopy(schema)
|
17
|
+
if "$defs" in schema:
|
18
|
+
defs = schema["$defs"]
|
19
|
+
del schema["$defs"]
|
20
|
+
root_model_schema = schema
|
21
|
+
else:
|
22
|
+
defs = {}
|
23
|
+
root_model_schema = schema
|
24
|
+
return root_model_schema, defs
|
25
|
+
|
26
|
+
|
27
|
+
class DPGForm:
|
28
|
+
def __init_subclass__(cls, *, model: Type[pydantic.BaseModel]) -> None:
|
29
|
+
cls._Model = model
|
30
|
+
|
31
|
+
def __init__(self, callback):
|
32
|
+
model_schema, models_defs = extract_defs(self._Model.model_json_schema())
|
33
|
+
self._model_widget = generate_widget(model_schema, models_defs)
|
34
|
+
self._callback = callback
|
35
|
+
|
36
|
+
def add(self):
|
37
|
+
self._model_widget.add()
|
38
|
+
dpg.add_button(label="Submit", callback=self._on_submit)
|
39
|
+
|
40
|
+
def fill_form(self, data_model: pydantic.BaseModel):
|
41
|
+
self._model_widget.set_value(data_model.model_dump())
|
42
|
+
|
43
|
+
def _on_submit(self):
|
44
|
+
try:
|
45
|
+
data = self._Model(**self._model_widget.get_value())
|
46
|
+
except pydantic.ValidationError as e:
|
47
|
+
with dpg.window(modal=True, label="Validation Error"):
|
48
|
+
dpg.add_text(f"Validation error: {e}")
|
49
|
+
else:
|
50
|
+
self._callback(data)
|
51
|
+
|
52
|
+
def get_form_data(self):
|
53
|
+
return self._Model(**self._model_widget.get_value())
|
@@ -0,0 +1,14 @@
|
|
1
|
+
from typing import Any, Literal
|
2
|
+
from pydantic import BaseModel
|
3
|
+
|
4
|
+
|
5
|
+
class PropertySchema:
|
6
|
+
def __init__(self, schema: dict[str, Any]) -> None:
|
7
|
+
self.title: str | None = schema.get("title", None)
|
8
|
+
self.type: str | None = schema.get("type", None)
|
9
|
+
self.anyOf: list[dict[str, Any]] = schema.get("anyOf", [])
|
10
|
+
self.properties: dict[str, dict[str, Any]] = schema.get("properties", {})
|
11
|
+
self.default = schema.get("default", None)
|
12
|
+
|
13
|
+
def __repr__(self) -> str:
|
14
|
+
return f"PropertySchema(title={self.title}, type={self.type}, anyOf={self.anyOf}, properties={self.properties}, default={self.default})"
|
@@ -0,0 +1,216 @@
|
|
1
|
+
import copy
|
2
|
+
from typing import Any
|
3
|
+
|
4
|
+
import dearpygui.dearpygui as dpg
|
5
|
+
from loguru import logger
|
6
|
+
|
7
|
+
|
8
|
+
from .models import PropertySchema
|
9
|
+
|
10
|
+
|
11
|
+
@logger.catch
|
12
|
+
def dereference_property(schema: dict[str, Any], defs: dict[str, Any]):
|
13
|
+
if "$ref" in schema:
|
14
|
+
path = schema["$ref"].split("/")[-1]
|
15
|
+
new_schema = copy.deepcopy(defs[path])
|
16
|
+
new_schema.update(copy.deepcopy(schema))
|
17
|
+
del new_schema["$ref"]
|
18
|
+
else:
|
19
|
+
new_schema = copy.deepcopy(schema)
|
20
|
+
return new_schema
|
21
|
+
|
22
|
+
|
23
|
+
class Widget:
|
24
|
+
def __init__(self, schema: PropertySchema, defs: dict, **kwargs):
|
25
|
+
self.schema = schema
|
26
|
+
self._defs = defs
|
27
|
+
self._kwargs = kwargs
|
28
|
+
with dpg.stage() as self._staging_container_id:
|
29
|
+
self._ui()
|
30
|
+
|
31
|
+
if schema.default:
|
32
|
+
self.set_value(schema.default)
|
33
|
+
|
34
|
+
def _ui(self):
|
35
|
+
dpg.add_text(f"Property {self.schema.title}, type: {self.schema.type}")
|
36
|
+
|
37
|
+
def add(self):
|
38
|
+
dpg.unstage(self._staging_container_id)
|
39
|
+
|
40
|
+
def set_value(self, value: Any):
|
41
|
+
pass
|
42
|
+
|
43
|
+
def get_value(self) -> Any:
|
44
|
+
pass
|
45
|
+
|
46
|
+
|
47
|
+
|
48
|
+
class ObjectWidget(Widget):
|
49
|
+
def __init__(self, schema, defs, **kwargs):
|
50
|
+
self._properties = {}
|
51
|
+
super().__init__(schema, defs, **kwargs)
|
52
|
+
|
53
|
+
def _ui(self):
|
54
|
+
for property_name, property in self.schema.properties.items():
|
55
|
+
property_widget = generate_widget(property, self._defs, generate_object=False)
|
56
|
+
property_widget.add()
|
57
|
+
self._properties[property_name] = property_widget
|
58
|
+
|
59
|
+
def get_value(self) -> dict[str, Any]:
|
60
|
+
return {property_name: property_widget.get_value() for property_name, property_widget in self._properties.items()}
|
61
|
+
|
62
|
+
def set_value(self, value: dict[str, Any]):
|
63
|
+
for property_name, property_widget in self._properties.items():
|
64
|
+
property_widget.set_value(value.get(property_name))
|
65
|
+
|
66
|
+
|
67
|
+
class ArrayWidget(Widget):
|
68
|
+
def __init__(self, schema, defs, **kwargs):
|
69
|
+
super().__init__(schema, defs, **kwargs)
|
70
|
+
|
71
|
+
|
72
|
+
class MultiTypeWidget(Widget):
|
73
|
+
def __init__(self, schema, defs, **kwargs):
|
74
|
+
self._type_switcher_id = dpg.generate_uuid()
|
75
|
+
self._widget: Widget | None = None
|
76
|
+
self._widgets = [generate_widget(type_schema, defs) for type_schema in schema.anyOf]
|
77
|
+
super().__init__(schema, defs, **kwargs)
|
78
|
+
logger.debug(defs)
|
79
|
+
|
80
|
+
|
81
|
+
def _ui(self):
|
82
|
+
dpg.add_text(self.schema.title)
|
83
|
+
with dpg.group(indent=10):
|
84
|
+
dpg.add_combo(label="Type", tag=self._type_switcher_id, items=tuple(x.schema.title or x.schema.type for x in self._widgets), callback=self.switch_value_type)
|
85
|
+
|
86
|
+
|
87
|
+
def switch_value_type(self, new_type):
|
88
|
+
logger.debug(f"Switching to type {dpg.get_value(self._type_switcher_id)}")
|
89
|
+
|
90
|
+
|
91
|
+
def get_value(self):
|
92
|
+
if self._widget:
|
93
|
+
return self._widget.get_value()
|
94
|
+
else:
|
95
|
+
return None
|
96
|
+
|
97
|
+
def set_value(self, value):
|
98
|
+
dpg.set_value(self._type_switcher_id, value)
|
99
|
+
|
100
|
+
|
101
|
+
class StringWidget(Widget):
|
102
|
+
def __init__(self, schema, defs, **kwargs):
|
103
|
+
self._input_id = dpg.generate_uuid()
|
104
|
+
super().__init__(schema, defs, **kwargs)
|
105
|
+
|
106
|
+
def _ui(self):
|
107
|
+
dpg.add_input_text(label=self.schema.title, tag=self._input_id)
|
108
|
+
|
109
|
+
def get_value(self):
|
110
|
+
return dpg.get_value(self._input_id)
|
111
|
+
|
112
|
+
def set_value(self, value):
|
113
|
+
dpg.set_value(self._input_id, value)
|
114
|
+
|
115
|
+
|
116
|
+
class IntegerWidget(Widget):
|
117
|
+
def __init__(self, schema, defs, **kwargs):
|
118
|
+
self._input_id = dpg.generate_uuid()
|
119
|
+
super().__init__(schema, defs, **kwargs)
|
120
|
+
|
121
|
+
def _ui(self):
|
122
|
+
dpg.add_input_int(label=self.schema.title, tag=self._input_id)
|
123
|
+
|
124
|
+
def get_value(self):
|
125
|
+
return dpg.get_value(self._input_id)
|
126
|
+
|
127
|
+
def set_value(self, value):
|
128
|
+
dpg.set_value(self._input_id, value)
|
129
|
+
|
130
|
+
|
131
|
+
class NumberWidget(Widget):
|
132
|
+
def __init__(self, schema, defs, **kwargs):
|
133
|
+
self._input_id = dpg.generate_uuid()
|
134
|
+
super().__init__(schema, defs, **kwargs)
|
135
|
+
|
136
|
+
def _ui(self):
|
137
|
+
dpg.add_input_float(label=self.schema.title, tag=self._input_id)
|
138
|
+
|
139
|
+
def get_value(self):
|
140
|
+
return dpg.get_value(self._input_id)
|
141
|
+
|
142
|
+
def set_value(self, value):
|
143
|
+
dpg.set_value(self._input_id, value)
|
144
|
+
|
145
|
+
|
146
|
+
class BooleanWidget(Widget):
|
147
|
+
def __init__(self, schema, defs, **kwargs):
|
148
|
+
self._checkbox_id = dpg.generate_uuid()
|
149
|
+
super().__init__(schema, defs, **kwargs)
|
150
|
+
|
151
|
+
def _ui(self):
|
152
|
+
dpg.add_checkbox(label=self.schema.title, tag=self._checkbox_id)
|
153
|
+
|
154
|
+
def get_value(self):
|
155
|
+
return dpg.get_value(self._checkbox_id)
|
156
|
+
|
157
|
+
def set_value(self, value: bool):
|
158
|
+
dpg.set_value(self._checkbox_id, value)
|
159
|
+
|
160
|
+
class NoneWidget(Widget):
|
161
|
+
def __init__(self, schema, defs, **kwargs):
|
162
|
+
self._none_id = dpg.generate_uuid()
|
163
|
+
super().__init__(schema, defs, **kwargs)
|
164
|
+
|
165
|
+
def _ui(self):
|
166
|
+
dpg.add_input_text(default_value='<None>', label=self.schema.title, tag=self._none_id, enabled=False)
|
167
|
+
|
168
|
+
def get_value(self):
|
169
|
+
return None
|
170
|
+
|
171
|
+
def set_value(self, value):
|
172
|
+
pass
|
173
|
+
|
174
|
+
|
175
|
+
class ExternalWidget(Widget):
|
176
|
+
def __init__(self, schema, defs, **kwargs):
|
177
|
+
self._external_id = dpg.generate_uuid()
|
178
|
+
super().__init__(schema, defs, **kwargs)
|
179
|
+
|
180
|
+
def _ui(self):
|
181
|
+
dpg.add_button(label=self.schema.title, tag=self._external_id, enabled=False)
|
182
|
+
|
183
|
+
def get_value(self):
|
184
|
+
return None
|
185
|
+
|
186
|
+
def set_value(self, value):
|
187
|
+
pass
|
188
|
+
|
189
|
+
|
190
|
+
def generate_widget(json_schema: dict[str, Any], defs: dict[str, Any], generate_object: bool = True, **kwargs) -> Widget:
|
191
|
+
schema = PropertySchema(dereference_property(json_schema, defs))
|
192
|
+
match schema:
|
193
|
+
case PropertySchema(type='object'):
|
194
|
+
if generate_object:
|
195
|
+
return ObjectWidget(schema, defs, **kwargs)
|
196
|
+
else:
|
197
|
+
raise NotImplementedError("ExternalWidget is not implemented yet")
|
198
|
+
return ExternalWidget(schema, defs, **kwargs)
|
199
|
+
case PropertySchema(type='array'):
|
200
|
+
raise NotImplementedError("ArrayWidget is not implemented yet")
|
201
|
+
return ArrayWidget(schema, defs, **kwargs)
|
202
|
+
case PropertySchema(type='string'):
|
203
|
+
return StringWidget(schema, defs, **kwargs)
|
204
|
+
case PropertySchema(type='integer'):
|
205
|
+
return IntegerWidget(schema, defs, **kwargs)
|
206
|
+
case PropertySchema(type='number'):
|
207
|
+
return NumberWidget(schema, defs, **kwargs)
|
208
|
+
case PropertySchema(type='boolean'):
|
209
|
+
return BooleanWidget(schema, defs, **kwargs)
|
210
|
+
case PropertySchema(type='null'):
|
211
|
+
return NoneWidget(schema, defs, **kwargs)
|
212
|
+
case PropertySchema(anyOf=types) if len(types) > 0:
|
213
|
+
raise NotImplementedError("MultiTypeWidget is not implemented yet")
|
214
|
+
# return MultiTypeWidget(schema, defs, **kwargs)
|
215
|
+
case _:
|
216
|
+
raise ValueError(f"Unsupported schema: {schema}")
|
@@ -0,0 +1,64 @@
|
|
1
|
+
Metadata-Version: 2.4
|
2
|
+
Name: dearpygui-forms
|
3
|
+
Version: 0.2.0
|
4
|
+
Summary: Dearpygui extention for autogeneration forms powered by pydantic.
|
5
|
+
Project-URL: homepage, https://github.com/vlewicki/dearpygui-forms
|
6
|
+
Author-email: Valentin Lewicki <vlewicki@vlewicki.ru>
|
7
|
+
Requires-Python: >=3.10
|
8
|
+
Requires-Dist: dearpygui>=2.0.0
|
9
|
+
Requires-Dist: loguru>=0.7.3
|
10
|
+
Requires-Dist: pydantic>=2.11.7
|
11
|
+
Description-Content-Type: text/markdown
|
12
|
+
|
13
|
+
# DearPyGui Forms
|
14
|
+
Generate GUI forms for your Pydantic models.
|
15
|
+
|
16
|
+
## Features
|
17
|
+
- Fill form fields with Pydantic model data
|
18
|
+
- Fill from fields with default values
|
19
|
+
- Validation on form submission
|
20
|
+
- Callbacks for form submission
|
21
|
+
|
22
|
+
|
23
|
+
Currently supported Pydantic fields:
|
24
|
+
- str
|
25
|
+
- int
|
26
|
+
- float
|
27
|
+
- bool
|
28
|
+
- datetime
|
29
|
+
- date
|
30
|
+
- time
|
31
|
+
|
32
|
+
## Example:
|
33
|
+
```python
|
34
|
+
from pprint import pprint
|
35
|
+
import dearpygui.dearpygui as dpg
|
36
|
+
from pydantic import BaseModel, Field
|
37
|
+
from dearpygui_forms import DPGForm
|
38
|
+
|
39
|
+
class User(BaseModel):
|
40
|
+
name: str = Field(default="John Doe", min_length=3)
|
41
|
+
age: int = Field(ge=18)
|
42
|
+
|
43
|
+
|
44
|
+
class Storage(BaseModel):
|
45
|
+
users: list[User] = []
|
46
|
+
|
47
|
+
class UserForm(DPGForm, model=User):
|
48
|
+
pass
|
49
|
+
|
50
|
+
|
51
|
+
dpg.create_context()
|
52
|
+
dpg.create_viewport()
|
53
|
+
|
54
|
+
store = Storage()
|
55
|
+
|
56
|
+
with dpg.window(label="User Form"):
|
57
|
+
user_form = UserForm(callback=lambda x: store.users.append(x))
|
58
|
+
user_form.add()
|
59
|
+
dpg.add_button(label="Print Users", callback=lambda: pprint(store.model_dump()))
|
60
|
+
dpg.setup_dearpygui()
|
61
|
+
dpg.show_viewport()
|
62
|
+
dpg.start_dearpygui()
|
63
|
+
dpg.destroy_context()
|
64
|
+
```
|
@@ -0,0 +1,7 @@
|
|
1
|
+
dearpygui_forms/__init__.py,sha256=G_SP5hMol1eeOBLl0Lsphe1yyQ800aaCzI0gp03UagE,104
|
2
|
+
dearpygui_forms/dpg_form.py,sha256=hFSWL3BSc0sxVbA2b-_GLGUPIld1VXkGwImQVs8j3nE,1591
|
3
|
+
dearpygui_forms/models.py,sha256=74CL8WvfY5Qrh-Fx1uSmRU-TY33r_LtFtS1unYqWI5M,636
|
4
|
+
dearpygui_forms/widgets.py,sha256=hZsepjOtJtMloNeOaNVgAzNaTeZoznfPNwS7gnstLyw,6851
|
5
|
+
dearpygui_forms-0.2.0.dist-info/METADATA,sha256=MDdweUUm5niI4vdOvI5b7YRSpB_ss4VS7C1a9Ls01MA,1457
|
6
|
+
dearpygui_forms-0.2.0.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
|
7
|
+
dearpygui_forms-0.2.0.dist-info/RECORD,,
|
@@ -1,9 +0,0 @@
|
|
1
|
-
Metadata-Version: 2.4
|
2
|
-
Name: dearpygui-forms
|
3
|
-
Version: 0.1.2
|
4
|
-
Summary: Dearpygui extention for autogeneration forms powered by pydantic.
|
5
|
-
Author-email: Valentin Lewicki <vlewicki@vlewicki.ru>
|
6
|
-
Requires-Python: >=3.13
|
7
|
-
Requires-Dist: dearpygui>=2.0.0
|
8
|
-
Requires-Dist: loguru>=0.7.3
|
9
|
-
Requires-Dist: pydantic>=2.11.7
|
@@ -1,5 +0,0 @@
|
|
1
|
-
dearpygui_forms/__init__.py,sha256=nZAlaoWBB-tBVnJxsJzMYtSqRqk6f92Gjx3oEVgIYPI,4687
|
2
|
-
dearpygui_forms-0.1.2.dist-info/METADATA,sha256=8vuGAlFk6-wkpqYomj5N4YS9sZrzQTVUtEMz_k2bB98,305
|
3
|
-
dearpygui_forms-0.1.2.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
|
4
|
-
dearpygui_forms-0.1.2.dist-info/entry_points.txt,sha256=7Iv9K4ckShx5C5O1M7Ta6zoIN9HUBBa7vHllqm2kvDQ,57
|
5
|
-
dearpygui_forms-0.1.2.dist-info/RECORD,,
|
File without changes
|