NAME
Rose::DB - A DBI wrapper and abstraction layer.
SYNOPSIS
use Rose::DB;
Rose::DB->register_db(
domain => 'development',
type => 'main',
driver => 'Pg',
database => 'dev_db',
host => 'localhost',
username => 'devuser',
password => 'mysecret',
server_time_zone => 'UTC',
);
Rose::DB->register_db(
domain => 'production',
type => 'main',
driver => 'Pg',
database => 'big_db',
host => 'dbserver.acme.com',
username => 'dbadmin',
password => 'prodsecret',
server_time_zone => 'UTC',
);
Rose::DB->default_domain('development');
Rose::DB->default_type('main');
...
$db = Rose::DB->new;
my $dbh = $db->dbh or die $db->error;
$db->begin_work or die $db->error;
$dbh->do(...) or die $db->error;
$db->commit or die $db->error;
$db->do_transaction(sub
{
$dbh->do(...);
$sth = $dbh->prepare(...);
$sth->execute(...);
while($sth->fetch) { ... }
$dbh->do(...);
})
or die $db->error;
$dt = $db->parse_timestamp('2001-03-05 12:34:56.123');
$val = $db->format_timestamp($dt);
$dt = $db->parse_datetime('2001-03-05 12:34:56');
$val = $db->format_datetime($dt);
$dt = $db->parse_date('2001-03-05');
$val = $db->format_date($dt);
$bit = $db->parse_bitfield('0x0AF', 32);
$val = $db->format_bitfield($bit);
...
DESCRIPTION
Rose::DB
is a wrapper and abstraction layer for DBI
-related functionality. A Rose::DB
object "has a" DBI
object; it is not a subclass of DBI
.
DATABASE SUPPORT
Rose::DB
currently supports the following DBI
database drivers:
DBD::Pg (PostgreSQL)
DBD::mysql (MySQL)
DBD::Informix (Informix)
Support for more drivers may be added in the future. Patches are welcome (provided they also patch the test suite, of course).
All database-specific behavior is contained and documented in the subclasses of Rose::DB
. Rose::DB
's constructor method (new()
) returns a database-specific subclass of Rose::DB
, chosen based on the driver
value of the selected data source. The default mapping of databases to Rose::DB
subclasses is:
DBD::Pg -> Rose::DB::Pg
DBD::mysql -> Rose::DB::MySQL
DBD::Informix -> Rose::DB::Informix
This mapping can be changed using the driver_class()
class method.
The Rose::DB
object method documentation found here defines the purpose of each method, as well as the default behavior of the method if it is not overridden by a subclass. You must read the subclass documentation to learn about behaviors that are specific to each type of database.
Subclasses may also add methods that do not exist in the parent class, of course. This is yet another reason to read the documentation for the subclass that corresponds to your data source's database software.
FEATURES
The basic features of Rose::DB
are as follows.
Data Source Abstraction
Instead of dealing with "databases" that exist on "hosts" or are located via some vendor-specific addressing scheme, Rose::DB
deals with "logical" data sources. Each logical data source is currently backed by a single "physical" database (basically a single DBI
connection).
Multiplexing, fail-over, and other more complex relationships between logical data sources and physical databases are not part of Rose::DB
. Some basic types of fail-over may be added to Rose::DB
in the future, but right now the mapping is strictly one-to-one. (I'm also currently inclined to encourage multiplexing functionality to exist in a layer above Rose::DB
, rather than within it or in a subclass of it.)
The driver type of the data source determines the functionality of all methods that do vendor-specific things (e.g., column value parsing and formatting).
Rose::DB
identifies data sources using a two-level namespace made of a "domain" and a "type". Both are arbitrary strings. If left unspecified, the default domain and default type (accessible via Rose::DB
's default_domain()
and default_type()
class methods) are assumed.
There are many ways to use the two-level namespace, but the most common is to use the domain to represent the current environment (e.g., "development", "staging", "production") and then use the type to identify the logical data source within that environment (e.g., "report", "main", "archive")
A typical deployment scenario will set the default domain using the default_domain()
class method as part of the configure/install process. Within application code, Rose::DB
objects can be constructed by specifying type alone:
$main_db = Rose::DB->new(type => 'main');
$archive_db = Rose::DB->new(type => 'archive');
If there is only one database type, then all Rose::DB
objects can be instantiated with a bare constructor call like this:
$db = Rose::DB->new;
Again, remember that this is just one of many possible uses of domain and type. Arbitrarily complex scenarios can be created by nesting namespaces within one or both parameters (much like how Perl uses "::" to create a multi-level namespace from single strings).
The important point is the abstraction of data sources so they can be identified and referred to using a vocabulary that is entirely independent of the actual DSN (data source names) used by DBI
behind the scenes.
Database Handle Life-Cycle Management
When a Rose::DB
object is destroyed while it contains an active DBI
database handle, the handle is explicitly disconnected before destruction. Rose::DB
supports a simple retain/release reference-counting system which allows a database handle to out-live its parent Rose::DB
object.
In the simplest case, Rose::DB
could be used for its data source abstractions features alone. For example, transiently creating a Rose::DB
and then retaining its DBI
database handle before it is destroyed:
$main_dbh = Rose::DB->new(type => 'main')->retain_dbh
or die Rose::DB->error;
$aux_dbh = Rose::DB->new(type => 'aux')->retain_dbh
or die Rose::DB->error;
If the database handle was simply extracted via the dbh()
method instead of retained with retain_dbh()
, it would be disconnected by the time the statement completed.
# WRONG: $dbh will be disconnected immediately after the assignment!
$dbh = Rose::DB->new(type => 'main')->dbh or die Rose::DB->error;
Vendor-Specific Column Value Parsing and Formatting
Certain semantically identical column types are handled differently in different databases. Date and time columns are good examples. Although many databases store month, day, year, hours, minutes, and seconds using a "datetime" column type, there will likely be significant differences in how each of those databases expects to receive such values, and how they're returned.
Rose::DB
is responsible for converting the wide range of vendor-specific column values for a particular column type into a single form that is convenient for use within Perl code. Rose::DB
also handles the opposite task, taking input from the Perl side and converting it into the appropriate format for a specific database. Not all column types that exist in the supported databases are handled by Rose::DB
, but support will expand in the future.
Many column types are specific to a single database and do not exist elsewhere. When it is reasonable to do so, vendor-specific column types may be "emulated" by Rose::DB
for the benefit of other databases. For example, an ARRAY value may be stored as a specially formatted string in a VARCHAR field in a database that does not have a native ARRAY column type.
Rose::DB
does NOT attempt to present a unified column type system, however. If a column type does not exist in a particular kind of database, there should be no expectation that Rose::DB
will be able to parse and format that value type on behalf of that database.
High-Level Transaction Support
Transactions may be started, committed, and rolled back in a variety of ways using the DBI
database handle directly. Rose::DB
provides wrappers to do the same things, but with different error handling and return values. There's also a method (do_transaction()
) that will execute arbitrary code within a single transaction, automatically handling rollback on failure and commit on success.
SUBCLASSING
Subclassing is encouraged and generally works as expected. There is, however, the question of how class data is shared with subclasses. Here's how it works for the various pieces of class data.
- default_domain, default_type
-
If called with no arguments, and if the attribute was never set for this class, then a left-most, breadth-first search of the parent classes is initiated. The value returned is taken from first parent class encountered that has ever had this attribute set.
(These attributes use the
inheritable_scalar
method type as defined inRose::Class::MakeMethods::Generic
.) - driver_class, default_connect_options
-
These hashes of attributes are inherited by subclasses using a one-time, shallow copy from a superclass. Any subclass that accesses or manipulates the hash in any way will immediately get its own private copy of the hash as it exists in the superclass at the time of the access or manipulation.
The superclass from which the hash is copied is the closest ("least super") class that has ever accessed or manipulated this hash. The copy is a "shallow" copy, duplicating only the keys and values. Reference values are not recursively copied.
Setting to hash to undef (using the 'reset' interface) will cause it to be re-copied from a superclass the next time it is accessed.
(These attributes use the
inheritable_hash
method type as defined inRose::Class::MakeMethods::Generic
.) - alias_db, modify_db, register_db, unregister_db, unregister_domain
-
All subclasses share the same data source "registry" with
Rose::DB
. There is an undocumented method for creating a private data source registry for a subclass ofRose::DB
(search DB.pm forsub db_registry_hash
), but it is subject to change without notice and should not be relied upon. If there is enough demand for a supported method, I will add one.
CLASS METHODS
- alias_db PARAMS
-
Make one data source an alias for another by pointing them both to the same registry entry. PARAMS are name/value pairs that must include domain and type values for both the source and alias parameters. Example:
Rose::DB->alias_db(source => { domain => 'dev', type => 'main' }, alias => { domain => 'dev', type => 'aux' });
This makes the "dev/aux" data source point to the same registry entry as the "dev/main" data source. Modifications to either registry entry (via
modify_db()
) will be reflected in both. - default_connect_options [HASHREF | PAIRS]
-
Get or set the default
DBI
connect options hash. If a reference to a hash is passed, it replaces the default connect options hash. If a series of name/value pairs are passed, they are added to the default connect options hash.The default set of default connect options is:
AutoCommit => 1, RaiseError => 1, PrintError => 1, ChopBlanks => 1, Warn => 0,
See the
connect_options()
object method for more information on how the default connect options are used. - default_domain [DOMAIN]
-
Get or set the default data source domain. See the "Data Source Abstraction" section for more information on data source domains.
- default_type [TYPE]
-
Get or set the default data source type. See the "Data Source Abstraction" section for more information on data source types.
- driver_class DRIVER [, CLASS]
-
Get or set the subclass used for DRIVER.
$class = Rose::DB->driver_class('Pg'); # get Rose::DB->driver_class('Pg' => 'MyDB::Pg'); # set
See the documentation for the
new()
method for more information on how the driver influences the class of objects returned by the constructor. - modify_db PARAMS
-
Modify a data source, setting the attributes specified in PARAMS, where PARAMS are name/value pairs. Any
Rose::DB
object method that sets a data source configuration value is a valid parameter name.# Set new username for data source identified by domain and type Rose::DB->modify_db(domain => 'test', type => 'main', username => 'tester');
PARAMS must include values for both the
type
anddomain
parameters since these two attributes are used to identify the data source. If either one is missing, a fatal error will occur.If there is no data source defined for the specified
type
anddomain
, a fatal error will occur. - register_db PARAMS
-
Registers a new data source with the attributes specified in PARAMS, where PARAMS are name/value pairs. Any
Rose::DB
object method that sets a data source configuration value is a valid parameter name.PARAMS must include values for the
type
,domain
, anddriver
parameters.The
type
anddomain
are used to identify the data source. If either one is missing, a fatal error will occur. See the "Data Source Abstraction" section for more information on data source types and domains.The
driver
is used to determine which class objects will be blessed into by theRose::DB
constructor,new()
. If it is missing, a fatal error will occur.In most deployment scenarios,
register_db()
is called early in the compilation process to ensure that the registered data sources are available when the "real" code runs.Database registration is often consolidated to a single module which is then
use
ed at the start of the code. For example, imagine a mod_perl web server environment:# File: MyCorp/DataSources.pm package MyCorp::DataSources; Rose::DB->register_db( domain => 'development', type => 'main', driver => 'Pg', database => 'dev_db', host => 'localhost', username => 'devuser', password => 'mysecret', ); Rose::DB->register_db( domain => 'production', type => 'main', driver => 'Pg', database => 'big_db', host => 'dbserver.acme.com', username => 'dbadmin', password => 'prodsecret', ); ... # File: /usr/local/apache/conf/startup.pl use MyCorp::DataSources; # register all data sources ...
Data source registration can happen at any time, of course, but it is most useful when all application code can simply assume that all the data sources are already registered. Doing the registration as early as possible (e.g., in a
startup.pl
file that is loaded from an apache/mod_perl web server'shttpd.conf
file) is the best way to create such an environment.Note that the data source registry serves as an initial source of information for
Rose::DB
objects. Once an object is instantiated, it is independent of the registry. Changes to an object are not reflected in the registry, and changes to the registry are not reflected in existing objects. - unregister_db PARAMS
-
Unregisters the data source having the
type
anddomain
specified in PARAMS, where PARAMS are name/value pairs. Returns true if the data source was unregistered successfully, false if it did not exist in the first place. Example:Rose::DB->unregister_db(type => 'main', domain => 'test');
PARAMS must include values for both the
type
anddomain
parameters since these two attributes are used to identify the data source. If either one is missing, a fatal error will occur.Unregistering a data source removes all knowledge of it. This may be harmful to any existing
Rose::DB
objects that are associated with that data source. - unregister_domain DOMAIN
-
Unregisters an entire domain. Returns true if the domain was unregistered successfully, false if it did not exist in the first place. Example:
Rose::DB->unregister_domain('test');
Unregistering a domain removes all knowledge of all of the data sources that existed under it. This may be harmful to any existing
Rose::DB
objects that are associated with any of those data sources.
CONSTRUCTOR
- new PARAMS
-
Constructs a new object based on PARAMS, where PARAMS are name/value pairs. Any object method is a valid parameter name. Example:
$db = Rose::DB->new(type => 'main', domain => 'qa');
If a single argument is passed to
new()
, it is used as thetype
value:$db = Rose::DB->new(type => 'aux'); $db = Rose::DB->new('aux'); # same thing
Each
Rose::DB
object is associated with a particular data source, defined by thetype
anddomain
values. If these are not part of PARAMS, then the default values are used. If you do not want to use the default values for thetype
anddomain
attributes, you should specify them in the constructor PARAMS.The default
type
anddomain
can be set using thedefault_type()
anddefault_domain()
class methods. See the "Data Source Abstraction" section for more information on data sources.The object returned by
new()
will be a database-specific subclass ofRose::DB
, chosen based on thedriver
value of the selected data source. If there is no registered data source for the specifiedtype
anddomain
, or if a fatal error will occur.The default driver-to-class mapping is as follows:
Pg -> Rose::DB::Pg mysql -> Rose::DB::MySQL Informix -> Rose::DB::Informix
You can change this mapping with the
driver_class()
class method.
OBJECT METHODS
- begin_work
-
Attempt to start a transaction by calling the
begin_work()
method on theDBI
database handle.If necessary, the database handle will be constructed and connected to the current data source. If this fails, undef is returned. If there is no registered data source for the current
type
anddomain
, a fatal error will occur.If the "AutoCommit" database handle attribute is false, the handle is assumed to already be in a transaction and
Rose::DB::Constants::IN_TRANSACTION
(-1) is returned. If the call toDBI
'sbegin_work()
method succeeds, 1 is returned. If it fails, undef is returned. - commit
-
Attempt to commit the current transaction by calling the
commit()
method on theDBI
database handle. If theDBI
database handle does not exist or is not connected, 0 is returned.If the "AutoCommit" database handle attribute is true, the handle is assumed to not be in a transaction and
Rose::DB::Constants::IN_TRANSACTION
(-1) is returned. If the call toDBI
'scommit()
method succeeds, 1 is returned. If it fails, undef is returned. - connect
-
Constructs and connects the
DBI
database handle for the current data source. If there is no registered data source for the currenttype
anddomain
, a fatal error will occur.If any
post_connect_sql
statement failed to execute, the database handle is disconnected and then discarded.Returns true if the database handle was connected successfully and all
post_connect_sql
statements (if any) were run successfully, false otherwise. - connect_option NAME [, VALUE]
-
Get or set a single connection option. Example:
$val = $db->connect_option('RaiseError'); # get $db->connect_option(AutoCommit => 1); # set
Connection options are name/value pairs that are passed in a hash reference as the fourth argument to the call to
DBI->connect()
. See theDBI
documentation for descriptions of the various options. - dbh
-
Returns the
DBI
database handle connected to the current data source. If the database handle does not exist or is not already connected, this method will do everything necessary to do so.Returns undef if the database handle could not be constructed and connected. If there is no registered data source for the current
type
anddomain
, a fatal error will occur. - disconnect
-
Decrements the reference count for the database handle and disconnects it if the reference count is zero. Regardless of the reference count, it sets the
dbh
attribute to undef.Returns true if all
pre_disconnect_sql
statements (if any) were run successfully and the database handle was disconnected successfully (or if it was simply set to undef), false otherwise.The database handle will not be disconnected if any
pre_disconnect_sql
statement fails to execute, and thepre_disconnect_sql
is not run unless the handle is going to be disconnected. - do_transaction CODE [, ARGS]
-
Execute arbitrary code within a single transaction, rolling back if any of the code fails, committing if it succeeds. CODE should be a code reference. It will be called with any arguments passed to
do_transaction()
after the code reference. Example:# Transfer $100 from account id 5 to account id 9 $db->do_transaction(sub { my($amt, $id1, $id2) = @_; my $dbh = $db->dbh or die $db->error; # Transfer $amt from account id $id1 to account id $id2 $dbh->do("UPDATE acct SET bal = bal - $amt WHERE id = $id1"); $dbh->do("UPDATE acct SET bal = bal + $amt WHERE id = $id2"); }, 100, 5, 9) or warn "Transfer failed: ", $db->error;
- error [MSG]
-
Get or set the error message associated with the last failure. If a method fails, check this attribute to get the reason for the failure in the form of a text message.
- init_db_info
-
Initialize data source configuration information based on the current values of the
type
anddomain
attributes by pulling data from the corresponding registry entry. If there is no registered data source for the currenttype
anddomain
, a fatal error will occur.init_db_info()
is called as part of thenew()
andconnect()
methods. - insertid_param
-
Returns the name of the
DBI
statement handle attribute that contains the auto-generated unique key created during the last insert operation. Returns undef if the current data source does not support this attribute. - last_insertid_from_sth STH
-
Given a
DBI
statement handle, returns the value of the auto-generated unique key created during the last insert operation. This value may be undefined if this feature is not supported by the current data source. - release_dbh
-
Decrements the reference count for the
DBI
database handle, if it exists. Returns 0 if the database handle does not exist.If the reference count drops to zero, the database handle is disconnected. Keep in mind that the
Rose::DB
object itself will increment the reference count when the database handle is connected, and decrement it whendisconnect()
is called.Returns true if the reference count is not 0 or if all
pre_disconnect_sql
statements (if any) were run successfully and the database handle was disconnected successfully, false otherwise.The database handle will not be disconnected if any
pre_disconnect_sql
statement fails to execute, and thepre_disconnect_sql
is not run unless the handle is going to be disconnected.See the "Database Handle Life-Cycle Management" section for more information on the retain/release system.
- retain_dbh
-
Returns the connected
DBI
database handle after incrementing the reference count. If the database handle does not exist or is not already connected, this method will do everything necessary to do so.Returns undef if the database handle could not be constructed and connected. If there is no registered data source for the current
type
anddomain
, a fatal error will occur.See the "Database Handle Life-Cycle Management" section for more information on the retain/release system.
- rollback
-
Roll back the current transaction by calling the
rollback()
method on theDBI
database handle. If theDBI
database handle does not exist or is not connected, 0 is returned.If the call to
DBI
'srollback()
method succeeds, 1 is returned. If it fails, undef is returned.
Data Source Configuration
Not all databases will use all of these values. Values that are not supported are simply ignored.
- autocommit [VALUE]
-
Get or set the value of the "AutoCommit" connect option and
DBI
handle attribute. If a VALUE is passed, it will be set in both the connect options hash and the current database handle, if any. Returns the value of the "AutoCommit" attribute of the database handle if it exists, or the connect option otherwise.This method should not be mixed with the
connect_options
method in calls toregister_db()
ormodify_db()
sinceconnect_options
will overwrite all the connect options with its argument, and neitherregister_db()
normodify_db()
guarantee the order that its parameters will be evaluated. - connect_options [HASHREF | PAIRS]
-
Get or set the options passed in a hash reference as the fourth argument to the call to
DBI->connect()
. See theDBI
documentation for descriptions of the various options.If a reference to a hash is passed, it replaces the connect options hash. If a series of name/value pairs are passed, they are added to the connect options hash.
Returns a reference to the hash of options in scalar context, or a list of name/value pairs in list context.
When
init_db_info()
is called for the first time on an object (either in isolation or as part of theconnect()
process), the connect options are merged with thedefault_connect_options()
. The defaults are overridden in the case of a conflict. Example:Rose::DB->register_db( domain => 'development', type => 'main', driver => 'Pg', database => 'dev_db', host => 'localhost', username => 'devuser', password => 'mysecret', connect_options => { RaiseError => 0, AutoCommit => 0, } ); # Rose::DB->default_connect_options are: # # AutoCommit => 1, # ChopBlanks => 1, # PrintError => 1, # RaiseError => 1, # Warn => 0, # The object's connect options are merged with default options # since new() will trigger the first call to init_db_info() # for this object $db = Rose::DB->new(domain => 'development', type => 'main'); # $db->connect_options are: # # AutoCommit => 0, # ChopBlanks => 1, # PrintError => 1, # RaiseError => 0, # Warn => 0, $db->connect_options(TraceLevel => 2); # Add an option # $db->connect_options are now: # # AutoCommit => 0, # ChopBlanks => 1, # PrintError => 1, # RaiseError => 0, # TraceLevel => 2, # Warn => 0, # The object's connect options are NOT re-merged with the default # connect options since this will trigger the second call to # init_db_info(), not the first $db->connect or die $db->error; # $db->connect_options are still: # # AutoCommit => 0, # ChopBlanks => 1, # PrintError => 1, # RaiseError => 0, # TraceLevel => 2, # Warn => 0,
- database [NAME]
-
Get or set the database name used in the construction of the DSN used in the
DBI
connect()
call. - domain [DOMAIN]
-
Get or set the data source domain. See the "Data Source Abstraction" section for more information on data source domains.
- driver [DRIVER]
-
Get or set the driver name. The driver name can only be set during object construction (i.e., as an argument to
new()
) since it determines the object class (according to the mapping set by thedriver_class()
class method). After the object is constructed, setting the driver to anything other than the same value it already has will cause a fatal error.Even in the call to
new()
, setting the driver name explicitly is not recommended. Instead, specify the driver when callingregister_db()
for each data source and allow thedriver
to be set automatically based on thedomain
andtype
.The driver names for the currently supported database types are:
Pg mysql Informix
The driver names are case-sensitive.
- dsn [DSN]
-
Get or set the
DBI
DSN (Data Source Name) passed to the call toDBI
'sconnect()
method.When this value is set,
database
,host
, andport
are set to undef. If usingDBI
version 1.43 or later, an attempt is made to parse the new DSN usingDBI
'sparse_dsn()
method. Any parts successfully extracted are assigned to the correspondingRose::DB
attributes (e.g., host, port, database).If the DSN is never set explicitly, it is initialized with the DSN constructed from the component values when
init_db_info()
orconnect()
is called. - host [NAME]
-
Get or set the database server host name used in the construction of the DSN which is passed in the
DBI
connect()
call. - password [PASS]
-
Get or set the password that will be passed to the
DBI
connect()
call. - port [NUM]
-
Get or set the database server port number used in the construction of the DSN which is passed in the
DBI
connect()
call. - pre_disconnect_sql [STATEMENTS]
-
Get or set the SQL statements that will be run immediately before disconnecting from the database. STATEMENTS should be a list or reference to an array of SQL statements. Returns a reference to the array of SQL statements in scalar context, or a list of SQL statements in list context.
The SQL statements are run in the order that they are supplied in STATEMENTS. If any
pre_disconnect_sql
statement fails when executed, the subsequent statements are ignored. - post_connect_sql [STATEMENTS]
-
Get or set the SQL statements that will be run immediately after connecting to the database. STATEMENTS should be a list or reference to an array of SQL statements. Returns a reference to the array of SQL statements in scalar context, or a list of SQL statements in list context.
The SQL statements are run in the order that they are supplied in STATEMENTS. If any
post_connect_sql
statement fails when executed, the subsequent statements are ignored. - print_error [VALUE]
-
Get or set the value of the "PrintError" connect option and
DBI
handle attribute. If a VALUE is passed, it will be set in both the connect options hash and the current database handle, if any. Returns the value of the "PrintError" attribute of the database handle if it exists, or the connect option otherwise.This method should not be mixed with the
connect_options
method in calls toregister_db()
ormodify_db()
sinceconnect_options
will overwrite all the connect options with its argument, and neitherregister_db()
normodify_db()
guarantee the order that its parameters will be evaluated. - raise_error [VALUE]
-
Get or set the value of the "RaiseError" connect option and
DBI
handle attribute. If a VALUE is passed, it will be set in both the connect options hash and the current database handle, if any. Returns the value of the "RaiseError" attribute of the database handle if it exists, or the connect option otherwise.This method should not be mixed with the
connect_options
method in calls toregister_db()
ormodify_db()
sinceconnect_options
will overwrite all the connect options with its argument, and neitherregister_db()
normodify_db()
guarantee the order that its parameters will be evaluated. - server_time_zone [TZ]
-
Get or set the time zone used by the database server software. TZ should be a time zone name that is understood by
DateTime::TimeZone
. The default value is "floating".See the
DateTime::TimeZone
documentation for acceptable values of TZ. - type [TYPE]
-
Get or set the data source type. See the "Data Source Abstraction" section for more information on data source types.
- username [NAME]
-
Get or set the username that will be passed to the
DBI
connect()
call.
Value Parsing and Formatting
- format_bitfield BITS [, SIZE]
-
Converts the
Bit::Vector
object BITS into the appropriate format for the "bitfield" data type of the current data source. If a SIZE argument is provided, the bit field will be padded with the appropriate number of zeros until it is SIZE bits long. If the data source does not have a native "bit" or "bitfield" data type, a character data type may be used to store the string of 1s and 0s returned by the default implementation. - format_boolean VALUE
-
Converts VALUE into the appropriate format for the "boolean" data type of the current data source. VALUE is simply evaluated in Perl's scalar context to determine if it's true or false.
- format_date DATETIME
-
Converts the
DateTime
object DATETIME into the appropriate format for the "date" (month, day, year) data type of the current data source. - format_datetime DATETIME
-
Converts the
DateTime
object DATETIME into the appropriate format for the "datetime" (month, day, year, hour, minute, second) data type of the current data source. - format_timestamp DATETIME
-
Converts the
DateTime
object DATETIME into the appropriate format for the timestamp (month, day, year, hour, minute, second, fractional seconds) data type of the current data source. Fractional seconds are optional, and the useful precision may vary depending on the data source. - parse_bitfield BITS [, SIZE]
-
Parse BITS and return a corresponding
Bit::Vector
object. If SIZE is not passed, then it defaults to the number of bits in the parsed bit string.If BITS is a string of "1"s and "0"s or matches /^B'[10]+'$/, then the "1"s and "0"s are parsed as a binary string.
If BITS is a string of numbers, at least one of which is in the range 2-9, it is assumed to be a decimal (base 10) number and is converted to a bitfield as such.
If BITS matches any of these regular expressions:
/^0x/ /^X'.*'$/ /^[0-9a-f]+$/
it is assumed to be a hexadecimal number and is converted to a bitfield as such.
Otherwise, undef is returned.
- parse_boolean STRING
-
Parse STRING and return a boolean value of 1 or 0. STRING should be formatted according to the data source's native "boolean" data type. The default implementation accepts 't', 'true', 'y', 'yes', and '1' values for true, and 'f', 'false', 'n', 'no', and '0' values for false.
If STRING is a valid boolean keyword (according to
validate_boolean_keyword()
) or if it looks like a function call (matches /^\w+\(.*\)$/) it is returned unmodified. Returns undef if STRING could not be parsed as a valid "boolean" value. - parse_date STRING
-
Parse STRING and return a
DateTime
object. STRING should be formatted according to the data source's native "date" (month, day, year) data type.If STRING is a valid date keyword (according to
validate_date_keyword()
) or if it looks like a function call (matches /^\w+\(.*\)$/) it is returned unmodified. Returns undef if STRING could not be parsed as a valid "date" value. - parse_datetime STRING
-
Parse STRING and return a
DateTime
object. STRING should be formatted according to the data source's native "datetime" (month, day, year, hour, minute, second) data type.If STRING is a valid datetime keyword (according to
validate_datetime_keyword()
) or if it looks like a function call (matches /^\w+\(.*\)$/) it is returned unmodified. Returns undef if STRING could not be parsed as a valid "datetime" value. - parse_timestamp STRING
-
Parse STRING and return a
DateTime
object. STRING should be formatted according to the data source's native "timestamp" (month, day, year, hour, minute, second, fractional seconds) data type. Fractional seconds are optional, and the acceptable precision may vary depending on the data source.If STRING is a valid timestamp keyword (according to
validate_timestamp_keyword()
) or if it looks like a function call (matches /^\w+\(.*\)$/) it is returned unmodified. Returns undef if STRING could not be parsed as a valid "timestamp" value. - validate_boolean_keyword STRING
-
Returns true if STRING is a valid keyword for the "boolean" data type of the current data source, false otherwise. The default implementation accepts the values "TRUE" and "FALSE".
- validate_date_keyword STRING
-
Returns true if STRING is a valid keyword for the "date" (month, day, year) data type of the current data source, false otherwise. The default implementation always returns false.
- validate_datetime_keyword STRING
-
Returns true if STRING is a valid keyword for the "datetime" (month, day, year, hour, minute, second) data type of the current data source, false otherwise. The default implementation always returns false.
- validate_timestamp_keyword STRING
-
Returns true if STRING is a valid keyword for the "timestamp" (month, day, year, hour, minute, second, fractional seconds) data type of the current data source, false otherwise. The default implementation always returns false.
AUTHOR
John C. Siracusa (siracusa@mindspring.com)
COPYRIGHT
Copyright (c) 2005 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.