]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/WikiDB/adodb/docs/docs-active-record.htm
Upgrade adodb
[SourceForge/phpwiki.git] / lib / WikiDB / adodb / docs / docs-active-record.htm
1 <html>
2 <style>
3 pre {
4   background-color: #eee;
5   padding: 0.75em 1.5em;
6   font-size: 12px;
7   border: 1px solid #ddd;
8 }
9
10 li,p {
11 font-family: Arial, Helvetica, sans-serif ;
12 }
13 </style>
14 <title>ADOdb Active Record</title>
15 <body>
16 <h1>ADOdb Active Record</h1>
17 <p> (c) 2000-2010 John Lim (jlim#natsoft.com)</p>
18 <p><font size="1">This software is dual licensed using BSD-Style and LGPL. This 
19   means you can use it in compiled proprietary and commercial products.</font></p>
20 <p><hr>
21 <ol>
22
23 <h3><li>Introduction</h3>
24 <p>
25 ADOdb_Active_Record is an Object Relation Mapping (ORM) implementation using PHP. In an ORM system, the tables and rows of the database are abstracted into native PHP objects. This allows the programmer to focus more on manipulating the data and less on writing SQL queries.
26 <p>
27 This implementation differs from Zend Framework's implementation in the following ways:
28 <ul>
29 <li>Works with PHP4 and PHP5 and provides equivalent functionality in both versions of PHP.<p>
30 <li>ADOdb_Active_Record works when you are connected to multiple databases. Zend's only works when connected to a default database.<p>
31 <li>Support for $ADODB_ASSOC_CASE. The field names are upper-cased, lower-cased or left in natural case depending on this setting.<p>
32 <li>No field name conversion to camel-caps style, unlike Zend's implementation which will convert field names such as 'first_name' to 'firstName'.<p>
33 <li>NewADOConnection::GetActiveRecords() and ADOConnection::GetActiveRecordsClass() functions in adodb.inc.php.<p>
34 <li>Caching of table metadata so it is only queried once per table, no matter how many Active Records are created.<p>
35 <li>PHP5 version of ADOdb_Active_Record now supports <a href=#onetomany>one-to-many</a> relationships.<p>
36 <li>New adodb-active-recordx.inc.php, which is an <a href=#recordx>Active Record eXtended</a> implementation that support JOINs for higher performance when loading children, and other nice features.<p>
37 <li>Lots of  <a href=#additional>additional functionality</a>.<p> 
38 </ul>
39 <P>
40 ADOdb_Active_Record is designed upon the principles of the "ActiveRecord" design pattern, which was first described by Martin Fowler. The ActiveRecord pattern has been implemented in many forms across the spectrum of programming languages. ADOdb_Active_Record attempts to represent the database as closely to native PHP objects as possible.
41 <p>
42 ADOdb_Active_Record maps a database table to a PHP class, and each instance of that class represents a table row. Relations between tables can also be defined, allowing the ADOdb_Active_Record objects to be nested.
43 <p>
44
45 <h3><li>Setting the Database Connection</h3>
46 <p>
47 The first step to using  ADOdb_Active_Record is to set the default connection that an ADOdb_Active_Record objects will use to connect to a database. 
48
49 <pre>
50 require_once('adodb/adodb-active-record.inc.php');
51
52 $db = NewADOConnection('mysql://root:pwd@localhost/dbname');
53 ADOdb_Active_Record::SetDatabaseAdapter($db);
54 </pre>        
55
56 <h3><li>Table Rows as Objects</h3>
57 <p>
58 First, let's create a temporary table in our MySQL database that we can use for demonstrative purposes throughout the rest of this tutorial. We can do this by sending a CREATE query:
59
60 <pre>
61 $db->Execute("CREATE TEMPORARY TABLE `persons` (
62                 `id` int(10) unsigned NOT NULL auto_increment,
63                 `name_first` varchar(100) NOT NULL default '',
64                 `name_last` varchar(100) NOT NULL default '',
65                 `favorite_color` varchar(100) NOT NULL default '',
66                 PRIMARY KEY  (`id`)
67             ) ENGINE=MyISAM;
68            ");
69  </pre>   
70 <p>
71 ADOdb_Active_Records are object representations of table rows. Each table in the database is represented by a class in PHP. To begin working with a table as a ADOdb_Active_Record, a class that extends ADOdb_Active_Record needs to be created for it.
72
73 <pre>
74 class person extends ADOdb_Active_Record{}
75 $person = new person();
76 </pre>   
77
78 <p>
79 In the above example, a new ADOdb_Active_Record object $person was created to access the "persons" table. Zend_Db_DataObject takes the name of the class, pluralizes it (according to American English rules), and assumes that this is the name of the table in the database. Also note that with MySQL, table names are case-sensitive, so your class name must match the table name's case. With other databases with case-insensitive tables, your class can be capitalized differently.
80 <p>
81 This kind of behavior is typical of ADOdb_Active_Record. It will assume as much as possible by convention rather than explicit configuration. In situations where it isn't possible to use the conventions that ADOdb_Active_Record expects, options can be overridden as we'll see later.
82
83 <h3><li>Table Columns as Object Properties</h3>
84 <p>
85 When the $person object was instantiated, ADOdb_Active_Record read the table metadata from the database itself, and then exposed the table's columns (fields) as object properties.
86 <p>
87 Our "persons" table has three fields: "name_first", "name_last", and "favorite_color". Each of these fields is now a property of the $person object. To see all these properties, use the ADOdb_Active_Record::getAttributeNames() method:
88 <pre>
89 var_dump($person->getAttributeNames());
90
91 /**
92  * Outputs the following:
93  * array(4) {
94  *    [0]=>
95  *    string(2) "id"
96  *    [1]=>
97  *    string(9) "name_first"
98  *    [2]=>
99  *    string(8) "name_last"
100  *    [3]=>
101  *    string(13) "favorite_color"
102  *  }
103  */
104     </pre>   
105 <p>
106 One big difference between ADOdb and Zend's implementation is we do not automatically convert to camelCaps style.
107 <p>
108 <h3><li>Inserting and Updating a Record</h3><p>
109
110 An ADOdb_Active_Record object is a representation of a single table row. However, when our $person object is instantiated, it does not reference any particular row. It is a blank record that does not yet exist in the database. An ADOdb_Active_Record object is considered blank when its primary key is NULL. The primary key in our persons table is "id".
111 <p>
112 To insert a new record into the database, change the object's properties and then call the ADOdb_Active_Record::save() method:
113 <pre>
114 $person = new person();
115 $person->name_first = 'Andi';
116 $person->name_last  = 'Gutmans';
117 $person->save();
118  </pre>   
119 <p>
120 Oh, no! The above code snippet does not insert a new record into the database. Instead, outputs an error:
121 <pre>
122 1048: Column 'favorite_color' cannot be null
123  </pre>   
124 <p>
125 This error occurred because MySQL rejected the INSERT query that was generated by ADOdb_Active_Record. If exceptions are enabled in ADOdb and you are using PHP5, an error will be thrown. In the definition of our table, we specified all of the fields as NOT NULL; i.e., they must contain a value.
126 <p>
127 ADOdb_Active_Records are bound by the same contraints as the database tables they represent. If the field in the database cannot be NULL, the corresponding property in the ADOdb_Active_Record also cannot be NULL. In the example above, we failed to set the property $person->favoriteColor, which caused the INSERT to be rejected by MySQL.
128 <p>
129 To insert a new ADOdb_Active_Record in the database, populate all of ADOdb_Active_Record's properties so that they satisfy the constraints of the database table, and then call the save() method:
130 <pre>
131 /**
132  * Calling the save() method will successfully INSERT
133  * this $person into the database table.
134  */
135 $person = new person();
136 $person->name_first     = 'Andi';
137 $person->name_last      = 'Gutmans';
138 $person->favorite_color = 'blue';
139 $person->save();
140 </pre>
141 <p>
142 Once this $person has been INSERTed into the database by calling save(), the primary key can now be read as a property. Since this is the first row inserted into our temporary table, its "id" will be 1:
143 <pre>
144 var_dump($person->id);
145
146 /**
147  * Outputs the following:
148  * string(1)
149  */
150  </pre>       
151 <p>
152 From this point on, updating it is simply a matter of changing the object's properties and calling the save() method again:
153
154 <pre>
155 $person->favorite_color = 'red';
156 $person->save();
157    </pre>
158 <p>
159 The code snippet above will change the favorite color to red, and then UPDATE the record in the database.
160
161 <a name=additional>
162 <h2>ADOdb Specific Functionality</h2>
163 <h3><li>Setting the Table Name</h3>
164 <p>The default behaviour on creating an ADOdb_Active_Record is to "pluralize" the class name and
165  use that as the table name. Often, this is not the case. For example, the person class could be reading 
166  from the "People" table. 
167 <p>We provide two ways to define your own table:
168 <p>1. Use a constructor parameter to override the default table naming behaviour.
169 <pre>
170         class person extends ADOdb_Active_Record{}
171         $person = new person('People');
172 </pre>
173 <p>2. Define it in a class declaration:
174 <pre>
175         class person extends ADOdb_Active_Record
176         {
177         var $_table = 'People';
178         }
179         $person = new person();
180 </pre>
181
182 <h3><li>$ADODB_ASSOC_CASE</h3>
183 <p>This allows you to control the case of field names and properties. For example, all field names in Oracle are upper-case by default. So you 
184 can force field names to be lowercase using $ADODB_ASSOC_CASE. Legal values are as follows:
185 <pre>
186  0: lower-case
187  1: upper-case
188  2: native-case
189 </pre>
190 <p>So to force all Oracle field names to lower-case, use
191 <pre>
192 $ADODB_ASSOC_CASE = 0;
193 $person = new person('People');
194 $person->name = 'Lily';
195 $ADODB_ASSOC_CASE = 2;
196 $person2 = new person('People');
197 $person2->NAME = 'Lily'; 
198 </pre>
199
200 <p>Also see <a href=http://phplens.com/adodb/reference.constants.adodb_assoc_case.html>$ADODB_ASSOC_CASE</a>.
201
202 <h3><li>ADOdb_Active_Record::Save()</h3>
203 <p>
204 Saves a record by executing an INSERT or UPDATE SQL statement as appropriate. 
205 <p>Returns false on  unsuccessful INSERT, true if successsful INSERT.
206 <p>Returns 0 on failed UPDATE, and 1 on UPDATE if data has changed, and -1 if no data was changed, so no UPDATE statement was executed.
207
208 <h3><li>ADOdb_Active_Record::Replace()</h3>
209 <p>
210 ADOdb supports replace functionality, whereby the record is inserted if it does not exists, or updated otherwise.
211 <pre>
212 $rec = new ADOdb_Active_Record("product");
213 $rec->name = 'John';
214 $rec->tel_no = '34111145';
215 $ok = $rec->replace(); // 0=failure, 1=update, 2=insert
216 </pre>
217
218
219 <h3><li>ADOdb_Active_Record::Load($where)</h3>
220 <p>Sometimes, we want to load a single record into an Active Record. We can do so using:
221 <pre>
222 $person->load("id=3");
223
224 // or using bind parameters
225
226 $person->load("id=?", array(3));
227 </pre>
228 <p>Returns false if an error occurs.
229
230 <h3><li>ADOdb_Active_Record::Find($whereOrderBy, $bindarr=false, $pkeyArr=false)</h3>
231 <p>We want to retrieve an array of active records based on some search criteria. For example:
232 <pre>
233 class person extends ADOdb_Active_Record {
234 var $_table = 'people';
235 }
236
237 $person = new person();
238 $peopleArray = $person->Find("name like ? order by age", array('Sm%'));
239 </pre>
240
241 <h3><li>Quoting Identifiers</h3>
242 <p>You can force column names to be quoted in INSERT and UPDATE statements, typically because you are using reserved words as column names by setting
243 <pre>
244 ADODB_Active_Record::$_quoteNames = true;
245 </pre>
246 <p>Default is false.
247
248 <h3><li>Error Handling and Debugging</h3>
249 <p>
250 In PHP5, if adodb-exceptions.inc.php is included, then errors are thrown. Otherwise errors are handled by returning a value. False by default means an error has occurred. You can get the last error message using the ErrorMsg() function. 
251 <p>
252 To check for errors in ADOdb_Active_Record, do not poll ErrorMsg() as the last error message will always be returned, even if it occurred several operations ago. Do this instead:
253 <pre>
254 # right!
255 $ok = $rec->Save();
256 if (!$ok) $err = $rec->ErrorMsg();
257
258 # wrong :(
259 $rec->Save();
260 if ($rec->ErrorMsg()) echo "Wrong way to detect error";
261 </pre>
262 <p>The ADOConnection::Debug property is obeyed. So
263 if $db->debug is enabled, then ADOdb_Active_Record errors are also outputted to standard output and written to the browser.
264
265 <h3><li>ADOdb_Active_Record::Set()</h3>
266 <p>You can convert an array to an ADOdb_Active_Record using Set(). The array must be numerically indexed, and have all fields of the table defined in the array. The elements of the array must be in the table's natural order too.
267 <pre>
268 $row = $db->GetRow("select * from tablex where id=$id");
269
270 # PHP4 or PHP5 without enabling exceptions
271 $obj = new ADOdb_Active_Record('Products');
272 if ($obj->ErrorMsg()){
273         echo $obj->ErrorMsg();
274 } else {
275         $obj->Set($row);
276 }
277
278 # in PHP5, with exceptions enabled:
279
280 include('adodb-exceptions.inc.php');
281 try {
282         $obj = new ADOdb_Active_Record('Products');
283         $obj->Set($row);
284 } catch(exceptions $e) {
285         echo $e->getMessage();
286 }
287 </pre>
288 <p>
289 <h3><li>Primary Keys</h3>
290 <p>
291 ADOdb_Active_Record does not require the table to have a primary key. You can insert records for such a table, but you will not be able to update nor delete. 
292 <p>Sometimes you are retrieving data from a view or table that has no primary key, but has a unique index. You can dynamically set the primary key of a table through the constructor:
293 <pre>
294         $pkeys = array('category','prodcode');
295         
296         // set primary key using constructor
297         $rec = new ADOdb_Active_Record('Products', $pkeys);
298         
299         // or define a new class
300         class Product extends ADOdb_Active_Record {
301                 function __construct()
302                 {
303                         parent::__construct('Products', array('prodid'));
304                 }
305         }
306         
307         $rec = new Product();
308 </pre>
309
310
311 <h3><li>Retrieval of Auto-incrementing ID</h3>
312 When creating a new record, the retrieval of the last auto-incrementing ID is not reliable for databases that do not support the Insert_ID() function call (check $connection->hasInsertID). In this case we perform a <b>SELECT MAX($primarykey) FROM $table</b>, which will not work reliably in a multi-user environment. You can override the ADOdb_Active_Record::LastInsertID() function in this case.
313
314 <h3><li>Dealing with Multiple Databases</h3>
315 <p>
316 Sometimes we want to load data from one database and insert it into another using ActiveRecords. This can be done using the optional parameter of the ADOdb_Active_Record constructor. In the following example, we read data from db.table1 and store it in db2.table2:
317 <pre>
318 $db = NewADOConnection(...);
319 $db2 = NewADOConnection(...);
320
321 ADOdb_Active_Record::SetDatabaseAdapter($db2);
322
323 $activeRecs = $db->GetActiveRecords('table1');
324
325 foreach($activeRecs as $rec) {
326         $rec2 = new ADOdb_Active_Record('table2',$db2);
327         $rec2->id = $rec->id;
328         $rec2->name = $rec->name;
329         
330         $rec2->Save();
331 }
332 </pre>
333 <p>
334 If you have to pass in a primary key called "id" and the 2nd db connection in the constructor, you can do so too:
335 <pre>
336 $rec = new ADOdb_Active_Record("table1",array("id"),$db2);
337 </pre>
338 <p>You can now give a named label in SetDatabaseAdapter, allowing to determine in your class definition which database to load, using var $_dbat.
339 <pre>
340 $db1 = NewADOConnection(...); // some ADOdb DB
341 ADOdb_Active_Record::SetDatabaseAdapter($db1, 'mysql');
342 $db2 = NewADOConnection(...); // some ADOdb DB
343 ADOdb_Active_Record::SetDatabaseAdapter($db2, 'oracle');
344
345 class FooRecord extends ADOdb_Active_Record
346 {
347 <b>var $_dbat = 'mysql';</b>  // uses 'mysql' connection
348 ...
349 }
350 </pre>
351 <h3><li>$ADODB_ACTIVE_CACHESECS</h3>
352 <p>You can cache the table metadata (field names, types, and other info such primary keys) in $ADODB_CACHE_DIR (which defaults to /tmp) by setting
353 the global variable $ADODB_ACTIVE_CACHESECS to a value greater than 0. This will be the number of seconds to cache.
354  You should set this to a value of 30 seconds or greater for optimal performance.
355
356 <h3><li>Active Record Considered Bad?</h3>
357 <p>Although the Active Record concept is useful, you have to be aware of some pitfalls when using Active Record. The level of granularity of Active Record is individual records. It encourages code like the following, used to increase the price of all furniture products by 10%:
358 <pre>
359  $recs = $db->GetActiveRecords("Products","category='Furniture'");
360  foreach($recs as $rec) {
361     $rec->price *= 1.1; // increase price by 10% for all Furniture products
362     $rec->save();
363  }
364 </pre>
365 Of course an UPDATE statement is superior because it's simpler and much more efficient (probably by a factor of x10 or more):
366 <pre>
367    $db->Execute("update Products set price = price * 1.1 where category='Furniture'");
368 </pre>
369 <p>For performance sensitive code, using direct SQL will always be faster than using Active Records due to overhead and the fact that all fields in a row are retrieved (rather than only the subset you need) whenever an Active Record is loaded.
370
371 <h3><li>Transactions</h3>
372 <p>
373 The default transaction mode in ADOdb is autocommit. So that is the default with active record too. 
374 The general rules for managing transactions still apply. Active Record to the database is a set of insert/update/delete statements, and the db has no knowledge of active records.
375 <p>
376 Smart transactions, that does an auto-rollback if an error occurs, is still the best method to multiple activities (inserts/updates/deletes) that need to be treated as a single transaction:
377 <pre>
378 $conn->StartTrans();
379 $parent->save();
380 $child->save();
381 $conn->CompleteTrans();
382 </pre>
383
384 <a name=onetomany>
385 <h2>One to Many Relations</h2>
386 <p>Since ADOdb 5.06, we support parent child relationships. This is done using the ClassBelongsTo() and ClassHasMany() functions. 
387 <a name=tablehasmany>
388 <h3><li>ClassHasMany</h3>
389 <p>To globally define a one-to-many relationship we use the static function ADODB_Active_Record::ClassHasMany($class, $relation, $foreignKey = '', $foreignClass = 'ADODB_Active_Record'). For example, we have 2 tables, <strong>persons</strong> (parent table) and <strong>children</strong> (child table)
390 linked by <strong>persons.id = children.person_id</strong>. The variable $person->children is an array that holds the children. To define this relationship:
391 <pre>
392         class person extends ADOdb_Active_Record{}
393         ADODB_Active_Record::ClassHasMany('person', 'children','person_id');
394         
395         $person = new person();
396         $person->Load("id=1");
397         foreach($person->children as $c) {
398                 echo " $c->name_first ";
399                 $c->name_first .= ' K.';
400                 $c->Save();  ## each child record must be saved individually
401         }
402 </pre>
403 <p>If no data is loaded, then children is set to an empty array:
404 <pre>
405         $person2 = new person();
406         $p = $person2->children;  ## $p is an empty array()
407 </pre>
408 <P>By default, data returned by HasMany() is unsorted. To define an order by clause (or define a SELECT LIMIT window), see <a href=#loadrelations>LoadRelations()</a> below. Another point is that all children are loaded only when the child member is accessed (in __get), and not when the Load() function of the parent object is called. This helps to conserve memory.
409
410 <p>To create and save new parent and child records:
411 <pre>
412
413         class person extends ADOdb_Active_Record{}
414         class children extends ADOdb_Active_Record{}
415         ADODB_Active_Record::ClassHasMany('person', 'children','person_id');
416         
417         $person = new person();
418         
419         for ($i=0; $i<10; $i++) 
420                 $person->children[0] = new children('children');
421          
422          // modify fields of $person, then...
423         $person->save();
424         
425         foreach($person->children as $c) {
426                 // modify fields of $c then...
427                 $c->save();
428         }
429 </pre>
430 <p>You can have multiple relationships (warning: relations are case-sensitive, 'Children' !== 'children'):
431 <pre>
432         ADODB_Active_Record::ClassHasMany('person', 'children','person_id');
433         ADODB_Active_Record::ClassHasMany('person', 'siblings','person_id');
434         $person = new person();
435         $person->Load('id=1');
436         var_dump($person->children);
437         var_dump($person->siblings);
438 </pre>
439 <p>By default, the child class is ADOdb_Active_Record. Sometimes you might want the child class to be based on your own class which has additional functions. You can do so using the last parameter:
440 <pre>
441         class person extends ADOdb_Active_Record{}
442         class child extends ADOdb_Active_Record { .... some modifications here ... }
443         ADODB_Active_Record::ClassHasMany('person', 'children','person_id', 'child');
444 </pre>
445 <p>Lastly some troubleshooting issues. We use the __get() method to set 
446 $p->children below. So once $p->children is defined by accessing it, we don't change the child reference, as shown below:
447 <pre>
448         ADODB_Active_Record::ClassHasMany('person', 'children','person_id');
449         $p = new person();
450         $p->Load('id=1');
451         # $p->children points to person_id = 1
452         var_dump($p->children);
453         
454         $p->Load('id=2');
455         # $p->children still points to person_id = 1
456         var_dump($p->children); 
457 </pre>
458 <p>The solution to the above is to unset($p->children) before $p->Load('id=2').
459 <h3><li>TableHasMany</h3>
460 For some classes, the mapping between class name and table name (which is the pluralised version) might not match. For example, 
461 the class name might be <b>person</b>, but the table name might be <b>people</b>. So we have 2 tables, <strong>people</strong> (parent table) and <strong>children</strong> (child table)
462 linked by <strong>people.id = children.person_id</strong>.
463 <p>Then you use the following static function
464  ADODB_Active_Record::TableHasMany($table, $relation, $foreignKey = '', $foreignClass = 'ADODB_Active_Record') like this:
465 <pre>
466 ADODB_Active_Record::TableHasMany('people', 'children', 'person_id')
467 </pre>
468 <h3><li>TableKeyHasMany</h3>
469 For some classes, the mapping between class name and table name (which is the pluralised version) might not match or the primary key is not the default <b>id</b>. For example, 
470 the class name might be <b>person</b>, but the table name might be <b>people</b>. So we have 2 tables, <strong>people</strong> (parent table) and <strong>children</strong> (child table)
471 linked by <strong>people.pid = children.person_id</strong>.
472 <p>Then you use the following static function
473  ADODB_Active_Record::TableKeyHasMany($table, $tablePKey, $relation, $foreignKey = '', $foreignClass = 'ADODB_Active_Record') like this:
474 <pre>
475 ADODB_Active_Record::TableKeyHasMany('people', 'pid', 'children', 'person_id')
476 </pre>
477
478
479 <h3><li>A Complete ClassHasMany example</h3>
480 <p>Here is sample usage using mysql:
481 <pre>
482         include_once('../adodb.inc.php');
483         include_once('../adodb-active-record.inc.php');
484
485         $db = NewADOConnection('mysql://root@localhost/northwind');
486         ADOdb_Active_Record::SetDatabaseAdapter($db);
487
488         $db->Execute("CREATE TEMPORARY TABLE `persons` (
489                         `id` int(10) unsigned NOT NULL auto_increment,
490                         `name_first` varchar(100) NOT NULL default '',
491                         `name_last` varchar(100) NOT NULL default '',
492                         `favorite_color` varchar(100) NOT NULL default '',
493                         PRIMARY KEY  (`id`)
494                     ) ENGINE=MyISAM;
495                    ");
496                            
497         $db->Execute("CREATE TEMPORARY TABLE `children` (
498                         `id` int(10) unsigned NOT NULL auto_increment,
499                                         `person_id` int(10) unsigned NOT NULL,
500                                         `gender` varchar(10) default 'F',
501                         `name_first` varchar(100) NOT NULL default '',
502                         `name_last` varchar(100) NOT NULL default '',
503                         `favorite_pet` varchar(100) NOT NULL default '',
504                         PRIMARY KEY  (`id`)
505                     ) ENGINE=MyISAM;
506                    ");
507                            
508         $db->Execute("insert into children (person_id,name_first,name_last) values (1,'Jill','Lim')");
509         $db->Execute("insert into children (person_id,name_first,name_last) values (1,'Joan','Lim')");
510         $db->Execute("insert into children (person_id,name_first,name_last) values (1,'JAMIE','Lim')");
511                            
512         class person extends ADOdb_Active_Record{}
513         ADODB_Active_Record::ClassHasMany('person', 'children','person_id');    
514         
515         $person = new person();
516         
517         $person->name_first     = 'John';
518         $person->name_last      = 'Lim';
519         $person->favorite_color = 'lavender';
520         $person->save(); // this save will perform an INSERT successfully
521         
522         $person2 = new person(); # no need to define HasMany() again, adodb remembers definition
523         $person2->Load('id=1');
524         
525         $c = $person2->children;
526         if (is_array($c) && sizeof($c) == 3 && $c[0]->name_first=='Jill' && $c[1]->name_first=='Joan'
527                 && $c[2]->name_first == 'JAMIE') echo "OK Loaded HasMany&lt;br>";
528         else {
529                 echo "Error loading hasMany should have 3 array elements Jill Joan Jamie&lt;br>";
530         }
531 </pre>
532
533 <h3><li>HasMany</h3>
534 <p>This older method is deprecated and ClassHasMany/TableHasMany/TableKeyHasMany should be used. 
535 <p>The older way to define a one-to-many relationship is to use $parentobj->HasMany($relation, $foreignKey = ''). For example, we have 2 tables, <strong>persons</strong> (parent table) and <strong>children</strong> (child table)
536 linked by <strong>persons.id = children.person_id</strong>. The variable $person->children is an array that holds the children. To define this relationship:
537 <pre>
538         class person extends ADOdb_Active_Record{}
539         
540         $person = new person();
541         $person->HasMany('children','person_id');
542         $person->Load("id=1");
543         foreach($person->children as $c) {
544                 echo " $c->name_first ";
545                 $c->name_first .= ' K.';
546                 $c->Save();  ## each child record must be saved individually
547         }
548 </pre>
549 <p>This HasMany() definition is global for the current script. This means that you only need to define it once. In the following example, $person2 knows about <em>children</em>.
550 <pre>
551         $person = new person();
552         $person->HasMany('children','person_id');
553         
554         $person2 = new person();
555         $person->Load("id=1");
556         $p = $person2->children;
557 </pre>
558
559
560 <h3><li>ClassBelongsTo</h3>
561 <p>You can define the parent of the current object using ADODB_Active_Record::ClassBelongsTo($class, $relationName, $foreignKey, $parentPrimaryKey = 'id', $parentClass = 'ADODB_Active_Record'). In the example below,
562 we have a child table <strong>kids</strong>, and a parent table <strong>person</strong>. We have a link <strong>kids.person_id = persons.id</strong>. We create a child first, then link it to the parent:
563 <pre>
564         class kid extends ADOdb_Active_Record{};
565         ADODB_Active_Record::ClassBelongsTo('kid','person','person_id','id'); 
566
567         $ch = new kid(); // default tablename will be 'kids', with primary key 'id' 
568         $ch->Load('id=1');
569         $p = $ch->person;
570         if (!$p || $p->name_first != 'John') echo "Error loading belongsTo&lt;br>";
571         else echo "OK loading BelongTo&lt;br>";
572 </pre>
573 <p>
574 <p>Note that relationships are case-sensitive, so ClassBelongsTo('kid','PARENT', 'parent_id') and ClassBelongsTo('kid', 'parent', 'parent_id') are not the same. 
575 <p>Also if no data is loaded into the child instance, then $p will return null;
576 <pre>
577         ADODB_Active_Record::ClassBelongsTo('kid','person','person_id','id'); 
578         
579         $ch = new kid();
580         $p = $ch->person; # $p is null
581 </pre>
582 <p>Another way to define the class of the parent (which otherwise defaults to ADODB_Active_Record) as follows:
583 <pre>
584
585         class kid extends ADOdb_Active_Record{};
586         class person extends ADOdb_Active_Record{... your modifications ... };
587         ADODB_Active_Record::ClassBelongsTo('kid','person','person_id','id', 'person'); 
588 </pre>
589 <h3><li>TableBelongsTo</h3>
590 <p>If the child table differs from the convention that the child table name is the plural of the child class name, use this function:
591 ADODB_Active_Record::TableBelongsTo($childTable, $relationName, $foreignKey, $parentPrimaryKey = 'id', $parentClass = 'ADODB_Active_Record').
592 <p>E.g. the class is <b>child</b>, but the table name is <b>children</b>, and the link between the two tables is children.person_id = person.id:
593 <pre>
594         ADODB_Active_Record::TableBelongsTo('children','person','person_id','id');
595 </pre>
596 <h3><li>TableKeyBelongsTo</h3>
597 <p>If the child table differs from the convention that the child table name is the plural of the child class name or the primary key is not 'id', use this function:
598 ADODB_Active_Record::TableKeyBelongsTo($childTable, $childKey, $relationName, $foreignKey, $parentPrimaryKey = 'id', $parentClass = 'ADODB_Active_Record').
599 <p>E.g. the class is <b>child</b>, but the table name is <b>children</b> and primary key is <b>ch_id</b>, and the link between the two tables is children.person_id = person.id:
600 <pre>
601         ADODB_Active_Record::TableKeyBelongsTo('children','ch_id', 'person','person_id','id');
602 </pre>
603 <h3><li>BelongsTo</h3>
604 <p>The following is deprecated. Use ClassBelongsTo/TableBelongsTo/TableKeyBelongsTo instead.
605 <p>The older way to define the parent of the current object is using BelongsTo($relationName, $foreignKey, $parentPrimaryKey = 'id'). In the example below,
606 we have a child table <strong>children</strong>, and a parent table <strong>person</strong>. We have a link <strong>children.person_id = persons.id</strong>. We create a child first, then link it to the parent:
607 <pre>
608         class Child extends ADOdb_Active_Record{};
609         $ch = new Child('children',array('id'));
610         $ch->BelongsTo('person','person_id','id');  ## this can be simplified to $ch->BelongsTo('person')
611                                                     ## as foreign key defaults to $table.'_id' and 
612                                                     ## parent pkey defaults to 'id' 
613         $ch->Load('id=1');
614         $p = $ch->person;
615         if (!$p || $p->name_first != 'John') echo "Error loading belongsTo&lt;br>";
616         else echo "OK loading BelongTo&lt;br>";
617 </pre>
618 <p>You only need to define BelongsTo() once in a script as it is global for all instances. 
619 <a name=loadrelations>
620 <h3><li>LoadRelations</h3>
621 <p>Sometimes you want to load only a subset of data in a relationship. For example, you could load all female children sorted by children.name
622 using LoadRelations($relation, $whereOrderBy = '', $offset = -1, $limit = -1):
623 <pre>
624         # assume this has been called: 
625         #   ADODB_Active_Record::ClassHasMany('person', 'children','person_id');
626         $person = new person(); 
627         $person->Load('id=23');  
628         # Load doesn't load children until $person->children is accessed or LoadRelations is called:
629         $person->LoadRelations('children',"gender='F' order by name");
630 </pre>
631 <p>Lastly, if you have lots of child data, you can define a window of data of records to load. In the following
632 example, we load a window of 100 records at a time:
633 <pre>
634
635         # assume this has been called: 
636         #  ADODB_Active_Record::ClassHasMany('Account', 'transactions','account_id'); 
637         $acc = new Account();
638         $acc->Load('id=23');
639         
640         $start = 0;
641         while(true) {
642                 $acc->LoadRelations('transactions',"tx_done=0 order by trxdate", $start, $start+100);
643                 if (!$acc->transactions) break;
644                 foreach ($acc->transactions as $k => $trx) {
645                         ## process
646                         $trx->tx_done = 1;
647                         $trx->save();
648                 }
649                 $start += 100;
650                 unset($acc->transactions);
651
652
653         }
654 </pre>
655 <p>The $offset is 0-based, and $limit is the number of records to retrieve. The default is to ignore $offset (-1) and $limit (-1).
656 <h3><li>Acknowledgements</h3>
657 <p>Thanks to Chris Ravenscroft for original one-to-many code (chris#voilaweb.com).
658 <h2>ADOConnection Supplement</h2>
659
660 <h3><li>ADOConnection::GetActiveRecords()</h3>
661 <p>
662 This allows you to retrieve an array of ADOdb_Active_Records. Returns false if an error occurs.
663 <pre>
664 $table = 'products';
665 $whereOrderBy = "name LIKE 'A%' ORDER BY Name";
666 $activeRecArr = $db->GetActiveRecords($table, $whereOrderBy);
667 foreach($activeRecArr as $rec) {
668         $rec->id = rand();
669         $rec->save();
670 }
671 </pre>
672 <p>
673 And to retrieve all records ordered by specific fields:
674 <pre>
675 $whereOrderBy = "1=1 ORDER BY Name";
676 $activeRecArr = $db->GetActiveRecords($table);
677 </pre>
678 <p>
679 To use bind variables (assuming ? is the place-holder for your database):
680 <pre>
681 $activeRecArr = $db->GetActiveRecords($tableName, 'name LIKE ?',
682                                                 array('A%'));
683 </pre>
684 <p>You can also define the primary keys of the table by passing an array of field names:
685 <pre>
686 $activeRecArr = $db->GetActiveRecords($tableName, 'name LIKE ?',
687                                                 array('A%'), array('id'));
688 </pre>
689
690 <h3><li>ADOConnection::GetActiveRecordsClass()</h3>
691 <p>
692 This allows you to retrieve an array of objects derived from ADOdb_Active_Records. Returns false if an error occurs.
693 <pre>
694 class Product extends ADOdb_Active_Record{};
695 $table = 'products';
696 $whereOrderBy = "name LIKE 'A%' ORDER BY Name";
697 $activeRecArr = $db->GetActiveRecordsClass('Product',$table, $whereOrderBy);
698
699 # the objects in $activeRecArr are of class 'Product'
700 foreach($activeRecArr as $rec) {
701         $rec->id = rand();
702         $rec->save();
703 }
704 </pre>
705 <p>
706 To use bind variables (assuming ? is the place-holder for your database):
707 <pre>
708 $activeRecArr = $db->GetActiveRecordsClass($className,$tableName, 'name LIKE ?',
709                                                 array('A%'));
710 </pre>
711 <p>You can also define the primary keys of the table by passing an array of field names:
712 <pre>
713 $activeRecArr = $db->GetActiveRecordsClass($className,$tableName, 'name LIKE ?',
714                                                 array('A%'), array('id'));
715 </pre>
716
717 </ol>
718
719 <h3><li>ADOConnection::ErrorMsg()</h3>
720 <p>Returns last error message.
721 <h3><li>ADOConnection::ErrorNo()</h3>
722 <p>Returns last error number.
723
724 <h2>ActiveRecord Code Sample</h2>
725 <p>The following works with PHP4 and PHP5
726 <pre>
727 include('../adodb.inc.php');
728 include('../adodb-active-record.inc.php');
729
730 // uncomment the following if you want to test exceptions
731 #if (PHP_VERSION >= 5) include('../adodb-exceptions.inc.php');
732
733 $db = NewADOConnection('mysql://root@localhost/northwind');
734 $db->debug=1;
735 ADOdb_Active_Record::SetDatabaseAdapter($db);
736
737 $db->Execute("CREATE TEMPORARY TABLE `persons` (
738                 `id` int(10) unsigned NOT NULL auto_increment,
739                 `name_first` varchar(100) NOT NULL default '',
740                 `name_last` varchar(100) NOT NULL default '',
741                 `favorite_color` varchar(100) NOT NULL default '',
742                 PRIMARY KEY  (`id`)
743             ) ENGINE=MyISAM;
744            ");
745                    
746 class person extends ADOdb_Active_Record{}
747 $person = new person();
748
749 echo "&lt;p>Output of getAttributeNames: ";
750 var_dump($person->getAttributeNames());
751
752 /**
753  * Outputs the following:
754  * array(4) {
755  *    [0]=>
756  *    string(2) "id"
757  *    [1]=>
758  *    string(9) "name_first"
759  *    [2]=>
760  *    string(8) "name_last"
761  *    [3]=>
762  *    string(13) "favorite_color"
763  *  }
764  */
765
766 $person = new person();
767 $person->name_first = 'Andi';
768 $person->name_last  = 'Gutmans';
769 $person->save(); // this save() will fail on INSERT as favorite_color is a must fill...
770
771
772 $person = new person();
773 $person->name_first     = 'Andi';
774 $person->name_last      = 'Gutmans';
775 $person->favorite_color = 'blue';
776 $person->save(); // this save will perform an INSERT successfully
777
778 echo "&lt;p>The Insert ID generated:"; print_r($person->id);
779
780 $person->favorite_color = 'red';
781 $person->save(); // this save() will perform an UPDATE
782
783 $person = new person();
784 $person->name_first     = 'John';
785 $person->name_last      = 'Lim';
786 $person->favorite_color = 'lavender';
787 $person->save(); // this save will perform an INSERT successfully
788
789 // load record where id=2 into a new ADOdb_Active_Record
790 $person2 = new person();
791 $person2->Load('id=2');
792 var_dump($person2);
793
794 // retrieve an array of records
795 $activeArr = $db->GetActiveRecordsClass($class = "person",$table = "persons","id=".$db->Param(0),array(2));
796 $person2 = $activeArr[0];
797 echo "&lt;p>Name first (should be John): ",$person->name_first, "&lt;br>Class = ",get_class($person2);  
798 </pre>
799
800
801
802 <a name=recordx>
803 <h2>Active Record eXtended</h2>
804 <p>This is the original one-to-many Active Record implementation submitted by
805 Chris Ravenscroft  (chris#voilaweb.com). The reason why we are offering both versions is that the Extended version
806 is more powerful but more complex. My personal preference is to keep it simpler, but your view may vary. 
807 <p>To use, just include adodb-active-recordx.inc.php instead of adodb-active-record.inc.php.
808 <p>It provides a new function called Find() that is quite intuitive to use as shown in the example below. It also supports loading all relationships using a single query (using joins).
809 <pre>
810 &lt;?php
811         function ar_assert($obj, $cond)
812         {
813                 global $err_count;
814                 $res = var_export($obj, true);
815                 return (strpos($res, $cond));
816         }
817
818         include_once('../adodb.inc.php');
819         include_once('../adodb-active-recordx.inc.php');
820         
821
822         $db = NewADOConnection('mysql://root@localhost/northwind');
823         $db->debug=0;
824         ADOdb_Active_Record::SetDatabaseAdapter($db);
825         echo "&lt;pre>\n";
826         echo "\n\n---------------------------------------------------------------------------\n";
827         echo "Preparing database using SQL queries (creating 'people', 'children')\n";
828
829         $db->Execute("DROP TABLE `people`");
830         $db->Execute("DROP TABLE `children`");
831
832         $db->Execute("CREATE TABLE `people` (
833                         `id` int(10) unsigned NOT NULL auto_increment,
834                         `name_first` varchar(100) NOT NULL default '',
835                         `name_last` varchar(100) NOT NULL default '',
836                         `favorite_color` varchar(100) NOT NULL default '',
837                         PRIMARY KEY  (`id`)
838                     ) ENGINE=MyISAM;
839                    ");
840         $db->Execute("CREATE TABLE `children` (
841                         `id` int(10) unsigned NOT NULL auto_increment,
842                                         `person_id` int(10) unsigned NOT NULL,
843                         `name_first` varchar(100) NOT NULL default '',
844                         `name_last` varchar(100) NOT NULL default '',
845                         `favorite_pet` varchar(100) NOT NULL default '',
846                         PRIMARY KEY  (`id`)
847                     ) ENGINE=MyISAM;
848                    ");
849                            
850         
851         $db->Execute("insert into children (person_id,name_first,name_last,favorite_pet) values (1,'Jill','Lim','tortoise')");
852         $db->Execute("insert into children (person_id,name_first,name_last) values (1,'Joan','Lim')");
853         $db->Execute("insert into children (person_id,name_first,name_last) values (1,'JAMIE','Lim')");
854                            
855         // This class _implicitely_ relies on the 'people' table (pluralized form of 'person')
856         class Person extends ADOdb_Active_Record
857         {
858                 function __construct()
859                 {
860                         parent::__construct();
861                         $this->hasMany('children');
862                 }
863         }
864         // This class _implicitely_ relies on the 'children' table
865         class Child extends ADOdb_Active_Record
866         {
867                 function __construct()
868                 {
869                         parent::__construct();
870                         $this->belongsTo('person');
871                 }
872         }
873         // This class _explicitely_ relies on the 'children' table and shares its metadata with Child
874         class Kid extends ADOdb_Active_Record
875         {
876                 function __construct()
877                 {
878                         parent::__construct('children');
879                         $this->belongsTo('person');
880                 }
881         }
882         // This class _explicitely_ relies on the 'children' table but does not share its metadata
883         class Rugrat extends ADOdb_Active_Record
884         {
885                 function __construct()
886                 {
887                         parent::__construct('children', false, false, array('new' => true));
888                 }
889         }
890         
891         echo "Inserting person in 'people' table ('John Lim, he likes lavender')\n";
892         echo "---------------------------------------------------------------------------\n";
893         $person = new Person();
894         $person->name_first     = 'John';
895         $person->name_last      = 'Lim';
896         $person->favorite_color = 'lavender';
897         $person->save(); // this save will perform an INSERT successfully
898
899         $err_count = 0;
900
901         echo "\n\n---------------------------------------------------------------------------\n";
902         echo "person->Find('id=1') [Lazy Method]\n";
903         echo "person is loaded but its children will be loaded on-demand later on\n";
904         echo "---------------------------------------------------------------------------\n";
905         $person5 = new Person();
906         $people5 = $person5->Find('id=1');
907         echo (ar_assert($people5, "'name_first' => 'John'")) ? "[OK] Found John\n" : "[!!] Find failed\n";
908         echo (ar_assert($people5, "'favorite_pet' => 'tortoise'")) ? "[!!] Found relation when I shouldn't\n" : "[OK] No relation yet\n";
909         foreach($people5 as $person)
910         {
911                 foreach($person->children as $child)
912                 {
913                         if($child->name_first);
914                 }
915         }
916         echo (ar_assert($people5, "'favorite_pet' => 'tortoise'")) ? "[OK] Found relation: child\n" : "[!!] Missing relation: child\n";
917
918         echo "\n\n---------------------------------------------------------------------------\n";
919         echo "person->Find('id=1' ... ADODB_WORK_AR) [Worker Method]\n";
920         echo "person is loaded, and so are its children\n";
921         echo "---------------------------------------------------------------------------\n";
922         $person6 = new Person();
923         $people6 = $person6->Find('id=1', false, false, array('loading' => ADODB_WORK_AR));
924         echo (ar_assert($people6, "'name_first' => 'John'")) ? "[OK] Found John\n" : "[!!] Find failed\n";
925         echo (ar_assert($people6, "'favorite_pet' => 'tortoise'")) ? "[OK] Found relation: child\n" : "[!!] Missing relation: child\n";
926
927         echo "\n\n---------------------------------------------------------------------------\n";
928         echo "person->Find('id=1' ... ADODB_JOIN_AR) [Join Method]\n";
929         echo "person and its children are loaded using a single query\n";
930         echo "---------------------------------------------------------------------------\n";
931         $person7 = new Person();
932         // When I specifically ask for a join, I have to specify which table id I am looking up
933         // otherwise the SQL parser will wonder which table's id that would be.
934         $people7 = $person7->Find('people.id=1', false, false, array('loading' => ADODB_JOIN_AR));
935         echo (ar_assert($people7, "'name_first' => 'John'")) ? "[OK] Found John\n" : "[!!] Find failed\n";
936         echo (ar_assert($people7, "'favorite_pet' => 'tortoise'")) ? "[OK] Found relation: child\n" : "[!!] Missing relation: child\n";
937         
938         echo "\n\n---------------------------------------------------------------------------\n";
939         echo "person->Load('people.id=1') [Join Method]\n";
940         echo "Load() always uses the join method since it returns only one row\n";
941         echo "---------------------------------------------------------------------------\n";
942         $person2 = new Person();
943         // Under the hood, Load(), since it returns only one row, always perform a join
944         // Therefore we need to clarify which id we are talking about.
945         $person2->Load('people.id=1');
946         echo (ar_assert($person2, "'name_first' => 'John'")) ? "[OK] Found John\n" : "[!!] Find failed\n";
947         echo (ar_assert($person2, "'favorite_pet' => 'tortoise'")) ? "[OK] Found relation: child\n" : "[!!] Missing relation: child\n";
948
949         echo "\n\n---------------------------------------------------------------------------\n";
950         echo "child->Load('children.id=1') [Join Method]\n";
951         echo "We are now loading from the 'children' table, not from 'people'\n";
952         echo "---------------------------------------------------------------------------\n";
953         $ch = new Child();
954         $ch->Load('children.id=1');
955         echo (ar_assert($ch, "'name_first' => 'Jill'")) ? "[OK] Found Jill\n" : "[!!] Find failed\n";
956         echo (ar_assert($ch, "'favorite_color' => 'lavender'")) ? "[OK] Found relation: person\n" : "[!!] Missing relation: person\n";
957
958         echo "\n\n---------------------------------------------------------------------------\n";
959         echo "child->Find('children.id=1' ... ADODB_WORK_AR) [Worker Method]\n";
960         echo "---------------------------------------------------------------------------\n";
961         $ch2 = new Child();
962         $ach2 = $ch2->Find('id=1', false, false, array('loading' => ADODB_WORK_AR));
963         echo (ar_assert($ach2, "'name_first' => 'Jill'")) ? "[OK] Found Jill\n" : "[!!] Find failed\n";
964         echo (ar_assert($ach2, "'favorite_color' => 'lavender'")) ? "[OK] Found relation: person\n" : "[!!] Missing relation: person\n";
965
966         echo "\n\n---------------------------------------------------------------------------\n";
967         echo "kid->Find('children.id=1' ... ADODB_WORK_AR) [Worker Method]\n";
968         echo "Where we see that kid shares relationships with child because they are stored\n";
969         echo "in the common table's metadata structure.\n";
970         echo "---------------------------------------------------------------------------\n";
971         $ch3 = new Kid('children');
972         $ach3 = $ch3->Find('children.id=1', false, false, array('loading' => ADODB_WORK_AR));
973         echo (ar_assert($ach3, "'name_first' => 'Jill'")) ? "[OK] Found Jill\n" : "[!!] Find failed\n";
974         echo (ar_assert($ach3, "'favorite_color' => 'lavender'")) ? "[OK] Found relation: person\n" : "[!!] Missing relation: person\n";
975
976         echo "\n\n---------------------------------------------------------------------------\n";
977         echo "kid->Find('children.id=1' ... ADODB_LAZY_AR) [Lazy Method]\n";
978         echo "Of course, lazy loading also retrieve medata information...\n";
979         echo "---------------------------------------------------------------------------\n";
980         $ch32 = new Kid('children');
981         $ach32 = $ch32->Find('children.id=1', false, false, array('loading' => ADODB_LAZY_AR));
982         echo (ar_assert($ach32, "'name_first' => 'Jill'")) ? "[OK] Found Jill\n" : "[!!] Find failed\n";
983         echo (ar_assert($ach32, "'favorite_color' => 'lavender'")) ? "[!!] Found relation when I shouldn't\n" : "[OK] No relation yet\n";
984         foreach($ach32 as $akid)
985         {
986                 if($akid->person);
987         }
988         echo (ar_assert($ach32, "'favorite_color' => 'lavender'")) ? "[OK] Found relation: person\n" : "[!!] Missing relation: person\n";
989         
990         echo "\n\n---------------------------------------------------------------------------\n";
991         echo "rugrat->Find('children.id=1' ... ADODB_WORK_AR) [Worker Method]\n";
992         echo "In rugrat's constructor it is specified that\nit must forget any existing relation\n";
993         echo "---------------------------------------------------------------------------\n";
994         $ch4 = new Rugrat('children');
995         $ach4 = $ch4->Find('children.id=1', false, false, array('loading' => ADODB_WORK_AR));
996         echo (ar_assert($ach4, "'name_first' => 'Jill'")) ? "[OK] Found Jill\n" : "[!!] Find failed\n";
997         echo (ar_assert($ach4, "'favorite_color' => 'lavender'")) ? "[!!] Found relation when I shouldn't\n" : "[OK] No relation found\n";
998
999         echo "\n\n---------------------------------------------------------------------------\n";
1000         echo "kid->Find('children.id=1' ... ADODB_WORK_AR) [Worker Method]\n";
1001         echo "Note how only rugrat forgot its relations - kid is fine.\n";
1002         echo "---------------------------------------------------------------------------\n";
1003         $ch5 = new Kid('children');
1004         $ach5 = $ch5->Find('children.id=1', false, false, array('loading' => ADODB_WORK_AR));
1005         echo (ar_assert($ach5, "'name_first' => 'Jill'")) ? "[OK] Found Jill\n" : "[!!] Find failed\n";
1006         echo (ar_assert($ach5, "'favorite_color' => 'lavender'")) ? "[OK] I did not forget relation: person\n" : "[!!] I should not have forgotten relation: person\n";
1007         
1008         echo "\n\n---------------------------------------------------------------------------\n";
1009         echo "rugrat->Find('children.id=1' ... ADODB_WORK_AR) [Worker Method]\n";
1010         echo "---------------------------------------------------------------------------\n";
1011         $ch6 = new Rugrat('children');
1012         $ch6s = $ch6->Find('children.id=1', false, false, array('loading' => ADODB_WORK_AR));
1013         $ach6 = $ch6s[0];
1014         echo (ar_assert($ach6, "'name_first' => 'Jill'")) ? "[OK] Found Jill\n" : "[!!] Find failed\n";
1015         echo (ar_assert($ach6, "'favorite_color' => 'lavender'")) ? "[!!] Found relation when I shouldn't\n" : "[OK] No relation yet\n";
1016         echo "\nLoading relations:\n";
1017         $ach6->belongsTo('person');
1018         $ach6->LoadRelations('person', 'order by id', 0, 2);
1019         echo (ar_assert($ach6, "'favorite_color' => 'lavender'")) ? "[OK] Found relation: person\n" : "[!!] Missing relation: person\n";
1020
1021         echo "\n\n---------------------------------------------------------------------------\n";
1022         echo "Test suite complete.\n";
1023         echo "---------------------------------------------------------------------------\n";
1024 ?>
1025 </pre>
1026  <h3>Todo (Code Contributions welcome)</h3>
1027  <p>Check _original and current field values before update, only update changes. Also if the primary key value is changed, then on update, we should save and use the original primary key values in the WHERE clause!
1028
1029  <p>PHP5 specific:  Make GetActiveRecords*() return an Iterator.
1030  <p>PHP5 specific: Change PHP5 implementation of Active Record to use __get() and __set() for better performance.
1031
1032 <h3> Change Log</h3>
1033 <p>0.93
1034 <p>You can force column names to be quoted in INSERT and UPDATE statements, typically because you are using reserved words as column names by setting
1035 ADODB_Active_Record::$_quoteNames = true;
1036
1037 <p>0.92
1038 <p>Fixed some issues with incompatible fetch modes (ADODB_FETCH_ASSOC) causing problems in UpdateActiveTable.
1039 <p>Added support for functions that support predefining one-to-many relationships:<br> 
1040 &nbsp; <i>ClassHasMany ClassBelongsTo TableHasMany TableBelongsTo TableKeyHasMany TableKeyBelongsTo</i>. <br>
1041 <p>You can also define your child/parent class in these functions, instead of the default ADODB_Active_Record.
1042
1043 <P>0.91
1044 <p>HasMany hardcoded primary key field name to "id". Fixed.
1045
1046 <p>0.90
1047 <p>Support for belongsTo and hasMany. Thanks to Chris Ravenscroft (chris#voilaweb.com).
1048 <p>Added LoadRelations().
1049
1050 <p>0.08
1051 Added support for assoc arrays in Set().
1052
1053 <p>0.07
1054 <p>$ADODB_ASSOC_CASE=2 did not work properly. Fixed.
1055 <p>Added === check in ADODB_SetDatabaseAdapter for $db, adodb-active-record.inc.php. Thx Christian Affolter.
1056
1057 <p>0.06
1058 <p>Added ErrorNo().
1059 <p>Fixed php 5.2.0 compat issues.
1060  
1061 <p>0.05
1062 <p>If inserting a record and the value of a primary key field is null, then we do not insert that field in as
1063 we assume it is an auto-increment field. Needed by mssql.
1064
1065 <p>0.04 5 June 2006 <br>
1066 <p>Added support for declaring table name in $_table in class declaration. Thx Bill Dueber for idea.
1067 <p>Added find($where,$bindarr=false) method to retrieve an array of active record objects.
1068
1069 <p>0.03 <br>
1070 - Now we only update fields that have changed, using $this->_original.<br>
1071 - We do not include auto_increment fields in replace(). Thx Travis Cline<br>
1072 - Added ADODB_ACTIVE_CACHESECS.<br>
1073
1074 <p>0.02 <br>
1075 - Much better error handling. ErrorMsg() implemented. Throw implemented if adodb-exceptions.inc.php detected.<br>
1076 - You can now define the primary keys of the view or table you are accessing manually.<br>
1077 - The Active Record allows you to create an object which does not have a primary key. You can INSERT but not UPDATE in this case.
1078 - Set() documented.<br>
1079 - Fixed _pluralize bug with y suffix.
1080
1081 <p>
1082  0.01 6 Mar 2006<br>
1083 - Fixed handling of nulls when saving (it didn't save nulls, saved them as '').<br>
1084 - Better error handling messages.<br>
1085 - Factored out a new method GetPrimaryKeys().<br>
1086  <p>
1087  0.00 5 Mar 2006<br>
1088  1st release
1089 </body>
1090 </html>