]> CyberLeo.Net >> Repos - SourceForge/phpwiki.git/blob - lib/WikiDB.php
rename fix
[SourceForge/phpwiki.git] / lib / WikiDB.php
1 <?php //-*-php-*-
2 rcs_id('$Id: WikiDB.php,v 1.37 2004-03-01 13:48:45 rurban Exp $');
3
4 require_once('lib/stdlib.php');
5 require_once('lib/PageType.php');
6
7 //FIXME: arg on get*Revision to hint that content is wanted.
8
9 /**
10  * The classes in the file define the interface to the
11  * page database.
12  *
13  * @package WikiDB
14  * @author Geoffrey T. Dairiki <dairiki@dairiki.org>
15  */
16
17 /**
18  * Force the creation of a new revision.
19  * @see WikiDB_Page::createRevision()
20  */
21 define('WIKIDB_FORCE_CREATE', -1);
22
23 // FIXME:  used for debugging only.  Comment out if cache does not work
24 define('USECACHE', 1);
25
26 /** 
27  * Abstract base class for the database used by PhpWiki.
28  *
29  * A <tt>WikiDB</tt> is a container for <tt>WikiDB_Page</tt>s which in
30  * turn contain <tt>WikiDB_PageRevision</tt>s.
31  *
32  * Conceptually a <tt>WikiDB</tt> contains all possible
33  * <tt>WikiDB_Page</tt>s, whether they have been initialized or not.
34  * Since all possible pages are already contained in a WikiDB, a call
35  * to WikiDB::getPage() will never fail (barring bugs and
36  * e.g. filesystem or SQL database problems.)
37  *
38  * Also each <tt>WikiDB_Page</tt> always contains at least one
39  * <tt>WikiDB_PageRevision</tt>: the default content (e.g. "Describe
40  * [PageName] here.").  This default content has a version number of
41  * zero.
42  *
43  * <tt>WikiDB_PageRevision</tt>s have read-only semantics. One can
44  * only create new revisions or delete old ones --- one can not modify
45  * an existing revision.
46  */
47 class WikiDB {
48     /**
49      * Open a WikiDB database.
50      *
51      * This is a static member function. This function inspects its
52      * arguments to determine the proper subclass of WikiDB to
53      * instantiate, and then it instantiates it.
54      *
55      * @access public
56      *
57      * @param hash $dbparams Database configuration parameters.
58      * Some pertinent paramters are:
59      * <dl>
60      * <dt> dbtype
61      * <dd> The back-end type.  Current supported types are:
62      *   <dl>
63      *   <dt> SQL
64      *   <dd> Generic SQL backend based on the PEAR/DB database abstraction
65      *       library.
66      *   <dt> dba
67      *   <dd> Dba based backend.
68      *   </dl>
69      *
70      * <dt> dsn
71      * <dd> (Used by the SQL backend.)
72      *      The DSN specifying which database to connect to.
73      *
74      * <dt> prefix
75      * <dd> Prefix to be prepended to database table (and file names).
76      *
77      * <dt> directory
78      * <dd> (Used by the dba backend.)
79      *      Which directory db files reside in.
80      *
81      * <dt> timeout
82      * <dd> (Used by the dba backend.)
83      *      Timeout in seconds for opening (and obtaining lock) on the
84      *      db files.
85      *
86      * <dt> dba_handler
87      * <dd> (Used by the dba backend.)
88      *
89      *      Which dba handler to use. Good choices are probably either
90      *      'gdbm' or 'db2'.
91      * </dl>
92      *
93      * @return WikiDB A WikiDB object.
94      **/
95     function open ($dbparams) {
96         $dbtype = $dbparams{'dbtype'};
97         include_once("lib/WikiDB/$dbtype.php");
98                                 
99         $class = 'WikiDB_' . $dbtype;
100         return new $class ($dbparams);
101     }
102
103
104     /**
105      * Constructor.
106      *
107      * @access private
108      * @see open()
109      */
110     function WikiDB (&$backend, $dbparams) {
111         $this->_backend = &$backend;
112         $this->_cache = new WikiDB_cache($backend);
113
114         // If the database doesn't yet have a timestamp, initialize it now.
115         if ($this->get('_timestamp') === false)
116             $this->touch();
117         
118         //FIXME: devel checking.
119         //$this->_backend->check();
120     }
121     
122     /**
123      * Get any user-level warnings about this WikiDB.
124      *
125      * Some back-ends, e.g. by default create there data files in the
126      * global /tmp directory. We would like to warn the user when this
127      * happens (since /tmp files tend to get wiped periodically.)
128      * Warnings such as these may be communicated from specific
129      * back-ends through this method.
130      *
131      * @access public
132      *
133      * @return string A warning message (or <tt>false</tt> if there is
134      * none.)
135      */
136     function genericWarnings() {
137         return false;
138     }
139      
140     /**
141      * Close database connection.
142      *
143      * The database may no longer be used after it is closed.
144      *
145      * Closing a WikiDB invalidates all <tt>WikiDB_Page</tt>s,
146      * <tt>WikiDB_PageRevision</tt>s and <tt>WikiDB_PageIterator</tt>s
147      * which have been obtained from it.
148      *
149      * @access public
150      */
151     function close () {
152         $this->_backend->close();
153         $this->_cache->close();
154     }
155     
156     /**
157      * Get a WikiDB_Page from a WikiDB.
158      *
159      * A {@link WikiDB} consists of the (infinite) set of all possible pages,
160      * therefore this method never fails.
161      *
162      * @access public
163      * @param string $pagename Which page to get.
164      * @return WikiDB_Page The requested WikiDB_Page.
165      */
166     function getPage($pagename) {
167         assert(is_string($pagename) && $pagename);
168         return new WikiDB_Page($this, $pagename);
169     }
170
171         
172     // Do we need this?
173     //function nPages() { 
174     //}
175
176
177     /**
178      * Determine whether page exists (in non-default form).
179      *
180      * <pre>
181      *   $is_page = $dbi->isWikiPage($pagename);
182      * </pre>
183      * is equivalent to
184      * <pre>
185      *   $page = $dbi->getPage($pagename);
186      *   $current = $page->getCurrentRevision();
187      *   $is_page = ! $current->hasDefaultContents();
188      * </pre>
189      * however isWikiPage may be implemented in a more efficient
190      * manner in certain back-ends.
191      *
192      * @access public
193      *
194      * @param string $pagename string Which page to check.
195      *
196      * @return boolean True if the page actually exists with
197      * non-default contents in the WikiDataBase.
198      */
199     function isWikiPage ($pagename) {
200         $page = $this->getPage($pagename);
201         $current = $page->getCurrentRevision();
202         return ! $current->hasDefaultContents();
203     }
204
205     /**
206      * Delete page from the WikiDB. 
207      *
208      * Deletes all revisions of the page from the WikiDB. Also resets
209      * all page meta-data to the default values.
210      *
211      * @access public
212      *
213      * @param string $pagename Name of page to delete.
214      */
215     function deletePage($pagename) {
216         $this->_cache->delete_page($pagename);
217
218         //How to create a RecentChanges entry with explaining summary?
219         /*
220         $page = $this->getPage($pagename);
221         $current = $page->getCurrentRevision();
222         $meta = $current->_data;
223         $version = $current->getVersion();
224         $meta['summary'] = sprintf(_("renamed from %s"),$from);
225         $page->save($current->getPackedContent(), $version + 1, $meta);
226         */
227     }
228
229     /**
230      * Retrieve all pages.
231      *
232      * Gets the set of all pages with non-default contents.
233      *
234      * FIXME: do we need this?  I think so.  The simple searches
235      *        need this stuff.
236      *
237      * @access public
238      *
239      * @param boolean $include_defaulted Normally pages whose most
240      * recent revision has empty content are considered to be
241      * non-existant. Unless $include_defaulted is set to true, those
242      * pages will not be returned.
243      *
244      * @return WikiDB_PageIterator A WikiDB_PageIterator which contains all pages
245      *     in the WikiDB which have non-default contents.
246      */
247     function getAllPages($include_defaulted=false, $sortby=false, $limit=false) {
248         $result = $this->_backend->get_all_pages($include_defaulted,$sortby,$limit);
249         return new WikiDB_PageIterator($this, $result);
250     }
251
252     /**
253      * Title search.
254      *
255      * Search for pages containing (or not containing) certain words
256      * in their names.
257      *
258      * Pages are returned in alphabetical order whenever it is
259      * practical to do so.
260      *
261      * FIXME: should titleSearch and fullSearch be combined?  I think so.
262      *
263      * @access public
264      * @param TextSearchQuery $search A TextSearchQuery object
265      * @return WikiDB_PageIterator A WikiDB_PageIterator containing the matching pages.
266      * @see TextSearchQuery
267      */
268     function titleSearch($search) {
269         $result = $this->_backend->text_search($search);
270         return new WikiDB_PageIterator($this, $result);
271     }
272
273     /**
274      * Full text search.
275      *
276      * Search for pages containing (or not containing) certain words
277      * in their entire text (this includes the page content and the
278      * page name).
279      *
280      * Pages are returned in alphabetical order whenever it is
281      * practical to do so.
282      *
283      * @access public
284      *
285      * @param TextSearchQuery $search A TextSearchQuery object.
286      * @return WikiDB_PageIterator A WikiDB_PageIterator containing the matching pages.
287      * @see TextSearchQuery
288      */
289     function fullSearch($search) {
290         $result = $this->_backend->text_search($search, 'full_text');
291         return new WikiDB_PageIterator($this, $result);
292     }
293
294     /**
295      * Find the pages with the greatest hit counts.
296      *
297      * Pages are returned in reverse order by hit count.
298      *
299      * @access public
300      *
301      * @param integer $limit The maximum number of pages to return.
302      * Set $limit to zero to return all pages.  If $limit < 0, pages will
303      * be sorted in decreasing order of popularity.
304      *
305      * @return WikiDB_PageIterator A WikiDB_PageIterator containing the matching
306      * pages.
307      */
308     function mostPopular($limit = 20, $sortby = '') {
309         $result = $this->_backend->most_popular($limit, $sortby);
310         return new WikiDB_PageIterator($this, $result);
311     }
312
313     /**
314      * Find recent page revisions.
315      *
316      * Revisions are returned in reverse order by creation time.
317      *
318      * @access public
319      *
320      * @param hash $params This hash is used to specify various optional
321      *   parameters:
322      * <dl>
323      * <dt> limit 
324      *    <dd> (integer) At most this many revisions will be returned.
325      * <dt> since
326      *    <dd> (integer) Only revisions since this time (unix-timestamp) will be returned. 
327      * <dt> include_minor_revisions
328      *    <dd> (boolean) Also include minor revisions.  (Default is not to.)
329      * <dt> exclude_major_revisions
330      *    <dd> (boolean) Don't include non-minor revisions.
331      *         (Exclude_major_revisions implies include_minor_revisions.)
332      * <dt> include_all_revisions
333      *    <dd> (boolean) Return all matching revisions for each page.
334      *         Normally only the most recent matching revision is returned
335      *         for each page.
336      * </dl>
337      *
338      * @return WikiDB_PageRevisionIterator A WikiDB_PageRevisionIterator containing the
339      * matching revisions.
340      */
341     function mostRecent($params = false) {
342         $result = $this->_backend->most_recent($params);
343         return new WikiDB_PageRevisionIterator($this, $result);
344     }
345
346    /**
347      * Blog search. (experimental)
348      *
349      * Search for blog entries related to a certain page.
350      *
351      * FIXME: with pagetype support and perhaps a RegexpSearchQuery
352      * we can make sure we are returning *ONLY* blog pages to the
353      * main routine.  Currently, we just use titleSearch which requires
354      * some further checking in lib/plugin/WikiBlog.php (BAD).
355      *
356      * @access public
357      *
358      * @param string $order  'normal' (chronological) or 'reverse'
359      * @param string $page   Find blog entries related to this page.
360      * @return WikiDB_PageIterator A WikiDB_PageIterator containing the relevant pages.
361      */
362     // Deleting until such time as this is properly implemented...
363     // (As long as it's just a title search, just use titleSearch.)
364     //function blogSearch($page, $order) {
365     //  //FIXME: implement ordering
366     //
367     //  require_once('lib/TextSearchQuery.php');
368     //  $query = new TextSearchQuery ($page . SUBPAGE_SEPARATOR);
369     //
370     //  return $this->titleSearch($query);
371     //}
372
373     /**
374      * Call the appropriate backend method.
375      *
376      * @access public
377      * @param string $from Page to rename
378      * @param string $to   New name
379      * @param boolean $updateWikiLinks If the text in all pages should be replaced.
380      * @return boolean     true or false
381      */
382     function renamePage($from, $to, $updateWikiLinks = false) {
383         assert(is_string($from) && $from);
384         assert(is_string($to) && $to);
385         $result = false;
386         if (method_exists($this->_backend,'rename_page')) {
387             $oldpage = $this->getPage($from);
388             $newpage = $this->getPage($to);
389             if ($oldpage->exists() and ! $newpage->exists()) {
390                 if ($result = $this->_backend->rename_page($from, $to)) {
391                     //update all WikiLinks in existing pages
392                     if ($updateWikiLinks) {
393                         //trigger_error(_("WikiDB::renamePage(..,..,updateWikiLinks) not yet implemented"),E_USER_WARNING);
394                         require_once('lib/plugin/WikiAdminSearchReplace.php');
395                         $links = $oldpage->getLinks();
396                         while ($linked_page = $links->next()) {
397                             WikiPlugin_WikiAdminSearchReplace::replaceHelper($this,$linked_page->getName(),$from,$to);
398                         }
399                     }
400                     //create a RecentChanges entry with explaining summary
401                     $page = $this->getPage($to);
402                     $current = $page->getCurrentRevision();
403                     $meta = $current->_data;
404                     $version = $current->getVersion();
405                     $meta['summary'] = sprintf(_("renamed from %s"),$from);
406                     $page->save($current->getPackedContent(), $version + 1, $meta);
407                 }
408             }
409         } else {
410             trigger_error(_("WikiDB::renamePage() not yet implemented for this backend"),E_USER_WARNING);
411         }
412         return $result;
413     }
414
415     /** Get timestamp when database was last modified.
416      *
417      * @return string A string consisting of two integers,
418      * separated by a space.  The first is the time in
419      * unix timestamp format, the second is a modification
420      * count for the database.
421      *
422      * The idea is that you can cast the return value to an
423      * int to get a timestamp, or you can use the string value
424      * as a good hash for the entire database.
425      */
426     function getTimestamp() {
427         $ts = $this->get('_timestamp');
428         return sprintf("%d %d", $ts[0], $ts[1]);
429     }
430     
431     /**
432      * Update the database timestamp.
433      *
434      */
435     function touch() {
436         $ts = $this->get('_timestamp');
437         $this->set('_timestamp', array(time(), $ts[1] + 1));
438     }
439
440         
441     /**
442      * Access WikiDB global meta-data.
443      *
444      * NOTE: this is currently implemented in a hackish and
445      * not very efficient manner.
446      *
447      * @access public
448      *
449      * @param string $key Which meta data to get.
450      * Some reserved meta-data keys are:
451      * <dl>
452      * <dt>'_timestamp' <dd> Data used by getTimestamp().
453      * </dl>
454      *
455      * @return scalar The requested value, or false if the requested data
456      * is not set.
457      */
458     function get($key) {
459         if (!$key || $key[0] == '%')
460             return false;
461         /*
462          * Hack Alert: We can use any page (existing or not) to store
463          * this data (as long as we always use the same one.)
464          */
465         $gd = $this->getPage('global_data');
466         $data = $gd->get('__global');
467
468         if ($data && isset($data[$key]))
469             return $data[$key];
470         else
471             return false;
472     }
473
474     /**
475      * Set global meta-data.
476      *
477      * NOTE: this is currently implemented in a hackish and
478      * not very efficient manner.
479      *
480      * @see get
481      * @access public
482      *
483      * @param string $key  Meta-data key to set.
484      * @param string $newval  New value.
485      */
486     function set($key, $newval) {
487         if (!$key || $key[0] == '%')
488             return;
489         
490         $gd = $this->getPage('global_data');
491         
492         $data = $gd->get('__global');
493         if ($data === false)
494             $data = array();
495
496         if (empty($newval))
497             unset($data[$key]);
498         else
499             $data[$key] = $newval;
500
501         $gd->set('__global', $data);
502     }
503 };
504
505
506 /**
507  * An abstract base class which representing a wiki-page within a
508  * WikiDB.
509  *
510  * A WikiDB_Page contains a number (at least one) of
511  * WikiDB_PageRevisions.
512  */
513 class WikiDB_Page 
514 {
515     function WikiDB_Page(&$wikidb, $pagename) {
516         $this->_wikidb = &$wikidb;
517         $this->_pagename = $pagename;
518         assert(!empty($this->_pagename));
519     }
520
521     /**
522      * Get the name of the wiki page.
523      *
524      * @access public
525      *
526      * @return string The page name.
527      */
528     function getName() {
529         return $this->_pagename;
530     }
531
532     function exists() {
533         $current = $this->getCurrentRevision();
534         return ! $current->hasDefaultContents();
535     }
536
537     /**
538      * Delete an old revision of a WikiDB_Page.
539      *
540      * Deletes the specified revision of the page.
541      * It is a fatal error to attempt to delete the current revision.
542      *
543      * @access public
544      *
545      * @param integer $version Which revision to delete.  (You can also
546      *  use a WikiDB_PageRevision object here.)
547      */
548     function deleteRevision($version) {
549         $backend = &$this->_wikidb->_backend;
550         $cache = &$this->_wikidb->_cache;
551         $pagename = &$this->_pagename;
552
553         $version = $this->_coerce_to_version($version);
554         if ($version == 0)
555             return;
556
557         $backend->lock();
558         $latestversion = $cache->get_latest_version($pagename);
559         if ($latestversion && $version == $latestversion) {
560             $backend->unlock();
561             trigger_error(sprintf("Attempt to delete most recent revision of '%s'",
562                                   $pagename), E_USER_ERROR);
563             return;
564         }
565
566         $cache->delete_versiondata($pagename, $version);
567                 
568         $backend->unlock();
569     }
570
571     /*
572      * Delete a revision, or possibly merge it with a previous
573      * revision.
574      *
575      * The idea is this:
576      * Suppose an author make a (major) edit to a page.  Shortly
577      * after that the same author makes a minor edit (e.g. to fix
578      * spelling mistakes he just made.)
579      *
580      * Now some time later, where cleaning out old saved revisions,
581      * and would like to delete his minor revision (since there's
582      * really no point in keeping minor revisions around for a long
583      * time.)
584      *
585      * Note that the text after the minor revision probably represents
586      * what the author intended to write better than the text after
587      * the preceding major edit.
588      *
589      * So what we really want to do is merge the minor edit with the
590      * preceding edit.
591      *
592      * We will only do this when:
593      * <ul>
594      * <li>The revision being deleted is a minor one, and
595      * <li>It has the same author as the immediately preceding revision.
596      * </ul>
597      */
598     function mergeRevision($version) {
599         $backend = &$this->_wikidb->_backend;
600         $cache = &$this->_wikidb->_cache;
601         $pagename = &$this->_pagename;
602
603         $version = $this->_coerce_to_version($version);
604         if ($version == 0)
605             return;
606
607         $backend->lock();
608         $latestversion = $backend->get_latest_version($pagename);
609         if ($latestversion && $version == $latestversion) {
610             $backend->unlock();
611             trigger_error(sprintf("Attempt to merge most recent revision of '%s'",
612                                   $pagename), E_USER_ERROR);
613             return;
614         }
615
616         $versiondata = $cache->get_versiondata($pagename, $version, true);
617         if (!$versiondata) {
618             // Not there? ... we're done!
619             $backend->unlock();
620             return;
621         }
622
623         if ($versiondata['is_minor_edit']) {
624             $previous = $backend->get_previous_version($pagename, $version);
625             if ($previous) {
626                 $prevdata = $cache->get_versiondata($pagename, $previous);
627                 if ($prevdata['author_id'] == $versiondata['author_id']) {
628                     // This is a minor revision, previous version is
629                     // by the same author. We will merge the
630                     // revisions.
631                     $cache->update_versiondata($pagename, $previous,
632                                                array('%content' => $versiondata['%content'],
633                                                      '_supplanted' => $versiondata['_supplanted']));
634                 }
635             }
636         }
637
638         $cache->delete_versiondata($pagename, $version);
639         $backend->unlock();
640     }
641
642     
643     /**
644      * Create a new revision of a {@link WikiDB_Page}.
645      *
646      * @access public
647      *
648      * @param int $version Version number for new revision.  
649      * To ensure proper serialization of edits, $version must be
650      * exactly one higher than the current latest version.
651      * (You can defeat this check by setting $version to
652      * {@link WIKIDB_FORCE_CREATE} --- not usually recommended.)
653      *
654      * @param string $content Contents of new revision.
655      *
656      * @param hash $metadata Metadata for new revision.
657      * All values in the hash should be scalars (strings or integers).
658      *
659      * @param array $links List of pagenames which this page links to.
660      *
661      * @return WikiDB_PageRevision  Returns the new WikiDB_PageRevision object. If
662      * $version was incorrect, returns false
663      */
664     function createRevision($version, &$content, $metadata, $links) {
665         $backend = &$this->_wikidb->_backend;
666         $cache = &$this->_wikidb->_cache;
667         $pagename = &$this->_pagename;
668                 
669         $backend->lock();
670
671         $latestversion = $backend->get_latest_version($pagename);
672         $newversion = $latestversion + 1;
673         assert($newversion >= 1);
674
675         if ($version != WIKIDB_FORCE_CREATE && $version != $newversion) {
676             $backend->unlock();
677             return false;
678         }
679
680         $data = $metadata;
681         
682         foreach ($data as $key => $val) {
683             if (empty($val) || $key[0] == '_' || $key[0] == '%')
684                 unset($data[$key]);
685         }
686                         
687         assert(!empty($data['author']));
688         if (empty($data['author_id']))
689             @$data['author_id'] = $data['author'];
690                 
691         if (empty($data['mtime']))
692             $data['mtime'] = time();
693
694         if ($latestversion) {
695             // Ensure mtimes are monotonic.
696             $pdata = $cache->get_versiondata($pagename, $latestversion);
697             if ($data['mtime'] < $pdata['mtime']) {
698                 trigger_error(sprintf(_("%s: Date of new revision is %s"),
699                                       $pagename,"'non-monotonic'"),
700                               E_USER_NOTICE);
701                 $data['orig_mtime'] = $data['mtime'];
702                 $data['mtime'] = $pdata['mtime'];
703             }
704             
705             // FIXME: use (possibly user specified) 'mtime' time or
706             // time()?
707             $cache->update_versiondata($pagename, $latestversion,
708                                        array('_supplanted' => $data['mtime']));
709         }
710
711         $data['%content'] = &$content;
712
713         $cache->set_versiondata($pagename, $newversion, $data);
714
715         //$cache->update_pagedata($pagename, array(':latestversion' => $newversion,
716         //':deleted' => empty($content)));
717         
718         $backend->set_links($pagename, $links);
719
720         $backend->unlock();
721
722         return new WikiDB_PageRevision($this->_wikidb, $pagename, $newversion,
723                                        $data);
724     }
725
726     /** A higher-level interface to createRevision.
727      *
728      * This takes care of computing the links, and storing
729      * a cached version of the transformed wiki-text.
730      *
731      * @param string $wikitext  The page content.
732      *
733      * @param int $version Version number for new revision.  
734      * To ensure proper serialization of edits, $version must be
735      * exactly one higher than the current latest version.
736      * (You can defeat this check by setting $version to
737      * {@link WIKIDB_FORCE_CREATE} --- not usually recommended.)
738      *
739      * @param hash $meta  Meta-data for new revision.
740      */
741     function save($wikitext, $version, $meta) {
742         $formatted = new TransformedText($this, $wikitext, $meta);
743         $type = $formatted->getType();
744         $meta['pagetype'] = $type->getName();
745         $links = $formatted->getWikiPageLinks();
746
747         $backend = &$this->_wikidb->_backend;
748         $backend->lock();
749         $newrevision = $this->createRevision($version, $wikitext, $meta, $links);
750         if ($newrevision)
751             if (!defined('WIKIDB_NOCACHE_MARKUP') or !WIKIDB_NOCACHE_MARKUP)
752                 $this->set('_cached_html', $formatted->pack());
753         $backend->unlock();
754
755         // FIXME: probably should have some global state information
756         // in the backend to control when to optimize.
757         //
758         // We're doing this here rather than in createRevision because
759         // postgres can't optimize while locked.
760         if (time() % 50 == 0) {
761             trigger_error(sprintf(_("Optimizing %s"),'backend'), E_USER_NOTICE);
762             $backend->optimize();
763         }
764
765         $newrevision->_transformedContent = $formatted;
766         return $newrevision;
767     }
768
769     /**
770      * Get the most recent revision of a page.
771      *
772      * @access public
773      *
774      * @return WikiDB_PageRevision The current WikiDB_PageRevision object. 
775      */
776     function getCurrentRevision() {
777         $backend = &$this->_wikidb->_backend;
778         $cache = &$this->_wikidb->_cache;
779         $pagename = &$this->_pagename;
780
781         $backend->lock();
782         $version = $cache->get_latest_version($pagename);
783         $revision = $this->getRevision($version);
784         $backend->unlock();
785         assert($revision);
786         return $revision;
787     }
788
789     /**
790      * Get a specific revision of a WikiDB_Page.
791      *
792      * @access public
793      *
794      * @param integer $version  Which revision to get.
795      *
796      * @return WikiDB_PageRevision The requested WikiDB_PageRevision object, or
797      * false if the requested revision does not exist in the {@link WikiDB}.
798      * Note that version zero of any page always exists.
799      */
800     function getRevision($version) {
801         $cache = &$this->_wikidb->_cache;
802         $pagename = &$this->_pagename;
803         
804         if ($version == 0)
805             return new WikiDB_PageRevision($this->_wikidb, $pagename, 0);
806
807         assert($version > 0);
808         $vdata = $cache->get_versiondata($pagename, $version);
809         if (!$vdata)
810             return false;
811         return new WikiDB_PageRevision($this->_wikidb, $pagename, $version,
812                                        $vdata);
813     }
814
815     /**
816      * Get previous page revision.
817      *
818      * This method find the most recent revision before a specified
819      * version.
820      *
821      * @access public
822      *
823      * @param integer $version  Find most recent revision before this version.
824      *  You can also use a WikiDB_PageRevision object to specify the $version.
825      *
826      * @return WikiDB_PageRevision The requested WikiDB_PageRevision object, or false if the
827      * requested revision does not exist in the {@link WikiDB}.  Note that
828      * unless $version is greater than zero, a revision (perhaps version zero,
829      * the default revision) will always be found.
830      */
831     function getRevisionBefore($version) {
832         $backend = &$this->_wikidb->_backend;
833         $pagename = &$this->_pagename;
834
835         $version = $this->_coerce_to_version($version);
836
837         if ($version == 0)
838             return false;
839         $backend->lock();
840         $previous = $backend->get_previous_version($pagename, $version);
841         $revision = $this->getRevision($previous);
842         $backend->unlock();
843         assert($revision);
844         return $revision;
845     }
846
847     /**
848      * Get all revisions of the WikiDB_Page.
849      *
850      * This does not include the version zero (default) revision in the
851      * returned revision set.
852      *
853      * @return WikiDB_PageRevisionIterator A
854      * WikiDB_PageRevisionIterator containing all revisions of this
855      * WikiDB_Page in reverse order by version number.
856      */
857     function getAllRevisions() {
858         $backend = &$this->_wikidb->_backend;
859         $revs = $backend->get_all_revisions($this->_pagename);
860         return new WikiDB_PageRevisionIterator($this->_wikidb, $revs);
861     }
862     
863     /**
864      * Find pages which link to or are linked from a page.
865      *
866      * @access public
867      *
868      * @param boolean $reversed Which links to find: true for backlinks (default).
869      *
870      * @return WikiDB_PageIterator A WikiDB_PageIterator containing
871      * all matching pages.
872      */
873     function getLinks($reversed = true) {
874         $backend = &$this->_wikidb->_backend;
875         $result =  $backend->get_links($this->_pagename, $reversed);
876         return new WikiDB_PageIterator($this->_wikidb, $result);
877     }
878             
879     /**
880      * Access WikiDB_Page meta-data.
881      *
882      * @access public
883      *
884      * @param string $key Which meta data to get.
885      * Some reserved meta-data keys are:
886      * <dl>
887      * <dt>'locked'<dd> Is page locked?
888      * <dt>'hits'  <dd> Page hit counter.
889      * <dt>'pref'  <dd> Users preferences, stored in homepages.
890      * <dt>'owner' <dd> Default: first author_id. We might add a group with a dot here:
891      *                  E.g. "owner.users"
892      * <dt>'perm'  <dd> Permission flag to authorize read/write/execution of 
893      *                  page-headers and content.
894      * <dt>'score' <dd> Page score (not yet implement, do we need?)
895      * </dl>
896      *
897      * @return scalar The requested value, or false if the requested data
898      * is not set.
899      */
900     function get($key) {
901         $cache = &$this->_wikidb->_cache;
902         if (!$key || $key[0] == '%')
903             return false;
904         $data = $cache->get_pagedata($this->_pagename);
905         return isset($data[$key]) ? $data[$key] : false;
906     }
907
908     /**
909      * Get all the page meta-data as a hash.
910      *
911      * @return hash The page meta-data.
912      */
913     function getMetaData() {
914         $cache = &$this->_wikidb->_cache;
915         $data = $cache->get_pagedata($this->_pagename);
916         $meta = array();
917         foreach ($data as $key => $val) {
918             if (/*!empty($val) &&*/ $key[0] != '%')
919                 $meta[$key] = $val;
920         }
921         return $meta;
922     }
923
924     /**
925      * Set page meta-data.
926      *
927      * @see get
928      * @access public
929      *
930      * @param string $key  Meta-data key to set.
931      * @param string $newval  New value.
932      */
933     function set($key, $newval) {
934         $cache = &$this->_wikidb->_cache;
935         $pagename = &$this->_pagename;
936         
937         assert($key && $key[0] != '%');
938
939         $data = $cache->get_pagedata($pagename);
940
941         if (!empty($newval)) {
942             if (!empty($data[$key]) && $data[$key] == $newval)
943                 return;         // values identical, skip update.
944         }
945         else {
946             if (empty($data[$key]))
947                 return;         // values identical, skip update.
948         }
949
950         $cache->update_pagedata($pagename, array($key => $newval));
951     }
952
953     /**
954      * Increase page hit count.
955      *
956      * FIXME: IS this needed?  Probably not.
957      *
958      * This is a convenience function.
959      * <pre> $page->increaseHitCount(); </pre>
960      * is functionally identical to
961      * <pre> $page->set('hits',$page->get('hits')+1); </pre>
962      *
963      * Note that this method may be implemented in more efficient ways
964      * in certain backends.
965      *
966      * @access public
967      */
968     function increaseHitCount() {
969         @$newhits = $this->get('hits') + 1;
970         $this->set('hits', $newhits);
971     }
972
973     /**
974      * Return a string representation of the WikiDB_Page
975      *
976      * This is really only for debugging.
977      *
978      * @access public
979      *
980      * @return string Printable representation of the WikiDB_Page.
981      */
982     function asString () {
983         ob_start();
984         printf("[%s:%s\n", get_class($this), $this->getName());
985         print_r($this->getMetaData());
986         echo "]\n";
987         $strval = ob_get_contents();
988         ob_end_clean();
989         return $strval;
990     }
991
992
993     /**
994      * @access private
995      * @param integer_or_object $version_or_pagerevision
996      * Takes either the version number (and int) or a WikiDB_PageRevision
997      * object.
998      * @return integer The version number.
999      */
1000     function _coerce_to_version($version_or_pagerevision) {
1001         if (method_exists($version_or_pagerevision, "getContent"))
1002             $version = $version_or_pagerevision->getVersion();
1003         else
1004             $version = (int) $version_or_pagerevision;
1005
1006         assert($version >= 0);
1007         return $version;
1008     }
1009
1010     function isUserPage ($include_empty = true) {
1011         if ($include_empty) {
1012             $current = $this->getCurrentRevision();
1013             if ($current->hasDefaultContents()) {
1014                 return false;
1015             }
1016         }
1017         return $this->get('pref') ? true : false;
1018     }
1019
1020 };
1021
1022 /**
1023  * This class represents a specific revision of a WikiDB_Page within
1024  * a WikiDB.
1025  *
1026  * A WikiDB_PageRevision has read-only semantics. You may only create
1027  * new revisions (and delete old ones) --- you cannot modify existing
1028  * revisions.
1029  */
1030 class WikiDB_PageRevision
1031 {
1032     var $_transformedContent = false; // set by WikiDB_Page::save()
1033     
1034     function WikiDB_PageRevision(&$wikidb, $pagename, $version,
1035                                  $versiondata = false)
1036         {
1037             $this->_wikidb = &$wikidb;
1038             $this->_pagename = $pagename;
1039             $this->_version = $version;
1040             $this->_data = $versiondata ? $versiondata : array();
1041         }
1042     
1043     /**
1044      * Get the WikiDB_Page which this revision belongs to.
1045      *
1046      * @access public
1047      *
1048      * @return WikiDB_Page The WikiDB_Page which this revision belongs to.
1049      */
1050     function getPage() {
1051         return new WikiDB_Page($this->_wikidb, $this->_pagename);
1052     }
1053
1054     /**
1055      * Get the version number of this revision.
1056      *
1057      * @access public
1058      *
1059      * @return integer The version number of this revision.
1060      */
1061     function getVersion() {
1062         return $this->_version;
1063     }
1064     
1065     /**
1066      * Determine whether this revision has defaulted content.
1067      *
1068      * The default revision (version 0) of each page, as well as any
1069      * pages which are created with empty content have their content
1070      * defaulted to something like:
1071      * <pre>
1072      *   Describe [ThisPage] here.
1073      * </pre>
1074      *
1075      * @access public
1076      *
1077      * @return boolean Returns true if the page has default content.
1078      */
1079     function hasDefaultContents() {
1080         $data = &$this->_data;
1081         return empty($data['%content']);
1082     }
1083
1084     /**
1085      * Get the content as an array of lines.
1086      *
1087      * @access public
1088      *
1089      * @return array An array of lines.
1090      * The lines should contain no trailing white space.
1091      */
1092     function getContent() {
1093         return explode("\n", $this->getPackedContent());
1094     }
1095         
1096         /**
1097      * Get the pagename of the revision.
1098      *
1099      * @access public
1100      *
1101      * @return string pagename.
1102      */
1103     function getPageName() {
1104         return $this->_pagename;
1105     }
1106
1107     /**
1108      * Determine whether revision is the latest.
1109      *
1110      * @access public
1111      *
1112      * @return boolean True iff the revision is the latest (most recent) one.
1113      */
1114     function isCurrent() {
1115         if (!isset($this->_iscurrent)) {
1116             $page = $this->getPage();
1117             $current = $page->getCurrentRevision();
1118             $this->_iscurrent = $this->getVersion() == $current->getVersion();
1119         }
1120         return $this->_iscurrent;
1121     }
1122
1123     /**
1124      * Get the transformed content of a page.
1125      *
1126      * @param string $pagetype  Override the page-type of the revision.
1127      *
1128      * @return object An XmlContent-like object containing the page transformed
1129      * contents.
1130      */
1131     function getTransformedContent($pagetype_override=false) {
1132         $backend = &$this->_wikidb->_backend;
1133         
1134         if ($pagetype_override) {
1135             // Figure out the normal page-type for this page.
1136             $type = PageType::GetPageType($this->get('pagetype'));
1137             if ($type->getName() == $pagetype_override)
1138                 $pagetype_override = false; // Not really an override...
1139         }
1140
1141         if ($pagetype_override) {
1142             // Overriden page type, don't cache (or check cache).
1143             return new TransformedText($this->getPage(),
1144                                        $this->getPackedContent(),
1145                                        $this->getMetaData(),
1146                                        $pagetype_override);
1147         }
1148
1149         $possibly_cache_results = true;
1150
1151         if (defined('WIKIDB_NOCACHE_MARKUP') and WIKIDB_NOCACHE_MARKUP) {
1152             if (WIKIDB_NOCACHE_MARKUP == 'purge') {
1153                 // flush cache for this page.
1154                 $page = $this->getPage();
1155                 $page->set('_cached_html', false);
1156             }
1157             $possibly_cache_results = false;
1158         }
1159         elseif (!$this->_transformedContent) {
1160             $backend->lock();
1161             if ($this->isCurrent()) {
1162                 $page = $this->getPage();
1163                 $this->_transformedContent = TransformedText::unpack($page->get('_cached_html'));
1164             }
1165             else {
1166                 $possibly_cache_results = false;
1167             }
1168             $backend->unlock();
1169         }
1170         
1171         if (!$this->_transformedContent) {
1172             $this->_transformedContent
1173                 = new TransformedText($this->getPage(),
1174                                       $this->getPackedContent(),
1175                                       $this->getMetaData());
1176             
1177             if ($possibly_cache_results) {
1178                 // If we're still the current version, cache the transfomed page.
1179                 $backend->lock();
1180                 if ($this->isCurrent()) {
1181                     $page->set('_cached_html', $this->_transformedContent->pack());
1182                 }
1183                 $backend->unlock();
1184             }
1185         }
1186
1187         return $this->_transformedContent;
1188     }
1189
1190     /**
1191      * Get the content as a string.
1192      *
1193      * @access public
1194      *
1195      * @return string The page content.
1196      * Lines are separated by new-lines.
1197      */
1198     function getPackedContent() {
1199         $data = &$this->_data;
1200
1201         
1202         if (empty($data['%content'])) {
1203             include_once('lib/InlineParser.php');
1204             // Replace empty content with default value.
1205             return sprintf(_("Describe %s here."), 
1206                            "[" . WikiEscape($this->_pagename) . "]");
1207         }
1208
1209         // There is (non-default) content.
1210         assert($this->_version > 0);
1211         
1212         if (!is_string($data['%content'])) {
1213             // Content was not provided to us at init time.
1214             // (This is allowed because for some backends, fetching
1215             // the content may be expensive, and often is not wanted
1216             // by the user.)
1217             //
1218             // In any case, now we need to get it.
1219             $data['%content'] = $this->_get_content();
1220             assert(is_string($data['%content']));
1221         }
1222         
1223         return $data['%content'];
1224     }
1225
1226     function _get_content() {
1227         $cache = &$this->_wikidb->_cache;
1228         $pagename = $this->_pagename;
1229         $version = $this->_version;
1230
1231         assert($version > 0);
1232         
1233         $newdata = $cache->get_versiondata($pagename, $version, true);
1234         if ($newdata) {
1235             assert(is_string($newdata['%content']));
1236             return $newdata['%content'];
1237         }
1238         else {
1239             // else revision has been deleted... What to do?
1240             return __sprintf("Acck! Revision %s of %s seems to have been deleted!",
1241                              $version, $pagename);
1242         }
1243     }
1244
1245     /**
1246      * Get meta-data for this revision.
1247      *
1248      *
1249      * @access public
1250      *
1251      * @param string $key Which meta-data to access.
1252      *
1253      * Some reserved revision meta-data keys are:
1254      * <dl>
1255      * <dt> 'mtime' <dd> Time this revision was created (seconds since midnight Jan 1, 1970.)
1256      *        The 'mtime' meta-value is normally set automatically by the database
1257      *        backend, but it may be specified explicitly when creating a new revision.
1258      * <dt> orig_mtime
1259      *  <dd> To ensure consistency of RecentChanges, the mtimes of the versions
1260      *       of a page must be monotonically increasing.  If an attempt is
1261      *       made to create a new revision with an mtime less than that of
1262      *       the preceeding revision, the new revisions timestamp is force
1263      *       to be equal to that of the preceeding revision.  In that case,
1264      *       the originally requested mtime is preserved in 'orig_mtime'.
1265      * <dt> '_supplanted' <dd> Time this revision ceased to be the most recent.
1266      *        This meta-value is <em>always</em> automatically maintained by the database
1267      *        backend.  (It is set from the 'mtime' meta-value of the superceding
1268      *        revision.)  '_supplanted' has a value of 'false' for the current revision.
1269      *
1270      * FIXME: this could be refactored:
1271      * <dt> author
1272      *  <dd> Author of the page (as he should be reported in, e.g. RecentChanges.)
1273      * <dt> author_id
1274      *  <dd> Authenticated author of a page.  This is used to identify
1275      *       the distinctness of authors when cleaning old revisions from
1276      *       the database.
1277      * <dt> 'is_minor_edit' <dd> Set if change was marked as a minor revision by the author.
1278      * <dt> 'summary' <dd> Short change summary entered by page author.
1279      * </dl>
1280      *
1281      * Meta-data keys must be valid C identifers (they have to start with a letter
1282      * or underscore, and can contain only alphanumerics and underscores.)
1283      *
1284      * @return string The requested value, or false if the requested value
1285      * is not defined.
1286      */
1287     function get($key) {
1288         if (!$key || $key[0] == '%')
1289             return false;
1290         $data = &$this->_data;
1291         return isset($data[$key]) ? $data[$key] : false;
1292     }
1293
1294     /**
1295      * Get all the revision page meta-data as a hash.
1296      *
1297      * @return hash The revision meta-data.
1298      */
1299     function getMetaData() {
1300         $meta = array();
1301         foreach ($this->_data as $key => $val) {
1302             if (!empty($val) && $key[0] != '%')
1303                 $meta[$key] = $val;
1304         }
1305         return $meta;
1306     }
1307     
1308             
1309     /**
1310      * Return a string representation of the revision.
1311      *
1312      * This is really only for debugging.
1313      *
1314      * @access public
1315      *
1316      * @return string Printable representation of the WikiDB_Page.
1317      */
1318     function asString () {
1319         ob_start();
1320         printf("[%s:%d\n", get_class($this), $this->get('version'));
1321         print_r($this->_data);
1322         echo $this->getPackedContent() . "\n]\n";
1323         $strval = ob_get_contents();
1324         ob_end_clean();
1325         return $strval;
1326     }
1327 };
1328
1329
1330 /**
1331  * A class which represents a sequence of WikiDB_Pages.
1332  */
1333 class WikiDB_PageIterator
1334 {
1335     function WikiDB_PageIterator(&$wikidb, &$pages) {
1336         $this->_pages = $pages;
1337         $this->_wikidb = &$wikidb;
1338     }
1339     
1340     /**
1341      * Get next WikiDB_Page in sequence.
1342      *
1343      * @access public
1344      *
1345      * @return WikiDB_Page The next WikiDB_Page in the sequence.
1346      */
1347     function next () {
1348         if ( ! ($next = $this->_pages->next()) )
1349             return false;
1350
1351         $pagename = &$next['pagename'];
1352         if (isset($next['pagedata']))
1353             $this->_wikidb->_cache->cache_data($next);
1354
1355         return new WikiDB_Page($this->_wikidb, $pagename);
1356     }
1357
1358     /**
1359      * Release resources held by this iterator.
1360      *
1361      * The iterator may not be used after free() is called.
1362      *
1363      * There is no need to call free(), if next() has returned false.
1364      * (I.e. if you iterate through all the pages in the sequence,
1365      * you do not need to call free() --- you only need to call it
1366      * if you stop before the end of the iterator is reached.)
1367      *
1368      * @access public
1369      */
1370     function free() {
1371         $this->_pages->free();
1372     }
1373
1374     // Not yet used.
1375     function setSortby ($arg = false) {
1376         if (!$arg) {
1377             $arg = @$_GET['sortby'];
1378             if ($arg) {
1379                 $sortby = substr($arg,1);
1380                 $order  = substr($arg,0,1)=='+' ? 'ASC' : 'DESC';
1381             }
1382         }
1383         if (is_array($arg)) { // array('mtime' => 'desc')
1384             $sortby = $arg[0];
1385             $order = $arg[1];
1386         } else {
1387             $sortby = $arg;
1388             $order  = 'ASC';
1389         }
1390         // available column types to sort by:
1391         // todo: we must provide access methods for the generic dumb/iterator
1392         $this->_types = explode(',','pagename,mtime,hits,version,author,locked,minor,markup');
1393         if (in_array($sortby,$this->_types))
1394             $this->_options['sortby'] = $sortby;
1395         else
1396             trigger_error(sprintf("Argument %s '%s' ignored",'sortby',$sortby), E_USER_WARNING);
1397         if (in_array(strtoupper($order),'ASC','DESC')) 
1398             $this->_options['order'] = strtoupper($order);
1399         else
1400             trigger_error(sprintf("Argument %s '%s' ignored",'order',$order), E_USER_WARNING);
1401     }
1402
1403 };
1404
1405 /**
1406  * A class which represents a sequence of WikiDB_PageRevisions.
1407  */
1408 class WikiDB_PageRevisionIterator
1409 {
1410     function WikiDB_PageRevisionIterator(&$wikidb, &$revisions) {
1411         $this->_revisions = $revisions;
1412         $this->_wikidb = &$wikidb;
1413     }
1414     
1415     /**
1416      * Get next WikiDB_PageRevision in sequence.
1417      *
1418      * @access public
1419      *
1420      * @return WikiDB_PageRevision
1421      * The next WikiDB_PageRevision in the sequence.
1422      */
1423     function next () {
1424         if ( ! ($next = $this->_revisions->next()) )
1425             return false;
1426
1427         $this->_wikidb->_cache->cache_data($next);
1428
1429         $pagename = $next['pagename'];
1430         $version = $next['version'];
1431         $versiondata = $next['versiondata'];
1432         assert(!empty($pagename));
1433         assert(is_array($versiondata));
1434         assert($version > 0);
1435
1436         return new WikiDB_PageRevision($this->_wikidb, $pagename, $version,
1437                                        $versiondata);
1438     }
1439
1440     /**
1441      * Release resources held by this iterator.
1442      *
1443      * The iterator may not be used after free() is called.
1444      *
1445      * There is no need to call free(), if next() has returned false.
1446      * (I.e. if you iterate through all the revisions in the sequence,
1447      * you do not need to call free() --- you only need to call it
1448      * if you stop before the end of the iterator is reached.)
1449      *
1450      * @access public
1451      */
1452     function free() { 
1453         $this->_revisions->free();
1454     }
1455 };
1456
1457
1458 /**
1459  * Data cache used by WikiDB.
1460  *
1461  * FIXME: Maybe rename this to caching_backend (or some such).
1462  *
1463  * @access private
1464  */
1465 class WikiDB_cache 
1466 {
1467     // FIXME: beautify versiondata cache.  Cache only limited data?
1468
1469     function WikiDB_cache (&$backend) {
1470         $this->_backend = &$backend;
1471
1472         $this->_pagedata_cache = array();
1473         $this->_versiondata_cache = array();
1474         array_push ($this->_versiondata_cache, array());
1475         $this->_glv_cache = array();
1476     }
1477     
1478     function close() {
1479         $this->_pagedata_cache = false;
1480                 $this->_versiondata_cache = false;
1481                 $this->_glv_cache = false;
1482     }
1483
1484     function get_pagedata($pagename) {
1485         assert(is_string($pagename) && $pagename);
1486         $cache = &$this->_pagedata_cache;
1487
1488         if (!isset($cache[$pagename]) || !is_array($cache[$pagename])) {
1489             $cache[$pagename] = $this->_backend->get_pagedata($pagename);
1490             if (empty($cache[$pagename]))
1491                 $cache[$pagename] = array();
1492         }
1493
1494         return $cache[$pagename];
1495     }
1496     
1497     function update_pagedata($pagename, $newdata) {
1498         assert(is_string($pagename) && $pagename);
1499
1500         $this->_backend->update_pagedata($pagename, $newdata);
1501
1502         if (is_array($this->_pagedata_cache[$pagename])) {
1503             $cachedata = &$this->_pagedata_cache[$pagename];
1504             foreach($newdata as $key => $val)
1505                 $cachedata[$key] = $val;
1506         }
1507     }
1508
1509     function invalidate_cache($pagename) {
1510         unset ($this->_pagedata_cache[$pagename]);
1511                 unset ($this->_versiondata_cache[$pagename]);
1512                 unset ($this->_glv_cache[$pagename]);
1513     }
1514     
1515     function delete_page($pagename) {
1516         $this->_backend->delete_page($pagename);
1517         unset ($this->_pagedata_cache[$pagename]);
1518                 unset ($this->_glv_cache[$pagename]);
1519     }
1520
1521     // FIXME: ugly
1522     function cache_data($data) {
1523         if (isset($data['pagedata']))
1524             $this->_pagedata_cache[$data['pagename']] = $data['pagedata'];
1525     }
1526     
1527     function get_versiondata($pagename, $version, $need_content = false) {
1528                 //  FIXME: Seriously ugly hackage
1529         if (defined ('USECACHE')){   //temporary - for debugging
1530         assert(is_string($pagename) && $pagename);
1531                 // there is a bug here somewhere which results in an assertion failure at line 105
1532                 // of ArchiveCleaner.php  It goes away if we use the next line.
1533                 $need_content = true;
1534                 $nc = $need_content ? '1':'0';
1535         $cache = &$this->_versiondata_cache;
1536         if (!isset($cache[$pagename][$version][$nc])||
1537                                 !(is_array ($cache[$pagename])) || !(is_array ($cache[$pagename][$version]))) {
1538             $cache[$pagename][$version][$nc] = 
1539                                 $this->_backend->get_versiondata($pagename,$version, $need_content);
1540                         // If we have retrieved all data, we may as well set the cache for $need_content = false
1541                         if($need_content){
1542                                 $cache[$pagename][$version]['0'] = $cache[$pagename][$version]['1'];
1543                         }
1544                 }
1545         $vdata = $cache[$pagename][$version][$nc];
1546         }
1547         else
1548         {
1549     $vdata = $this->_backend->get_versiondata($pagename, $version, $need_content);
1550         }
1551         // FIXME: ugly
1552         if ($vdata && !empty($vdata['%pagedata']))
1553             $this->_pagedata_cache[$pagename] = $vdata['%pagedata'];
1554         return $vdata;
1555     }
1556
1557     function set_versiondata($pagename, $version, $data) {
1558         $new = $this->_backend->
1559              set_versiondata($pagename, $version, $data);
1560                 // Update the cache
1561                 $this->_versiondata_cache[$pagename][$version]['1'] = $data;
1562                 // FIXME: hack
1563                 $this->_versiondata_cache[$pagename][$version]['0'] = $data;
1564                 // Is this necessary?
1565                 unset($this->_glv_cache[$pagename]);
1566                 
1567     }
1568
1569     function update_versiondata($pagename, $version, $data) {
1570         $new = $this->_backend->
1571              update_versiondata($pagename, $version, $data);
1572                 // Update the cache
1573                 $this->_versiondata_cache[$pagename][$version]['1'] = $data;
1574                 // FIXME: hack
1575                 $this->_versiondata_cache[$pagename][$version]['0'] = $data;
1576                 // Is this necessary?
1577                 unset($this->_glv_cache[$pagename]);
1578
1579     }
1580
1581     function delete_versiondata($pagename, $version) {
1582         $new = $this->_backend->
1583             delete_versiondata($pagename, $version);
1584         unset ($this->_versiondata_cache[$pagename][$version]['1']);
1585         unset ($this->_versiondata_cache[$pagename][$version]['0']);
1586         unset ($this->_glv_cache[$pagename]);
1587     }
1588         
1589     function get_latest_version($pagename)  {
1590         if(defined('USECACHE')){
1591             assert (is_string($pagename) && $pagename);
1592             $cache = &$this->_glv_cache;        
1593             if (!isset($cache[$pagename])) {
1594                 $cache[$pagename] = $this->_backend->get_latest_version($pagename);
1595                 if (empty($cache[$pagename]))
1596                     $cache[$pagename] = 0;
1597             } 
1598             return $cache[$pagename];}
1599         else {
1600             return $this->_backend->get_latest_version($pagename); 
1601         }
1602     }
1603
1604 };
1605
1606 // Local Variables:
1607 // mode: php
1608 // tab-width: 8
1609 // c-basic-offset: 4
1610 // c-hanging-comment-ender-p: nil
1611 // indent-tabs-mode: nil
1612 // End:   
1613 ?>