]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/WikiDB/backend/ADODB.php
reorder deletion
[SourceForge/phpwiki.git] / lib / WikiDB / backend / ADODB.php
1 <?php // -*-php-*-
2 rcs_id('$Id: ADODB.php,v 1.94 2006-12-23 11:44:56 rurban Exp $');
3
4 /*
5  Copyright 2002,2004,2005,2006 $ThePhpWikiProgrammingTeam
6
7  This file is part of PhpWiki.
8
9  PhpWiki is free software; you can redistribute it and/or modify
10  it under the terms of the GNU General Public License as published by
11  the Free Software Foundation; either version 2 of the License, or
12  (at your option) any later version.
13
14  PhpWiki is distributed in the hope that it will be useful,
15  but WITHOUT ANY WARRANTY; without even the implied warranty of
16  MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
17  GNU General Public License for more details.
18
19  You should have received a copy of the GNU General Public License
20  along with PhpWiki; if not, write to the Free Software
21  Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
22
23 */ 
24
25 /**
26  * Based on PearDB.php. 
27  * @author: Lawrence Akka, Reini Urban
28  *
29  * Now (since phpwiki-1.3.10) with adodb-4.22, by Reini Urban:
30  * 1) Extended to use all available database backends, not only mysql.
31  * 2) It uses the ultra-fast binary adodb extension if loaded.
32  * 3) We use FETCH_NUM instead of FETCH_ASSOC (faster and more generic)
33  * 4) To support generic iterators which return ASSOC fields, and to support queries with 
34  *    variable columns, some trickery was needed to use recordset specific fetchMode.
35  *    The first Execute uses the global fetchMode (ASSOC), then it's resetted back to NUM 
36  *    and the recordset fetchmode is set to ASSOC.
37  * 5) Transaction support, and locking as fallback.
38  * 6) 2004-12-10 added extra page.cached_html
39  *
40  * phpwiki-1.3.11, by Philippe Vanhaesendonck
41  * - pass column list to iterators so we can FETCH_NUM in all cases
42  * phpwiki-1.3.12: get rid of ISNULL
43  * phpwiki-1.3.13: tsearch2 and stored procedures
44  *
45  * ADODB basic differences to PearDB: It pre-fetches the first row into fields, 
46  * is dirtier in style, layout and more low-level ("worse is better").
47  * It has less needed basic features (modifyQuery, locks, ...), but some more 
48  * unneeded features included: paging, monitoring and sessions, and much more drivers.
49  * No locking (which PearDB supports in some backends), and sequences are very 
50  * bad compared to PearDB.
51
52  * Old Comments, by Lawrence Akka:
53  * 1)  ADODB's GetRow() is slightly different from that in PEAR.  It does not 
54  *     accept a fetchmode parameter
55  *     That doesn't matter too much here, since we only ever use FETCHMODE_ASSOC
56  * 2)  No need for ''s around strings in sprintf arguments - qstr puts them 
57  *     there automatically
58  * 3)  ADODB has a version of GetOne, but it is difficult to use it when 
59  *     FETCH_ASSOC is in effect.
60  *     Instead, use $rs = Execute($query); $value = $rs->fields["$colname"]
61  * 4)  No error handling yet - could use ADOConnection->raiseErrorFn
62  * 5)  It used to be faster then PEAR/DB at the beginning of 2002. 
63  *     Now at August 2002 PEAR/DB with our own page cache added, 
64  *     performance is comparable.
65  */
66
67 require_once('lib/WikiDB/backend.php');
68 // Error handling - calls trigger_error.  NB - does not close the connection.  Does it need to?
69 include_once('lib/WikiDB/adodb/adodb-errorhandler.inc.php');
70 // include the main adodb file
71 require_once('lib/WikiDB/adodb/adodb.inc.php');
72
73 class WikiDB_backend_ADODB
74 extends WikiDB_backend
75 {
76
77     function WikiDB_backend_ADODB ($dbparams) {
78         $parsed = parseDSN($dbparams['dsn']);
79         $this->_dbparams = $dbparams;
80         $this->_parsedDSN =& $parsed;
81         $this->_dbh = &ADONewConnection($parsed['phptype']);
82         if (DEBUG & _DEBUG_SQL) {
83             $this->_dbh->debug = true;
84             $GLOBALS['ADODB_OUTP'] = '_sql_debuglog';
85         }
86         $this->_dsn = $parsed;
87         // persistent is defined as DSN option, or with a config value.
88         //   phptype://username:password@hostspec/database?persistent=false
89         if (!empty($parsed['persistent']) or DATABASE_PERSISTENT)
90             $conn = $this->_dbh->PConnect($parsed['hostspec'],$parsed['username'], 
91                                           $parsed['password'], $parsed['database']);
92         else
93             $conn = $this->_dbh->Connect($parsed['hostspec'],$parsed['username'], 
94                                          $parsed['password'], $parsed['database']);
95
96         // Since 1.3.10 we use the faster ADODB_FETCH_NUM,
97         // with some ASSOC based recordsets.
98         $GLOBALS['ADODB_FETCH_MODE'] = ADODB_FETCH_NUM;
99         $this->_dbh->SetFetchMode(ADODB_FETCH_NUM);
100         $GLOBALS['ADODB_COUNTRECS'] = false;
101
102         $prefix = isset($dbparams['prefix']) ? $dbparams['prefix'] : '';
103         $this->_table_names
104             = array('page_tbl'     => $prefix . 'page',
105                     'version_tbl'  => $prefix . 'version',
106                     'link_tbl'     => $prefix . 'link',
107                     'recent_tbl'   => $prefix . 'recent',
108                     'nonempty_tbl' => $prefix . 'nonempty');
109         $page_tbl = $this->_table_names['page_tbl'];
110         $version_tbl = $this->_table_names['version_tbl'];
111         $this->page_tbl_fields = "$page_tbl.id AS id, $page_tbl.pagename AS pagename, "
112             . "$page_tbl.hits AS hits";
113         $this->links_field_list = array('id', 'pagename');
114         $this->page_tbl_field_list = array('id', 'pagename', 'hits');
115         $this->version_tbl_fields = "$version_tbl.version AS version, "
116             . "$version_tbl.mtime AS mtime, "
117             . "$version_tbl.minor_edit AS minor_edit, $version_tbl.content AS content, "
118             . "$version_tbl.versiondata AS versiondata";
119         $this->version_tbl_field_list = array('version', 'mtime', 'minor_edit', 'content',
120             'versiondata');
121
122         $this->_expressions
123             = array('maxmajor'     => "MAX(CASE WHEN minor_edit=0 THEN version END)",
124                     'maxminor'     => "MAX(CASE WHEN minor_edit<>0 THEN version END)",
125                     'maxversion'   => "MAX(version)",
126                     'notempty'     => "<>''",
127                     'iscontent'    => "$version_tbl.content<>''");
128         $this->_lock_count = 0;
129     }
130
131     /**
132      * Close database connection.
133      */
134     function close () {
135         if (!$this->_dbh)
136             return;
137         if ($this->_lock_count) {
138             trigger_error("WARNING: database still locked " . 
139                           '(lock_count = $this->_lock_count)' . "\n<br />",
140                           E_USER_WARNING);
141         }
142 //      $this->_dbh->setErrorHandling(PEAR_ERROR_PRINT);        // prevent recursive loops.
143         $this->unlock(false,'force');
144
145         $this->_dbh->close();
146         $this->_dbh = false;
147     }
148
149     /*
150      * Fast test for wikipage.
151      */
152     function is_wiki_page($pagename) {
153         $dbh = &$this->_dbh;
154         extract($this->_table_names);
155         $row = $dbh->GetRow(sprintf("SELECT $page_tbl.id AS id"
156                                     . " FROM $nonempty_tbl, $page_tbl"
157                                     . " WHERE $nonempty_tbl.id=$page_tbl.id"
158                                     . "   AND pagename=%s",
159                                     $dbh->qstr($pagename)));
160         return $row ? $row[0] : false;
161     }
162         
163     function get_all_pagenames() {
164         $dbh = &$this->_dbh;
165         extract($this->_table_names);
166         $result = $dbh->Execute("SELECT pagename"
167                                 . " FROM $nonempty_tbl, $page_tbl"
168                                 . " WHERE $nonempty_tbl.id=$page_tbl.id");
169         return $result->GetArray();
170     }
171
172     /*
173      * filter (nonempty pages) currently ignored
174      */
175     function numPages($filter=false, $exclude='') {
176         $dbh = &$this->_dbh;
177         extract($this->_table_names);
178         $result = $dbh->getRow("SELECT count(*)"
179                             . " FROM $nonempty_tbl, $page_tbl"
180                             . " WHERE $nonempty_tbl.id=$page_tbl.id");
181         return $result[0];
182     }
183
184     function increaseHitCount($pagename) {
185         $dbh = &$this->_dbh;
186         // Hits is the only thing we can update in a fast manner.
187         // Note that this will fail silently if the page does not
188         // have a record in the page table.  Since it's just the
189         // hit count, who cares?
190         $dbh->Execute(sprintf("UPDATE %s SET hits=hits+1 WHERE pagename=%s",
191                               $this->_table_names['page_tbl'],
192                               $dbh->qstr($pagename)));
193         return;
194     }
195
196     /**
197      * Read page information from database.
198      */
199     function get_pagedata($pagename) {
200         $dbh = &$this->_dbh;
201         $row = $dbh->GetRow(sprintf("SELECT id,pagename,hits,pagedata FROM %s WHERE pagename=%s",
202                                     $this->_table_names['page_tbl'],
203                                     $dbh->qstr($pagename)));
204         return $row ? $this->_extract_page_data($row[3], $row[2]) : false;
205     }
206
207     function  _extract_page_data($data, $hits) {
208         if (empty($data))
209             return array('hits' => $hits);
210         else 
211             return array_merge(array('hits' => $hits), $this->_unserialize($data));
212     }
213
214     function update_pagedata($pagename, $newdata) {
215         $dbh = &$this->_dbh;
216         $page_tbl = $this->_table_names['page_tbl'];
217
218         // Hits is the only thing we can update in a fast manner.
219         if (count($newdata) == 1 && isset($newdata['hits'])) {
220             // Note that this will fail silently if the page does not
221             // have a record in the page table.  Since it's just the
222             // hit count, who cares?
223             $dbh->Execute(sprintf("UPDATE $page_tbl SET hits=%d WHERE pagename=%s",
224                                   $newdata['hits'], $dbh->qstr($pagename)));
225             return;
226         }
227         $where = sprintf("pagename=%s", $dbh->qstr($pagename));
228         $dbh->BeginTrans( );
229         $dbh->RowLock($page_tbl,$where);
230         
231         $data = $this->get_pagedata($pagename);
232         if (!$data) {
233             $data = array();
234             $this->_get_pageid($pagename, true); // Creates page record
235         }
236         
237         $hits = (empty($data['hits'])) ? 0 : (int)$data['hits'];
238         unset($data['hits']);
239
240         foreach ($newdata as $key => $val) {
241             if ($key == 'hits')
242                 $hits = (int)$val;
243             else if (empty($val))
244                 unset($data[$key]);
245             else
246                 $data[$key] = $val;
247         }
248         if ($dbh->Execute("UPDATE $page_tbl"
249                           . " SET hits=?, pagedata=?"
250                           . " WHERE pagename=?",
251                           array($hits, $this->_serialize($data), $pagename))) {
252             $dbh->CommitTrans( );
253             return true;
254         } else {
255             $dbh->RollbackTrans( );
256             return false;
257         }
258     }
259
260     function get_cached_html($pagename) {
261         $dbh = &$this->_dbh;
262         $page_tbl = $this->_table_names['page_tbl'];
263         $row = $dbh->GetRow(sprintf("SELECT cached_html FROM $page_tbl WHERE pagename=%s",
264                                     $dbh->qstr($pagename)));
265         return $row ? $row[0] : false;
266     }
267
268     function set_cached_html($pagename, $data) {
269         $dbh = &$this->_dbh;
270         $page_tbl = $this->_table_names['page_tbl'];
271         if (empty($data)) $data = '';
272         $rs = $dbh->Execute("UPDATE $page_tbl"
273                             . " SET cached_html=?"
274                             . " WHERE pagename=?",
275                             array($data, $pagename));
276     }
277
278     function _get_pageid($pagename, $create_if_missing = false) {
279
280         // check id_cache
281         global $request;
282         $cache =& $request->_dbi->_cache->_id_cache;
283         if (isset($cache[$pagename])) {
284             if ($cache[$pagename] or !$create_if_missing) {
285                 return $cache[$pagename];
286             }
287         }
288         
289         $dbh = &$this->_dbh;
290         $page_tbl = $this->_table_names['page_tbl'];
291         $query = sprintf("SELECT id FROM $page_tbl WHERE pagename=%s",
292                          $dbh->qstr($pagename));
293         if (! $create_if_missing ) {
294             $row = $dbh->GetRow($query);
295             return $row ? $row[0] : false;
296         }
297         $row = $dbh->GetRow($query);
298         if (! $row ) {
299             //TODO: Does the DBM has subselects? Then we can do it with select max(id)+1
300             // $this->lock(array('page'));
301             $dbh->BeginTrans( );
302             $dbh->CommitLock($page_tbl);
303             if ($dbh->hasGenID) {
304                 $id = $dbh->GenID($page_tbl."_id");
305             } else {
306                 // Better generic version than with adodb::genID
307                 $row = $dbh->GetRow("SELECT MAX(id) FROM $page_tbl");
308                 $id = $row[0] + 1;
309             }
310             $rs = $dbh->Execute(sprintf("INSERT INTO $page_tbl"
311                                         . " (id,pagename,hits)"
312                                         . " VALUES (%d,%s,0)",
313                                         $id, $dbh->qstr($pagename)));
314             if ($rs) $dbh->CommitTrans( );
315             else $dbh->RollbackTrans( );
316             // $this->unlock(array('page'));
317         } else {
318             $id = $row[0];
319         }
320         assert($id);
321         return $id;
322     }
323
324     function get_latest_version($pagename) {
325         $dbh = &$this->_dbh;
326         extract($this->_table_names);
327         $row = $dbh->GetRow(sprintf("SELECT latestversion"
328                                     . " FROM $page_tbl, $recent_tbl"
329                                     . " WHERE $page_tbl.id=$recent_tbl.id"
330                                     . "  AND pagename=%s",
331                                     $dbh->qstr($pagename)));
332         return $row ? (int)$row[0] : false;
333     }
334
335     function get_previous_version($pagename, $version) {
336         $dbh = &$this->_dbh;
337         extract($this->_table_names);
338         // Use SELECTLIMIT for maximum portability
339         $rs = $dbh->SelectLimit(sprintf("SELECT version"
340                                         . " FROM $version_tbl, $page_tbl"
341                                         . " WHERE $version_tbl.id=$page_tbl.id"
342                                         . "  AND pagename=%s"
343                                         . "  AND version < %d"
344                                         . " ORDER BY version DESC",
345                                         $dbh->qstr($pagename),
346                                         $version),
347                                 1);
348         return $rs->fields ? (int)$rs->fields[0] : false;
349     }
350     
351     /**
352      * Get version data.
353      *
354      * @param $version int Which version to get.
355      *
356      * @return hash The version data, or false if specified version does not
357      *              exist.
358      */
359     function get_versiondata($pagename, $version, $want_content = false) {
360         $dbh = &$this->_dbh;
361         extract($this->_table_names);
362         extract($this->_expressions);
363                 
364         assert(is_string($pagename) and $pagename != '');
365         assert($version > 0);
366         
367         // FIXME: optimization: sometimes don't get page data?
368         if ($want_content) {
369             $fields = $this->page_tbl_fields . ", $page_tbl.pagedata AS pagedata"
370                 . ', ' . $this->version_tbl_fields;
371         } else {
372             $fields = $this->page_tbl_fields . ", '' AS pagedata"
373                 . ", $version_tbl.version AS version, $version_tbl.mtime AS mtime, "
374                 . "$version_tbl.minor_edit AS minor_edit, $iscontent AS have_content, "
375                 . "$version_tbl.versiondata as versiondata";
376         }
377         $row = $dbh->GetRow(sprintf("SELECT $fields"
378                                     . " FROM $page_tbl, $version_tbl"
379                                     . " WHERE $page_tbl.id=$version_tbl.id"
380                                     . "  AND pagename=%s"
381                                     . "  AND version=%d",
382                                     $dbh->qstr($pagename), $version));
383         return $row ? $this->_extract_version_data_num($row, $want_content) : false;
384     }
385
386     function _extract_version_data_num($row, $want_content) {
387         if (!$row)
388             return false;
389
390         //$id       &= $row[0];
391         //$pagename &= $row[1];
392         $data = empty($row[8]) ? array() : $this->_unserialize($row[8]);
393         $data['mtime']         = $row[5];
394         $data['is_minor_edit'] = !empty($row[6]);
395         if ($want_content) {
396             $data['%content'] = $row[7];
397         } else {
398             $data['%content'] = !empty($row[7]);
399         }
400         if (!empty($row[3])) {
401             $data['%pagedata'] = $this->_extract_page_data($row[3], $row[2]);
402         }
403         return $data;
404     }
405
406     function _extract_version_data_assoc($row) {
407         if (!$row)
408             return false;
409
410         extract($row);
411         $data = empty($versiondata) ? array() : $this->_unserialize($versiondata);
412         $data['mtime'] = $mtime;
413         $data['is_minor_edit'] = !empty($minor_edit);
414         if (isset($content))
415             $data['%content'] = $content;
416         elseif ($have_content)
417             $data['%content'] = true;
418         else
419             $data['%content'] = '';
420         if (!empty($pagedata)) {
421             // hmm, $pagedata = is already extracted by WikiDB_backend_ADODB_iter
422             //$data['%pagedata'] = $this->_extract_page_data($pagedata, $hits);
423             $data['%pagedata'] = $pagedata;
424         }
425         return $data;
426     }
427
428     /**
429      * Create a new revision of a page.
430      */
431     function set_versiondata($pagename, $version, $data) {
432         $dbh = &$this->_dbh;
433         $version_tbl = $this->_table_names['version_tbl'];
434         
435         $minor_edit = (int) !empty($data['is_minor_edit']);
436         unset($data['is_minor_edit']);
437         
438         $mtime = (int)$data['mtime'];
439         unset($data['mtime']);
440         assert(!empty($mtime));
441
442         @$content = (string) $data['%content'];
443         unset($data['%content']);
444         unset($data['%pagedata']);
445         
446         $this->lock(array('page','recent','version','nonempty'));
447         $dbh->BeginTrans( );
448         $dbh->CommitLock($version_tbl);
449         $id = $this->_get_pageid($pagename, true);
450         $backend_type = $this->backendType();
451         $dbh->Execute(sprintf("DELETE FROM $version_tbl"
452                               . " WHERE id=%d AND version=%d",
453                               $id, $version));
454         $rs = $dbh->Execute("INSERT INTO $version_tbl"
455                             . " (id,version,mtime,minor_edit,content,versiondata)"
456                             . " VALUES(?,?,?,?,?,?)",
457                             array($id, $version, $mtime, $minor_edit,
458                                   $content, $this->_serialize($data)));
459         $this->_update_recent_table($id);
460         $this->_update_nonempty_table($id);
461         if ($rs) $dbh->CommitTrans( );
462         else $dbh->RollbackTrans( );
463         $this->unlock(array('page','recent','version','nonempty'));
464     }
465     
466     /**
467      * Delete an old revision of a page.
468      */
469     function delete_versiondata($pagename, $version) {
470         $dbh = &$this->_dbh;
471         extract($this->_table_names);
472
473         $this->lock(array('version'));
474         if ( ($id = $this->_get_pageid($pagename)) ) {
475             $dbh->Execute("DELETE FROM $version_tbl"
476                         . " WHERE id=$id AND version=$version");
477             $this->_update_recent_table($id);
478             // This shouldn't be needed (as long as the latestversion
479             // never gets deleted.)  But, let's be safe.
480             $this->_update_nonempty_table($id);
481         }
482         $this->unlock(array('version'));
483     }
484
485     /**
486      * Delete page from the database with backup possibility.
487      * i.e save_page('') and DELETE nonempty id
488      * 
489      * deletePage increments latestversion in recent to a non-existent version, 
490      * and removes the nonempty row,
491      * so that get_latest_version returns id+1 and get_previous_version returns prev id 
492      * and page->exists returns false.
493      */
494     function delete_page($pagename) {
495         $dbh = &$this->_dbh;
496         extract($this->_table_names);
497
498         $dbh->BeginTrans();
499         $dbh->CommitLock($recent_tbl);
500         if (($id = $this->_get_pageid($pagename, false)) === false) {
501             $dbh->RollbackTrans( );
502             return false;
503         }
504         $mtime = time();
505         $user =& $GLOBALS['request']->_user;
506         $meta = array('author' => $user->getId(),
507                       'author_id' => $user->getAuthenticatedId(),
508                       'mtime' => $mtime);
509         $this->lock(array('version','recent','nonempty','page','link'));
510         $version = $this->get_latest_version($pagename);
511         if ($dbh->Execute("UPDATE $recent_tbl SET latestversion=latestversion+1,"
512                           . "latestmajor=latestversion+1,latestminor=NULL WHERE id=$id")
513             and $dbh->Execute("INSERT INTO $version_tbl"
514                                 . " (id,version,mtime,minor_edit,content,versiondata)"
515                                 . " VALUES(?,?,?,?,?,?)",
516                                   array($id, $version+1, $mtime, 0,
517                                         '', $this->_serialize($meta)))
518             and $dbh->Execute("DELETE FROM $nonempty_tbl WHERE id=$id")
519             and $this->set_links($pagename, false)
520             // need to keep perms and LOCKED, otherwise you can reset the perm 
521             // by action=remove and re-create it with default perms
522             // keep hits but delete meta-data 
523             //and $dbh->Execute("UPDATE $page_tbl SET pagedata='' WHERE id=$id") 
524            )
525         {
526             $this->unlock(array('version','recent','nonempty','page','link'));  
527             $dbh->CommitTrans( );
528             return true;
529         } else {
530             $this->unlock(array('version','recent','nonempty','page','link'));  
531             $dbh->RollbackTrans( );
532             return false;
533         }
534     }
535
536     function purge_page($pagename) {
537         $dbh = &$this->_dbh;
538         extract($this->_table_names);
539         
540         $this->lock(array('version','recent','nonempty','page','link'));
541         if ( ($id = $this->_get_pageid($pagename, false)) ) {
542             $dbh->Execute("DELETE FROM $nonempty_tbl WHERE id=$id");
543             $dbh->Execute("DELETE FROM $recent_tbl   WHERE id=$id");
544             $dbh->Execute("DELETE FROM $version_tbl  WHERE id=$id");
545             $this->set_links($pagename, false);
546             $row = $dbh->GetRow("SELECT COUNT(*) FROM $link_tbl WHERE linkto=$id");
547             if ($row and $row[0]) {
548                 // We're still in the link table (dangling link) so we can't delete this
549                 // altogether.
550                 $dbh->Execute("UPDATE $page_tbl SET hits=0, pagedata='' WHERE id=$id");
551                 $result = 0;
552             }
553             else {
554                 $dbh->Execute("DELETE FROM $page_tbl WHERE id=$id");
555                 $result = 1;
556             }
557         } else {
558             $result = -1; // already purged or not existing
559         }
560         $this->unlock(array('version','recent','nonempty','page','link'));
561         return $result;
562     }
563
564
565     // The only thing we might be interested in updating which we can
566     // do fast in the flags (minor_edit).   I think the default
567     // update_versiondata will work fine...
568     //function update_versiondata($pagename, $version, $data) {
569     //}
570
571     /* 
572      * Update link table.
573      * on DEBUG: delete old, deleted links from page
574      */
575     function set_links($pagename, $links) {
576         // FIXME: optimize: mysql can do this all in one big INSERT/REPLACE.
577
578         $dbh = &$this->_dbh;
579         extract($this->_table_names);
580
581         $this->lock(array('link'));
582         $pageid = $this->_get_pageid($pagename, true);
583
584         $oldlinks = $dbh->getAssoc("SELECT $link_tbl.linkto as id, page.pagename FROM $link_tbl"
585                                   ." JOIN page ON ($link_tbl.linkto = page.id)"
586                                   ." WHERE linkfrom=$pageid");
587         // Delete current links,
588         $dbh->Execute("DELETE FROM $link_tbl WHERE linkfrom=$pageid");
589         // and insert new links. Faster than checking for all single links
590         if ($links) {
591             foreach ($links as $link) {
592                 $linkto = $link['linkto'];
593                 if ($link['relation'])
594                     $relation = $this->_get_pageid($link['relation'], true);
595                 else 
596                     $relation = 0;
597                 // avoid duplicates
598                 if (isset($linkseen[$linkto]) and !$relation) {
599                     continue;
600                 }
601                 if (!$relation) {
602                     $linkseen[$linkto] = true;
603                 }
604                 $linkid = $this->_get_pageid($linkto, true);
605                 assert($linkid);
606                 if ($relation) {
607                     $dbh->Execute("INSERT INTO $link_tbl (linkfrom, linkto, relation)"
608                                   . " VALUES ($pageid, $linkid, $relation)");
609                 } else {              
610                     $dbh->Execute("INSERT INTO $link_tbl (linkfrom, linkto)"
611                                   . " VALUES ($pageid, $linkid)");
612                 }
613                 if (array_key_exists($linkid, $oldlinks)) {
614                     // This was also in the previous page
615                     unset($oldlinks[$linkid]); 
616                 }
617             }
618         }
619         // purge page table: delete all non-referenced pages
620         // for all previously linked pages, which have no other linkto links
621         if (DEBUG and $oldlinks) {
622             // trigger_error("purge page table: delete all non-referenced pages...", E_USER_NOTICE);
623             foreach ($oldlinks as $id => $name) {
624                 // ...check if the page is empty and has no version
625                 $result = $dbh->getRow("SELECT $page_tbl.id FROM $page_tbl"
626                                      . " LEFT JOIN $nonempty_tbl USING (id) "
627                                      . " LEFT JOIN $version_tbl USING (id)"
628                                      . " WHERE $nonempty_tbl.id is NULL"
629                                      . " AND $version_tbl.id is NULL"
630                                      . " AND $page_tbl.id=$id");
631                 $linkto = $dbh->getRow("SELECT linkfrom FROM $link_tbl WHERE linkto=$id");
632                 if ($result and empty($linkto))
633                 {
634                     trigger_error("delete empty and non-referenced link $name ($id)", E_USER_NOTICE);
635                     $dbh->Execute("DELETE FROM $recent_tbl WHERE id=$id"); // may fail
636                     $dbh->Execute("DELETE FROM $link_tbl WHERE linkto=$id");
637                     $dbh->Execute("DELETE FROM $page_tbl WHERE id=$id");   // this purges the link
638                 }
639             }
640         }
641         $this->unlock(array('link'));
642         return true;
643     }
644
645     /* get all oldlinks in hash => id, relation
646        check for all new links
647      */
648     function set_links1($pagename, $links) {
649
650         $dbh = &$this->_dbh;
651         extract($this->_table_names);
652
653         $this->lock(array('link'));
654         $pageid = $this->_get_pageid($pagename, true);
655
656         $oldlinks = $dbh->getAssoc("SELECT $link_tbl.linkto as linkto, $link_tbl.relation, page.pagename"
657                                   ." FROM $link_tbl"
658                                   ." JOIN page ON ($link_tbl.linkto = page.id)"
659                                   ." WHERE linkfrom=$pageid");
660         /*      old                  new
661          *      X => [1,0 2,0 1,1]   X => [1,1 3,0]
662          * => delete 1,0 2,0 + insert 3,0
663          */
664         if ($links) {
665             foreach ($links as $link) {
666                 $linkto = $link['linkto'];
667                 if ($link['relation'])
668                     $relation = $this->_get_pageid($link['relation'], true);
669                 else 
670                     $relation = 0;
671                 // avoid duplicates
672                 if (isset($linkseen[$linkto]) and !$relation) {
673                     continue;
674                 }
675                 if (!$relation) {
676                     $linkseen[$linkto] = true;
677                 }
678                 $linkid = $this->_get_pageid($linkto, true);
679                 assert($linkid);
680                 $skip = 0;
681                 // find linkfrom,linkto,relation triple in oldlinks
682                 foreach ($oldlinks as $l) {
683                     if ($relation) { // relation NOT NULL
684                         if ($l['linkto'] == $linkid and $l['relation'] == $relation) {
685                             // found and skip
686                             $skip = 1;
687                         }
688                     }
689                 }
690                 if (! $skip ) {
691                     if ($update) {
692                     }
693                     if ($relation) {
694                         $dbh->Execute("INSERT INTO $link_tbl (linkfrom, linkto, relation)"
695                                       . " VALUES ($pageid, $linkid, $relation)");
696                     } else {              
697                         $dbh->Execute("INSERT INTO $link_tbl (linkfrom, linkto)"
698                                       . " VALUES ($pageid, $linkid)");
699                     }
700                 }
701
702                 if (array_key_exists($linkid, $oldlinks)) {
703                     // This was also in the previous page
704                     unset($oldlinks[$linkid]); 
705                 }
706             }
707         }
708         // purge page table: delete all non-referenced pages
709         // for all previously linked pages...
710         if (DEBUG and $oldlinks) {
711             // trigger_error("purge page table: delete all non-referenced pages...", E_USER_NOTICE);
712             foreach ($oldlinks as $id => $name) {
713                 // ...check if the page is empty and has no version
714                 if ($dbh->getRow("SELECT $page_tbl.id FROM $page_tbl"
715                                      . " LEFT JOIN $nonempty_tbl USING (id) "
716                                      . " LEFT JOIN $version_tbl USING (id)"
717                                      . " WHERE $nonempty_tbl.id is NULL"
718                                      . " AND $version_tbl.id is NULL"
719                                      . " AND $page_tbl.id=$id")) 
720                 {
721                         trigger_error("delete empty and non-referenced link $name ($id)", E_USER_NOTICE);
722                         $dbh->Execute("DELETE FROM $page_tbl WHERE id=$id");   // this purges the link
723                         $dbh->Execute("DELETE FROM $recent_tbl WHERE id=$id"); // may fail
724                 }
725             }
726         }
727         $this->unlock(array('link'));
728         return true;
729     }
730     
731     /**
732      * Find pages which link to or are linked from a page.
733      *
734      * Optimization: save request->_dbi->_iwpcache[] to avoid further iswikipage checks
735      * (linkExistingWikiWord or linkUnknownWikiWord)
736      * This is called on every page header GleanDescription, so we can store all the 
737      * existing links.
738      * 
739      * relations: $backend->get_links is responsible to add the relation to the pagehash 
740      * as 'linkrelation' key as pagename. See WikiDB_PageIterator::next 
741      *   if (isset($next['linkrelation']))
742      */
743     function get_links($pagename, $reversed=true,   $include_empty=false,
744                        $sortby=false, $limit=false, $exclude='',
745                        $want_relations = false)
746     {
747         $dbh = &$this->_dbh;
748         extract($this->_table_names);
749
750         if ($reversed)
751             list($have,$want) = array('linkee', 'linker');
752         else
753             list($have,$want) = array('linker', 'linkee');
754         $orderby = $this->sortby($sortby, 'db', array('pagename'));
755         if ($orderby) $orderby = ' ORDER BY $want.' . $orderby;
756         if ($exclude) // array of pagenames
757             $exclude = " AND $want.pagename NOT IN ".$this->_sql_set($exclude);
758         else 
759             $exclude='';
760
761         $qpagename = $dbh->qstr($pagename);
762         // removed ref to FETCH_MODE in next line
763         $sql = "SELECT $want.id AS id, $want.pagename AS pagename, "
764             . ($want_relations ? " related.pagename as linkrelation" : " $want.hits AS hits")
765             . " FROM "
766             . (!$include_empty ? "$nonempty_tbl, " : '')
767             . " $page_tbl linkee, $page_tbl linker, $link_tbl "
768             . ($want_relations ? " JOIN $page_tbl related ON ($link_tbl.relation=related.id)" : '')
769             . " WHERE linkfrom=linker.id AND linkto=linkee.id"
770             . " AND $have.pagename=$qpagename"
771             . (!$include_empty ? " AND $nonempty_tbl.id=$want.id" : "")
772             //. " GROUP BY $want.id"
773             . $exclude
774             . $orderby;
775 /*
776   echo "SELECT linkee.id AS id, linkee.pagename AS pagename, related.pagename as linkrelation FROM link, page linkee, page linker JOIN page related ON (link.relation=related.id) WHERE linkfrom=linker.id AND linkto=linkee.id AND linker.pagename='SanDiego'" | mysql phpwiki
777 id      pagename        linkrelation
778 2268    California      located_in
779 */            
780         if ($limit) {
781             // extract from,count from limit
782             list($offset,$count) = $this->limit($limit);
783             $result = $dbh->SelectLimit($sql, $count, $offset);
784         } else {
785             $result = $dbh->Execute($sql);
786         }
787         $fields = $this->links_field_list;
788         if ($want_relations) // instead of hits
789             $fields[2] = 'linkrelation';
790         return new WikiDB_backend_ADODB_iter($this, $result, $fields);
791     }
792
793     /**
794      * Find if a page links to another page
795      */
796     function exists_link($pagename, $link, $reversed=false) {
797         $dbh = &$this->_dbh;
798         extract($this->_table_names);
799
800         if ($reversed)
801             list($have, $want) = array('linkee', 'linker');
802         else
803             list($have, $want) = array('linker', 'linkee');
804         $qpagename = $dbh->qstr($pagename);
805         $qlink = $dbh->qstr($link);
806         $row = $dbh->GetRow("SELECT CASE WHEN $want.pagename=$qlink THEN 1 ELSE 0 END"
807                             . " FROM $link_tbl, $page_tbl linker, $page_tbl linkee, $nonempty_tbl"
808                             . " WHERE linkfrom=linker.id AND linkto=linkee.id"
809                             . " AND $have.pagename=$qpagename"
810                             . " AND $want.pagename=$qlink");
811         return $row[0];
812     }
813
814     /*
815      * 
816      */
817     function get_all_pages($include_empty=false, $sortby=false, $limit=false, $exclude='') {
818         $dbh = &$this->_dbh;
819         extract($this->_table_names);
820         $orderby = $this->sortby($sortby, 'db');
821         if ($orderby) $orderby = ' ORDER BY ' . $orderby;
822         if ($exclude) // array of pagenames
823             $exclude = " AND $page_tbl.pagename NOT IN ".$this->_sql_set($exclude);
824         else 
825             $exclude='';
826
827         //$dbh->SetFetchMode(ADODB_FETCH_ASSOC);
828         if (strstr($orderby, 'mtime ')) { // was ' mtime'
829             if ($include_empty) {
830                 $sql = "SELECT "
831                     . $this->page_tbl_fields
832                     ." FROM $page_tbl, $recent_tbl, $version_tbl"
833                     . " WHERE $page_tbl.id=$recent_tbl.id"
834                     . " AND $page_tbl.id=$version_tbl.id AND latestversion=version"
835                     . $exclude
836                     . $orderby;
837             }
838             else {
839                 $sql = "SELECT "
840                     . $this->page_tbl_fields
841                     . " FROM $nonempty_tbl, $page_tbl, $recent_tbl, $version_tbl"
842                     . " WHERE $nonempty_tbl.id=$page_tbl.id"
843                     . " AND $page_tbl.id=$recent_tbl.id"
844                     . " AND $page_tbl.id=$version_tbl.id AND latestversion=version"
845                     . $exclude
846                     . $orderby;
847             }
848         } else {
849             if ($include_empty) {
850                 $sql = "SELECT "
851                     . $this->page_tbl_fields
852                     . " FROM $page_tbl"
853                     . ($exclude ? " WHERE $exclude" : '')
854                     . $orderby;
855             } else {
856                 $sql = "SELECT "
857                     . $this->page_tbl_fields
858                     . " FROM $nonempty_tbl, $page_tbl"
859                     . " WHERE $nonempty_tbl.id=$page_tbl.id"
860                     . $exclude
861                     . $orderby;
862             }
863         }
864         if ($limit) {
865             // extract from,count from limit
866             list($offset,$count) = $this->limit($limit);
867             $result = $dbh->SelectLimit($sql, $count, $offset);
868         } else {
869             $result = $dbh->Execute($sql);
870         }
871         //$dbh->SetFetchMode(ADODB_FETCH_NUM);
872         return new WikiDB_backend_ADODB_iter($this, $result, $this->page_tbl_field_list);
873     }
874         
875     /**
876      * Title and fulltext search.
877      */
878     function text_search($search, $fullsearch=false, 
879                          $sortby=false, $limit=false, $exclude=false) 
880     {
881         $dbh = &$this->_dbh;
882         extract($this->_table_names);
883         $orderby = $this->sortby($sortby, 'db');
884         if ($orderby) $orderby = ' ORDER BY ' . $orderby;
885         
886         $table = "$nonempty_tbl, $page_tbl";
887         $join_clause = "$nonempty_tbl.id=$page_tbl.id";
888         $fields = $this->page_tbl_fields;
889         $field_list = $this->page_tbl_field_list;
890         $searchobj = new WikiDB_backend_ADODB_search($search, $dbh);
891         
892         if ($fullsearch) {
893             $table .= ", $recent_tbl";
894             $join_clause .= " AND $page_tbl.id=$recent_tbl.id";
895
896             $table .= ", $version_tbl";
897             $join_clause .= " AND $page_tbl.id=$version_tbl.id AND latestversion=version";
898
899             $fields .= ",$page_tbl.pagedata as pagedata," . $this->version_tbl_fields;
900             $field_list = array_merge($field_list, array('pagedata'), 
901                                       $this->version_tbl_field_list);
902             $callback = new WikiMethodCb($searchobj, "_fulltext_match_clause");
903         } else {
904             $callback = new WikiMethodCb($searchobj, "_pagename_match_clause");
905         }
906         
907         $search_clause = $search->makeSqlClauseObj($callback);
908         $sql = "SELECT $fields FROM $table"
909             . " WHERE $join_clause"
910             . " AND ($search_clause)"
911             . $orderby;
912         if ($limit) {
913             // extract from,count from limit
914             list($offset,$count) = $this->limit($limit);
915             $result = $dbh->SelectLimit($sql, $count, $offset);
916         } else {
917             $result = $dbh->Execute($sql);
918         }
919         $iter = new WikiDB_backend_ADODB_iter($this, $result, $field_list);
920         if ($fullsearch)
921             $iter->stoplisted = $searchobj->stoplisted;
922         return $iter;
923     }
924
925     /*
926      * TODO: efficiently handle wildcards exclusion: exclude=Php* => 'Php%', 
927      *       not sets. See above, but the above methods find too much. 
928      * This is only for already resolved wildcards:
929      * " WHERE $page_tbl.pagename NOT IN ".$this->_sql_set(array('page1','page2'));
930      */
931     function _sql_set(&$pagenames) {
932         $s = '(';
933         foreach ($pagenames as $p) {
934             $s .= ($this->_dbh->qstr($p).",");
935         }
936         return substr($s,0,-1).")";
937     }
938
939     /**
940      * Find highest or lowest hit counts.
941      */
942     function most_popular($limit=20, $sortby='-hits') {
943         $dbh = &$this->_dbh;
944         extract($this->_table_names);
945         $order = "DESC";
946         if ($limit < 0){ 
947             $order = "ASC"; 
948             $limit = -$limit;
949             $where = "";
950         } else {
951             $where = " AND hits > 0";
952         }
953         if ($sortby != '-hits') {
954             if ($order = $this->sortby($sortby, 'db'))  $orderby = " ORDER BY " . $order;
955             else $orderby = "";
956         } else
957             $orderby = " ORDER BY hits $order";
958         $sql = "SELECT " 
959             . $this->page_tbl_fields
960             . " FROM $nonempty_tbl, $page_tbl"
961             . " WHERE $nonempty_tbl.id=$page_tbl.id"
962             . $where
963             . $orderby;
964         if ($limit) {
965             // extract from,count from limit
966             list($offset,$count) = $this->limit($limit);
967             $result = $dbh->SelectLimit($sql, $count, $offset);
968         } else {
969             $result = $dbh->Execute($sql);
970         }
971         return new WikiDB_backend_ADODB_iter($this, $result, $this->page_tbl_field_list);
972     }
973
974     /**
975      * Find recent changes.
976      */
977     function most_recent($params) {
978         $limit = 0;
979         $since = 0;
980         $include_minor_revisions = false;
981         $exclude_major_revisions = false;
982         $include_all_revisions = false;
983         extract($params);
984
985         $dbh = &$this->_dbh;
986         extract($this->_table_names);
987
988         $pick = array();
989         if ($since)
990             $pick[] = "mtime >= $since";
991         
992         if ($include_all_revisions) {
993             // Include all revisions of each page.
994             $table = "$page_tbl, $version_tbl";
995             $join_clause = "$page_tbl.id=$version_tbl.id";
996
997             if ($exclude_major_revisions) {
998                 // Include only minor revisions
999                 $pick[] = "minor_edit <> 0";
1000             }
1001             elseif (!$include_minor_revisions) {
1002                 // Include only major revisions
1003                 $pick[] = "minor_edit = 0";
1004             }
1005         }
1006         else {
1007             $table = "$page_tbl, $recent_tbl";
1008             $join_clause = "$page_tbl.id=$recent_tbl.id";
1009             $table .= ", $version_tbl";
1010             $join_clause .= " AND $version_tbl.id=$page_tbl.id";
1011                 
1012             if ($exclude_major_revisions) {
1013                 // Include only most recent minor revision
1014                 $pick[] = 'version=latestminor';
1015             }
1016             elseif (!$include_minor_revisions) {
1017                 // Include only most recent major revision
1018                 $pick[] = 'version=latestmajor';
1019             }
1020             else {
1021                 // Include only the latest revision (whether major or minor).
1022                 $pick[] ='version=latestversion';
1023             }
1024         }
1025         $order = "DESC";
1026         if($limit < 0){
1027             $order = "ASC";
1028             $limit = -$limit;
1029         }
1030         $where_clause = $join_clause;
1031         if ($pick)
1032             $where_clause .= " AND " . join(" AND ", $pick);
1033         $sql = "SELECT "
1034             . $this->page_tbl_fields . ", " . $this->version_tbl_fields
1035             . " FROM $table"
1036             . " WHERE $where_clause"
1037             . " ORDER BY mtime $order";
1038         // FIXME: use SQL_BUFFER_RESULT for mysql?
1039         if ($limit) {
1040             // extract from,count from limit
1041             list($offset,$count) = $this->limit($limit);
1042             $result = $dbh->SelectLimit($sql, $count, $offset);
1043         } else {
1044             $result = $dbh->Execute($sql);
1045         }
1046         //$result->fields['version'] = $result->fields[6];
1047         return new WikiDB_backend_ADODB_iter($this, $result, 
1048             array_merge($this->page_tbl_field_list, $this->version_tbl_field_list));
1049     }
1050
1051     /**
1052      * Find referenced empty pages.
1053      */
1054     function wanted_pages($exclude_from='', $exclude='', $sortby=false, $limit=false) {
1055         $dbh = &$this->_dbh;
1056         extract($this->_table_names);
1057         if ($orderby = $this->sortby($sortby, 'db', array('pagename','wantedfrom')))
1058             $orderby = 'ORDER BY ' . $orderby;
1059             
1060         if ($exclude_from) // array of pagenames
1061             $exclude_from = " AND pp.pagename NOT IN ".$this->_sql_set($exclude_from);
1062         if ($exclude) // array of pagenames
1063             $exclude = " AND p.pagename NOT IN ".$this->_sql_set($exclude);
1064
1065         /* 
1066          all empty pages, independent of linkstatus:
1067            select pagename as empty from page left join nonempty using(id) where is null(nonempty.id);
1068          only all empty pages, which have a linkto:
1069             select page.pagename, linked.pagename as wantedfrom from link, page linked 
1070               left join page on link.linkto=page.id left join nonempty on link.linkto=nonempty.id
1071               where nonempty.id is null and linked.id=link.linkfrom;  
1072         */
1073         $sql = "SELECT p.pagename, pp.pagename as wantedfrom"
1074             . " FROM $page_tbl p, $link_tbl linked"
1075             .   " LEFT JOIN $page_tbl pp ON (linked.linkto = pp.id)"
1076             .   " LEFT JOIN $nonempty_tbl ne ON (linked.linkto = ne.id)" 
1077             . " WHERE ne.id is NULL"
1078             .       " AND (p.id = linked.linkfrom)"
1079             . $exclude_from
1080             . $exclude
1081             . $orderby;
1082         if ($limit) {
1083             // extract from,count from limit
1084             list($offset,$count) = $this->limit($limit);
1085             $result = $dbh->SelectLimit($sql, $count, $offset);
1086         } else {
1087             $result = $dbh->Execute($sql);
1088         }
1089         return new WikiDB_backend_ADODB_iter($this, $result, array('pagename','wantedfrom'));
1090     }
1091
1092     /**
1093      * Rename page in the database.
1094      */
1095     function rename_page($pagename, $to) {
1096         $dbh = &$this->_dbh;
1097         extract($this->_table_names);
1098         
1099         $this->lock(array('page','version','recent','nonempty','link'));
1100         if ( ($id = $this->_get_pageid($pagename, false)) ) {
1101             if ($new = $this->_get_pageid($to, false)) {
1102                 // Cludge Alert!
1103                 // This page does not exist (already verified before), but exists in the page table.
1104                 // So we delete this page.
1105                 $dbh->query("DELETE FROM $page_tbl WHERE id=$new");
1106                 $dbh->query("DELETE FROM $version_tbl WHERE id=$new");
1107                 $dbh->query("DELETE FROM $recent_tbl WHERE id=$new");
1108                 $dbh->query("DELETE FROM $nonempty_tbl WHERE id=$new");
1109                 // We have to fix all referring tables to the old id
1110                 $dbh->query("UPDATE $link_tbl SET linkfrom=$id WHERE linkfrom=$new");
1111                 $dbh->query("UPDATE $link_tbl SET linkto=$id WHERE linkto=$new");
1112             }
1113             $dbh->query(sprintf("UPDATE $page_tbl SET pagename=%s WHERE id=$id",
1114                                 $dbh->qstr($to)));
1115         }
1116         $this->unlock(array('page'));
1117         return $id;
1118     }
1119
1120     function _update_recent_table($pageid = false) {
1121         $dbh = &$this->_dbh;
1122         extract($this->_table_names);
1123         extract($this->_expressions);
1124
1125         $pageid = (int)$pageid;
1126
1127         // optimize: mysql can do this with one REPLACE INTO.
1128         $backend_type = $this->backendType();
1129         if (substr($backend_type,0,5) == 'mysql') {
1130             $dbh->Execute("REPLACE INTO $recent_tbl"
1131                           . " (id, latestversion, latestmajor, latestminor)"
1132                           . " SELECT id, $maxversion, $maxmajor, $maxminor"
1133                           . " FROM $version_tbl"
1134                           . ( $pageid ? " WHERE id=$pageid" : "")
1135                           . " GROUP BY id" );
1136         } else {
1137             $this->lock(array('recent'));
1138             $dbh->Execute("DELETE FROM $recent_tbl"
1139                       . ( $pageid ? " WHERE id=$pageid" : ""));
1140             $dbh->Execute( "INSERT INTO $recent_tbl"
1141                            . " (id, latestversion, latestmajor, latestminor)"
1142                            . " SELECT id, $maxversion, $maxmajor, $maxminor"
1143                            . " FROM $version_tbl"
1144                            . ( $pageid ? " WHERE id=$pageid" : "")
1145                            . " GROUP BY id" );
1146             $this->unlock(array('recent'));
1147         }
1148     }
1149
1150     function _update_nonempty_table($pageid = false) {
1151         $dbh = &$this->_dbh;
1152         extract($this->_table_names);
1153         extract($this->_expressions);
1154
1155         $pageid = (int)$pageid;
1156
1157         extract($this->_expressions);
1158         $this->lock(array('nonempty'));
1159         $dbh->Execute("DELETE FROM $nonempty_tbl"
1160                       . ( $pageid ? " WHERE id=$pageid" : ""));
1161         $dbh->Execute("INSERT INTO $nonempty_tbl (id)"
1162                       . " SELECT $recent_tbl.id"
1163                       . " FROM $recent_tbl, $version_tbl"
1164                       . " WHERE $recent_tbl.id=$version_tbl.id"
1165                       .       " AND version=latestversion"
1166                       // We have some specifics here (Oracle)
1167                       //. "  AND content<>''"
1168                       . "  AND content $notempty" // On Oracle not just "<>''"
1169                       . ( $pageid ? " AND $recent_tbl.id=$pageid" : ""));
1170         $this->unlock(array('nonempty'));
1171     }
1172
1173     /**
1174      * Grab a write lock on the tables in the SQL database.
1175      *
1176      * Calls can be nested.  The tables won't be unlocked until
1177      * _unlock_database() is called as many times as _lock_database().
1178      *
1179      * @access protected
1180      */
1181     function lock($tables, $write_lock = true) {
1182         $this->_dbh->StartTrans();
1183         if ($this->_lock_count++ == 0) {
1184             $this->_current_lock = $tables;
1185             $this->_lock_tables($tables, $write_lock);
1186         }
1187     }
1188
1189     /**
1190      * Overridden by non-transaction safe backends.
1191      */
1192     function _lock_tables($tables, $write_lock) {
1193         return $this->_current_lock;
1194     }
1195     
1196     /**
1197      * Release a write lock on the tables in the SQL database.
1198      *
1199      * @access protected
1200      *
1201      * @param $force boolean Unlock even if not every call to lock() has been matched
1202      * by a call to unlock().
1203      *
1204      * @see _lock_database
1205      */
1206     function unlock($tables = false, $force = false) {
1207         if ($this->_lock_count == 0) {
1208             $this->_current_lock = false;
1209             return;
1210         }
1211         if (--$this->_lock_count <= 0 || $force) {
1212             $this->_unlock_tables($tables, $force);
1213             $this->_current_lock = false;
1214             $this->_lock_count = 0;
1215         }
1216             $this->_dbh->CompleteTrans(! $force);
1217     }
1218
1219     /**
1220      * overridden by non-transaction safe backends
1221      */
1222     function _unlock_tables($tables, $write_lock=false) {
1223         return;
1224     }
1225
1226     /**
1227      * Serialize data
1228      */
1229     function _serialize($data) {
1230         if (empty($data))
1231             return '';
1232         assert(is_array($data));
1233         return serialize($data);
1234     }
1235
1236     /**
1237      * Unserialize data
1238      */
1239     function _unserialize($data) {
1240         return empty($data) ? array() : unserialize($data);
1241     }
1242
1243     /* some variables and functions for DB backend abstraction (action=upgrade) */
1244     function database () {
1245         return $this->_dbh->database;
1246     }
1247     function backendType() {
1248         return $this->_dbh->databaseType;
1249     }
1250     function connection() {
1251         return $this->_dbh->_connectionID;
1252     }
1253     function getRow($query) {
1254         return $this->_dbh->getRow($query);
1255     }
1256
1257     function listOfTables() {
1258         return $this->_dbh->MetaTables();
1259     }
1260     
1261     // other database needs another connection and other privileges.
1262     function listOfFields($database, $table) {
1263         $field_list = array();
1264         $old_db = $this->database();
1265         if ($database != $old_db) {
1266             $conn = $this->_dbh->Connect($this->_parsedDSN['hostspec'], 
1267                                          DBADMIN_USER ? DBADMIN_USER : $this->_parsedDSN['username'], 
1268                                          DBADMIN_PASSWD ? DBADMIN_PASSWD : $this->_parsedDSN['password'], 
1269                                          $database);
1270         }
1271         foreach ($this->_dbh->MetaColumns($table, false) as $field) {
1272             $field_list[] = $field->name;
1273         }
1274         if ($database != $old_db) {
1275             $this->_dbh->close();
1276             $conn = $this->_dbh->Connect($this->_parsedDSN['hostspec'], 
1277                                          $this->_parsedDSN['username'], 
1278                                          $this->_parsedDSN['password'], 
1279                                          $old_db);
1280         }
1281         return $field_list;
1282     }
1283
1284 };
1285
1286 class WikiDB_backend_ADODB_generic_iter
1287 extends WikiDB_backend_iterator
1288 {
1289     function WikiDB_backend_ADODB_generic_iter($backend, $query_result, $field_list = NULL) {
1290         $this->_backend = &$backend;
1291         $this->_result = $query_result;
1292
1293         if (is_null($field_list)) {
1294             // No field list passed, retrieve from DB
1295             // WikiLens is using the iterator behind the scene
1296             $field_list = array();
1297             $fields = $query_result->FieldCount();
1298             for ($i = 0; $i < $fields ; $i++) {
1299                 $field_info = $query_result->FetchField($i);
1300                 array_push($field_list, $field_info->name);
1301             }
1302         }
1303
1304         $this->_fields = $field_list;
1305     }
1306     
1307     function count() {
1308         if (!$this->_result) {
1309             return false;
1310         }
1311         $count = $this->_result->numRows();
1312         //$this->_result->Close();
1313         return $count;
1314     }
1315
1316     function next() {
1317         $result = &$this->_result;
1318         $backend = &$this->_backend;
1319         if (!$result || $result->EOF) {
1320             $this->free();
1321             return false;
1322         }
1323
1324         // Convert array to hash
1325         $i = 0;
1326         $rec_num = $result->fields;
1327         foreach ($this->_fields as $field) {
1328             $rec_assoc[$field] = $rec_num[$i++];
1329         }
1330         // check if the cache can be populated here?
1331
1332         $result->MoveNext();
1333         return $rec_assoc;
1334     }
1335
1336     function free () {
1337         if ($this->_result) {
1338             /* call mysql_free_result($this->_queryID) */
1339             $this->_result->Close();
1340             $this->_result = false;
1341         }
1342     }
1343 }
1344
1345 class WikiDB_backend_ADODB_iter
1346 extends WikiDB_backend_ADODB_generic_iter
1347 {
1348     function next() {
1349         $result = &$this->_result;
1350         $backend = &$this->_backend;
1351         if (!$result || $result->EOF) {
1352             $this->free();
1353             return false;
1354         }
1355
1356         // Convert array to hash
1357         $i = 0;
1358         $rec_num = $result->fields;
1359         foreach ($this->_fields as $field) {
1360             $rec_assoc[$field] = $rec_num[$i++];
1361         }
1362
1363         $result->MoveNext();
1364         if (isset($rec_assoc['pagedata']))
1365             $rec_assoc['pagedata'] = $backend->_extract_page_data($rec_assoc['pagedata'], $rec_assoc['hits']);
1366         if (!empty($rec_assoc['version'])) {
1367             $rec_assoc['versiondata'] = $backend->_extract_version_data_assoc($rec_assoc);
1368         }
1369         if (!empty($rec_assoc['linkrelation'])) {
1370             $rec_assoc['linkrelation'] = $rec_assoc['linkrelation']; // pagename enough?
1371         }
1372         return $rec_assoc;
1373     }
1374 }
1375
1376 class WikiDB_backend_ADODB_search extends WikiDB_backend_search_sql 
1377 {
1378     // no surrounding quotes because we know it's a string
1379     // function _quote($word) { return $this->_dbh->escapeSimple($word); }
1380 }
1381
1382 // Following function taken from Pear::DB (prev. from adodb-pear.inc.php).
1383 // Eventually, change index.php to provide the relevant information
1384 // directly?
1385     /**
1386      * Parse a data source name.
1387      *
1388      * Additional keys can be added by appending a URI query string to the
1389      * end of the DSN.
1390      *
1391      * The format of the supplied DSN is in its fullest form:
1392      * <code>
1393      *  phptype(dbsyntax)://username:password@protocol+hostspec/database?option=8&another=true
1394      * </code>
1395      *
1396      * Most variations are allowed:
1397      * <code>
1398      *  phptype://username:password@protocol+hostspec:110//usr/db_file.db?mode=0644
1399      *  phptype://username:password@hostspec/database_name
1400      *  phptype://username:password@hostspec
1401      *  phptype://username@hostspec
1402      *  phptype://hostspec/database
1403      *  phptype://hostspec
1404      *  phptype(dbsyntax)
1405      *  phptype
1406      * </code>
1407      *
1408      * @param string $dsn Data Source Name to be parsed
1409      *
1410      * @return array an associative array with the following keys:
1411      *  + phptype:  Database backend used in PHP (mysql, odbc etc.)
1412      *  + dbsyntax: Database used with regards to SQL syntax etc.
1413      *  + protocol: Communication protocol to use (tcp, unix etc.)
1414      *  + hostspec: Host specification (hostname[:port])
1415      *  + database: Database to use on the DBMS server
1416      *  + username: User name for login
1417      *  + password: Password for login
1418      *
1419      * @author Tomas V.V.Cox <cox@idecnet.com>
1420      */
1421     function parseDSN($dsn)
1422     {
1423         $parsed = array(
1424             'phptype'  => false,
1425             'dbsyntax' => false,
1426             'username' => false,
1427             'password' => false,
1428             'protocol' => false,
1429             'hostspec' => false,
1430             'port'     => false,
1431             'socket'   => false,
1432             'database' => false,
1433         );
1434
1435         if (is_array($dsn)) {
1436             $dsn = array_merge($parsed, $dsn);
1437             if (!$dsn['dbsyntax']) {
1438                 $dsn['dbsyntax'] = $dsn['phptype'];
1439             }
1440             return $dsn;
1441         }
1442
1443         // Find phptype and dbsyntax
1444         if (($pos = strpos($dsn, '://')) !== false) {
1445             $str = substr($dsn, 0, $pos);
1446             $dsn = substr($dsn, $pos + 3);
1447         } else {
1448             $str = $dsn;
1449             $dsn = null;
1450         }
1451
1452         // Get phptype and dbsyntax
1453         // $str => phptype(dbsyntax)
1454         if (preg_match('|^(.+?)\((.*?)\)$|', $str, $arr)) {
1455             $parsed['phptype']  = $arr[1];
1456             $parsed['dbsyntax'] = !$arr[2] ? $arr[1] : $arr[2];
1457         } else {
1458             $parsed['phptype']  = $str;
1459             $parsed['dbsyntax'] = $str;
1460         }
1461
1462         if (!count($dsn)) {
1463             return $parsed;
1464         }
1465
1466         // Get (if found): username and password
1467         // $dsn => username:password@protocol+hostspec/database
1468         if (($at = strrpos($dsn,'@')) !== false) {
1469             $str = substr($dsn, 0, $at);
1470             $dsn = substr($dsn, $at + 1);
1471             if (($pos = strpos($str, ':')) !== false) {
1472                 $parsed['username'] = rawurldecode(substr($str, 0, $pos));
1473                 $parsed['password'] = rawurldecode(substr($str, $pos + 1));
1474             } else {
1475                 $parsed['username'] = rawurldecode($str);
1476             }
1477         }
1478
1479         // Find protocol and hostspec
1480
1481         // $dsn => proto(proto_opts)/database
1482         if (preg_match('|^([^(]+)\((.*?)\)/?(.*?)$|', $dsn, $match)) {
1483             $proto       = $match[1];
1484             $proto_opts  = $match[2] ? $match[2] : false;
1485             $dsn         = $match[3];
1486
1487         // $dsn => protocol+hostspec/database (old format)
1488         } else {
1489             if (strpos($dsn, '+') !== false) {
1490                 list($proto, $dsn) = explode('+', $dsn, 2);
1491             }
1492             if (strpos($dsn, '/') !== false) {
1493                 list($proto_opts, $dsn) = explode('/', $dsn, 2);
1494             } else {
1495                 $proto_opts = $dsn;
1496                 $dsn = null;
1497             }
1498         }
1499
1500         // process the different protocol options
1501         $parsed['protocol'] = (!empty($proto)) ? $proto : 'tcp';
1502         $proto_opts = rawurldecode($proto_opts);
1503         if ($parsed['protocol'] == 'tcp') {
1504             if (strpos($proto_opts, ':') !== false) {
1505                 list($parsed['hostspec'], $parsed['port']) = explode(':', $proto_opts);
1506             } else {
1507                 $parsed['hostspec'] = $proto_opts;
1508             }
1509         } elseif ($parsed['protocol'] == 'unix') {
1510             $parsed['socket'] = $proto_opts;
1511         }
1512
1513         // Get dabase if any
1514         // $dsn => database
1515         if ($dsn) {
1516             // /database
1517             if (($pos = strpos($dsn, '?')) === false) {
1518                 $parsed['database'] = $dsn;
1519             // /database?param1=value1&param2=value2
1520             } else {
1521                 $parsed['database'] = substr($dsn, 0, $pos);
1522                 $dsn = substr($dsn, $pos + 1);
1523                 if (strpos($dsn, '&') !== false) {
1524                     $opts = explode('&', $dsn);
1525                 } else { // database?param1=value1
1526                     $opts = array($dsn);
1527                 }
1528                 foreach ($opts as $opt) {
1529                     list($key, $value) = explode('=', $opt);
1530                     if (!isset($parsed[$key])) {
1531                         // don't allow params overwrite
1532                         $parsed[$key] = rawurldecode($value);
1533                     }
1534                 }
1535             }
1536         }
1537
1538         return $parsed;
1539     }
1540
1541 // $Log: not supported by cvs2svn $
1542 // Revision 1.93  2006/12/03 16:25:20  rurban
1543 // remove closing Smart ROLLBACK, cannot be forced if never started.
1544 // remove postgresql user VACUUM, autovacumm must do that. (can be easily
1545 // enabled)
1546 //
1547 // Revision 1.92  2006/12/02 21:57:27  rurban
1548 // fix WantedPages SQL: no JOIN
1549 // clarify first condition in CASE WHEN
1550 //
1551 // Revision 1.91  2006/11/19 14:03:32  rurban
1552 // Replace IF by CASE in exists_link()
1553 //
1554 // Revision 1.90  2006/09/06 05:50:19  rurban
1555 // please XEmacs font-lock
1556 //
1557 // Revision 1.89  2006/06/10 11:59:46  rurban
1558 // purge empty, non-references pages when link is deleted
1559 //
1560 // Revision 1.88  2006/05/14 12:28:03  rurban
1561 // mysql 5.x fix for wantedpages join
1562 //
1563 // Revision 1.87  2006/04/17 17:28:21  rurban
1564 // honor getWikiPageLinks change linkto=>relation
1565 //
1566 // Revision 1.86  2006/04/17 10:02:44  rurban
1567 // fix syntax error missing }
1568 //
1569 // Revision 1.85  2006/04/15 12:48:04  rurban
1570 // use genID, dont lock here
1571 //
1572 // Revision 1.84  2006/02/22 21:49:50  rurban
1573 // Remove hits from links query
1574 // force old set_links method. need to test IS NULL
1575 //
1576 // Revision 1.83  2005/11/14 22:24:33  rurban
1577 // fix fulltext search,
1578 // Eliminate stoplist words,
1579 // don't extract %pagedate twice in ADODB,
1580 // add SemanticWeb support: link(relation),
1581 // major postgresql update: stored procedures, tsearch2 for fulltext
1582 //
1583 // Revision 1.82  2005/10/31 16:48:22  rurban
1584 // move mysql-specifics into its special class
1585 //
1586 // Revision 1.81  2005/10/10 19:42:14  rurban
1587 // fix wanted_pages SQL syntax
1588 //
1589 // Revision 1.80  2005/09/28 19:26:05  rurban
1590 // working on improved postgresql support: better quoting, bytea support
1591 //
1592 // Revision 1.79  2005/09/28 19:08:41  rurban
1593 // dont use LIMIT on modifying queries
1594 //
1595 // Revision 1.78  2005/09/14 06:04:43  rurban
1596 // optimize searching for ALL (ie %), use the stoplist on PDO
1597 //
1598 // Revision 1.77  2005/09/11 14:55:05  rurban
1599 // implement fulltext stoplist
1600 //
1601 // Revision 1.76  2005/09/11 13:25:12  rurban
1602 // enhance LIMIT support
1603 //
1604 // Revision 1.75  2005/09/10 21:30:16  rurban
1605 // enhance titleSearch
1606 //
1607 // Revision 1.74  2005/02/10 19:04:22  rurban
1608 // move getRow up one level to our backend class
1609 //
1610 // Revision 1.73  2005/02/04 13:43:30  rurban
1611 // fix purge cache error
1612 //
1613 // Revision 1.72  2005/01/29 19:51:03  rurban
1614 // Bugs item #1077769 fixed by frugal.
1615 // Deleted the wrong page. Fix all other tables also.
1616 //
1617 // Revision 1.71  2005/01/25 08:01:00  rurban
1618 // fix listOfFields with different database
1619 //
1620 // Revision 1.70  2005/01/18 20:55:43  rurban
1621 // reformatting and two bug fixes: adding missing parens
1622 //
1623 // Revision 1.69  2004/12/26 17:14:03  rurban
1624 // fix ADODB MostPopular, avoid limit -1, pass hits on empty data
1625 //
1626 // Revision 1.68  2004/12/22 18:33:25  rurban
1627 // fix page _id_cache logic for _get_pageid create_if_missing
1628 //
1629 // Revision 1.67  2004/12/22 15:47:41  rurban
1630 // fix wrong _update_nonempty_table on empty content (i.e. the new deletePage)
1631 //
1632 // Revision 1.66  2004/12/13 14:39:16  rurban
1633 // avoid warning
1634 //
1635 // Revision 1.65  2004/12/10 22:15:00  rurban
1636 // fix $page->get('_cached_html)
1637 // refactor upgrade db helper _convert_cached_html() to be able to call them from WikiAdminUtils also.
1638 // support 2nd genericSqlQuery param (bind huge arg)
1639 //
1640 // Revision 1.64  2004/12/10 02:45:27  rurban
1641 // SQL optimization:
1642 //   put _cached_html from pagedata into a new seperate blob, not huge serialized string.
1643 //   it is only rarelely needed: for current page only, if-not-modified
1644 //   but was extracted for every simple page iteration.
1645 //
1646 // Revision 1.63  2004/12/08 12:55:51  rurban
1647 // support new non-destructive delete_page via generic backend method
1648 //
1649 // Revision 1.62  2004/12/06 19:50:04  rurban
1650 // enable action=remove which is undoable and seeable in RecentChanges: ADODB ony for now.
1651 // renamed delete_page to purge_page.
1652 // enable action=edit&version=-1 to force creation of a new version.
1653 // added BABYCART_PATH config
1654 // fixed magiqc in adodb.inc.php
1655 // and some more docs
1656 //
1657 // Revision 1.61  2004/11/30 17:45:53  rurban
1658 // exists_links backend implementation
1659 //
1660 // Revision 1.60  2004/11/28 20:42:18  rurban
1661 // Optimize PearDB _extract_version_data and _extract_page_data.
1662 //
1663 // Revision 1.59  2004/11/27 14:39:05  rurban
1664 // simpified regex search architecture:
1665 //   no db specific node methods anymore,
1666 //   new sql() method for each node
1667 //   parallel to regexp() (which returns pcre)
1668 //   regex types bitmasked (op's not yet)
1669 // new regex=sql
1670 // clarified WikiDB::quote() backend methods:
1671 //   ->quote() adds surrounsing quotes
1672 //   ->qstr() (new method) assumes strings and adds no quotes! (in contrast to ADODB)
1673 //   pear and adodb have now unified quote methods for all generic queries.
1674 //
1675 // Revision 1.58  2004/11/26 18:39:02  rurban
1676 // new regex search parser and SQL backends (90% complete, glob and pcre backends missing)
1677 //
1678 // Revision 1.57  2004/11/25 17:20:51  rurban
1679 // and again a couple of more native db args: backlinks
1680 //
1681 // Revision 1.56  2004/11/23 13:35:48  rurban
1682 // add case_exact search
1683 //
1684 // Revision 1.55  2004/11/21 11:59:26  rurban
1685 // remove final \n to be ob_cache independent
1686 //
1687 // Revision 1.54  2004/11/20 17:49:39  rurban
1688 // add fast exclude support to SQL get_all_pages
1689 //
1690 // Revision 1.53  2004/11/20 17:35:58  rurban
1691 // improved WantedPages SQL backends
1692 // PageList::sortby new 3rd arg valid_fields (override db fields)
1693 // WantedPages sql pager inexact for performance reasons:
1694 //   assume 3 wantedfrom per page, to be correct, no getTotal()
1695 // support exclude argument for get_all_pages, new _sql_set()
1696 //
1697 // Revision 1.52  2004/11/17 20:07:17  rurban
1698 // just whitespace
1699 //
1700 // Revision 1.51  2004/11/15 15:57:37  rurban
1701 // silent cache warning
1702 //
1703 // Revision 1.50  2004/11/10 19:32:23  rurban
1704 // * optimize increaseHitCount, esp. for mysql.
1705 // * prepend dirs to the include_path (phpwiki_dir for faster searches)
1706 // * Pear_DB version logic (awful but needed)
1707 // * fix broken ADODB quote
1708 // * _extract_page_data simplification
1709 //
1710 // Revision 1.49  2004/11/10 15:29:21  rurban
1711 // * requires newer Pear_DB (as the internal one): quote() uses now escapeSimple for strings
1712 // * ACCESS_LOG_SQL: fix cause request not yet initialized
1713 // * WikiDB: moved SQL specific methods upwards
1714 // * new Pear_DB quoting: same as ADODB and as newer Pear_DB.
1715 //   fixes all around: WikiGroup, WikiUserNew SQL methods, SQL logging
1716 //
1717 // Revision 1.48  2004/11/09 17:11:16  rurban
1718 // * revert to the wikidb ref passing. there's no memory abuse there.
1719 // * use new wikidb->_cache->_id_cache[] instead of wikidb->_iwpcache, to effectively
1720 //   store page ids with getPageLinks (GleanDescription) of all existing pages, which
1721 //   are also needed at the rendering for linkExistingWikiWord().
1722 //   pass options to pageiterator.
1723 //   use this cache also for _get_pageid()
1724 //   This saves about 8 SELECT count per page (num all pagelinks).
1725 // * fix passing of all page fields to the pageiterator.
1726 // * fix overlarge session data which got broken with the latest ACCESS_LOG_SQL changes
1727 //
1728 // Revision 1.47  2004/11/06 17:11:42  rurban
1729 // The optimized version doesn't query for pagedata anymore.
1730 //
1731 // Revision 1.46  2004/11/01 10:43:58  rurban
1732 // seperate PassUser methods into seperate dir (memory usage)
1733 // fix WikiUser (old) overlarge data session
1734 // remove wikidb arg from various page class methods, use global ->_dbi instead
1735 // ...
1736 //
1737 // Revision 1.45  2004/10/14 17:19:17  rurban
1738 // allow most_popular sortby arguments
1739 //
1740 // Revision 1.44  2004/09/06 08:33:09  rurban
1741 // force explicit mysql auto-incrementing, atomic version
1742 //
1743 // Revision 1.43  2004/07/10 08:50:24  rurban
1744 // applied patch by Philippe Vanhaesendonck:
1745 //   pass column list to iterators so we can FETCH_NUM in all cases.
1746 //   bind UPDATE pramas for huge pagedata.
1747 //   portable oracle backend
1748 //
1749 // Revision 1.42  2004/07/09 10:06:50  rurban
1750 // Use backend specific sortby and sortable_columns method, to be able to
1751 // select between native (Db backend) and custom (PageList) sorting.
1752 // Fixed PageList::AddPageList (missed the first)
1753 // Added the author/creator.. name to AllPagesBy...
1754 //   display no pages if none matched.
1755 // Improved dba and file sortby().
1756 // Use &$request reference
1757 //
1758 // Revision 1.41  2004/07/08 21:32:35  rurban
1759 // Prevent from more warnings, minor db and sort optimizations
1760 //
1761 // Revision 1.40  2004/07/08 16:56:16  rurban
1762 // use the backendType abstraction
1763 //
1764 // Revision 1.39  2004/07/05 13:56:22  rurban
1765 // sqlite autoincrement fix
1766 //
1767 // Revision 1.38  2004/07/05 12:57:54  rurban
1768 // add mysql timeout
1769 //
1770 // Revision 1.37  2004/07/04 10:24:43  rurban
1771 // forgot the expressions
1772 //
1773 // Revision 1.36  2004/07/03 16:51:06  rurban
1774 // optional DBADMIN_USER:DBADMIN_PASSWD for action=upgrade (if no ALTER permission)
1775 // added atomic mysql REPLACE for PearDB as in ADODB
1776 // fixed _lock_tables typo links => link
1777 // fixes unserialize ADODB bug in line 180
1778 //
1779 // Revision 1.35  2004/06/28 14:45:12  rurban
1780 // fix adodb_sqlite to have the same dsn syntax as pear, use pconnect if requested
1781 //
1782 // Revision 1.34  2004/06/28 14:17:38  rurban
1783 // updated DSN parser from Pear. esp. for sqlite
1784 //
1785 // Revision 1.33  2004/06/27 10:26:02  rurban
1786 // oci8 patch by Philippe Vanhaesendonck + some ADODB notes+fixes
1787 //
1788 // Revision 1.32  2004/06/25 14:15:08  rurban
1789 // reduce memory footprint by caching only requested pagedate content (improving most page iterators)
1790 //
1791 // Revision 1.31  2004/06/16 10:38:59  rurban
1792 // Disallow refernces in calls if the declaration is a reference
1793 // ("allow_call_time_pass_reference clean").
1794 //   PhpWiki is now allow_call_time_pass_reference = Off clean,
1795 //   but several external libraries may not.
1796 //   In detail these libs look to be affected (not tested):
1797 //   * Pear_DB odbc
1798 //   * adodb oracle
1799 //
1800 // Revision 1.30  2004/06/07 19:31:31  rurban
1801 // fixed ADOOB upgrade: listOfFields()
1802 //
1803 // Revision 1.29  2004/05/12 10:49:55  rurban
1804 // require_once fix for those libs which are loaded before FileFinder and
1805 //   its automatic include_path fix, and where require_once doesn't grok
1806 //   dirname(__FILE__) != './lib'
1807 // upgrade fix with PearDB
1808 // navbar.tmpl: remove spaces for IE &nbsp; button alignment
1809 //
1810 // Revision 1.28  2004/05/06 19:26:16  rurban
1811 // improve stability, trying to find the InlineParser endless loop on sf.net
1812 //
1813 // remove end-of-zip comments to fix sf.net bug #777278 and probably #859628
1814 //
1815 // Revision 1.27  2004/05/06 17:30:38  rurban
1816 // CategoryGroup: oops, dos2unix eol
1817 // improved phpwiki_version:
1818 //   pre -= .0001 (1.3.10pre: 1030.099)
1819 //   -p1 += .001 (1.3.9-p1: 1030.091)
1820 // improved InstallTable for mysql and generic SQL versions and all newer tables so far.
1821 // abstracted more ADODB/PearDB methods for action=upgrade stuff:
1822 //   backend->backendType(), backend->database(),
1823 //   backend->listOfFields(),
1824 //   backend->listOfTables(),
1825 //
1826 // Revision 1.26  2004/04/26 20:44:35  rurban
1827 // locking table specific for better databases
1828 //
1829 // Revision 1.25  2004/04/20 00:06:04  rurban
1830 // themable paging support
1831 //
1832 // Revision 1.24  2004/04/18 01:34:20  rurban
1833 // protect most_popular from sortby=mtime
1834 //
1835 // Revision 1.23  2004/04/16 14:19:39  rurban
1836 // updated ADODB notes
1837 //
1838
1839 // (c-file-style: "gnu")
1840 // Local Variables:
1841 // mode: php
1842 // tab-width: 8
1843 // c-basic-offset: 4
1844 // c-hanging-comment-ender-p: nil
1845 // indent-tabs-mode: nil
1846 // End:   
1847 ?>