3
0
Fork 0

Compare commits

...

3 commits

Author SHA1 Message Date
Lance Edgar 1804e74d13 feat: allow app db to be rattail-native instead of wutta-native
not sure if that's even a good idea, but it sort of works..  more
improvements would be needed, just saving the progress for now
2024-08-23 22:10:25 -05:00
Lance Edgar 43ad0ae1c1 fix: improve handling of boolean form fields 2024-08-23 20:38:46 -05:00
Lance Edgar 2503836ef5 fix: misc. improvements for display of grids, form errors 2024-08-23 19:23:40 -05:00
15 changed files with 243 additions and 76 deletions

View file

@ -61,7 +61,7 @@ class WebAppProvider(AppProvider):
return self.web_handler return self.web_handler
def make_wutta_config(settings): def make_wutta_config(settings, config_maker=None, **kwargs):
""" """
Make a WuttaConfig object from the given settings. Make a WuttaConfig object from the given settings.
@ -93,8 +93,9 @@ def make_wutta_config(settings):
"section of config to the path of your " "section of config to the path of your "
"config file. Lame, but necessary.") "config file. Lame, but necessary.")
# make config per usual, add to settings # make config, add to settings
wutta_config = make_config(path) config_maker = config_maker or make_config
wutta_config = config_maker(path, **kwargs)
settings['wutta_config'] = wutta_config settings['wutta_config'] = wutta_config
# configure database sessions # configure database sessions

View file

@ -746,17 +746,39 @@ class Form:
kwargs = {} kwargs = {}
if self.model_instance: if self.model_instance:
# TODO: would it be smarter to test with hasattr() ?
# if hasattr(schema, 'dictify'): # TODO: i keep finding problems with this, not sure
if isinstance(self.model_instance, model.Base): # what needs to happen. some forms will have a simple
# dict for model_instance, others will have a proper
# SQLAlchemy object. and in the latter case, it may
# not be "wutta-native" but from another DB.
# so the problem is, how to detect whether we should
# use the model_instance as-is or if we should convert
# to a dict. some options include:
# - check if instance has dictify() method
# i *think* this was tried and didn't work? but do not recall
# - check if is instance of model.Base
# this is unreliable since model.Base is wutta-native
# - check if form has a model_class
# has not been tried yet
# - check if schema is from colanderalchemy
# this is what we are trying currently...
if isinstance(schema, SQLAlchemySchemaNode):
kwargs['appstruct'] = schema.dictify(self.model_instance) kwargs['appstruct'] = schema.dictify(self.model_instance)
else: else:
kwargs['appstruct'] = self.model_instance kwargs['appstruct'] = self.model_instance
form = deform.Form(schema, **kwargs) # create the Deform instance
# nb. must give a reference back to wutta form; this is # nb. must give a reference back to wutta form; this is
# for sake of field schema nodes and widgets, e.g. to # for sake of field schema nodes and widgets, e.g. to
# access the main model instance # access the main model instance
form = deform.Form(schema, **kwargs)
form.wutta_form = self form.wutta_form = self
self.deform_form = form self.deform_form = form
@ -922,18 +944,13 @@ class Form:
if field_type: if field_type:
attrs['type'] = field_type attrs['type'] = field_type
if messages: if messages:
if len(messages) == 1: cls = 'is-size-7'
msg = messages[0] if field_type == 'is-danger':
if msg.startswith('`') and msg.endswith('`'): cls += ' has-text-danger'
attrs[':message'] = msg messages = [HTML.tag('p', c=[msg], class_=cls)
else: for msg in messages]
attrs['message'] = msg slot = HTML.tag('slot', name='messages', c=messages)
# TODO html = HTML.tag('div', c=[html, slot])
# else:
# # nb. must pass an array as JSON string
# attrs[':message'] = '[{}]'.format(', '.join([
# "'{}'".format(msg.replace("'", r"\'"))
# for msg in messages]))
return HTML.tag('b-field', c=[html], **attrs) return HTML.tag('b-field', c=[html], **attrs)
@ -978,7 +995,16 @@ class Form:
model_data = {} model_data = {}
def assign(field): def assign(field):
model_data[field.oid] = make_json_safe(field.cstruct) value = field.cstruct
# TODO: we need a proper true/false on the Vue side,
# but deform/colander want 'true' and 'false' ..so
# for now we explicitly translate here, ugh. also
# note this does not yet allow for null values.. :(
if isinstance(field.typ, colander.Boolean):
value = True if field.typ.true_val else False
model_data[field.oid] = make_json_safe(value)
for key in self.fields: for key in self.fields:
@ -1076,7 +1102,7 @@ class Form:
""" """
dform = self.get_deform() dform = self.get_deform()
if field in dform: if field in dform:
error = dform[field].errormsg field = dform[field]
if error: if field.error:
return [error] return field.error.messages()
return [] return []

View file

@ -258,7 +258,12 @@ class PersonRef(ObjectRef):
This is a subclass of :class:`ObjectRef`. This is a subclass of :class:`ObjectRef`.
""" """
model_class = Person
@property
def model_class(self):
""" """
model = self.app.model
return model.Person
def sort_query(self, query): def sort_query(self, query):
""" """ """ """

View file

@ -33,14 +33,17 @@ in the namespace:
* :class:`deform:deform.widget.TextAreaWidget` * :class:`deform:deform.widget.TextAreaWidget`
* :class:`deform:deform.widget.PasswordWidget` * :class:`deform:deform.widget.PasswordWidget`
* :class:`deform:deform.widget.CheckedPasswordWidget` * :class:`deform:deform.widget.CheckedPasswordWidget`
* :class:`deform:deform.widget.CheckboxWidget`
* :class:`deform:deform.widget.SelectWidget` * :class:`deform:deform.widget.SelectWidget`
* :class:`deform:deform.widget.CheckboxChoiceWidget` * :class:`deform:deform.widget.CheckboxChoiceWidget`
* :class:`deform:deform.widget.MoneyInputWidget`
""" """
import colander import colander
from deform.widget import (Widget, TextInputWidget, TextAreaWidget, from deform.widget import (Widget, TextInputWidget, TextAreaWidget,
PasswordWidget, CheckedPasswordWidget, PasswordWidget, CheckedPasswordWidget,
SelectWidget, CheckboxChoiceWidget) CheckboxWidget, SelectWidget, CheckboxChoiceWidget,
MoneyInputWidget)
from webhelpers2.html import HTML from webhelpers2.html import HTML
from wuttaweb.db import Session from wuttaweb.db import Session
@ -220,7 +223,7 @@ class UserRefsWidget(WuttaCheckboxChoiceWidget):
users = [] users = []
if cstruct: if cstruct:
for uuid in cstruct: for uuid in cstruct:
user = self.session.query(model.User).get(uuid) user = self.session.get(model.User, uuid)
if user: if user:
users.append(dict([(key, getattr(user, key)) users.append(dict([(key, getattr(user, key))
for key in columns + ['uuid']])) for key in columns + ['uuid']]))

View file

@ -1047,6 +1047,12 @@ class Grid:
filters = filters or {} filters = filters or {}
if self.model_class: if self.model_class:
# TODO: i tried using self.get_model_columns() here but in
# many cases that will be too aggressive. however it is
# often the case that the *grid* columns are a subset of
# the unerlying *table* columns. so until a better way
# is found, we choose "too few" instead of "too many"
# filters here. surely must improve it at some point.
for key in self.columns: for key in self.columns:
if key in filters: if key in filters:
continue continue

View file

@ -6,6 +6,6 @@
v-model="${vmodel}" v-model="${vmodel}"
native-value="true" native-value="true"
tal:attributes="attributes|field.widget.attributes|{};"> tal:attributes="attributes|field.widget.attributes|{};">
{{ ${vmodel} }} {{ ${vmodel} ? "Yes" : "No" }}
</b-checkbox> </b-checkbox>
</div> </div>

View file

@ -0,0 +1,7 @@
<tal:omit tal:define="name name|field.name;
oid oid|field.oid;
vmodel vmodel|'modelData.'+oid;">
<b-input name="${name}"
v-model="${vmodel}"
tal:attributes="attributes|field.widget.attributes|{};" />
</tal:omit>

View file

@ -0,0 +1,4 @@
<tal:omit tal:define="true_val true_val|field.widget.true_val;">
<span tal:condition="cstruct == true_val">Yes</span>
<span tal:condition="cstruct != true_val">No</span>
</tal:omit>

View file

@ -19,7 +19,7 @@
<b-button @click="copyDirectLink()" <b-button @click="copyDirectLink()"
title="Copy grid link to clipboard" title="Copy grid link to clipboard"
:is-small="smallFilters"> :is-small="smallFilters">
<b-icon pack="fas" icon="share-alt" /> <b-icon pack="fas" icon="share" />
</b-button> </b-button>
<b-button type="is-primary" <b-button type="is-primary"

View file

@ -989,6 +989,84 @@ class MasterView(View):
self.app.save_setting(session, setting['name'], setting['value'], self.app.save_setting(session, setting['name'], setting['value'],
force_create=True) force_create=True)
##############################
# grid rendering methods
##############################
def grid_render_bool(self, record, key, value):
"""
Custom grid value renderer for "boolean" fields.
This converts a bool value to "Yes" or "No" - unless the value
is ``None`` in which case this renders empty string.
To use this feature for your grid::
grid.set_renderer('my_bool_field', self.grid_render_bool)
"""
if value is None:
return
return "Yes" if value else "No"
def grid_render_currency(self, record, key, value, scale=2):
"""
Custom grid value renderer for "currency" fields.
This expects float or decimal values, and will round the
decimal as appropriate, and add the currency symbol.
:param scale: Number of decimal digits to be displayed;
default is 2 places.
To use this feature for your grid::
grid.set_renderer('my_currency_field', self.grid_render_currency)
# you can also override scale
grid.set_renderer('my_currency_field', self.grid_render_currency, scale=4)
"""
# nb. get new value since the one provided will just be a
# (json-safe) *string* if the original type was Decimal
value = record[key]
if value is None:
return
if value < 0:
fmt = f"(${{:0,.{scale}f}})"
return fmt.format(0 - value)
fmt = f"${{:0,.{scale}f}}"
return fmt.format(value)
def grid_render_notes(self, record, key, value, maxlen=100):
"""
Custom grid value renderer for "notes" fields.
If the given text ``value`` is shorter than ``maxlen``
characters, it is returned as-is.
But if it is longer, then it is truncated and an ellispsis is
added. The resulting ``<span>`` tag is also given a ``title``
attribute with the original (full) text, so that appears on
mouse hover.
To use this feature for your grid::
grid.set_renderer('my_notes_field', self.grid_render_notes)
# you can also override maxlen
grid.set_renderer('my_notes_field', self.grid_render_notes, maxlen=50)
"""
if value is None:
return
if len(value) < maxlen:
return value
return HTML.tag('span', title=value, c=f"{value[:maxlen]}...")
############################## ##############################
# support methods # support methods
############################## ##############################
@ -1317,9 +1395,8 @@ class MasterView(View):
Default logic for this method returns a "plain" query on the Default logic for this method returns a "plain" query on the
:attr:`model_class` if that is defined; otherwise ``None``. :attr:`model_class` if that is defined; otherwise ``None``.
""" """
model = self.app.model
model_class = self.get_model_class() model_class = self.get_model_class()
if model_class and issubclass(model_class, model.Base): if model_class:
session = session or self.Session() session = session or self.Session()
return session.query(model_class) return session.query(model_class)
@ -1344,33 +1421,6 @@ class MasterView(View):
# for key in self.get_model_key(): # for key in self.get_model_key():
# grid.set_link(key) # grid.set_link(key)
def grid_render_notes(self, record, key, value, maxlen=100):
"""
Custom grid renderer callable for "notes" fields.
If the given text ``value`` is shorter than ``maxlen``
characters, it is returned as-is.
But if it is longer, then it is truncated and an ellispsis is
added. The resulting ``<span>`` tag is also given a ``title``
attribute with the original (full) text, so that appears on
mouse hover.
To use this feature for your grid::
grid.set_renderer('my_notes_field', self.grid_render_notes)
# you can also override maxlen
grid.set_renderer('my_notes_field', self.grid_render_notes, maxlen=50)
"""
if value is None:
return
if len(value) < maxlen:
return value
return HTML.tag('span', title=value, c=f"{value[:maxlen]}...")
def get_instance(self, session=None): def get_instance(self, session=None):
""" """
This should return the "current" model instance based on the This should return the "current" model instance based on the

View file

@ -123,6 +123,12 @@ class PersonView(MasterView):
@classmethod @classmethod
def defaults(cls, config): def defaults(cls, config):
""" """ """ """
# nb. Person may come from custom model
wutta_config = config.registry.settings['wutta_config']
app = wutta_config.get_app()
cls.model_class = app.model.Person
cls._defaults(config) cls._defaults(config)
cls._people_defaults(config) cls._people_defaults(config)

View file

@ -51,6 +51,7 @@ class AppInfoView(MasterView):
model_name = 'AppInfo' model_name = 'AppInfo'
model_title_plural = "App Info" model_title_plural = "App Info"
route_prefix = 'appinfo' route_prefix = 'appinfo'
filterable = False
sort_on_backend = False sort_on_backend = False
sort_defaults = 'name' sort_defaults = 'name'
paginated = False paginated = False

View file

@ -207,6 +207,17 @@ class UserView(MasterView):
role = session.get(model.Role, uuid) role = session.get(model.Role, uuid)
user.roles.remove(role) user.roles.remove(role)
@classmethod
def defaults(cls, config):
""" """
# nb. User may come from custom model
wutta_config = config.registry.settings['wutta_config']
app = wutta_config.get_app()
cls.model_class = app.model.User
cls._defaults(config)
def defaults(config, **kwargs): def defaults(config, **kwargs):
base = globals() base = globals()

View file

@ -461,15 +461,10 @@ class TestForm(TestCase):
# nb. no error message # nb. no error message
self.assertNotIn('message', html) self.assertNotIn('message', html)
# with single "static" error # with error message
dform['foo'].error = MagicMock(msg="something is wrong") with patch.object(form, 'get_field_errors', return_value=['something is wrong']):
html = form.render_vue_field('foo') html = form.render_vue_field('foo')
self.assertIn(' message="something is wrong"', html) self.assertIn('something is wrong', html)
# with single "dynamic" error
dform['foo'].error = MagicMock(msg="`something is wrong`")
html = form.render_vue_field('foo')
self.assertIn(':message="`something is wrong`"', html)
# add another field, but not to deform, so it should still # add another field, but not to deform, so it should still
# display but with no widget # display but with no widget
@ -525,20 +520,33 @@ class TestForm(TestCase):
data = form.get_vue_model_data() data = form.get_vue_model_data()
self.assertEqual(len(data), 2) self.assertEqual(len(data), 2)
# confirm bool values make it thru as-is
schema.add(colander.SchemaNode(colander.Bool(), name='baz'))
form = self.make_form(schema=schema, model_instance={
'foo': 'one',
'bar': 'two',
'baz': True,
})
data = form.get_vue_model_data()
self.assertEqual(list(data.values()), ['one', 'two', True])
def test_get_field_errors(self): def test_get_field_errors(self):
schema = self.make_schema() schema = self.make_schema()
# simple 'Required' validation failure
form = self.make_form(schema=schema) form = self.make_form(schema=schema)
dform = form.get_deform() self.request.method = 'POST'
self.request.POST = {'foo': 'one'}
self.assertFalse(form.validate())
errors = form.get_field_errors('bar')
self.assertEqual(errors, ['Required'])
# no error # no errors
errors = form.get_field_errors('foo') form = self.make_form(schema=schema)
self.assertEqual(len(errors), 0) self.request.POST = {'foo': 'one', 'bar': 'two'}
self.assertTrue(form.validate())
# simple error errors = form.get_field_errors('bar')
dform['foo'].error = MagicMock(msg="something is wrong") self.assertEqual(errors, [])
errors = form.get_field_errors('foo')
self.assertEqual(len(errors), 1)
self.assertEqual(errors[0], "something is wrong")
def test_validate(self): def test_validate(self):
schema = self.make_schema() schema = self.make_schema()

View file

@ -1,5 +1,6 @@
# -*- coding: utf-8; -*- # -*- coding: utf-8; -*-
import decimal
import functools import functools
from unittest import TestCase from unittest import TestCase
from unittest.mock import MagicMock, patch from unittest.mock import MagicMock, patch
@ -558,6 +559,44 @@ class TestMasterView(WebTestCase):
view.configure_grid(grid) view.configure_grid(grid)
self.assertNotIn('uuid', grid.columns) self.assertNotIn('uuid', grid.columns)
def test_grid_render_bool(self):
model = self.app.model
view = self.make_view()
user = model.User(username='barney', active=None)
# null
value = view.grid_render_bool(user, 'active', None)
self.assertIsNone(value)
# true
user.active = True
value = view.grid_render_bool(user, 'active', True)
self.assertEqual(value, "Yes")
# false
user.active = False
value = view.grid_render_bool(user, 'active', False)
self.assertEqual(value, "No")
def test_grid_render_currency(self):
model = self.app.model
view = self.make_view()
obj = {'amount': None}
# null
value = view.grid_render_currency(obj, 'amount', None)
self.assertIsNone(value)
# normal amount
obj['amount'] = decimal.Decimal('100.42')
value = view.grid_render_currency(obj, 'amount', '100.42')
self.assertEqual(value, "$100.42")
# negative amount
obj['amount'] = decimal.Decimal('-100.42')
value = view.grid_render_currency(obj, 'amount', '-100.42')
self.assertEqual(value, "($100.42)")
def test_grid_render_notes(self): def test_grid_render_notes(self):
model = self.app.model model = self.app.model
view = self.make_view() view = self.make_view()