NAME
Rose::HTML::Form::Field::Compound - Base class for field objects that contain other field objects.
SYNOPSIS
package MyFullNameField;
use Rose::HTML::Form::Field::Text;
use Rose::HTML::Form::Field::Compound;
our @ISA = qw(Rose::HTML::Form::Field::Compound
Rose::HTML::Form::Field::Text);
sub build_field
{
my($self) = shift;
my %fields;
$fields{'first'} =
Rose::HTML::Form::Field::Text->new(size => 15,
maxlength => 50);
$fields{'middle'} =
Rose::HTML::Form::Field::Text->new(size => 15,
maxlength => 50);
$fields{'last'} =
Rose::HTML::Form::Field::Text->new(size => 20,
maxlength => 50);
$self->add_fields(%fields);
}
sub coalesce_value
{
my($self) = shift;
return join(' ', map { defined($_) ? $_ : '' }
map { $self->field($_)->internal_value }
qw(first middle last));
}
sub decompose_value
{
my($self, $value) = @_;
return undef unless(defined $value);
if($value =~ /^(\S+)\s+(\S+)\s+(\S+)$/)
{
return
{
first => $1,
middle => $2,
last => $3,
};
}
my @parts = split(/\s+/, $value);
if(@parts == 2)
{
return
{
first => $parts[0],
middle => undef,
last => $parts[1],
};
}
return
{
first => $parts[0],
middle => $parts[1],
last => join(' ', @parts[2 .. $#parts]),
};
}
...
use MyFullNameField;
$field =
MyFullNameField->new(
label => 'Full Name',
name => 'name',
default => 'John Doe');
print $field->internal_value; # "John Doe"
$field->input_value('Steven Paul Jobs');
print $field->field('middle')->internal_value; # "Paul"
print $field->html;
...
DESCRIPTION
Rose::HTML::Form::Field::Compound
is a base class for compound fields. A compound field is one that contains other fields. The example in the SYNOPSIS is a full name field made up of three separate text fields, one each for first, middle, and last name. Compound fields can also contain other compound fields.
Externally, a compound field must field look and behave as if it is a single, simple field. Although this can be done in many ways, it is important for all compound fields to actually inherit from Rose::HTML::Form::Field::Compound
. Rose::HTML::Form
uses this relationship in order to identify compound fields and handle them correctly. Any compound field that does not inherit from Rose::HTML::Form::Field::Compound
will not work correctly with Rose::HTML::Form
.
This class inherits from, and follows the conventions of, Rose::HTML::Form::Field
. Inherited methods that are not overridden will not be documented a second time here. See the Rose::HTML::Form::Field
documentation for more information.
SUBCLASSING
Actual compound fields must override the following methods: build_field()
, decompose_value()
, and coalesce_value()
. The required semantics of those methods are described in the "OBJECT METHODS" section below.
SUBFIELD ADDRESSING
Subfields are fields that are contained within another field. A field that has subfields is called a compound field. It is important to HTML form initialization that subfields be addressable from the top level. Since fields can be arbitrarily nested, some form of nesting must also exist in the field names.
To that end, compound fields use the "." character to partition the namespace. For example, the "month" subfield of a compound field named "date" could be addressed by the name "date.month". As a consequence of this convention, field names may not contain periods.
Subfields may be addressed by their fully-qualified name, or by their "relative" name from the perspective of the caller. For example, the Rose::HTML::Form::Field::DateTime::Split::MDYHMS
custom field class contains a two compound fields: one for the time (split into hours, minutes, seconds, and AM/PM) and one for the date (split into month, day, and year). Here are a few ways to address the fields.
$datetime_field =
Rose::HTML::Form::Field::DateTime::Split::MDYHMS->new(
name => 'datetime');
##
## Get the (compound) subfield containing the month, day, and year
## in two different ways:
# Direct subfield access
$mdy_field = $datetime_field->field('date');
# Fully-qualified subfield access
$mdy_field = $datetime_field->field('datetime.date');
##
## Get the year subfield of the month/day/year subfield
## in three different ways:
# Fully-qualified sub-subfield access
$year_field = $datetime_field->field('datetime.date.year');
# Fully-qualified subfield access plus a direct subfield access
$year_field = $datetime_field->field('datetime.date')->field('year');
# Direct subfield access plus another direct subfield access
$year_field = $datetime_field->field('date')->field('year');
See the Rose::HTML::Form
documentation for more information on how forms address and initialize fields based on query parameter names.
VALIDATION
It is not the job of the coalesce_value()
or decompose_value()
methods to validate input. That's the job of the validate()
method in Rose::HTML::Form::Field
.
But as you'll see when you start to write your own decompose_value()
methods, it's often nice to know whether the input is valid before you try to decompose it into subfield values. Valid input can usually be divided up very easily, whereas invalid input requires some hard decisions to be made. Consequently, most decompose_value()
methods have one section for handling valid input, and another that makes a best-effort to handle invalid input.
There are several ways to determine whether or not a value passed to decompose_value()
is valid. You could actually call validate()
, but that is technically a violation of the API since decompose_value()
only knows that it's supposed to divvy up the value that it is passed. It is merely assuming that this value is also the current value of the field. In short, don't do that.
The decompose_value()
method could try to validate the input directly, of course. But that seems like a duplication of code. It might work, but it is more effort.
The recommended solution is to rely on the fact that most overridden inflate_value()
methods serve as an alternate form of validation. Really, the decompose_value()
method doesn't want to "validate" in the same way that validate()
does. Imagine a month/day/year compound field that only accepts dates in the the 1990s. As far as validate()
is concerned, 12/31/2002 is an invalid value. But as far as decompose_value()
is concerned, it's perfectly fine and can be parsed and divided up into subfield values easily.
This is exactly the determination that many overridden inflate_value()
methods must also make. For example, that month/day/year compound field may use a DateTime
object as its internal value. The inflate_value()
method must parse a date string and produce a DateTime
value. The decompose_value()
method can use that to its advantage. Example:
sub decompose_value
{
my($self, $value) = @_;
return undef unless(defined $value);
# Use inflate_value() to do the dirty work of
# sanity checking the value for us
my $date = $self->SUPER::inflate_value($value);
# Garbage input: try to do something sensible
unless($date)
{
no warnings;
return
{
month => substr($value, 0, 2) || '',
day => substr($value, 2, 2) || '',
year => substr($value, 4, 4) || '',
}
}
# Valid input: divide up appropriately
return
{
month => $date->month,
day => $date->day,
year => $date->year,
};
}
This technique is sound because both decompose_value()
and inflate_value()
work only with the input they are given, and have no reliance on the state of the field object itself (unlike validate()
).
If the inflate_value()
method is not being used, then decompose_value()
must sanity check its own input. But this code is not necessarily the same as the code in validate()
, so there is no real duplication.
OBJECT METHODS
- add_field ARGS
-
Convenience alias for
add_fields()
. - add_fields ARGS
-
Add the fields specified by ARGS to the list of subfields in this compound field.
If an argument is "isa"
Rose::HTML::Form::Field
, then it is added to the list of fields, stored under the name returned by the field'sname()
method.If an argument is anything else, it is used as the field name, and the next argument is used as the field object to store under that name. If the next argument is not an object derived from
Rose::HTML::Form::Field
, then a fatal error occurs.The field object's
name()
is set to the name that it is stored under, and itsparent_field()
is set to the form object.Returns the full list of field objects, sorted by field name, in list context, or a reference to a list of the same in scalar context.
Examples:
$name_field = Rose::HTML::Form::Field::Text->new(name => 'name', size => 25); $email_field = Rose::HTML::Form::Field::Text->new(name => 'email', size => 50); # Field arguments $compound_field->add_fields($name_field, $email_field); # Name/field pairs $compound_field2->add_fields(name => $name_field, email => $email_field); # Mixed $compound_field3->add_fields($name_field, email => $email_field);
- build_field
-
This method must be overridden by subclasses. Its job is to build the compound field by creating and then adding the subfields. Example:
sub build_field { my($self) = shift; my %fields; $fields{'first'} = Rose::HTML::Form::Field::Text->new(size => 15, maxlength => 50); $fields{'middle'} = Rose::HTML::Form::Field::Text->new(size => 15, maxlength => 50); $fields{'last'} = Rose::HTML::Form::Field::Text->new(size => 20, maxlength => 50); $self->add_fields(%fields); }
The example uses a hash to store the fields temporarily, then passes the hash to
add_fields()
. It could just as easily have added each field as it was created by callingadd_field()
. See the documentation foradd_fields()
andadd_field()
for more details about they arguments they accept. - coalesce_value
-
This method must be overridden by subclasses. It is responsible for combining the values of the subfields into a single value. Example:
sub coalesce_value { my($self) = shift; return join(' ', map { defined($_) ? $_ : '' } map { $self->field($_)->internal_value } qw(first middle last)); }
The value returned must be suitable as an input value. See the
Rose::HTML::Form::Field
documentation for more information on input values. - decompose_value VALUE
-
This method must be overridden by subclasses. It is responsible for distributing the input value VALUE amongst the various subfields. This is harder than you might expect, given the possibility of invalid input. Nevertheless, subclasses must try to divvy up even garbage values such that they eventually produce output values that are equivalent to the original input value when fed back through the system.
The method should return a reference to a hash of subfield-name/value pairs.
In the example below, the method's job is to decompose a full name into first, middle, and last names. It is not very heroic in its efforts to parse the name, but it at least tries to ensure that every significant piece of the value ends up back in one of the subfields.
sub decompose_value { my($self, $value) = @_; return undef unless(defined $value); # First, middle, and last names all present if($value =~ /^(\S+)\s+(\S+)\s+(\S+)$/) { return { first => $1, middle => $2, last => $3, }; } my @parts = split(/\s+/, $value); # First and last? if(@parts == 2) { return { first => $parts[0], middle => undef, last => $parts[1], }; } # Oh well, at least try to make sure all the non-whitespace # characters get fed back into the field return { first => $parts[0], middle => $parts[1], last => join(' ', @parts[2 .. $#parts]), }; }
- field NAME [, VALUE]
-
Get or set the field specified by NAME. If only a NAME argument is passed, then the field stored under the name NAME is returned. If no field exists under that name exists, then undef is returned.
If both NAME and VALUE arguments are passed, then the field VALUE is stored under the name NAME. If VALUE is not an object derived from
Rose::HTML::Form::Field
, a fatal error occurs. - fields
-
Returns the full list of field objects, sorted by field name, in list context, or a reference to a list of the same in scalar context.
- field_names
-
Returns a sorted list of field names in list context, or a reference to a list of the same in scalar context.
AUTHOR
John C. Siracusa (siracusa@mindspring.com)
COPYRIGHT
Copyright (c) 2004 by John C. Siracusa. All rights reserved. This program is free software; you can redistribute it and/or modify it under the same terms as Perl itself.