=head1 NAME Object::InsideOut - Comprehensive inside-out object support module =head1 VERSION This document describes Object::InsideOut version 3.21 =head1 SYNOPSIS package My::Class; { use Object::InsideOut; # Numeric field # With combined get+set accessor my @data :Field :Type(numeric) :Accessor(data); # Takes 'INPUT' (or 'input', etc.) as a mandatory parameter to ->new() my %init_args :InitArgs = ( 'INPUT' => { 'Regex' => qr/^input$/i, 'Mandatory' => 1, 'Type' => 'numeriC', }, ); # Handle class-specific args as part of ->new() sub init :Init { my ($self, $args) = @_; # Put 'input' parameter into 'data' field $self->set(\@data, $args->{'INPUT'}); } } package My::Class::Sub; { use Object::InsideOut qw(My::Class); # List field # With standard 'get_X' and 'set_X' accessors # Takes 'INFO' as an optional list parameter to ->new() # Value automatically added to @info array # Defaults to [ 'empty' ] my @info :Field :Type(list) :Standard(info) :Arg('Name' => 'INFO', 'Default' => 'empty'); } package Foo; { use Object::InsideOut; # Field containing My::Class objects # With combined accessor # Plus automatic parameter processing on object creation my @foo :Field :Type(My::Class) :All(foo); } package main; my $obj = My::Class::Sub->new('Input' => 69); my $info = $obj->get_info(); # [ 'empty' ] my $data = $obj->data(); # 69 $obj->data(42); $data = $obj->data(); # 42 $obj = My::Class::Sub->new('INFO' => 'help', 'INPUT' => 86); $data = $obj->data(); # 86 $info = $obj->get_info(); # [ 'help' ] $obj->set_info(qw(foo bar baz)); $info = $obj->get_info(); # [ 'foo', 'bar', 'baz' ] my $foo_obj = Foo->new('foo' => $obj); $foo_obj->foo()->data(); # 86 =head1 DESCRIPTION This module provides comprehensive support for implementing classes using the inside-out object model. Object::InsideOut implements inside-out objects as anonymous scalar references that are blessed into a class with the scalar containing the ID for the object (usually a sequence number). For Perl 5.8.3 and later, the scalar reference is set as B to prevent I modifications to the ID. Object data (i.e., fields) are stored within the class's package in either arrays indexed by the object's ID, or hashes keyed to the object's ID. The virtues of the inside-out object model over the I object model have been extolled in detail elsewhere. See the informational links under L. Briefly, inside-out objects offer the following advantages over I objects: =over =item * Encapsulation Object data is enclosed within the class's code and is accessible only through the class-defined interface. =item * Field Name Collision Avoidance Inheritance using I classes can lead to conflicts if any classes use the same name for a field (i.e., hash key). Inside-out objects are immune to this problem because object data is stored inside each class's package, and not in the object itself. =item * Compile-time Name Checking A common error with I classes is the misspelling of field names: $obj->{'coment'} = 'Say what?'; # Should be 'comment' not 'coment' As there is no compile-time checking on hash keys, such errors do not usually manifest themselves until runtime. With inside-out objects, I hash keys are not used for accessing field data. Field names and the data index (i.e., $$self) are checked by the Perl compiler such that any typos are easily caught using S>. $coment[$$self] = $value; # Causes a compile-time error # or with hash-based fields $comment{$$slef} = $value; # Also causes a compile-time error =back Object::InsideOut offers all the capabilities of other inside-out object modules with the following additional key advantages: =over =item * Speed When using arrays to store object data, Object::InsideOut objects are as much as 40% faster than I objects for fetching and setting data, and even with hashes they are still several percent faster than I objects. =item * Threads Object::InsideOut is thread safe, and thoroughly supports sharing objects between threads using L. =item * Flexibility Allows control over object ID specification, accessor naming, parameter name matching, and much more. =item * Runtime Support Supports classes that may be loaded at runtime (i.e., using S>). This makes it usable from within L, as well. Also supports additions to class hierarchies, and dynamic creation of object fields during runtime. =item * Perl 5.6 and 5.8 Tested on Perl v5.6.0 through v5.6.2, v5.8.0 through v5.8.8, and v5.9.4. =item * Exception Objects Object::InsideOut uses L for handling errors in an OO-compatible manner. =item * Object Serialization Object::InsideOut has built-in support for object dumping and reloading that can be accomplished in either an automated fashion or through the use of class-supplied subroutines. Serialization using L is also supported. =item * Foreign Class Inheritance Object::InsideOut allows classes to inherit from foreign (i.e., non-Object::InsideOut) classes, thus allowing you to sub-class other Perl class, and access their methods from your own objects. =item * Introspection Obtain constructor parameters and method metadata for Object::InsideOut classes. =back =head1 CLASSES To use this module, each of your classes will start with S>: package My::Class; { use Object::InsideOut; ... } Sub-classes (child classes) inherit from base classes (parent classes) by telling Object::InsideOut what the parent class is: package My::Sub; { use Object::InsideOut qw(My::Parent); ... } Multiple inheritance is also supported: package My::Project; { use Object::InsideOut qw(My::Class Another::Class); ... } Object::InsideOut acts as a replacement for the C pragma: It loads the parent module(s), calls their C<-Eimport()> methods, and sets up the sub-class's @ISA array. Therefore, you should not S> yourself, nor try to set up C<@ISA> arrays. Further, you should not use a class's C<@ISA> array to determine a class's hierarchy: See L for details on how to do this. If a parent class takes parameters (e.g., symbols to be exported via L">), enclose them in an array ref (mandatory) following the name of the parent class: package My::Project; { use Object::InsideOut 'My::Class' => [ 'param1', 'param2' ], 'Another::Class' => [ 'param' ]; ... } =head1 OBJECTS =head2 Object Creation Objects are created using the C<-Enew()> method which is exported by Object::InsideOut to each class, and is invoked in the following manner: my $obj = My::Class->new(); Object::InsideOut then handles all the messy details of initializing the object in each of the classes in the invoking class's hierarchy. As such, classes do not (normally) implement their own C<-Enew()> method. Usually, object fields are initially populated with data as part of the object creation process by passing parameters to the C<-Enew()> method. Parameters are passed in as combinations of S value>> pairs and/or hash refs: my $obj = My::Class->new('param1' => 'value1'); # or my $obj = My::Class->new({'param1' => 'value1'}); # or even my $obj = My::Class->new( 'param_X' => 'value_X', 'param_Y' => 'value_Y', { 'param_A' => 'value_A', 'param_B' => 'value_B', }, { 'param_Q' => 'value_Q', }, ); Additionally, parameters can be segregated in hash refs for specific classes: my $obj = My::Class->new( 'foo' => 'bar', 'My::Class' => { 'param' => 'value' }, 'Parent::Class' => { 'data' => 'info' }, ); The initialization methods for both classes in the above will get S 'bar'>>, C will also get S 'value'>>, and C will also get S 'info'>>. In this scheme, class-specific parameters will override general parameters specified at a higher level: my $obj = My::Class->new( 'default' => 'bar', 'Parent::Class' => { 'default' => 'baz' }, ); C will get S 'bar'>>, and C will get S 'baz'>>. Calling C<-Enew()> on an object works, too, and operates the same as calling C<-Enew()> for the class of the object (i.e., C<$obj-Enew()> is the same as Cnew()>). How the parameters passed to the C<-Enew()> method are used to initialize the object is discussed later under L. NOTE: You cannot create objects from Object::InsideOut itself: # This is an error # my $obj = Object::InsideOut->new(); In this way, Object::InsideOut is not an object class, but functions more like a pragma. =head2 Object IDs As stated earlier, this module implements inside-out objects as anonymous, read-only scalar references that are blessed into a class with the scalar containing the ID for the object. Within methods, the object is passed in as the first argument: sub my_method { my $self = shift; ... } The object's ID is then obtained by dereferencing the object: C<$$self>. Normally, this is only needed when accessing the object's field data: my @my_field :Field; sub my_method { my $self = shift; ... my $data = $my_field[$$self]; ... } At all other times, and especially in application code, the object should be treated as an I entity. =head1 ATTRIBUTES Much of the power of Object::InsideOut comes from the use of I: I on variables and subroutines that the L module sends to Object::InsideOut at compile time. Object::InsideOut then makes use of the information in these tags to handle such operations as object construction, automatic accessor generation, and so on. (Note: The use of attibutes is not the same thing as L.) An attribute consists of an identifier preceeded by a colon, and optionally followed by a set of parameters in parentheses. For example, the attributes on the following array declare it as an object field, and specify the generation of an accessor method for that field: my @level :Field :Accessor(level); When multiple attributes are assigned to a single entity, they may all appear on the same line (as shown above), or on separate lines: my @level :Field :Accessor(level); However, due to limitations in the Perl parser, the entirety of any one attribute must be on a single line: # This doesn't work # my @level # :Field # :Accessor('Name' => 'level', # 'Return' => 'Old'); # Each attribute must be all on one line my @level :Field :Accessor('Name' => 'level', 'Return' => 'Old'); For Object::InsideOut's purposes, the case of an attribute's name does not matter: my @data :Field; # or my @data :FIELD; However, by convention (as denoted in the L module), an attribute's name should not be all lowercase. =head1 FIELDS =head2 Field Declarations Object data fields consist of arrays within a class's package into which data are stored using the object's ID as the array index. An array is declared as being an object field by following its declaration with the C<:Field> attribute: my @info :Field; Object data fields may also be hashes: my %data :Field; However, as array access is as much as 40% faster than hash access, you should stick to using arrays. See L for more information on when hashes may be required. =head2 Getting Data In class code, data can be fetched directly from an object's field array (hash) using the object's ID: $data = $field[$$self]; # or $data = $field{$$self}; =head2 Setting Data Analogous to the above, data can be put directly into an object's field array (hash) using the object's ID: $field[$$self] = $data; # or $field{$$self} = $data; However, in threaded applications that use data sharing (i.e., use C), the above will not work when the object is shared between threads and the data being stored is either an array, hash or scalar reference (this includes other objects). This is because the C<$data> must first be converted into shared data before it can be put into the field. Therefore, Object::InsideOut automatically exports a method called C<-Eset()> to each class. This method should be used in class code to put data into object fields whenever there is the possibility that the class code may be used in an application that uses L (i.e., to make your class code B). The C<-Eset()> method handles all details of converting the data to a shared form, and storing it in the field. The C<-Eset()> method, requires two arguments: A reference to the object field array/hash, and the data (as a scalar) to be put in it: my @my_field :Field; sub store_data { my ($self, $data) = @_; ... $self->set(\@my_field, $data); } To be clear, the C<-Eset()> method is used inside class code; not application code. Use it inside any object methods that set data in object field arrays/hashes. In the event of a method naming conflict, the C<-Eset()> method can be called using its fully-qualified name: $self->Object::InsideOut::set(\@field, $data); =head1 OBJECT INITIALIZATION As stated in L, object fields are initially populated with data as part of the object creation process by passing S value>> parameters to the C<-Enew()> method. These parameters can be processed automatically into object fields, or can be passed to a class-specific object initialization subroutine. =head2 Field-Specific Parameters When an object creation parameter corresponds directly to an object field, you can specify for Object::InsideOut to automatically place the parameter into the field by adding the C<:Arg> attribute to the field declaration: my @foo :Field :Arg(foo); For the above, the following would result in C<$val> being placed in C's C<@foo> field during object creation: my $obj = My::Class->new('foo' => $val); =head2 Object Initialization Subroutines Many times, object initialization parameters do not correspond directly to object fields, or they may require special handling. For these, parameter processing is accomplished through a combination of an C<:InitArgs> labeled hash, and an C<:Init> labeled subroutine. The C<:InitArgs> labeled hash specifies the parameters to be extracted from the argument list supplied to the C<-Enew()> method. Those parameters (and only those parameters) which match the keys in the C<:InitArgs> hash are then packaged together into a single hash ref. The newly created object and this parameter hash ref are then sent to the C<:Init> subroutine for processing. Here is an example of a class with an I field and an I<:Init handled> field: package My::Class; { use Object::InsideOut; # Automatically handled field my @my_data :Field :Acc(data) :Arg(MY_DATA); # ':Init' handled field my @my_field :Field; my %init_args :InitArgs = ( 'MY_PARAM' => '', ); sub _init :Init { my ($self, $args) = @_; if (exists($args->{'MY_PARAM'})) { $self->set(\@my_field, $args->{'MY_PARAM'}); } } ... } An object for this class would be created as follows: my $obj = My::Class->new('MY_DATA' => $dat, 'MY_PARAM' => $parm); This results in, first of all, C<$dat> being placed in the object's C<@my_data> field because the C key is specified in the C<:Arg> attribute for that field. Then, C<_init> is invoked with arguments consisting of the object (i.e., C<$self>) and a hash ref consisting only of S $param }>> because the key C is specified in the C<:InitArgs> hash. C<_init> checks that the parameter C exists in the hash ref, and then (since it does exist) adds C<$parm> to the object's C<@my_field> field. =over =item Setting Data Data processed by the C<:Init> subroutine may be placed directly into the class's field arrays (hashes) using the object's ID (i.e., C<$$self>): $my_field[$$self] = $args->{'MY_PARAM'}; However, as shown in the example above, it is strongly recommended that you use the L<-Eset()|/"Setting Data"> method: $self->set(\@my_field, $args->{'MY_PARAM'}); which handles converting the data to a shared format when needed for applications using L. =item All Parameters The C<:InitArgs> hash and the C<:Arg> attribute on fields act as filters that constrain which initialization parameters are and are not sent to the C<:Init> subroutine. If, however, a class does not have an C<:InitArgs> hash B does not use the C<:Arg> attribute on any of its fields, then its C<:Init> subroutine (if it exists, of course) will get all the initialization parameters supplied to the C<-Enew()> method. =back =head2 Mandatory Parameters Field-specific parameters may be declared mandatory as follows: my @data :Field :Arg('Name' => 'data', 'Mandatory' => 1); If a mandatory parameter is missing from the argument list to C<-Enew()>, an error is generated. For C<:Init> handled parameters, use: my %init_args :InitArgs = ( 'data' => { 'Mandatory' => 1, }, ); C may be abbreviated to C, and C or C are synonymous. =head2 Default Values For optional parameters, defaults can be specified for field-specific parameters: my @data :Field :Arg('Name' => 'data', 'Default' => 'foo'); If an optional parameter with a specified default is missing from the argument list to C<-Enew()>, then the default is assigned to the field when the object is created (before the C<:Init> subroutine, if any, is called). The format for C<:Init> handled parameters is: my %init_args :InitArgs = ( 'data' => { 'Default' => 'foo', }, ); In this case, if the parameter is missing from the argument list to C<-Enew()>, then the parameter key is paired with the default value and added to the C<:Init> argument hash ref (e.g., S 'foo' }>>). C may be abbreviated to C. Fields can also be assigned a default value even if not associated with an initialization parameter: my @data :Field :Default('foo'); Note that when using C<:Default>, the value must be properly specified (e.g., strings must be quoted as illustrated above). Using an array or hash reference as a default will probably not produce the result that you might expect: my @foo :Field :Default({}); This does b result in a new empty hash reference being created for each new object. Rather, a single empty hash reference is created when the module is loaded, and then that reference is assigned to each newly created object. In other words, it is equivalent to: my %bar = (); my @foo :Field :Default(\%bar); To get the other result, assign a new empty hash reference using an C<:Init> subroutine: sub _init :Init { my ($self, $args) = @_; $foo[$$self] = {}; } C<:Default> may be abbreviated to C<:Def>. =head2 Parameter Name Matching Rather than having to rely on exact matches to parameter keys in the C<-Enew()> argument list, you can specify a regular expressions to be used to match them to field-specific parameters: my @param :Field :Arg('Name' => 'param', 'Regexp' => qr/^PARA?M$/i); In this case, the parameter's key could be any of the following: PARAM, PARM, Param, Parm, param, parm, and so on. And the following would result in C<$data> being placed in C's C<@param> field during object creation: my $obj = My::Class->new('Parm' => $data); For C<:Init> handled parameters, you would similarly use: my %init_args :InitArgs = ( 'Param' => { 'Regex' => qr/^PARA?M$/i, }, ); In this case, the match results in S $data }>> being sent to the C<:Init> subroutine as the argument hash. Note that the C<:InitArgs> hash key is substituted for the original argument key. This eliminates the need for any parameter key pattern matching within the C<:Init> subroutine. C may be abbreviated to C or C. =head2 Object Pre-initialization Occassionally, a child class may need to send a parameter to a parent class as part of object initialization. This can be accomplished by supplying a C<:PreInit> labeled subroutine in the child class. These subroutines, if found, are called in order from the bottom of the class hierarchy upwards (i.e., child classes first). The subroutine should expect two arguments: The newly created (un-initialized) object (i.e., C<$self>), and a hash ref of all the parameters from the C<-Enew()> method call, including any additional parameters added by other C<:PreInit> subroutines. sub pre_init :PreInit { my ($self, $args) = @_; ... } The parameter hash ref will not be exactly as supplied to C<-Enew()>, but will be I into a single hash ref. For example, my $obj = My::Class->new( 'param_X' => 'value_X', { 'param_A' => 'value_A', 'param_B' => 'value_B', }, 'My::Class' => { 'param' => 'value' }, ); would produce { 'param_X' => 'value_X', 'param_A' => 'value_A', 'param_B' => 'value_B', 'My::Class' => { 'param' => 'value' } } as the hash ref to the C<:PreInit> subroutine. The C<:PreInit> subroutine may then add, modify or even remove any parameters from the hash ref as needed for its purposes. After all the C<:PreInit> subroutines have been executed, object initialization will then proceed using the resulting parameter hash. The C<:PreInit> subroutine should not try to set data in its class's fields or in other class's fields (e.g., using I methods) as such changes will be overwritten during initialization phase which follows preinitialization. The C<:PreInit> subroutine is only intended for modifying initialization parameters prior to initialization. =head2 Initialization Sequence For the most part, object initialization can be conceptualized as proceeding from parent classes down through child classes. As such, calling child class methods from a parent class during object initialization may not work because the object will not have been fully initialized in the child classes. Knowing the order of events during object initialization may help in determining when this can be done safely: =over =item 1. The scalar reference for the object is created, populated with an L, and blessed into the appropriate class. =item 2. L<:PreInit|/"Object Pre-initialization"> subroutines are called in order from the bottom of the class hierarchy upwards (i.e., child classes first). =item 3. From the top of the class hierarchy downwards (i.e., parent classes first), L are assigned to fields. (These may be overwritten by subsequent steps below.) =item 4. From the top of the class hierarchy downwards, parameters to the C<-Enew()> method are processed for C<:Arg> field attributes and entries in the C<:InitArgs> hash: =over =item a. L is performed. =item b. Checks for L are made. =item c. L specified in the C<:InitArgs> hash are added for subsequent processing by the C<:Init> subroutine. =item d. L is performed. =item e. L are assigned to fields. =back =item 5. From the top of the class hierarchy downwards, L<:Init|/"Object Initialization Subroutines"> subroutines are called with parameters specified in the C<:InitArgs> hash. =back =head2 Modifying C<:InitArgs> For performance purposes, Object::InsideOut I each class' C<:InitArgs> hash by creating keys in the form of C<'_X'> for the various options it handles (e.g., C<'_R'> for C<'Regexp'>). If a class has the unusual requirement to modify its C<:InitArgs> hash during runtime, then it must renormalize the hash after making such changes by invoking C on it so that Object::InsideOut will pick up the changes: Object::InsideOut::normalize(\%init_args); =head1 ACCESSOR GENERATION Accessors are object methods used to get data out of and put data into an object. You can, of course, write your own accessor code, but this can get a bit tedious, especially if your class has lots of fields. Object::InsideOut provides the capability to automatically generate accessors for you. =head2 Basic Accessors A I accessor is vary basic: It just returns the value of an object's field: my @data :Field; sub fetch_data { my $self = shift; return ($data[$$self]); } and you would use it as follows: my $data = $obj->fetch_data(); To have Object::InsideOut generate such a I accessor for you, add a C<:Get> attribute to the field declaration, specifying the name for the accessor in parentheses: my @data :Field :Get(fetch_data); Similarly, a I accessor puts data in an object's field. The I accessors generated by Object::InsideOut check that they are called with at least one argument. They are specified using the C<:Set> attribute: my @data :Field :Set(store_data); Some programmers use the convention of naming I and I accessors using I and I prefixes. Such I accessors can be generated using the C<:Standard> attribute (which may be abbreviated to C<:Std>): my @data :Field :Std(data); which is equivalent to: my @data :Field :Get(get_data) :Set(set_data); Other programmers perfer to use a single I accessors that performs both functions: When called with no arguments, it I, and when called with an argument, it I. Object::InsideOut will generate such accessors with the C<:Accessor> attribute. (This can be abbreviated to C<:Acc>, or you can use C<:Get_Set> or C<:Combined> or C<:Combo> or even C.) For example: my @data :Field :Acc(data); The generated accessor would be used in this manner: $obj->data($val); # Puts data into the object's field my $data = $obj->data(); # Fetches the object's field data =head2 I Accessor Return Value For any of the automatically generated methods that perform I operations, the default for the method's return value is the value being set (i.e., the I value). You can specify the I accessor's return value using the C attribute parameter (which may be abbreviated to C). For example, to explicitly specify the default behavior use: my @data :Field :Set('Name' => 'store_data', 'Return' => 'New'); You can specify that the accessor should return the I (previous) value (or C if unset): my @data :Field :Acc('Name' => 'data', 'Ret' => 'Old'); You may use , C or C as synonyms for C. Finally, you can specify that the accessor should return the object itself: my @data :Field :Std('Name' => 'data', 'Ret' => 'Object'); C may be abbreviated to C, and is also synonymous with C. =head2 Method Chaining An obvious case where method chaining can be used is when a field is used to store an object: A method for the stored object can be chained to the I accessor call that retrieves that object: $obj->get_stored_object()->stored_object_method() Chaining can be done off of I accessors based on their return value (see above). In this example with a I accessor that returns the I value: $obj->set_stored_object($stored_obj)->stored_object_method() the I call stores the new object, returning it as well, and then the I call is invoked via the stored/returned object. The same would work for I accessors that return the I value, too, but in that case the chained method is invoked via the previously stored (and now returned) object. If the L module (version 0.12 or later) is available, then Object::InsideOut also tries to do I with method chaining for I accessors that don't store/return objects. In this case, the object used to invoke the I accessor will also be used to invoke the chained method (just as though the I accessor were declared with S 'Object'>>): $obj->set_data('data')->do_something(); To make use of this feature, just add C to the beginning of your application. Note, however, that this special handling does not apply to I accessors, nor to I accessors invoked without an argument (i.e., when used as a I accessor). These must return objects in order for method chaining to succeed. =head2 :lvalue Accessors As documented in L, an C<:lvalue> subroutine returns a modifiable value. This modifiable value can then, for example, be used on the left-hand side (hence C) of an assignment statement, or a substitution regular expression. For Perl 5.8.0 and later, Object::InsideOut supports the generation of C<:lvalue> accessors such that their use in an C context will set the value of the object's field. Just add C<'lvalue' =E 1> to the I accessor's attribute. (C<'lvalue'> may be abbreviated to C<'lv'>.) Additionally, C<:Lvalue> (or its abbreviation C<:lv>) may be used for a combined I I<:lvalue> accessor. In other words, the following are equivalent: :Acc('Name' => 'email', 'lvalue' => 1) :Lvalue(email) Here is a detailed example: package Contact; { use Object::InsideOut; # Create separate a get accessor and an :lvalue set accessor my @name :Field :Get(name) :Set('Name' => 'set_name', 'lvalue' => 1); # Create a standard get_/set_ pair of accessors # The set_ accessor will be an :lvalue accessor my @phone :Field :Std('Name' => 'phone', 'lvalue' => 1); # Create a combined get/set :lvalue accessor my @email :Field :Lvalue(email); } package main; my $obj = Contact->new(); # Use :lvalue accessors in assignment statements $obj->set_name() = 'Jerry D. Hedden'; $obj->set_phone() = '800-555-1212'; $obj->email() = 'jdhedden AT cpan DOT org'; # Use :lvalue accessor in substituion regexp $obj->email() =~ s/ AT (\w+) DOT /\@$1./; # Use :lvalue accessor in a 'substr' call substr($obj->set_phone(), 0, 3) = '888'; print("Contact info:\n"); print("\tName: ", $obj->name(), "\n"); print("\tPhone: ", $obj->get_phone(), "\n"); print("\tEmail: ", $obj->email(), "\n"); The use of C<:lvalue> accessors requires the installation of the L module (version 0.12 or later) from CPAN. See particularly the section L for more information. C<:lvalue> accessors also work like regular I accessors in being able to accept arguments, return values, and so on: my @pri :Field :Lvalue('Name' => 'priority', 'Return' => 'Old'); ... my $old_pri = $obj->priority(10); C<:lvalue> accessors can be used in L. B: While still classified as I, Perl's support for C<:lvalue> subroutines has been around since 5.6.0, and a good number of CPAN modules make use of them. By definition, because C<:lvalue> accessors return the I of a field, they break encapsulation. As a result, some OO advocates eschew the use of C<:lvalue> accessors. C<:lvalue> accessors are slower than corresponding I accessors. This is due to the fact that more code is needed to handle all the diverse ways in which C<:lvalue> accessors may be used. (I've done my best to optimize the generated code.) For example, here's the code that is generated for a simple combined accessor: *Foo::foo = sub { return ($$field[${$_[0]}]) if (@_ == 1); $$field[${$_[0]}] = $_[1]; }; And the corresponding code for an C<:lvalue> combined accessor: *Foo::foo = sub :lvalue { my $rv = !Want::want_lvalue(0); Want::rreturn($$field[${$_[0]}]) if ($rv && (@_ == 1)); my $assign; if (my @args = Want::wantassign(1)) { @_ = ($_[0], @args); $assign = 1; } if (@_ > 1) { $$field[${$_[0]}] = $_[1]; Want::lnoreturn if $assign; Want::rreturn($$field[${$_[0]}]) if $rv; } ((@_ > 1) && (Want::wantref() eq 'OBJECT') && !Scalar::Util::blessed($$field[${$_[0]}])) ? $_[0] : $$field[${$_[0]}]; }; =head1 ALL-IN-ONE Parameter naming and accessor generation may be combined: my @data :Field :All(data); This is I for: my @data :Field :Arg(data) :Acc(data); If you want the accessor to be C<:lvalue>, use: my @data :Field :LV_All(data); If I accessors are desired, use: my @data :Field :Std_All(data); Attribute parameters affecting the I accessor may also be used. For example, if you want I accessors with an C<:lvalue> I accessor: my @data :Field :Std_All('Name' => 'data', 'Lvalue' => 1); If you want a combined accessor that returns the I value on I operations: my @data :Field :All('Name' => 'data', 'Ret' => 'Old'); And so on. If you need to add attribute parameters that affect the C<:Arg> portion (e.g., 'Default', 'Mandatory', etc.), then you cannot use C<:All>. Fall back to using the separate attributes. For example: my @data :Field :Arg('Name' => 'data', 'Mand' => 1) :Acc('Name' => 'data', 'Ret' => 'Old'); =head1 PERMISSIONS =head2 Restricted and Private Accessors By default, L, can be called at any time. In other words, their access permission is I. If desired, accessors can be made I - in which case they can only be called from within the class's hierarchy - or I - such that they can only be called from within the accessors's class. Here are examples of the syntax for adding permissions: my @data :Field :Std('Name' => 'data', 'Permission' => 'private'); my @info :Field :Set('Name' => 'set_info', 'Perm' => 'restricted'); my @internal :Field :Acc('Name' => 'internal', 'Private' => 1); my @state :Field :Get('Name' => 'state', 'Restricted' => 1); When creating a I pair of I accessors, the premission setting is applied to both accessors. If different permissions are required on the two accessors, then you'll have to use separate C<:Get> and C<:Set> attributes on the field. # Create a private set method # and a restricted get method on the 'foo' field my @foo :Field :Set('Name' => 'set_foo', 'Priv' => 1) :Get('Name' => 'get_foo', 'Rest' => 1); # Create a restricted set method # and a public get method on the 'bar' field my %bar :Field :Set('Name' => 'set_bar', 'Perm' => 'restrict') :Get(get_bar); C may be abbreviated to C; C may be abbreviated to C; and C may be abbreviated to C. =head2 Restricted and Private Methods In the same vein as describe above, access to methods can be narrowed by use of C<:Restricted> and C<:Private> attributes. sub foo :Restricted { my $self = shift; ... } Without either of these attributes, most methods have I access. If desired, you may explicitly label them with the C<:Public> attribute. =head2 Exemptions It is also possible to specify classes that are exempt from the I and I access permissions (i.e., the method may be called from those classes as well): my %foo :Field :Acc('Name' => 'foo', 'Perm' => 'Restrict(Exempt::Class)') :Get(get_bar); sub bar :Private(Some::Class, Another::Class) { my $self = shift; ... } An example of when this might be needed is with delegation mechanisms. =head2 Hidden Methods For subroutines marked with the following attributes (most of which are discussed later in this document): =over =item :ID =item :PreInit =item :Init =item :Replicate =item :Destroy =item :Automethod =item :Dumper =item :Pumper =item :MOD_*_ATTRS =item :FETCH_*_ATTRS =back Object::InsideOut normally renders them uncallable (hidden) to class and application code (as they should normally only be needed by Object::InsideOut itself). If needed, this behavior can be overridden by adding the C, C or C attribute parameters: sub _init :Init(private) # Callable from within this class { my ($self, $args) = @_; ... } =head2 Restricted and Private Classes Permission for object creation on a class can be narrowed by adding a C<:Restricted> or C<:Private> flag to its S> declaration. This basically adds C<:Restricted/:Private> permissions on the C<-Enew()> method for that class. Exemptions are also supported. package Foo; { use Object::InsideOut; ... } package Bar; { use Object::InsideOut 'Foo', ':Restricted(Ping, Pong)'; ... } In the above, class C inherits from class C, and its constructor is restricted to itself, classes that inherit from C, and the classes C and C. As constructors are inherited, any class that inherits from C would also be a restricted class. To overcome this, any child class would need to add its own permission declaration: package Baz; { use Object::InsideOut qw/Bar :Private(My::Class)/; ... } Here, class C inherits from class C, and its constructor is restricted to itself (i.e., private) and class C. Inheriting from a C<:Private> class is permitted, but objects cannot be created for that class unless it has a permission declaration of its own: package Zork; { use Object::InsideOut qw/:Public Baz/; ... } Here, class C inherits from class C, and its constructor has unrestricted access. (In general, don't use the C<:Public> declaration for a class except to overcome contructor permissions inherited from parent classes.) =head1 TYPE CHECKING Object::InsideOut can be directed to add type-checking code to the I accessors it generates, and to perform type checking on object initialization parameters. =head2 Field Type Checking Type checking for a field can be specified by adding the C<:Type> attribute to the field declaration: my @count :Field :Type(numeric); my @objs :Field :Type(list(My::Class)); The C<:Type> attribute results in type checking code being added to I accessors generated by Object::InsideOut, and will perform type checking on object initialization parameters processed by the C<:Arg> attribute. Available Types are: =over =item 'numeric' Can also be specified as C or C. This uses L to test the input value. =item 'list' or 'array' =item 'list(_subtype_)' or 'array(_subtype_)' This type permits an accessor to accept multiple values (which are then placed in an array ref) or a single array ref. For object initialization parameters, it permits a single value (which is then placed in an array ref) or an array ref. When specified, the contents of the resulting array ref are checked against the specified subtype: =over =item 'numeric' Same as for the basic type above. =item A class name Same as for the basic type below. =item A reference type Any reference type (in all caps) as returned by L). =back =item 'ARRAY_ref' =item 'ARRAY_ref(_subtype_)' This specifies that only a single array reference is permitted. Can also be specified as C. When specified, the contents of the array ref are checked against the specified subtype as per the above. =item 'HASH' This type permits an accessor to accept multiple S value>> pairs (which are then placed in a hash ref) or a single hash ref. For object initialization parameters, only a single ref is permitted. =item 'HASH_ref' This specifies that only a single hash reference is permitted. Can also be specified as C. =item A class name This permits only an object of the specified class, or one of its sub-classes (i.e., type checking is done using C<-Eisa()>). For example, C. The class name C permits any object. The class name C permits any object generated by an Object::InsideOut class. =item Other reference type This permits only a reference of the specified type (as returned by L). The type must be specified in all caps. For example, C. =back The C<:Type> attribute can also be supplied with a code reference to provide custom type checking. The code ref may either be in the form of an anonymous subroutine, or a fully-qualified subroutine name. The result of executing the code ref on the input argument should be a boolean value. Here's some examples: package My::Class; { use Object::InsideOut; # Type checking using an anonymous subroutine # (This checks that the argument is a scalar) my @data :Field :Type(sub { ! ref($_[0]) }); :Acc(data) # Type checking using a fully-qualified subroutine name my @num :Field :Type(\&My::Class::positive); :Acc(num) # The type checking subroutine may be made 'Private' sub positive :Private { return (Scalar::Util::looks_like_number($_[0]) && ($_[0] > 0)); } } =head2 Type Checking on C<:Init> Parameters For object initialization parameters that are sent to the C<:Init> subroutine during object initialization, the parameter's type can be specified in the C<:InitArgs> hash for that parameter using the same types as specified in the previous section. For example: my %init_args :InitArgs = ( 'COUNT' => { 'Type' => 'numeric', }, 'OBJS' => { 'Type' => 'list(My::Class)', }, ); One exception involves custom type checking: If referenced in an C<:InitArgs> hash, the type checking subroutine cannot be made C<:Private>: package My::Class; { use Object::InsideOut; sub check_type # Cannot be :Private { ... } my %init_args :InitArgs = ( 'ARG' => { 'Type' => \&check_type, }, ); ... } Also, as shown, it also doesn't have to be a fully-qualified name. =head1 CUMULATIVE METHODS Normally, methods with the same name in a class hierarchy are masked (i.e., overridden) by inheritance - only the method in the most-derived class is called. With cumulative methods, this masking is removed, and the same-named method is called in each of the classes within the hierarchy. The return results from each call (if any) are then gathered together into the return value for the original method call. For example, package My::Class; { use Object::InsideOut; sub what_am_i :Cumulative { my $self = shift; my $ima = (ref($self) eq __PACKAGE__) ? q/I was created as a / : q/My top class is /; return ($ima . __PACKAGE__); } } package My::Foo; { use Object::InsideOut 'My::Class'; sub what_am_i :Cumulative { my $self = shift; my $ima = (ref($self) eq __PACKAGE__) ? q/I was created as a / : q/I'm also a /; return ($ima . __PACKAGE__); } } package My::Child; { use Object::InsideOut 'My::Foo'; sub what_am_i :Cumulative { my $self = shift; my $ima = (ref($self) eq __PACKAGE__) ? q/I was created as a / : q/I'm in class /; return ($ima . __PACKAGE__); } } package main; my $obj = My::Child->new(); my @desc = $obj->what_am_i(); print(join("\n", @desc), "\n"); produces: My top class is My::Class I'm also a My::Foo I was created as a My::Child When called in a list context (as in the above), the return results of cumulative methods are accumulated, and returned as a list. In a scalar context, a results object is returned that segregates the results by class for each of the cumulative method calls. Through overloading, this object can then be dereferenced as an array, hash, string, number, or boolean. For example, the above could be rewritten as: my $obj = My::Child->new(); my $desc = $obj->what_am_i(); # Results object print(join("\n", @{$desc}), "\n"); # Dereference as an array The following uses hash dereferencing: my $obj = My::Child->new(); my $desc = $obj->what_am_i(); while (my ($class, $value) = each(%{$desc})) { print("Class $class reports:\n\t$value\n"); } and produces: Class My::Class reports: My top class is My::Class Class My::Child reports: I was created as a My::Child Class My::Foo reports: I'm also a My::Foo As illustrated above, cumulative methods are tagged with the C<:Cumulative> attribute (or S>), and propagate from the I through the class hierarchy (i.e., from the parent classes down through the child classes). If tagged with S>, they will propagated from the object's class upwards through the parent classes. =head1 CHAINED METHODS In addition to C<:Cumulative>, Object::InsideOut provides a way of creating methods that are chained together so that their return values are passed as input arguments to other similarly named methods in the same class hierarchy. In this way, the chained methods act as though they were I together. For example, imagine you had a method called C that formats some text for display: package Subscriber; { use Object::InsideOut; sub format_name { my ($self, $name) = @_; # Strip leading and trailing whitespace $name =~ s/^\s+//; $name =~ s/\s+$//; return ($name); } } And elsewhere you have a second class that formats the case of names: package Person; { use Lingua::EN::NameCase qw(nc); use Object::InsideOut; sub format_name { my ($self, $name) = @_; # Attempt to properly case names return (nc($name)); } } And you decide that you'd like to perform some formatting of your own, and then have all the parent methods apply their own formatting. Normally, if you have a single parent class, you'd just call the method directly with C<$self-ESUPER::format_name($name)>, but if you have more than one parent class you'd have to explicitly call each method directly: package Customer; { use Object::InsideOut qw(Person Subscriber); sub format_name { my ($self, $name) = @_; # Compress all whitespace into a single space $name =~ s/\s+/ /g; $name = $self->Subscriber::format_name($name); $name = $self->Person::format_name($name); return $name; } } With Object::InsideOut, you'd add the C<:Chained> attribute to each class's C method, and the methods will be chained together automatically: package Subscriber; { use Object::InsideOut; sub format_name :Chained { my ($self, $name) = @_; # Strip leading and trailing whitespace $name =~ s/^\s+//; $name =~ s/\s+$//; return ($name); } } package Person; { use Lingua::EN::NameCase qw(nc); use Object::InsideOut; sub format_name :Chained { my ($self, $name) = @_; # Attempt to properly case names return (nc($name)); } } package Customer; { use Object::InsideOut qw(Person Subscriber); sub format_name :Chained { my ($self, $name) = @_; # Compress all whitespace into a single space $name =~ s/\s+/ /g; return ($name); } } So passing in someone's name to C in C would cause leading and trailing whitespace to be removed, then the name to be properly cased, and finally whitespace to be compressed to a single space. The resulting C<$name> would be returned to the caller: my ($name) = $obj->format_name($name_raw); Unlike C<:Cumulative> methods, C<:Chained> methods B returns an array - even if there is only one value returned. Therefore, C<:Chained> methods should always be called in an array context, as illustrated above. The default direction is to chain methods from the parent classes at the top of the class hierarchy down through the child classes. You may use the attribute S> to make this more explicit. If you label the method with the S> attribute, then the chained methods are called starting with the object's class and working upwards through the parent classes in the class hierarchy, similar to how S> works. =head1 ARGUMENT MERGING As mentioned under L<"Object Creation">, the C<-Enew()> method can take parameters that are passed in as combinations of S value>> pairs and/or hash refs: my $obj = My::Class->new( 'param_X' => 'value_X', 'param_Y' => 'value_Y', { 'param_A' => 'value_A', 'param_B' => 'value_B', }, { 'param_Q' => 'value_Q', }, ); The parameters are I into a single hash ref before they are processed. Adding the C<:MergeArgs> attribute to your methods gives them a similar capability. Your method will then get two arguments: The object and a single hash ref of the I arguments. For example: package Foo; { use Object::InsideOut; ... sub my_method :MergeArgs { my ($self, $args) = @_; my $param = $args->{'param'}; my $data = $args->{'data'}; my $flag = $args->{'flag'}; ... } } package main; my $obj = Foo->new(...); $obj->my_method( { 'data' => 42, 'flag' => 'true' }, 'param' => 'foo' ); =head1 ARGUMENT VALIDATION A number of users have asked about argument validation for methods: L. For this, I recommand using L: package Foo; { use Object::InsideOut; use Params::Validate ':all'; sub foo { my $self = shift; my %args = validate(@_, { bar => 1 }); my $bar = $args{bar}; ... } } Using L, attributes are used for argument validation specifications: package Foo; { use Object::InsideOut; use Attribute::Params::Validate; sub foo :method :Validate(bar => 1) { my $self = shift; my %args = @_; my $bar = $args{bar}; ... } } Note that in the above, Perl's C<:method> attribute (in all lowercase) is needed. There is some incompatibility between Attribute::Params::Validate and some of Object::InsideOut's attributes. Namely, you cannot use C<:Validate> with C<:Private>, C<:Restricted>, C<:Cumulative>, C<:Chained> or C<:MergeArgs>. In these cases, use the C function from L instead. =head1 AUTOMETHODS There are significant issues related to Perl's C mechanism that cause it to be ill-suited for use in a class hierarchy. Therefore, Object::InsideOut implements its own C<:Automethod> mechanism to overcome these problems. Classes requiring C-type capabilities must provided a subroutine labeled with the C<:Automethod> attribute. The C<:Automethod> subroutine will be called with the object and the arguments in the original method call (the same as for C). The C<:Automethod> subroutine should return either a subroutine reference that implements the requested method's functionality, or else just end with C to indicate that it doesn't know how to handle the request. Using its own C subroutine (which is exported to every class), Object::InsideOut walks through the class tree, calling each C<:Automethod> subroutine, as needed, to fulfill an unimplemented method call. The name of the method being called is passed as C<$_> instead of C<$AUTOLOAD>, and does I have the class name prepended to it. If the C<:Automethod> subroutine also needs to access the C<$_> from the caller's scope, it is available as C<$CALLER::_>. Automethods can also be made to act as L or L. In these cases, the C<:Automethod> subroutine should return two values: The subroutine ref to handle the method call, and a string designating the type of method. The designator has the same form as the attributes used to designate C<:Cumulative> and C<:Chained> methods: ':Cumulative' or ':Cumulative(top down)' ':Cumulative(bottom up)' ':Chained' or ':Chained(top down)' ':Chained(bottom up)' The following skeletal code illustrates how an C<:Automethod> subroutine could be structured: sub _automethod :Automethod { my $self = shift; my @args = @_; my $method_name = $_; # This class can handle the method directly if (...) { my $handler = sub { my $self = shift; ... return ...; }; ### OPTIONAL ### # Install the handler so it gets called directly next time # no strict refs; # *{__PACKAGE__.'::'.$method_name} = $handler; ################ return ($handler); } # This class can handle the method as part of a chain if (...) { my $chained_handler = sub { my $self = shift; ... return ...; }; return ($chained_handler, ':Chained'); } # This class cannot handle the method request return; } Note: The I code above for installing the generated handler as a method should not be used with C<:Cumulative> or C<:Chained> automethods. =head1 OBJECT SERIALIZATION =head2 Basic Serialization =over =item my $array_ref = $obj->dump(); =item my $string = $obj->dump(1); Object::InsideOut exports a method called C<-Edump()> to each class that returns either a I or a string representation of the object that invokes the method. The I representation is returned when C<-Edump()> is called without arguments. It consists of an array ref whose first element is the name of the object's class, and whose second element is a hash ref containing the object's data. The object data hash ref contains keys for each of the classes that make up the object's hierarchy. The values for those keys are hash refs containing S value>> pairs for the object's fields. For example: [ 'My::Class::Sub', { 'My::Class' => { 'data' => 'value' }, 'My::Class::Sub' => { 'life' => 42 } } ] The name for an object field (I and I in the example above) can be specified by adding the C<:Name> attribute to the field: my @life :Field :Name(life); If the C<:Name> attribute is not used, then the name for a field will be either the name associated with an C<:All> or C<:Arg> attribute, its I method name, its I method name, or, failing all that, a string of the form C or C. When called with a I argument, C<-Edump()> returns a string version of the I representation using L. Note that using L directly on an inside-out object will not produce the desired results (it'll just output the contents of the scalar ref). Also, if inside-out objects are stored inside other structures, a dump of those structures will not contain the contents of the object's fields. In the event of a method naming conflict, the C<-Edump()> method can be called using its fully-qualified name: my $dump = $obj->Object::InsideOut::dump(); =item my $obj = Object::InsideOut->pump($data); Cpump()> takes the output from the C<-Edump()> method, and returns an object that is created using that data. If C<$data> is the array ref returned by using C<$obj-Edump()>, then the data is inserted directly into the corresponding fields for each class in the object's class hierarchy. If C<$data> is the string returned by using C<$obj-Edump(1)>, then it is Ced to turn it into an array ref, and then processed as above. B: If any of an object's fields are dumped to field name keys of the form C or C (see above), then the data will not be reloadable using Cpump()>. To overcome this problem, the class developer must either add C<:Name> attributes to the C<:Field> declarations (see above), or provide a C<:Dumper>/C<:Pumper> pair of subroutines as described below. Dynamcially altering a class (e.g., using L<-Ecreate_field()|/"DYNAMIC FIELD CREATION"> after objects have been dumped will result in C fields when pumped back in regardless of whether or not the added fields have defaults. Modifying the output from C<-Edump()>, and then feeding it into Cpump()> will work, but is not specificially supported. If you know what you're doing, fine, but you're on your own. =item C<:Dumper> Subroutine Attribute If a class requires special processing to dump its data, then it can provide a subroutine labeled with the C<:Dumper> attribute. This subroutine will be sent the object that is being dumped. It may then return any type of scalar the developer deems appropriate. Usually, this would be a hash ref containing S value>> pairs for the object's fields. For example: my @data :Field; sub _dump :Dumper { my $obj = $_[0]; my %field_data; $field_data{'data'} = $data[$$obj]; return (\%field_data); } Just be sure not to call your C<:Dumper> subroutine C as that is the name of the dump method exported by Object::InsideOut as explained above. =item C<:Pumper> Subroutine Attribute If a class supplies a C<:Dumper> subroutine, it will most likely need to provide a complementary C<:Pumper> labeled subroutine that will be used as part of creating an object from dumped data using Cpump()>. The subroutine will be supplied the new object that is being created, and whatever scalar was returned by the C<:Dumper> subroutine. The corresponding C<:Pumper> for the example C<:Dumper> above would be: sub _pump :Pumper { my ($obj, $field_data) = @_; $obj->set(\@data, $field_data->{'data'}); } =back =head2 Storable Object::InsideOut also supports object serialization using the L module. There are two methods for specifying that a class can be serialized using L. The first method involves adding L to the Object::InsideOut declaration in your package: package My::Class; { use Object::InsideOut qw(Storable); ... } and adding S> in your application. Then you can use the C<-Estore()> and C<-Efreeze()> methods to serialize your objects, and the C and C subroutines to deserialize them. package main; use Storable; use My::Class; my $obj = My::Class->new(...); $obj->store('/tmp/object.dat'); ... my $obj2 = retrieve('/tmp/object.dat'); The other method of specifying L serialization involves setting a S> variable inside a C block for the class prior to its use: package main; use Storable; BEGIN { $My::Class::storable = 1; } use My::Class; =head1 OBJECT COERCION Object::InsideOut provides support for various forms of object coercion through the L mechanism. For instance, if you want an object to be usable directly in a string, you would supply a subroutine in your class labeled with the C<:Stringify> attribute: sub as_string :Stringify { my $self = $_[0]; my $string = ...; return ($string); } Then you could do things like: print("The object says, '$obj'\n"); For a boolean context, you would supply: sub as_bool :Boolify { my $self = $_[0]; my $true_or_false = ...; return ($true_or_false); } and use it in this manner: if (! defined($obj)) { # The object is undefined .... } elsif (! $obj) { # The object returned a false value ... } The following coercion attributes are supported: =over =item :Stringify =item :Numerify =item :Boolify =item :Arrayify =item :Hashify =item :Globify =item :Codify =back Coercing an object to a scalar (C<:Scalarify>) is B supported as C<$$obj> is the ID of the object and cannot be overridden. =head1 CLONING =head2 Object Cloning Copies of objects can be created using the C<-Eclone()> method which is exported by Object::InsideOut to each class: my $obj2 = $obj->clone(); When called without arguments, C<-Eclone()> creates a I copy of the object, meaning that any complex data structures (i.e., array, hash or scalar refs) stored in the object will be shared with its clone. Calling C<-Eclone()> with a I argument: my $obj2 = $obj->clone(1); creates a I copy of the object such that internally held array, hash or scalar refs are I and stored in the newly created clone. I cloning can also be controlled at the field level, and is covered in the next section. Note that cloning does not clone internally held objects. For example, if C<$foo> contains a reference to C<$bar>, a clone of C<$foo> will also contain a reference to C<$bar>; not a clone of C<$bar>. If such behavior is needed, it must be provided using a L<:Replicate|/"Object Replication"> subroutine. =head2 Field Cloning Object cloning can be controlled at the field level such that only specified fields are I copied when C<-Eclone()> is called without any arguments. This is done by adding the C<:Deep> attribute to the field: my @data :Field :Deep; =head1 WEAK FIELDS Frequently, it is useful to store Led references to data or objects in a field. Such a field can be declared as C<:Weak> so that data (i.e., references) set via Object::InsideOut generated accessors, parameter processing using C<:Arg>, the C<-Eset()> method, etc., will automatically be Led after being stored in the field array/hash. my @data :Field :Weak; NOTE: If data in a I field is set directly (i.e., the C<-Eset()> method is not used), then L must be invoked on the stored reference afterwards: $field[$$self] = $data; Scalar::Util::weaken($field[$$self]); (This is another reason why the C<-Eset()> method is recommended for setting field data within class code.) =head1 DYNAMIC FIELD CREATION Normally, object fields are declared as part of the class code. However, some classes may need the capability to create object fields I, for example, as part of an C<:Automethod>. Object::InsideOut provides a class method for this: # Dynamically create a hash field with standard accessors My::Class->create_field('%'.$fld, ":Std($fld)"); The first argument is the class into which the field will be added. The second argument is a string containing the name of the field preceeded by either a C<@> or C<%> to declare an array field or hash field, respectively. The remaining string arguments should be attributes declaring accessors and the like. The C<:Field> attribute is assumed, and does not need to be added to the attribute list. For example: My::Class->create_field('@data', ":Type(numeric)", ":Acc(data)"); My::Class->create_field('@obj', ":Type(Some::Class)", ":Acc(obj)", ":Weak"); Field creation will fail if you try to create an array field within a class whose hierarchy has been declared L<:hash_only|/"HASH ONLY CLASSES">. Here's an example of an C<:Automethod> subroutine that uses dynamic field creation: package My::Class; { use Object::InsideOut; sub _automethod :Automethod { my $self = $_[0]; my $class = ref($self) || $self; my $method = $_; # Extract desired field name from get_/set_ method name my ($fld_name) = $method =~ /^[gs]et_(.*)$/; if (! $fld_name) { return; # Not a recognized method } # Create the field and its standard accessors $class->create_field('@'.$fld_name, ":Std($fld_name)"); # Return code ref for newly created accessor no strict 'refs'; return *{$class.'::'.$method}{'CODE'}; } } =head1 RUNTIME INHERITANCE The class method C<-Eadd_class()> provides the capability to dynamically add classes to a class hierarchy at runtime. For example, suppose you had a simple I class: package Trait::State; { use Object::InsideOut; my %state :Field :Set(state); } This could be added to another class at runtime by with: My::Class->add_class('Trait::State'); This permits, for example, application code to dynamically modify a class without having it create an actual subclass. =head1 PREPROCESSING =head2 Parameter Preprocessing You can specify a code ref (either in the form of an anonymous subroutine, or a subroutine name) for an object initialization parameter that will be called on that parameter prior to taking any of the other parameter actions described above. Here's an example: package My::Class; { use Object::InsideOut; # The parameter preprocessing subroutine sub preproc { my ($class, $param, $spec, $obj, $value) = @_; # Preform parameter preprocessing ... # Return result return ...; } my @data :Field :Arg('Name' => 'DATA', 'Preprocess' => \&My::Class::preproc); my %init_args :InitArgs = ( 'PARAM' => { 'Preprocess' => \&preproc, }, ); ... } When used in the C<:Arg> attribute, the subroutine name must be fully-qualified, as illustrated. Further, if not referenced in the C<:InitArgs> hash, the preprocessing subroutine can be given the C<:Private> attribute. As the above illustrates, the parameter preprocessing subroutine is sent five arguments: =over =item * The name of the class associated with the parameter This would be C in the example above. =item * The name of the parameter Either C or C in the example above. =item * A hash ref of the parameter's specifiers This is either a hash ref containing the C<:Arg> attribute parameters, or the hash ref paired to the parameter's key in the C<:InitArgs> hash. =item * The object being initialized =item * The parameter's value This is the value assigned to the parameter in the C<-Enew()> method's argument list. If the parameter was not provided to C<-Enew()>, then C will be sent. =back The return value of the preprocessing subroutine will then be assigned to the parameter. Be careful about what types of data the preprocessing subroutine tries to make use of C to the arguments supplied. For instance, because the order of parameter processing is not specified, the preprocessing subroutine cannot rely on whether or not some other parameter is set. Such processing would need to be done in the C<:Init> subroutine. It can, however, make use of object data set by classes I in the class hierarchy. (That is why the object is provided as one of the arguments.) Possible uses for parameter preprocessing include: =over =item * Overriding the supplied value (or even deleting it by returning C) =item * Providing a dynamically-determined default value =back I may be abbreviated to I or I
.

=head2 I Accessor Preprocessing

You can specify a code ref (either in the form of an anonymous subroutine, or
a fully-qualified subroutine name) for a I accessor that will be
called on the arguments supplied to the accessor prior to its taking the usual
actions of type checking and adding the data to the field.  Here's an example:

 package My::Class; {
     use Object::InsideOut;

     my @data :Field
              :Acc('Name' => 'data', 'Preprocess' => \&My::Class::preproc);

     # The set accessor preprocessing subroutine may be made 'Private'
     sub preproc :Private
     {
         my ($self, $field, @args) = @_;

         # Preform preprocessing on the accessor's arguments
         ...

         # Return result
         return ...;
     }
 }

As the above illustrates, the accessor preprocessing subroutine is sent the
following arguments:

=over

=item * The object used to invoke the accessor

=item * A reference to the field associated with the accessor

=item * The argument(s) sent to the accessor

There will always be at least one argument.

=back

Usually, the preprocessing subroutine would return just a single value.  For
fields declared as type C, multiple values may be returned.

Following preprocessing, the I accessor will operate on whatever value(s)
are returned by the proprocessing subroutine.

=head1 SPECIAL PROCESSING

=head2 Object ID

By default, the ID of an object is derived from a sequence counter for the
object's class hierarchy.  This should suffice for nearly all cases of class
development.  If there is a special need for the module code to control the
object ID (see L as an example), then a
subroutine labelled with the C<:ID> attribute can be specified:

 sub _id :ID
 {
     my $class = $_[0];

     # Generate/determine a unique object ID
     ...

     return ($id);
 }

The ID returned by your subroutine can be any kind of I scalar (e.g.,
a string or a number).  However, if the ID is something other than a
low-valued integer, then you will have to architect B your classes using
hashes for the object fields.  See L for details.

Within any class hierarchy, only one class may specify an C<:ID> subroutine.

=head2 Object Replication

Object replication occurs explicitly when the C<-Eclone()> method is
called on an object, and implicitly when threads are created in a threaded
application.  In nearly all cases, Object::InsideOut will take care of all the
details for you.

In rare cases, a class may require special handling for object replication.
It must then provide a subroutine labeled with the C<:Replicate> attribute.
This subroutine will be sent three arguments:  The parent and the cloned
objects, and a flag:

 sub _replicate :Replicate
 {
     my ($parent, $clone, $flag) = @_;

     # Special object replication processing
     if ($clone eq 'CLONE') {
        # Handling for thread cloning
        ...
     } elsif ($clone eq 'deep') {
        # Deep copy of the parent
        ...
     } else {
        # Shallow copying
        ...
     }
 }

In the case of thread cloning, C<$flag> will be set to the C<'CLONE'>, and the
C<$parent> object is just an un-blessed anonymous scalar reference that
contains the ID for the object in the parent thread.

When invoked via the C<-Eclone()> method, C<$flag> will be either an empty
string which denotes that a I copy is being produced for the clone,
or C<$flag> will be set to C<'deep'> indicating a I copy is being
produced.

The C<:Replicate> subroutine only needs to deal with the special replication
processing needed by the object:  Object::InsideOut will handle all the other
details.

=head2 Object Destruction

Object::InsideOut exports a C method to each class that deletes an
object's data from the object field arrays (hashes).  If a class requires
additional destruction processing (e.g., closing filehandles), then it must
provide a subroutine labeled with the C<:Destroy> attribute.  This subroutine
will be sent the object that is being destroyed:

 sub _destroy :Destroy
 {
     my $obj = $_[0];

     # Special object destruction processing
 }

The C<:Destroy> subroutine only needs to deal with the special destruction
processing:  The C method will handle all the other details of object
destruction.

=head1 FOREIGN CLASS INHERITANCE

Object::InsideOut supports inheritance from foreign (i.e.,
non-Object::InsideOut) classes.  This means that your classes can inherit from
other Perl class, and access their methods from your own objects.

One method of declaring foreign class inheritance is to add the class name to
the Object::InsideOut declaration inside your package:

 package My::Class; {
     use Object::InsideOut qw(Foreign::Class);
     ...
 }

This allows you to access the foreign class's static (i.e., class) methods
from your own class.  For example, suppose C has a class
method called C.  With the above, you can access that method using
Cfoo()> instead.

Multiple foreign inheritance is supported, as well:

 package My::Class; {
     use Object::InsideOut qw(Foreign::Class Other::Foreign::Class);
     ...
 }

=over

=item $self->inherit($obj, ...);

To use object methods from foreign classes, an object must I from an
object of that class.  This would normally be done inside a class's C<:Init>
subroutine:

 package My::Class; {
     use Object::InsideOut qw(Foreign::Class);

     sub init :Init
     {
         my ($self, $args) = @_;

         my $foreign_obj = Foreign::Class->new(...);
         $self->inherit($foreign_obj);
     }
 }

Thus, with the above, if C has an object method called C,
you can call that method from your own objects:

 package main;

 my $obj = My::Class->new();
 $obj->bar();

Object::InsideOut's C subroutine handles the dispatching of the
C<-Ebar()> method call using the internally held inherited object (in this
case, C<$foreign_obj>).

Multiple inheritance is supported, as well:  You can call the
C<-Einherit()> method multiple times, or make just one call with all the
objects to be inherited from.

C<-Einherit()> is a restricted method.  In other words, you cannot use it
on an object outside of code belonging to the object's class tree (e.g., you
can't call it from application code).

In the event of a method naming conflict, the C<-Einherit()> method can be
called using its fully-qualified name:

 $self->Object::InsideOut::inherit($obj);

=item my @objs = $self->heritage();

=item my $obj = $self->heritage($class);

=item my @objs = $self->heritage($class1, $class2, ...);

Your class code can retrieve any inherited objects using the
C<-Eheritage()> method. When called without any arguments, it returns a
list of any objects that were stored by the calling class using the calling
object.  In other words, if class C uses object C<$obj> to store
foreign objects C<$fobj1> and C<$fobj2>, then later on in class C,
C<$obj-Eheritage()> will return C<$fobj1> and C<$fobj2>.

C<-Eheritage()> can also be called with one or more class name arguments.
In this case, only objects of the specified class(es) are returned.

In the event of a method naming conflict, the C<-Eheritage()> method can
be called using its fully-qualified name:

 my @objs = $self->Object::InsideOut::heritage();

=item $self->disinherit($class [, ...])

=item $self->disinherit($obj [, ...])

The C<-Edisinherit()> method disassociates (i.e., deletes) the inheritance
of foreign object(s) from an object.  The foreign objects may be specified by
class, or using the actual inherited object (retrieved via C<-Eheritage()>,
for example).

The call is only effective when called inside the class code that established
the initial inheritance.  In other words, if an inheritance is set up inside a
class, then disinheritance can only be done from inside that class.

In the event of a method naming conflict, the C<-Edisinherit()> method can
be called using its fully-qualified name:

 $self->Object::InsideOut::disinherit($obj [, ...])

=back

B:  With foreign inheritance, you only have access to class and object
methods.  The encapsulation of the inherited objects is strong, meaning that
only the class where the inheritance takes place has direct access to the
inherited object.  If access to the inherited objects themselves, or their
internal hash fields (in the case of I objects), is needed
outside the class, then you'll need to write your own accessors for that.

B:  You cannot use fully-qualified method names to access foreign
methods (when encapsulated foreign objects are involved).  Thus, the following
will not work:

 my $obj = My::Class->new();
 $obj->Foreign::Class::bar();

Normally, you shouldn't ever need to do the above:  C<$obj-Ebar()> would
suffice.

The only time this may be an issue is when the I class I an
inherited foreign class's method (e.g., C has its own
C<-Ebar()> method).  Such overridden methods are not directly callable.
If such overriding is intentional, then this should not be an issue:  No one
should be writing code that tries to by-pass the override.  However, if the
overriding is accidently, then either the I method should be renamed,
or the I class should provide a wrapper method so that the
functionality of the overridden method is made available under a different
name.

=head2 C and Fully-qualified Method Names

The foreign inheritance methodology handled by the above is predicated on
non-Object::InsideOut classes that generate their own objects and expect their
object methods to be invoked via those objects.

There are exceptions to this rule:

=over

=item 1. Foreign object methods that expect to be invoked via the inheriting
class's object, or foreign object methods that don't care how they are invoked
(i.e., they don't make reference to the invoking object).

This is the case where a class provides auxiliary methods for your objects,
but from which you don't actually create any objects (i.e., there is no
corresponding foreign object, and C<$obj-Einherit($foreign)> is not used.)

In this case, you can either:

a. Declare the foreign class using the standard method (i.e.,
S>), and invoke its methods using
their full path (e.g., C<$obj-EForeign::Class::method();>); or

b. You can use the L pragma so that you don't have to use the full path
for foreign methods.

 package My::Class; {
     use Object::InsideOut;
     use base 'Foreign::Class';
     ...
 }

The former scheme is faster.

=item 2. Foreign class methods that expect to be invoked via the inheriting
class.

As with the above, you can either invoke the class methods using their full
path (e.g., CForeign::Class::method();>), or you can
S> so that you don't have to use the full path.  Again, using the
full path is faster.

L is an example of this type of class.

=item 3. Class methods that don't care how they are invoked (i.e., they don't
make reference to the invoking class).

In this case, you can either use
S> for consistency, or use
S> if (slightly) better performance is needed.

=back

If you're not familiar with the inner workings of the foreign class such that
you don't know if or which of the above exceptions applies, then the formulaic
approach would be to first use the documented method for foreign inheritance
(i.e., S>).  If that works, then
I strongly recommend that you just use that approach unless you have a good
reason not to.  If it doesn't work, then try S>.

=head1 INTROSPECTION

For Perl 5.8.0 and later, Object::InsideOut provides an introspection API that
allow you to obtain metadata on a class's hierarchy, constructor parameters,
and methods.

=over

=item my $meta = My::Class->meta();

=item my $meta = $obj->meta();

The C<-Emeta()> method, which is exported by Object::InsideOut to each
class, returns an L object which can then be
I for information about the invoking class or invoking object's
class:

 # Get an object's class hierarchy
 my @classes = $obj->meta()->get_classes();

 # Get info on the args for a class's constructor (i.e., ->new() parameters)
 my %args = My::Class->meta()->get_args();

 # Get info on the methods that can be called by an object
 my %methods = $obj->meta()->get_methods();

=item My::Class->isa();

=item $obj->isa();

When called in an array context, calling C<-Eisa()> without any arguments
on an Object::InsideOut class or object returns a list of the classes in the
class hierarchy for that class or object, and is equivalent to:

 my @classes = $obj->meta()->get_classes();

When called in a scalar context, it returns an array ref containing the
classes.

=item My::Class->can();

=item $obj->can();

When called in an array context, calling C<-Ecan()> without any arguments
on an Object::InsideOut class or object returns a list of the method names for
that class or object, and is equivalent to:

 my %methods = $obj->meta()->get_methods();
 my @methods = keys(%methods);

When called in a scalar context, it returns an array ref containing the
method names.

=back

See L for more details.

=head1 THREAD SUPPORT

For Perl 5.8.1 and later, Object::InsideOut fully supports L (i.e.,
is thread safe), and supports the sharing of Object::InsideOut objects between
threads using L.

To use Object::InsideOut in a threaded application, you must put
S> at the beginning of the application.  (The use of
S> after the program is running is not supported.)  If
object sharing is to be utilized, then S> should
follow.

If you just S>, then objects from one thread will be copied
and made available in a child thread.

The addition of S> in and of itself does not alter the
behavior of Object::InsideOut objects.  The default behavior is to I
share objects between threads (i.e., they act the same as with
S> alone).

To enable the sharing of objects between threads, you must specify which
classes will be involved with thread object sharing.  There are two methods
for doing this.  The first involves setting a C<::shared> variable (inside
a C block) for the class prior to its use:

 use threads;
 use threads::shared;

 BEGIN {
     $My::Class::shared = 1;
 }
 use My::Class;

The other method is for a class to add a C<:SHARED> flag to its
S> declaration:

 package My::Class; {
     use Object::InsideOut ':SHARED';
     ...
 }

When either sharing flag is set for one class in an object hierarchy, then all
the classes in the hierarchy are affected.

If a class cannot support thread object sharing (e.g., one of the object
fields contains code refs [which Perl cannot share between threads]), it
should specifically declare this fact:

 package My::Class; {
     use Object::InsideOut ':NOT_SHARED';
     ...
 }

However, you cannot mix thread object sharing classes with non-sharing
classes in the same class hierarchy:

 use threads;
 use threads::shared;

 package My::Class; {
     use Object::InsideOut ':SHARED';
     ...
 }

 package Other::Class; {
     use Object::InsideOut ':NOT_SHARED';
     ...
 }

 package My::Derived; {
     use Object::InsideOut qw(My::Class Other::Class);   # ERROR!
     ...
 }

Here is a complete example with thread object sharing enabled:

 use threads;
 use threads::shared;

 package My::Class; {
     use Object::InsideOut ':SHARED';

     # One list-type field
     my @data :Field :Type(list) :Acc(data);
 }

 package main;

 # New object
 my $obj = My::Class->new();

 # Set the object's 'data' field
 $obj->data(qw(foo bar baz));

 # Print out the object's data
 print(join(', ', @{$obj->data()}), "\n");       # "foo, bar, baz"

 # Create a thread and manipulate the object's data
 my $rc = threads->create(
         sub {
             # Read the object's data
             my $data = $obj->data();
             # Print out the object's data
             print(join(', ', @{$data}), "\n");  # "foo, bar, baz"
             # Change the object's data
             $obj->data(@$data[1..2], 'zooks');
             # Print out the object's modified data
             print(join(', ', @{$obj->data()}), "\n");  # "bar, baz, zooks"
             return (1);
         }
     )->join();

 # Show that changes in the object are visible in the parent thread
 # I.e., this shows that the object was indeed shared between threads
 print(join(', ', @{$obj->data()}), "\n");       # "bar, baz, zooks"

=head1 HASH ONLY CLASSES

For performance considerations, it is recommended that arrays be used for
class fields whenever possible.  The only time when hash-bases fields are
required is when a class must provide its own L, and
those IDs are something other than low-valued integers.  In this case, hashes
must be used for fields not only in the class that defines the object ID
subroutine, but also in every class in any class hierarchy that include such a
class.

The I requirement can be enforced by adding the C<:HASH_ONLY> flag
to a class's S> declaration:

 package My::Class; {
     use Object::InsideOut ':hash_only';

     ...
 }

This will cause Object::Inside to check every class in any class hierarchy
that includes such flagged classes to make sure their fields are hashes and
not arrays.  It will also fail any L<-Ecreate_field()|/"DYNAMIC FIELD
CREATION"> call that tries to create an array-based field in any such class.

=head1 SECURITY

In the default case where Object::InsideOut provides object IDs that are
sequential integers, it is possible to hack together a I
Object::InsideOut object, and so gain access to another object's data:

 my $fake = bless(\do{my $scalar}, 'Some::Class');
 $$fake = 86;   # ID of another object
 my $stolen = $fake->get_data();

Why anyone would try to do this is unknown.  How this could be used for any
sort of malicious exploitation is also unknown.  However, if preventing this
sort of security issue is a requirement, it can be accomplished by adding the
C<:SECURE> flag to a class's S> declaration:

 package My::Class; {
     use Object::InsideOut ':SECURE';

     ...
 }

This places the module C in the class hierarchy.
Object::InsideOut::Secure provides an L<:ID subroutine|/"Object ID"> that
generates random integers for object IDs, thus preventing other code from
being able to create fake objects by I at IDs.

Using C<:SECURE> mode requires L (v5.04 or later).

Because the object IDs used with C<:SECURE> mode are large random values,
the L<:HASH_ONLY|/"HASH ONLY CLASSES"> flag is forced on all the classes in
the hierarchy.

For efficiency, it is recommended that the C<:SECURE> flag be added to the
topmost class(es) in a hierarchy.

=head1 ATTRIBUTE HANDLERS

Object::InsideOut uses I as described in
L, and provides a mechanism
for adding attibute handlers to your own classes.  Instead of naming your
attribute handler as C, name it something else and then
label it with the C<:MODIFY_*_ATTRIBUTES> attribute (or C<:MOD_*_ATTRS> for
short).  Your handler should work just as described in
L with regard to its input
arguments, and must return a list of the attributes which were not recognized
by your handler.  Here's an example:

 package My::Class; {
     use Object::InsideOut;

     sub _scalar_attrs :MOD_SCALAR_ATTRS
     {
         my ($pkg, $scalar, @attrs) = @_;
         my @unused_attrs;         # List of any unhandled attributes

         while (my $attr = shift(@attrs)) {
             if ($attr =~ /.../) {
                 # Handle attribute
                 ...
             } else {
                 # We don't handle this attribute
                 push(@unused_attrs, $attr);
             }
         }

         return (@unused_attrs);   # Pass along unhandled attributes
     }
 }

Attribute 'modify' handlers are called I through the class hierarchy
(i.e., I).  This provides child classes with the capability to
I the handling of attributes by parent classes, or to add attributes
(via the returned list of unhandled attributes) for parent classes to process.

Attribute 'modify' handlers should be located at the beginning of a package,
or at least before any use of attibutes on the corresponding type of variable
or subroutine:

 package My::Class; {
     use Object::InsideOut;

     sub _array_attrs :MOD_ARRAY_ATTRS
     {
        ...
     }

     my @my_array :MyArrayAttr;
 }

For I, follow the same procedures:  Label the
subroutine with the C<:FETCH_*_ATTRIBUTES> attribute (or C<:FETCH_*_ATTRS> for
short).  Contrary to the documentation in L, I receive B arguments:
The relevant package name, and a reference to a variable or subroutine for
which package-defined attributes are desired.

Attribute handlers are normal rendered L.

=head1 SPECIAL USAGE

=head2 Usage With C

It is possible to use L to export functions from one inside-out
object class to another:

 use strict;
 use warnings;

 package Foo; {
     use Object::InsideOut 'Exporter';
     BEGIN {
         our @EXPORT_OK = qw(foo_name);
     }

     sub foo_name
     {
         return (__PACKAGE__);
     }
 }

 package Bar; {
     use Object::InsideOut 'Foo' => [ qw(foo_name) ];

     sub get_foo_name
     {
         return (foo_name());
     }
 }

 package main;

 print("Bar got Foo's name as '", Bar::get_foo_name(), "'\n");

Note that the C block is needed to ensure that the L symbol
arrays (in this case C<@EXPORT_OK>) get populated properly.

=head2 Usage With C and C

Object::InsideOut usage under L and with runtime-loaded classes is
supported automatically; no special coding is required.

=head2 Singleton Classes

A singleton class is a case where you would provide your own C<-Enew()>
method that in turn calls Object::InsideOut's C<-Enew()> method:

 package My::Class; {
     use Object::InsideOut;

     my $singleton;

     sub new {
         my $thing = shift;
         if (! $singleton) {
             $singleton = $thing->Object::InsideOut::new(@_);
         }
         return ($singleton);
     }
 }

=head1 DIAGNOSTICS

Object::InsideOut uses C for reporting errors.  The base
error class for this module is C.  Here is an example of the basic manner
for trapping and handling errors:

 my $obj;
 eval { $obj = My::Class->new(); };
 if (my $e = OIO->caught()) {
     warn('Failure creating object: '.$e);
     ...
 }

A more comprehensive approach might employ elements of the following:

 eval { ... };
 if (my $e = OIO->caught()) {
     # An error generated by Object::InsideOut
     ...
 } elsif (my $e = Exception::Class::Base->caught()) {
     # An error generated by other code that uses Exception::Class
     ...
 } elsif ($@) {
     # An unhandled error (i.e., generated by code that doesn't use
     # Exception::Class)
     ...
 }

I have tried to make the messages and information returned by the error
objects as informative as possible.  Suggested improvements are welcome.
Also, please bring to my attention any conditions that you encounter where an
error occurs as a result of Object::InsideOut code that doesn't generate an
Exception::Class object.  Here is one such error:

=over

=item Invalid ARRAY/HASH attribute

This error indicates you forgot C in your class's
code.

=back

Object::InsideOut installs a C<__DIE__> handler (see L
and L) to catch any errant exceptions from
class-specific code, namely, C<:Init>, C<:Replicate>, C<:Destroy>, etc.
subroutines.  This handler may interfer with code that uses the C
function as a method of flow control for leaving an C block.  The proper
method for handling this is to localize C<$SIG{'__DIE__'}> inside the C
block:

 eval {
     local $SIG{'__DIE__'};           # Suppress any existing __DIE__ handler
     ...
     die({'found' => 1}) if $found;   # Leave the eval block
     ...
 };
 if ($@) {
     die unless (ref($@) && $@->{'found'});   # Propagate any 'real' error
     # Handle 'found' case
     ...
 }
 # Handle 'not found' case

Similarly, if calling code from other modules that work as above, but without
localizing C<$SIG{'__DIE__'}>, you can workaround this deficiency with your
own C block:

 eval {
     local $SIG{'__DIE__'};     # Suppress any existing __DIE__ handler
     Some::Module::func();      # Call function that fails to localize
 };
 if ($@) {
     # Handle caught exception
 }

In addition, you should file a bug report against the offending module along
with a patch that adds the missing S> statement.

=head1 BUGS AND LIMITATIONS

You cannot overload an object to a scalar context (i.e., can't C<:SCALARIFY>).

You cannot use two instances of the same class with mixed thread object
sharing in same application.

Cannot use attributes on I (i.e., forward declaration
without later definition) with C<:Automethod>:

 package My::Class; {
     sub method :Private;   # Will not work

     sub _automethod :Automethod
     {
         # Code to handle call to 'method' stub
     }
 }

Due to limitations in the Perl parser, the entirety of any one attribute must
be on a single line.  (However, multiple attributes may appear on separate
lines.)

If a I accessor accepts scalars, then you can store any inside-out
object type in it.  If its C is set to C, then it can store any
I object.

Returning objects from threads does not work:

 my $obj = threads->create(sub { return (Foo->new()); })->join();  # BAD

Instead, use thread object sharing, create the object before launching the
thread, and then manipulate the object inside the thread:

 my $obj = Foo->new();   # Class 'Foo' is set ':SHARED'
 threads->create(sub { $obj->set_data('bar'); })->join();
 my $data = $obj->get_data();

There are bugs associated with L that may prevent you from
using foreign inheritance with shared objects, or storing objects inside of
shared objects.

Due to internal complexities, the following actions are not supported in code
that uses L while there are any threads active:

=over

=item * Runtime loading of Object::InsideOut classes

=item * Using L<-Eadd_class()|/"RUNTIME INHERITANCE">

=back

It is recommended that such activities, if needed, be performed in the main
application code before any threads are created (or at least while there are
no active threads).

For Perl 5.6.0 through 5.8.0, a Perl bug prevents package variables (e.g.,
object attribute arrays/hashes) from being referenced properly from subroutine
refs returned by an C<:Automethod> subroutine.  For Perl 5.8.0 there is no
workaround:  This bug causes Perl to core dump.  For Perl 5.6.0 through 5.6.2,
the workaround is to create a ref to the required variable inside the
C<:Automethod> subroutine, and use that inside the subroutine ref:

 package My::Class; {
     use Object::InsideOut;

     my %data;

     sub auto :Automethod
     {
         my $self = $_[0];
         my $name = $_;

         my $data = \%data;      # Workaround for 5.6.X bug

         return sub {
                     my $self = shift;
                     if (! @_) {
                         return ($$data{$name});
                     }
                     $$data{$name} = shift;
                };
     }
 }

For Perl 5.8.1 through 5.8.4, a Perl bug produces spurious warning messages
when threads are destroyed.  These messages are innocuous, and can be
suppressed by adding the following to your application code:

 $SIG{'__WARN__'} = sub {
         if ($_[0] !~ /^Attempt to free unreferenced scalar/) {
             print(STDERR @_);
         }
     };

A better solution would be to upgrade L and L from
CPAN, especially if you encounter other problems associated with threads.

For Perl 5.8.4 and 5.8.5, the L feature does not work due to a
Perl bug.  Use Object::InsideOut v1.33 if needed.

Due to bugs in the Perl interpreter, using the introspection API (i.e.
C<-Emeta()>, etc.) requires Perl 5.8.0 or later.

The version of L that is available via PPM for ActivePerl is defective,
and causes failures when using C<:lvalue> accessors.  Remove it, and then
download and install the L module using CPAN.

L (used by L) makes use of the I
namespace.  As a consequence, Object::InsideOut thinks that S>
is already loaded.  Therefore, if you create a class called I that is
sub-classed by other packages, you may need to C it as follows:

 package DB::Sub; {
     require DB;
     use Object::InsideOut qw(DB);
     ...
 }

View existing bug reports at, and submit any new bugs, problems, patches, etc.
to: L

=head1 REQUIREMENTS

=over

=item Perl 5.6.0 or later

=item L v1.22 or later

=item L v1.10 or later

It is possible to install a I version of Scalar::Util, however, it
will be missing the L function which is
needed by Object::InsideOut.  You'll need to upgrade your version of
Scalar::Util to one that supports its C code.

=item L v0.50 or later

Needed for testing during installation.

=item L v0.12 or later

Optional.  Provides support for L.

=item L v5.04 or later)

Optional.  Provides support for L<:SECURE mode|/"SECURITY">.

=back

To cover all of the above requirements and more, it is recommended that you
install L using CPAN:

 perl -MCPAN -e 'install Bundle::Object::InsideOut'

This will install the latest versions of all the required and optional modules
needed for full support of all of the features provided by Object::InsideOut.

=head1 SEE ALSO

Object::InsideOut Discussion Forum on CPAN:
L

Annotated POD for Object::InsideOut:
L

Source repository:
L

Inside-out Object Model:
L,
L,
L,
Chapters 15 and 16 of I by Damian Conway

L

L, L, L, L,
L, L

=head1 ACKNOWLEDGEMENTS

Abigail Sperl AT abigail DOT nlE> for inside-out objects in general.

Damian Conway Sdconway AT cpan DOT orgE> for L.

David A. Golden Sdagolden AT cpan DOT orgE> for thread handling for
inside-out objects.

Dan Kubb Sdan.kubb-cpan AT autopilotmarketing DOT comE> for
C<:Chained> methods.

=head1 AUTHOR

Jerry D. Hedden, Sjdhedden AT cpan DOT orgE>

=head1 COPYRIGHT AND LICENSE

Copyright 2005 - 2007 Jerry D. Hedden. All rights reserved.

This program is free software; you can redistribute it and/or modify it under
the same terms as Perl itself.

=head1 TRANSLATIONS

A Janapese translation of this documentation by
TSUJII, Naofumi Stsun DOT nt AT gmail DOT comE>
is available at L.

=cut