Project

General

Profile

1
<?php
2
/**
3
 *
4
 * @category        frontend
5
 * @package         framework
6
 * @author          Ryan Djurovich,WebsiteBaker Project
7
 * @copyright       2009-2012, WebsiteBaker Org. e.V.
8
 * @link            http://www.websitebaker2.org/
9
 * @license         http://www.gnu.org/licenses/gpl.html
10
 * @platform        WebsiteBaker 2.8.x
11
 * @requirements    PHP 5.2.2 and higher
12
 * @version         $Id: functions.php 1859 2013-01-11 22:12:04Z Luisehahne $
13
 * @filesource      $HeadURL: svn://isteam.dynxs.de/wb-archiv/branches/2.8.x/wb/framework/functions.php $
14
 * @lastmodified    $Date: 2013-01-11 23:12:04 +0100 (Fri, 11 Jan 2013) $
15
 *
16
*/
17
/* -------------------------------------------------------- */
18
// Must include code to stop this file being accessed directly
19
if(!defined('WB_PATH')) {
20
	require_once(dirname(__FILE__).'/globalExceptionHandler.php');
21
	throw new IllegalFileException();
22
}
23
/* -------------------------------------------------------- */
24
// Define that this file has been loaded
25
define('FUNCTIONS_FILE_LOADED', true);
26

    
27
/**
28
 * @description: recursively delete a non empty directory
29
 * @param string $directory :
30
 * @param bool $empty : true if you want the folder just emptied, but not deleted
31
 *                      false, or just simply leave it out, the given directory will be deleted, as well
32
 * @return boolean: true/false
33
 * @from http://www.php.net/manual/de/function.rmdir.php#98499
34
 */
35
function rm_full_dir($directory, $empty = false)
36
{
37
    $iErrorReporting = error_reporting(0);
38
	if(substr($directory,-1) == "/") {
39
        $directory = substr($directory,0,-1);
40
    }
41
   // If suplied dirname is a file then unlink it
42
    if (is_file( $directory )&& is_writable( $directory )) {
43
        $retval = unlink($directory);
44
        clearstatcache();
45
        error_reporting($iErrorReporting);
46
        return $retval;
47
    }
48
    if(!is_writable($directory) || !is_dir($directory)) {
49
        error_reporting($iErrorReporting);
50
        return false;
51
    } elseif(!is_readable($directory)) {
52
        error_reporting($iErrorReporting);
53
        return false;
54
    } else {
55
        $directoryHandle = opendir($directory);
56
        while ($contents = readdir($directoryHandle))
57
		{
58
            if($contents != '.' && $contents != '..')
59
			{
60
                $path = $directory . "/" . $contents;
61
                if(is_dir($path)) {
62
                    rm_full_dir($path);
63
                } else {
64
                    unlink($path);
65
					clearstatcache();
66
                }
67
            }
68
        }
69
        closedir($directoryHandle);
70
        if($empty == false) {
71
            if(is_dir($directory) && is_writable(dirname($directory))) {
72
                $retval = rmdir($directory);
73
                error_reporting($iErrorReporting);
74
                return $retval;
75
            } else {
76
                error_reporting($iErrorReporting);
77
				return false;
78
            }
79
        }
80
        error_reporting($iErrorReporting);
81
        return true;
82
    }
83
}
84

    
85
/*
86
 * returns a recursive list of all subdirectories from a given directory
87
 * @access  public
88
 * @param   string  $directory: from this dir the recursion will start
89
 * @param   bool    $show_hidden:  if set to TRUE also hidden dirs (.dir) will be shown
90
 * @return  array
91
 * example:
92
 *  /srv/www/httpdocs/wb/media/a/b/c/
93
 *  /srv/www/httpdocs/wb/media/a/b/d/
94
 * directory_list('/srv/www/httpdocs/wb/media/') will return:
95
 *  /a
96
 *  /a/b
97
 *  /a/b/c
98
 *  /a/b/d
99
 */
100
 function directory_list($directory, $show_hidden = false)
101
{
102
	$result_list = array();
103
	if (is_dir($directory))
104
    {
105
    	$dir = dir($directory); // Open the directory
106
    	while (false !== $entry = $dir->read()) // loop through the directory
107
		{
108
			if($entry == '.' || $entry == '..') { continue; } // Skip pointers
109
			if($entry[0] == '.' && $show_hidden == false) { continue; } // Skip hidden files
110
    		if (is_dir("$directory/$entry")) { // Add dir and contents to list
111
    			$result_list = array_merge($result_list, directory_list("$directory/$entry"));
112
    			$result_list[] = "$directory/$entry";
113
    		}
114
    	}
115
        $dir->close();
116
    }
117
	// sorting
118
	if(natcasesort($result_list)) {
119
		// new indexing
120
		$result_list = array_merge($result_list);
121
	}
122
	return $result_list; // Now return the list
123
}
124

    
125
// Function to open a directory and add to a dir list
126
function chmod_directory_contents($directory, $file_mode)
127
{
128
	if (is_dir($directory))
129
    {
130
    	// Set the umask to 0
131
    	$umask = umask(0);
132
    	// Open the directory then loop through its contents
133
    	$dir = dir($directory);
134
    	while (false !== $entry = $dir->read())
135
		{
136
    		// Skip pointers
137
    		if($entry[0] == '.') { continue; }
138
    		// Chmod the sub-dirs contents
139
    		if(is_dir("$directory/$entry")) {
140
    			chmod_directory_contents($directory.'/'.$entry, $file_mode);
141
    		}
142
    		change_mode($directory.'/'.$entry);
143
    	}
144
        $dir->close();
145
    	// Restore the umask
146
    	umask($umask);
147
    }
148
}
149

    
150
/**
151
* Scan a given directory for dirs and files.
152
*
153
* usage: scan_current_dir ($root = '' )
154
*
155
* @param     $root   set a absolute rootpath as string. if root is empty the current path will be scan
156
* @param     $search set a search pattern for files, empty search brings all files
157
* @access    public
158
* @return    array    returns a natsort array with keys 'path' and 'filename'
159
*
160
*/
161
if(!function_exists('scan_current_dir'))
162
{
163
	function scan_current_dir($root = '', $search = '/.*/')
164
	{
165
	    $FILE = array();
166
		$array = array();
167
	    clearstatcache();
168
	    $root = empty ($root) ? getcwd() : $root;
169
	    if (($handle = opendir($root)))
170
	    {
171
	    // Loop through the files and dirs an add to list  DIRECTORY_SEPARATOR
172
	        while (false !== ($file = readdir($handle)))
173
	        {
174
	            if (substr($file, 0, 1) != '.' && $file != 'index.php')
175
	            {
176
	                if (is_dir($root.'/'.$file)) {
177
	                    $FILE['path'][] = $file;
178
	                } elseif (preg_match($search, $file, $array) ) {
179
	                    $FILE['filename'][] = $array[0];
180
	                }
181
	            }
182
	        }
183
	        $close_verz = closedir($handle);
184
	    }
185
		// sorting
186
	    if (isset ($FILE['path']) && natcasesort($FILE['path'])) {
187
			// new indexing
188
	        $FILE['path'] = array_merge($FILE['path']);
189
	    }
190
		// sorting
191
	    if (isset ($FILE['filename']) && natcasesort($FILE['filename'])) {
192
			// new indexing
193
	        $FILE['filename'] = array_merge($FILE['filename']);
194
	    }
195
	    return $FILE;
196
	}
197
}
198

    
199
// Function to open a directory and add to a file list
200
function file_list($directory, $skip = array(), $show_hidden = false)
201
{
202
	$result_list = array();
203
	if (is_dir($directory))
204
    {
205
    	$dir = dir($directory); // Open the directory
206
		while (false !== ($entry = $dir->read())) // loop through the directory
207
		{
208
			if($entry == '.' || $entry == '..') { continue; } // Skip pointers
209
			if($entry[0] == '.' && $show_hidden == false) { continue; } // Skip hidden files
210
			if( sizeof($skip) > 0 && in_array($entry, $skip) ) { continue; } // Check if we to skip anything else
211
			if(is_file( $directory.'/'.$entry)) { // Add files to list
212
				$result_list[] = $directory.'/'.$entry;
213
			}
214
		}
215
		$dir->close(); // Now close the folder object
216
	}
217

    
218
    // make the list nice. Not all OS do this itself
219
	if(natcasesort($result_list)) {
220
		$result_list = array_merge($result_list);
221
	}
222
	return $result_list;
223
}
224

    
225
function remove_home_subs($directory = '/', $home_folders = '')
226
{
227
	if( ($handle = opendir(WB_PATH.MEDIA_DIRECTORY.$directory)) )
228
	{
229
		// Loop through the dirs to check the home folders sub-dirs are not shown
230
		while(false !== ($file = readdir($handle)))
231
		{
232
			if($file[0] != '.' && $file != 'index.php')
233
			{
234
				if(is_dir(WB_PATH.MEDIA_DIRECTORY.$directory.'/'.$file))
235
				{
236
					if($directory != '/') {
237
						$file = $directory.'/'.$file;
238
					}else {
239
						$file = '/'.$file;
240
					}
241
					foreach($home_folders AS $hf)
242
					{
243
						$hf_length = strlen($hf);
244
						if($hf_length > 0) {
245
							if(substr($file, 0, $hf_length+1) == $hf) {
246
								$home_folders[$file] = $file;
247
							}
248
						}
249
					}
250
					$home_folders = remove_home_subs($file, $home_folders);
251
				}
252
			}
253
		}
254
	}
255
	return $home_folders;
256
}
257

    
258
// Function to get a list of home folders not to show
259
function get_home_folders()
260
{
261
	global $database, $admin;
262
	$home_folders = array();
263
	// Only return home folders is this feature is enabled
264
	// and user is not admin
265
//	if(HOME_FOLDERS AND ($_SESSION['GROUP_ID']!='1')) {
266
	if(HOME_FOLDERS AND (!in_array('1',explode(',', $_SESSION['GROUPS_ID']))))
267
	{
268
		$sql  = 'SELECT `home_folder` FROM `'.TABLE_PREFIX.'users` ';
269
		$sql .= 'WHERE `home_folder`!=\''.$admin->get_home_folder().'\'';
270
		$query_home_folders = $database->query($sql);
271
		if($query_home_folders->numRows() > 0)
272
		{
273
			while($folder = $query_home_folders->fetchRow()) {
274
				$home_folders[$folder['home_folder']] = $folder['home_folder'];
275
			}
276
		}
277
		$home_folders = remove_home_subs('/', $home_folders);
278
	}
279
	return $home_folders;
280
}
281

    
282
/*
283
 * @param object &$wb: $wb from frontend or $admin from backend
284
 * @return array: list of new entries
285
 * @description: callback remove path in files/dirs stored in array
286
 * @example: array_walk($array,'remove_path',PATH);
287
 */
288
//
289
function remove_path(&$path, $key, $vars = '')
290
{
291
	$path = str_replace($vars, '', $path);
292
}
293
/*
294
 * @param object &$wb: $wb from frontend or $admin from backend
295
 * @return array: list of ro-dirs
296
 * @description: returns a list of directories beyound /wb/media which are ReadOnly for current user
297
 */
298
function media_dirs_ro( &$wb )
299
{
300
	global $database;
301
	// if user is admin or home-folders not activated then there are no restrictions
302
	$allow_list = array();
303
	if( $wb->get_user_id() == 1 || !HOME_FOLDERS ) {
304
		return array();
305
	}
306
	// at first read any dir and subdir from /media
307
	$full_list = directory_list( WB_PATH.MEDIA_DIRECTORY );
308
	// add own home_folder to allow-list
309
	if( $wb->get_home_folder() ) {
310
		// old: $allow_list[] = get_home_folder();
311
		$allow_list[] = $wb->get_home_folder();
312
	}
313
	// get groups of current user
314
	$curr_groups = $wb->get_groups_id();
315
	// if current user is in admin-group
316
	if( ($admin_key = array_search('1', $curr_groups)) !== false)
317
	{
318
		// remove admin-group from list
319
		unset($curr_groups[$admin_key]);
320
		// search for all users where the current user is admin from
321
		foreach( $curr_groups as $group)
322
		{
323
			$sql  = 'SELECT `home_folder` FROM `'.TABLE_PREFIX.'users` ';
324
			$sql .= 'WHERE (FIND_IN_SET(\''.$group.'\', `groups_id`) > 0) AND `home_folder` <> \'\' AND `user_id` <> '.$wb->get_user_id();
325
			if( ($res_hf = $database->query($sql)) != null ) {
326
				while( $rec_hf = $res_hf->fetchrow() ) {
327
					$allow_list[] = $rec_hf['home_folder'];
328
				}
329
			}
330
		}
331
	}
332
	$tmp_array = $full_list;
333
	// create a list for readonly dir
334
    $array = array();
335
	while( sizeof($tmp_array) > 0)
336
	{
337
        $tmp = array_shift($tmp_array);
338
        $x = 0;
339
		while($x < sizeof($allow_list)) {
340
			if(strpos ($tmp,$allow_list[$x])) {
341
				$array[] = $tmp;
342
			}
343
			$x++;
344
		}
345
	}
346
	$full_list = array_diff( $full_list, $array );
347
	$tmp = array();
348
	$full_list = array_merge($tmp,$full_list);
349
	return $full_list;
350
}
351

    
352
/*
353
 * @param object &$wb: $wb from frontend or $admin from backend
354
 * @return array: list of rw-dirs
355
 * @description: returns a list of directories beyound /wb/media which are ReadWrite for current user
356
 */
357
function media_dirs_rw ( &$wb )
358
{
359
	global $database;
360
	// if user is admin or home-folders not activated then there are no restrictions
361
	// at first read any dir and subdir from /media
362
	$full_list = directory_list( WB_PATH.MEDIA_DIRECTORY );
363
    $array = array();
364
	$allow_list = array();
365
	if( ($wb->ami_group_member('1')) && !HOME_FOLDERS ) {
366
		return $full_list;
367
	}
368
	// add own home_folder to allow-list
369
	if( $wb->get_home_folder() ) {
370
	  	$allow_list[] = $wb->get_home_folder();
371
	} else {
372
		$array = $full_list;
373
	}
374
	// get groups of current user
375
	$curr_groups = $wb->get_groups_id();
376
	// if current user is in admin-group
377
	if( ($admin_key = array_search('1', $curr_groups)) == true)
378
	{
379
		// remove admin-group from list
380
		// unset($curr_groups[$admin_key]);
381
		// search for all users where the current user is admin from
382
		foreach( $curr_groups as $group)
383
		{
384
			$sql  = 'SELECT `home_folder` FROM `'.TABLE_PREFIX.'users` ';
385
			$sql .= 'WHERE (FIND_IN_SET(\''.$group.'\', `groups_id`) > 0) AND `home_folder` <> \'\' AND `user_id` <> '.$wb->get_user_id();
386
			if( ($res_hf = $database->query($sql)) != null ) {
387
				while( $rec_hf = $res_hf->fetchrow() ) {
388
					$allow_list[] = $rec_hf['home_folder'];
389
				}
390
			}
391
		}
392
	}
393

    
394
	$tmp_array = $full_list;
395
	// create a list for readwrite dir
396
	while( sizeof($tmp_array) > 0)
397
	{
398
        $tmp = array_shift($tmp_array);
399
        $x = 0;
400
		while($x < sizeof($allow_list)) {
401
			if(strpos ($tmp,$allow_list[$x])) {
402
				$array[] = $tmp;
403
			}
404
			$x++;
405
		}
406
	}
407
	$tmp = array();
408
    $array = array_unique($array);
409
	$full_list = array_merge($tmp,$array);
410
    unset($array);
411
    unset($allow_list);
412
	return $full_list;
413
}
414

    
415
// Function to create directories
416
function make_dir($dir_name, $dir_mode = OCTAL_DIR_MODE, $recursive=true)
417
{
418
	$retVal = is_dir($dir_name);
419
	if(!is_dir($dir_name))
420
    {
421
		// To create the folder with 0777 permissions, we need to set umask to zero.
422
		$oldumask = umask(0) ;
423
		$retVal = mkdir($dir_name, $dir_mode, $recursive);
424
		umask( $oldumask ) ;
425
	}
426
	return $retVal;
427
}
428

    
429
/**
430
 * Function to chmod files and/or directories
431
 * the function also prevents the owner to loose rw-rights
432
 * @param string $sName
433
 * @param int rights in dec-value. 0= use wb-defaults
434
 * @return bool
435
 */
436
function change_mode($sName, $iMode = 0)
437
{
438
	$bRetval = true;
439
    $iErrorReporting = error_reporting(0);
440
	$iMode = intval($iMode) & 0777; // sanitize value
441
	if (strtoupper(substr(PHP_OS, 0, 3)) !== 'WIN')
442
	{ // Only chmod if os is not windows
443
		$bRetval = false;
444
		if(!$iMode) {
445
			$iMode = (is_file($sName) ? octdec(STRING_FILE_MODE) : octdec(STRING_DIR_MODE));
446
		}
447
		$iMode |= 0600; // set o+rw
448
		if(is_writable($sName)) {
449
			$bRetval = chmod($sName, $iMode);
450
		}
451
	}
452
    error_reporting($iErrorReporting);
453
	return $bRetval;
454
}
455

    
456
// Function to figure out if a parent exists
457
function is_parent($page_id)
458
{
459
	global $database;
460
	// Get parent
461
	$sql = 'SELECT `parent` FROM `'.TABLE_PREFIX.'pages` WHERE `page_id` = '.$page_id;
462
	$parent = $database->get_one($sql);
463
	// If parent isnt 0 return its ID
464
	if(is_null($parent)) {
465
		return false;
466
	}else {
467
		return $parent;
468
	}
469
}
470

    
471
// Function to work out level
472
function level_count($page_id)
473
{
474
	global $database;
475
	// Get page parent
476
	$sql = 'SELECT `parent` FROM `'.TABLE_PREFIX.'pages` WHERE `page_id` = '.$page_id;
477
	$parent = $database->get_one($sql);
478
	if($parent > 0)
479
	{	// Get the level of the parent
480
		$sql = 'SELECT `level` FROM `'.TABLE_PREFIX.'pages` WHERE `page_id` = '.$parent;
481
		$level = $database->get_one($sql);
482
		return $level+1;
483
	}else {
484
		return 0;
485
	}
486
}
487

    
488
// Function to work out root parent
489
function root_parent($page_id)
490
{
491
	global $database;
492
	// Get page details
493
	$sql = 'SELECT `parent`, `level` FROM `'.TABLE_PREFIX.'pages` WHERE `page_id` = '.$page_id;
494

    
495
	$query_page = $database->query($sql);
496
	$fetch_page = $query_page->fetchRow(MYSQL_ASSOC);
497
	$parent = $fetch_page['parent'];
498
	$level = $fetch_page['level'];
499
	if($level == 1) {
500
		return $parent;
501
	} elseif($parent == 0) {
502
		return $page_id;
503
	} else {	// Figure out what the root parents id is
504
		$parent_ids = array_reverse(get_parent_ids($page_id));
505
		return $parent_ids[0];
506
	}
507
}
508

    
509
// Function to get page title
510
function get_page_title($id)
511
{
512
	global $database;
513
	// Get title
514
	$sql = 'SELECT `page_title` FROM `'.TABLE_PREFIX.'pages` WHERE `page_id` = '.$id;
515
	$page_title = $database->get_one($sql);
516
	return $page_title;
517
}
518

    
519
// Function to get a pages menu title
520
function get_menu_title($id)
521
{
522
	global $database;
523
	// Get title
524
	$sql = 'SELECT `menu_title` FROM `'.TABLE_PREFIX.'pages` WHERE `page_id` = '.$id;
525
	$menu_title = $database->get_one($sql);
526
	return $menu_title;
527
}
528

    
529
// Function to get all parent page titles
530
function get_parent_titles($parent_id)
531
{
532
	$titles[] = get_menu_title($parent_id);
533
	if(is_parent($parent_id) != false) {
534
		$parent_titles = get_parent_titles(is_parent($parent_id));
535
		$titles = array_merge($titles, $parent_titles);
536
	}
537
	return $titles;
538
}
539

    
540
// Function to get all parent page id's
541
function get_parent_ids($parent_id)
542
{
543
	$ids[] = $parent_id;
544
	if(is_parent($parent_id) != false) {
545
		$parent_ids = get_parent_ids(is_parent($parent_id));
546
		$ids = array_merge($ids, $parent_ids);
547
	}
548
	return $ids;
549
}
550

    
551
// Function to genereate page trail
552
function get_page_trail($page_id)
553
{
554
	return implode(',', array_reverse(get_parent_ids($page_id)));
555
}
556

    
557
// Function to get all sub pages id's
558
function get_subs($parent, array $subs )
559
{
560
	// Connect to the database
561
	global $database;
562
	// Get id's
563
	$sql = 'SELECT `page_id` FROM `'.TABLE_PREFIX.'pages` WHERE `parent` = '.$parent;
564
	if( ($query = $database->query($sql)) ) {
565
		while($fetch = $query->fetchRow(MYSQL_ASSOC)) {
566
			$subs[] = $fetch['page_id'];
567
			// Get subs of this sub recursive
568
			$subs = get_subs($fetch['page_id'], $subs);
569
		}
570
	}
571
	// Return subs array
572
	return $subs;
573
}
574

    
575
// Function as replacement for php's htmlspecialchars()
576
// Will not mangle HTML-entities
577
function my_htmlspecialchars($string)
578
{
579
	$string = preg_replace('/&(?=[#a-z0-9]+;)/i', '__amp;_', $string);
580
	$string = strtr($string, array('<'=>'&lt;', '>'=>'&gt;', '&'=>'&amp;', '"'=>'&quot;', '\''=>'&#39;'));
581
	$string = preg_replace('/__amp;_(?=[#a-z0-9]+;)/i', '&', $string);
582
	return($string);
583
}
584

    
585
// Convert a string from mixed html-entities/umlauts to pure $charset_out-umlauts
586
// Will replace all numeric and named entities except &gt; &lt; &apos; &quot; &#039; &nbsp;
587
// In case of error the returned string is unchanged, and a message is emitted.
588
function entities_to_umlauts($string, $charset_out=DEFAULT_CHARSET)
589
{
590
	require_once(WB_PATH.'/framework/functions-utf8.php');
591
	return entities_to_umlauts2($string, $charset_out);
592
}
593

    
594
// Will convert a string in $charset_in encoding to a pure ASCII string with HTML-entities.
595
// In case of error the returned string is unchanged, and a message is emitted.
596
function umlauts_to_entities($string, $charset_in=DEFAULT_CHARSET)
597
{
598
	require_once(WB_PATH.'/framework/functions-utf8.php');
599
	return umlauts_to_entities2($string, $charset_in);
600
}
601

    
602
// Function to convert a page title to a page filename
603
function page_filename($string)
604
{
605
	require_once(WB_PATH.'/framework/functions-utf8.php');
606
	$string = entities_to_7bit($string);
607
	// Now remove all bad characters
608
	$bad = array(
609
	'\'', /* /  */ '"', /* " */	'<', /* < */	'>', /* > */
610
	'{', /* { */	'}', /* } */	'[', /* [ */	']', /* ] */	'`', /* ` */
611
	'!', /* ! */	'@', /* @ */	'#', /* # */	'$', /* $ */	'%', /* % */
612
	'^', /* ^ */	'&', /* & */	'*', /* * */	'(', /* ( */	')', /* ) */
613
	'=', /* = */	'+', /* + */	'|', /* | */	'/', /* / */	'\\', /* \ */
614
	';', /* ; */	':', /* : */	',', /* , */	'?' /* ? */
615
	);
616
	$string = str_replace($bad, '', $string);
617
	// replace multiple dots in filename to single dot and (multiple) dots at the end of the filename to nothing
618
	$string = preg_replace(array('/\.+/', '/\.+$/'), array('.', ''), $string);
619
	// Now replace spaces with page spcacer
620
	$string = trim($string);
621
	$string = preg_replace('/(\s)+/', PAGE_SPACER, $string);
622
	// Now convert to lower-case
623
	$string = strtolower($string);
624
	// If there are any weird language characters, this will protect us against possible problems they could cause
625
	$string = str_replace(array('%2F', '%'), array('/', ''), urlencode($string));
626
	// Finally, return the cleaned string
627
	return $string;
628
}
629

    
630
// Function to convert a desired media filename to a clean mediafilename
631
function media_filename($string)
632
{
633
	require_once(WB_PATH.'/framework/functions-utf8.php');
634
	$string = entities_to_7bit($string);
635
	// Now remove all bad characters
636
	$bad = array('\'','"','`','!','@','#','$','%','^','&','*','=','+','|','/','\\',';',':',',','?');
637
	$string = str_replace($bad, '', $string);
638
	// replace multiple dots in filename to single dot and (multiple) dots at the end of the filename to nothing
639
	$string = preg_replace(array('/\.+/', '/\.+$/', '/\s/'), array('.', '', '_'), $string);
640
	// Clean any page spacers at the end of string
641
	$string = trim($string);
642
	// Finally, return the cleaned string
643
	return $string;
644
}
645

    
646
// Function to work out a page link
647
if(!function_exists('page_link'))
648
{
649
	function page_link($link)
650
	{
651
		global $admin;
652
		return $admin->page_link($link);
653
	}
654
}
655

    
656
// Create a new directory and/or protected file in the given directory
657
function createFolderProtectFile($sAbsDir='',$make_dir=true)
658
{
659
	global $admin, $MESSAGE;
660
	$retVal = array();
661
	$wb_path = rtrim(str_replace('\/\\', '/', WB_PATH), '/');
662
    if( ($sAbsDir=='') || ($sAbsDir == $wb_path) ) { return $retVal;}
663

    
664
	if ( $make_dir==true ) {
665
		// Check to see if the folder already exists
666
		if(file_exists($sAbsDir)) {
667
			// $admin->print_error($MESSAGE['MEDIA_DIR_EXISTS']);
668
			$retVal[] = basename($sAbsDir).'::'.$MESSAGE['MEDIA_DIR_EXISTS'];
669
		}
670
		if (!is_dir($sAbsDir) && !make_dir($sAbsDir) ) {
671
			// $admin->print_error($MESSAGE['MEDIA_DIR_NOT_MADE']);
672
			$retVal[] = basename($sAbsDir).'::'.$MESSAGE['MEDIA_DIR_NOT_MADE'];
673
		} else {
674
			change_mode($sAbsDir);
675
		}
676
	}
677

    
678
	if( is_writable($sAbsDir) )
679
	{
680
        // if(file_exists($sAbsDir.'/index.php')) { unlink($sAbsDir.'/index.php'); }
681
	    // Create default "index.php" file
682
		$rel_pages_dir = str_replace($wb_path, '', dirname($sAbsDir) );
683
		$step_back = str_repeat( '../', substr_count($rel_pages_dir, '/')+1 );
684

    
685
		$sResponse  = $_SERVER['SERVER_PROTOCOL'].' 301 Moved Permanently';
686
		$content =
687
			'<?php'."\n".
688
			'// *** This file is generated by WebsiteBaker Ver.'.VERSION."\n".
689
			'// *** Creation date: '.date('c')."\n".
690
			'// *** Do not modify this file manually'."\n".
691
			'// *** WB will rebuild this file from time to time!!'."\n".
692
			'// *************************************************'."\n".
693
			"\t".'header(\''.$sResponse.'\');'."\n".
694
			"\t".'header(\'Location: '.WB_URL.'/index.php\');'."\n".
695
			'// *************************************************'."\n";
696
		$filename = $sAbsDir.'/index.php';
697

    
698
		// write content into file
699
		  if(is_writable($filename) || !file_exists($filename)) {
700
		      if(file_put_contents($filename, $content)) {
701
		//    print 'create => '.str_replace( $wb_path,'',$filename).'<br />';
702
		          change_mode($filename, 'file');
703
		      } else {
704
		    $retVal[] = $MESSAGE['GENERIC_BAD_PERMISSIONS'].' :: '.$filename;
705
		   }
706
		  }
707
		 } else {
708
		   $retVal[] = $MESSAGE['GENERIC_BAD_PERMISSIONS'];
709
		 }
710
		 return $retVal;
711
}
712

    
713
function rebuildFolderProtectFile($dir='')
714
{
715
	global $MESSAGE;
716
	$retVal = array();
717
	$dir = rtrim(str_replace('\/\\', '/', $dir), '/');
718
	try {
719
		$files = array();
720
		$files[] = $dir;
721
		foreach(new RecursiveIteratorIterator(new RecursiveDirectoryIterator($dir)) as $fileInfo) {
722
			$files[] = $fileInfo->getPath();
723
		}
724
		$files = array_unique($files);
725
		foreach( $files as $file) {
726
			$protect_file = rtrim(str_replace('\/\\', '/', $file), '/');
727
			$retVal[] = createFolderProtectFile($protect_file,false);
728
		}
729
	} catch ( Exception $e ) {
730
		$retVal[] = $MESSAGE['MEDIA_DIR_ACCESS_DENIED'];
731
	}
732
	return $retVal;
733
}
734

    
735
// Create a new file in the pages directory
736
function create_access_file($filename,$page_id,$level)
737
{
738
	global $admin, $MESSAGE;
739
	$retVal = array();
740
	// First make sure parent folder exists
741
	$parent_folders = explode('/',str_replace(WB_PATH.PAGES_DIRECTORY, '', dirname($filename)));
742
	$parents = '';
743
	foreach($parent_folders AS $parent_folder)
744
	{
745
		if($parent_folder != '/' AND $parent_folder != '')
746
		{
747
			$parents .= '/'.$parent_folder;
748
			$acces_file = WB_PATH.PAGES_DIRECTORY.$parents;
749
			// can only be dirs
750
			if(!is_readable($acces_file)) {
751
				if(!make_dir($acces_file)) {
752
					$retVal[] = $MESSAGE['PAGES_CANNOT_CREATE_ACCESS_FILE_FOLDER'];
753
                    $retVal[] = $MESSAGE['MEDIA_DIR_ACCESS_DENIED'];
754
				}
755
			}
756
		}
757
	}
758

    
759
	// The depth of the page directory in the directory hierarchy
760
	// '/pages' is at depth 2
761
	$bPagesDirectorySet = (sizeof(explode('/',PAGES_DIRECTORY))==1);
762
	// Work-out how many ../'s we need to get to the index page
763
	$pages_dir_depth = sizeof($parent_folders)-intval($bPagesDirectorySet);
764
	$index_location = str_repeat ( '../' , $pages_dir_depth );
765
	$content =
766
		'<?php'."\n".
767
		'// *** This file is generated by WebsiteBaker Ver.'.VERSION."\n".
768
		'// *** Creation date: '.date('c')."\n".
769
		'// *** Do not modify this file manually'."\n".
770
		'// *** WB will rebuild this file from time to time!!'."\n".
771
		'// *************************************************'."\n".
772
		"\t".'$page_id    = '.$page_id.';'."\n".
773
		"\t".'require(\''.$index_location.'index.php\');'."\n".
774
		'// *************************************************'."\n";
775

    
776
	if( ($handle = fopen($filename, 'w')) ) {
777
		fwrite($handle, $content);
778
		fclose($handle);
779
		// Chmod the file
780
		change_mode($filename);
781
	} else {
782
//		$admin->print_error($MESSAGE['PAGES_CANNOT_CREATE_ACCESS_FILE']);
783
        $retVal[] = $MESSAGE['PAGES_CANNOT_CREATE_ACCESS_FILE'];
784
	}
785
	return $retVal;
786
 }
787

    
788
// Function for working out a file mime type (if the in-built PHP one is not enabled)
789
if(!function_exists('mime_content_type'))
790
{
791
    function mime_content_type($filename)
792
	{
793
	    $mime_types = array(
794
            'txt'	=> 'text/plain',
795
            'htm'	=> 'text/html',
796
            'html'	=> 'text/html',
797
            'php'	=> 'text/html',
798
            'css'	=> 'text/css',
799
            'js'	=> 'application/javascript',
800
            'json'	=> 'application/json',
801
            'xml'	=> 'application/xml',
802
            'swf'	=> 'application/x-shockwave-flash',
803
            'flv'	=> 'video/x-flv',
804

    
805
            // images
806
            'png'	=> 'image/png',
807
            'jpe'	=> 'image/jpeg',
808
            'jpeg'	=> 'image/jpeg',
809
            'jpg'	=> 'image/jpeg',
810
            'gif'	=> 'image/gif',
811
            'bmp'	=> 'image/bmp',
812
            'ico'	=> 'image/vnd.microsoft.icon',
813
            'tiff'	=> 'image/tiff',
814
            'tif'	=> 'image/tiff',
815
            'svg'	=> 'image/svg+xml',
816
            'svgz'	=> 'image/svg+xml',
817

    
818
            // archives
819
            'zip'	=> 'application/zip',
820
            'rar'	=> 'application/x-rar-compressed',
821
            'exe'	=> 'application/x-msdownload',
822
            'msi'	=> 'application/x-msdownload',
823
            'cab'	=> 'application/vnd.ms-cab-compressed',
824

    
825
            // audio/video
826
            'mp3'	=> 'audio/mpeg',
827
            'mp4'	=> 'audio/mpeg',
828
            'qt'	=> 'video/quicktime',
829
            'mov'	=> 'video/quicktime',
830

    
831
            // adobe
832
            'pdf'	=> 'application/pdf',
833
            'psd'	=> 'image/vnd.adobe.photoshop',
834
            'ai'	=> 'application/postscript',
835
            'eps'	=> 'application/postscript',
836
            'ps'	=> 'application/postscript',
837

    
838
            // ms office
839
            'doc'	=> 'application/msword',
840
            'rtf'	=> 'application/rtf',
841
            'xls'	=> 'application/vnd.ms-excel',
842
            'ppt'	=> 'application/vnd.ms-powerpoint',
843

    
844
            // open office
845
            'odt'	=> 'application/vnd.oasis.opendocument.text',
846
            'ods'	=> 'application/vnd.oasis.opendocument.spreadsheet',
847
        );
848
        $temp = explode('.',$filename);
849
        $ext = strtolower(array_pop($temp));
850
        if (array_key_exists($ext, $mime_types)) {
851
            return $mime_types[$ext];
852
        }elseif (function_exists('finfo_open')) {
853
            $finfo = finfo_open(FILEINFO_MIME);
854
            $mimetype = finfo_file($finfo, $filename);
855
            finfo_close($finfo);
856
            return $mimetype;
857
        }else {
858
            return 'application/octet-stream';
859
        }
860
    }
861
}
862

    
863
// Generate a thumbnail from an image
864
function make_thumb($source, $destination, $size)
865
{
866
	// Check if GD is installed
867
	if(extension_loaded('gd') && function_exists('imageCreateFromJpeg'))
868
	{
869
		// First figure out the size of the thumbnail
870
		list($original_x, $original_y) = getimagesize($source);
871
		if ($original_x > $original_y) {
872
			$thumb_w = $size;
873
			$thumb_h = $original_y*($size/$original_x);
874
		}
875
		if ($original_x < $original_y) {
876
			$thumb_w = $original_x*($size/$original_y);
877
			$thumb_h = $size;
878
		}
879
		if ($original_x == $original_y) {
880
			$thumb_w = $size;
881
			$thumb_h = $size;
882
		}
883
		// Now make the thumbnail
884
		$source = imageCreateFromJpeg($source);
885
		$dst_img = ImageCreateTrueColor($thumb_w, $thumb_h);
886
		imagecopyresampled($dst_img,$source,0,0,0,0,$thumb_w,$thumb_h,$original_x,$original_y);
887
		imagejpeg($dst_img, $destination);
888
		// Clear memory
889
		imagedestroy($dst_img);
890
		imagedestroy($source);
891
	   // Return true
892
		return true;
893
	} else {
894
		return false;
895
	}
896
}
897

    
898
/*
899
 * Function to work-out a single part of an octal permission value
900
 *
901
 * @param mixed $octal_value: an octal value as string (i.e. '0777') or real octal integer (i.e. 0777 | 777)
902
 * @param string $who: char or string for whom the permission is asked( U[ser] / G[roup] / O[thers] )
903
 * @param string $action: char or string with the requested action( r[ead..] / w[rite..] / e|x[ecute..] )
904
 * @return boolean
905
 */
906
function extract_permission($octal_value, $who, $action)
907
{
908
	// Make sure that all arguments are set and $octal_value is a real octal-integer
909
	if(($who == '') || ($action == '') || (preg_match( '/[^0-7]/', (string)$octal_value ))) {
910
		return false; // invalid argument, so return false
911
	}
912
	// convert $octal_value into a decimal-integer to be sure having a valid value
913
	$right_mask = octdec($octal_value);
914
	$action_mask = 0;
915
	// set the $action related bit in $action_mask
916
	switch($action[0]) { // get action from first char of $action
917
		case 'r':
918
		case 'R':
919
			$action_mask = 4; // set read-bit only (2^2)
920
			break;
921
		case 'w':
922
		case 'W':
923
			$action_mask = 2; // set write-bit only (2^1)
924
			break;
925
		case 'e':
926
		case 'E':
927
		case 'x':
928
		case 'X':
929
			$action_mask = 1; // set execute-bit only (2^0)
930
			break;
931
		default:
932
			return false; // undefined action name, so return false
933
	}
934
	// shift action-mask into the right position
935
	switch($who[0]) { // get who from first char of $who
936
		case 'u':
937
		case 'U':
938
			$action_mask <<= 3; // shift left 3 bits
939
		case 'g':
940
		case 'G':
941
			$action_mask <<= 3; // shift left 3 bits
942
		case 'o':
943
		case 'O':
944
			/* NOP */
945
			break;
946
		default:
947
			return false; // undefined who, so return false
948
	}
949
	return( ($right_mask & $action_mask) != 0 ); // return result of binary-AND
950
}
951

    
952
// Function to delete a page
953
	function delete_page($page_id)
954
	{
955
		global $admin, $database, $MESSAGE;
956
		// Find out more about the page
957
		$sql  = 'SELECT `page_id`, `menu_title`, `page_title`, `level`, ';
958
		$sql .=        '`link`, `parent`, `modified_by`, `modified_when` ';
959
		$sql .= 'FROM `'.TABLE_PREFIX.'pages` WHERE `page_id`='.$page_id;
960
		$results = $database->query($sql);
961
		if($database->is_error())    { $admin->print_error($database->get_error()); }
962
		if($results->numRows() == 0) { $admin->print_error($MESSAGE['PAGES_NOT_FOUND']); }
963
		$results_array = $results->fetchRow(MYSQL_ASSOC);
964
		$parent     = $results_array['parent'];
965
		$level      = $results_array['level'];
966
		$sPageLink       = $results_array['link'];
967
		$page_title = $results_array['page_title'];
968
		$menu_title = $results_array['menu_title'];
969
		// Get the sections that belong to the page
970
		$sql  = 'SELECT `section_id`, `module` FROM `'.TABLE_PREFIX.'sections` ';
971
		$sql .= 'WHERE `page_id`='.$page_id;
972
		$query_sections = $database->query($sql);
973
		if($query_sections->numRows() > 0)
974
		{
975
			while($section = $query_sections->fetchRow()) {
976
				// Set section id
977
				$section_id = $section['section_id'];
978
				// Include the modules delete file if it exists
979
				if(file_exists(WB_PATH.'/modules/'.$section['module'].'/delete.php')) {
980
					include(WB_PATH.'/modules/'.$section['module'].'/delete.php');
981
				}
982
			}
983
		}
984
		// Update the sections table
985
		$sql = 'DELETE FROM `'.TABLE_PREFIX.'sections` WHERE `page_id`='.$page_id;
986
		$database->query($sql);
987
		if($database->is_error()) {
988
			$admin->print_error($database->get_error());
989
		}
990
		// Include the ordering class or clean-up ordering
991
		include_once(WB_PATH.'/framework/class.order.php');
992
		$order = new order(TABLE_PREFIX.'pages', 'position', 'page_id', 'parent');
993
		$order->clean($parent);
994
		// Unlink the page access file and directory
995
		$directory = WB_PATH.PAGES_DIRECTORY.$sPageLink;
996
		$filename = $directory.PAGE_EXTENSION;
997
		$directory .= '/';
998
		if(is_writable($filename))
999
		{
1000
			if(!is_writable(WB_PATH.PAGES_DIRECTORY.'/')) {
1001
				$admin->print_error($MESSAGE['PAGES_CANNOT_DELETE_ACCESS_FILE']);
1002
			} else {
1003
				unlink($filename);
1004
				if( is_writable($directory) && (rtrim($directory,'/') != WB_PATH.PAGES_DIRECTORY ) && (substr($sPageLink, 0, 1) != '.') )
1005
				{
1006
					rm_full_dir($directory);
1007
				}
1008
			}
1009
		}
1010
		// Update the pages table
1011
		$sql = 'DELETE FROM `'.TABLE_PREFIX.'pages` WHERE `page_id`='.$page_id;
1012
		$database->query($sql);
1013
		if($database->is_error()) {
1014
			$admin->print_error($database->get_error());
1015
		}
1016
	}
1017

    
1018
/*
1019
 * @param string $file: name of the file to read
1020
 * @param int $size: number of maximum bytes to read (0 = complete file)
1021
 * @return string: the content as string, false on error
1022
 */
1023
	function getFilePart($file, $size = 0)
1024
	{
1025
		$file_content = '';
1026
		if( file_exists($file) && is_file($file) && is_readable($file))
1027
		{
1028
			if($size == 0) {
1029
				$size = filesize($file);
1030
			}
1031
			if(($fh = fopen($file, 'rb'))) {
1032
				if( ($file_content = fread($fh, $size)) !== false ) {
1033
					return $file_content;
1034
				}
1035
				fclose($fh);
1036
			}
1037
		}
1038
		return false;
1039
	}
1040

    
1041
	/**
1042
	* replace varnames with values in a string
1043
	*
1044
	* @param string $subject: stringvariable with vars placeholder
1045
	* @param array $replace: values to replace vars placeholder
1046
	* @return string
1047
	*/
1048
    function replace_vars($subject = '', &$replace = null )
1049
    {
1050
		if(is_array($replace))
1051
		{
1052
			foreach ($replace  as $key => $value) {
1053
				$subject = str_replace("{{".$key."}}", $value, $subject);
1054
			}
1055
		}
1056
		return $subject;
1057
    }
1058

    
1059
// Load module into DB
1060
function load_module($directory, $install = false)
1061
{
1062
	global $database,$admin,$MESSAGE;
1063
	$retVal = false;
1064
	if(is_dir($directory) && file_exists($directory.'/info.php'))
1065
	{
1066
		require($directory.'/info.php');
1067
		if(isset($module_name))
1068
		{
1069
			if(!isset($module_license)) { $module_license = 'GNU General Public License'; }
1070
			if(!isset($module_platform) && isset($module_designed_for)) { $module_platform = $module_designed_for; }
1071
			if(!isset($module_function) && isset($module_type)) { $module_function = $module_type; }
1072
			$module_function = strtolower($module_function);
1073
			// Check that it doesn't already exist
1074
			$sqlwhere = 'WHERE `type` = \'module\' AND `directory` = \''.$module_directory.'\'';
1075
			$sql  = 'SELECT COUNT(*) FROM `'.TABLE_PREFIX.'addons` '.$sqlwhere;
1076
			if( $database->get_one($sql) ) {
1077
				$sql  = 'UPDATE `'.TABLE_PREFIX.'addons` SET ';
1078
			}else{
1079
				// Load into DB
1080
				$sql  = 'INSERT INTO `'.TABLE_PREFIX.'addons` SET ';
1081
				$sqlwhere = '';
1082
			}
1083
			$sql .= '`directory`=\''.$module_directory.'\', ';
1084
			$sql .= '`name`=\''.$module_name.'\', ';
1085
			$sql .= '`description`=\''.addslashes($module_description).'\', ';
1086
			$sql .= '`type`=\'module\', ';
1087
			$sql .= '`function`=\''.$module_function.'\', ';
1088
			$sql .= '`version`=\''.$module_version.'\', ';
1089
			$sql .= '`platform`=\''.$module_platform.'\', ';
1090
			$sql .= '`author`=\''.addslashes($module_author).'\', ';
1091
			$sql .= '`license`=\''.addslashes($module_license).'\'';
1092
			$sql .= $sqlwhere;
1093
			$retVal = intval($database->query($sql) ? true : false);
1094
			// Run installation script
1095
			if($install == true) {
1096
				if(file_exists($directory.'/install.php')) {
1097
					require($directory.'/install.php');
1098
				}
1099
			}
1100
		}
1101
        return $retVal;
1102
	}
1103
}
1104

    
1105
// Load template into DB
1106
function load_template($directory)
1107
{
1108
	global $database, $admin;
1109
	$retVal = false;
1110
	if(is_dir($directory) && file_exists($directory.'/info.php'))
1111
	{
1112
		require($directory.'/info.php');
1113
		if(isset($template_name))
1114
		{
1115
			if(!isset($template_license)) {
1116
              $template_license = 'GNU General Public License';
1117
            }
1118
			if(!isset($template_platform) && isset($template_designed_for)) {
1119
              $template_platform = $template_designed_for;
1120
            }
1121
			if(!isset($template_function)) {
1122
              $template_function = 'template';
1123
            }
1124
			// Check that it doesn't already exist
1125
			$sqlwhere = 'WHERE `type`=\'template\' AND `directory`=\''.$template_directory.'\'';
1126
			$sql  = 'SELECT COUNT(*) FROM `'.TABLE_PREFIX.'addons` '.$sqlwhere;
1127
			if( $database->get_one($sql) ) {
1128
				$sql  = 'UPDATE `'.TABLE_PREFIX.'addons` SET ';
1129
			}else{
1130
				// Load into DB
1131
				$sql  = 'INSERT INTO `'.TABLE_PREFIX.'addons` SET ';
1132
				$sqlwhere = '';
1133
			}
1134
			$sql .= '`directory`=\''.$template_directory.'\', ';
1135
			$sql .= '`name`=\''.$template_name.'\', ';
1136
			$sql .= '`description`=\''.addslashes($template_description).'\', ';
1137
			$sql .= '`type`=\'template\', ';
1138
			$sql .= '`function`=\''.$template_function.'\', ';
1139
			$sql .= '`version`=\''.$template_version.'\', ';
1140
			$sql .= '`platform`=\''.$template_platform.'\', ';
1141
			$sql .= '`author`=\''.addslashes($template_author).'\', ';
1142
			$sql .= '`license`=\''.addslashes($template_license).'\' ';
1143
			$sql .= $sqlwhere;
1144
			$retVal = intval($database->query($sql) ? true : false);
1145
		}
1146
	}
1147
	return $retVal;
1148
}
1149

    
1150
// Load language into DB
1151
function load_language($file)
1152
{
1153
	global $database,$admin;
1154
	$retVal = false;
1155
	if (file_exists($file) && preg_match('#^([A-Z]{2}.php)#', basename($file)))
1156
	{
1157
		// require($file);  it's to large
1158
		// read contents of the template language file into string
1159
		$data = @file_get_contents(WB_PATH.'/languages/'.str_replace('.php','',basename($file)).'.php');
1160
		// use regular expressions to fetch the content of the variable from the string
1161
		$language_name = get_variable_content('language_name', $data, false, false);
1162
		$language_code = get_variable_content('language_code', $data, false, false);
1163
		$language_author = get_variable_content('language_author', $data, false, false);
1164
		$language_version = get_variable_content('language_version', $data, false, false);
1165
		$language_platform = get_variable_content('language_platform', $data, false, false);
1166

    
1167
		if(isset($language_name))
1168
		{
1169
			if(!isset($language_license)) { $language_license = 'GNU General Public License'; }
1170
			if(!isset($language_platform) && isset($language_designed_for)) { $language_platform = $language_designed_for; }
1171
			// Check that it doesn't already exist
1172
			$sqlwhere = 'WHERE `type`=\'language\' AND `directory`=\''.$language_code.'\'';
1173
			$sql  = 'SELECT COUNT(*) FROM `'.TABLE_PREFIX.'addons` '.$sqlwhere;
1174
			if( $database->get_one($sql) ) {
1175
				$sql  = 'UPDATE `'.TABLE_PREFIX.'addons` SET ';
1176
			}else{
1177
				// Load into DB
1178
				$sql  = 'INSERT INTO `'.TABLE_PREFIX.'addons` SET ';
1179
				$sqlwhere = '';
1180
			}
1181
			$sql .= '`directory`=\''.$language_code.'\', ';
1182
			$sql .= '`name`=\''.$language_name.'\', ';
1183
            $sql .= '`description`=\'\', ';
1184
			$sql .= '`function`=\'\', ';
1185
			$sql .= '`type`=\'language\', ';
1186
			$sql .= '`version`=\''.$language_version.'\', ';
1187
			$sql .= '`platform`=\''.$language_platform.'\', ';
1188
			$sql .= '`author`=\''.addslashes($language_author).'\', ';
1189
			$sql .= '`license`=\''.addslashes($language_license).'\' ';
1190
			$sql .= $sqlwhere;
1191
			$retVal = intval($database->query($sql) ? true : false);
1192
		}
1193
	}
1194
	return $retVal;
1195
}
1196

    
1197
// Upgrade module info in DB, optionally start upgrade script
1198
function upgrade_module($directory, $upgrade = false)
1199
{
1200
	global $database, $admin, $MESSAGE, $new_module_version;
1201
	$mod_directory = WB_PATH.'/modules/'.$directory;
1202
	if(file_exists($mod_directory.'/info.php'))
1203
	{
1204
		require($mod_directory.'/info.php');
1205
		if(isset($module_name))
1206
		{
1207
			if(!isset($module_license)) { $module_license = 'GNU General Public License'; }
1208
			if(!isset($module_platform) && isset($module_designed_for)) { $module_platform = $module_designed_for; }
1209
			if(!isset($module_function) && isset($module_type)) { $module_function = $module_type; }
1210
			$module_function = strtolower($module_function);
1211
			// Check that it does already exist
1212
			$sql  = 'SELECT COUNT(*) FROM `'.TABLE_PREFIX.'addons` ';
1213
			$sql .= 'WHERE `directory`=\''.$module_directory.'\'';
1214
			if( $database->get_one($sql) )
1215
			{
1216
				// Update in DB
1217
				$sql  = 'UPDATE `'.TABLE_PREFIX.'addons` SET ';
1218
				$sql .= '`version`=\''.$module_version.'\', ';
1219
				$sql .= '`description`=\''.addslashes($module_description).'\', ';
1220
				$sql .= '`platform`=\''.$module_platform.'\', ';
1221
				$sql .= '`author`=\''.addslashes($module_author).'\', ';
1222
				$sql .= '`license`=\''.addslashes($module_license).'\' ';
1223
				$sql .= 'WHERE `directory`=\''.$module_directory.'\' ';
1224
				$database->query($sql);
1225
				if($database->is_error()) {
1226
					$admin->print_error($database->get_error());
1227
				}
1228
				// Run upgrade script
1229
				if($upgrade == true) {
1230
					if(file_exists($mod_directory.'/upgrade.php')) {
1231
						require($mod_directory.'/upgrade.php');
1232
					}
1233
				}
1234
			}
1235
		}
1236
	}
1237
}
1238

    
1239
// extracts the content of a string variable from a string (save alternative to including files)
1240
if(!function_exists('get_variable_content'))
1241
{
1242
	function get_variable_content($search, $data, $striptags=true, $convert_to_entities=true)
1243
	{
1244
		$match = '';
1245
		// search for $variable followed by 0-n whitespace then by = then by 0-n whitespace
1246
		// then either " or ' then 0-n characters then either " or ' followed by 0-n whitespace and ;
1247
		// the variable name is returned in $match[1], the content in $match[3]
1248
		if (preg_match('/(\$' .$search .')\s*=\s*("|\')(.*)\2\s*;/', $data, $match))
1249
		{
1250
			if(strip_tags(trim($match[1])) == '$' .$search) {
1251
				// variable name matches, return it's value
1252
				$match[3] = ($striptags == true) ? strip_tags($match[3]) : $match[3];
1253
				$match[3] = ($convert_to_entities == true) ? htmlentities($match[3]) : $match[3];
1254
				return $match[3];
1255
			}
1256
		}
1257
		return false;
1258
	}
1259
}
1260

    
1261
/*
1262
 * @param string $modulname: like saved in addons.directory
1263
 * @param boolean $source: true reads from database, false from info.php
1264
 * @return string:  the version as string, if not found returns null
1265
 */
1266

    
1267
	function get_modul_version($modulname, $source = true)
1268
	{
1269
		global $database;
1270
		$version = null;
1271
		if( $source != true )
1272
		{
1273
			$sql  = 'SELECT `version` FROM `'.TABLE_PREFIX.'addons` ';
1274
			$sql .= 'WHERE `directory`=\''.$modulname.'\'';
1275
			$version = $database->get_one($sql);
1276
		} else {
1277
			$info_file = WB_PATH.'/modules/'.$modulname.'/info.php';
1278
			if(file_exists($info_file)) {
1279
				if(($info_file = file_get_contents($info_file))) {
1280
					$version = get_variable_content('module_version', $info_file, false, false);
1281
					$version = ($version !== false) ? $version : null;
1282
				}
1283
			}
1284
		}
1285
		return $version;
1286
	}
1287

    
1288
/*
1289
 * @param string $varlist: commaseperated list of varnames to move into global space
1290
 * @return bool:  false if one of the vars already exists in global space (error added to msgQueue)
1291
 */
1292
	function vars2globals_wrapper($varlist)
1293
	{
1294
		$retval = true;
1295
		if( $varlist != '')
1296
		{
1297
			$vars = explode(',', $varlist);
1298
			foreach( $vars as $var)
1299
			{
1300
				if( isset($GLOBALS[$var]) ){
1301
					ErrorLog::write( 'variabe $'.$var.' already defined in global space!!',__FILE__, __FUNCTION__, __LINE__);
1302
					$retval = false;
1303
				}else {
1304
					global $$var;
1305
				}
1306
			}
1307
		}
1308
		return $retval;
1309
	}
1310

    
1311
/*
1312
 * filter directory traversal more thoroughly, thanks to hal 9000
1313
 * @param string $dir: directory relative to MEDIA_DIRECTORY
1314
 * @param bool $with_media_dir: true when to include MEDIA_DIRECTORY
1315
 * @return: false if directory traversal detected, real path if not
1316
 */
1317
	function check_media_path($directory, $with_media_dir = true)
1318
	{
1319
		$md = ($with_media_dir) ? MEDIA_DIRECTORY : '';
1320
		$dir = realpath(WB_PATH . $md . '/' . utf8_decode($directory));
1321
		$required = realpath(WB_PATH . MEDIA_DIRECTORY);
1322
		if (strstr($dir, $required)) {
1323
			return $dir;
1324
		} else {
1325
			return false;
1326
		}
1327
	}
1328

    
1329
/*
1330
urlencode function and rawurlencode are mostly based on RFC 1738.
1331
However, since 2005 the current RFC in use for URIs standard is RFC 3986.
1332
Here is a function to encode URLs according to RFC 3986.
1333
*/
1334
if(!function_exists('url_encode')){
1335
	function url_encode($string) {
1336
	    $string = html_entity_decode($string,ENT_QUOTES,'UTF-8');
1337
	    $entities = array('%21', '%2A', '%27', '%28', '%29', '%3B', '%3A', '%40', '%26', '%3D', '%2B', '%24', '%2C', '%2F', '%3F', '%25', '%23', '%5B', '%5D');
1338
	    $replacements = array('!', '*', "'", "(", ")", ";", ":", "@", "&", "=", "+", "$", ",", "/", "?", "%", "#", "[", "]");
1339
	    return str_replace($entities,$replacements, rawurlencode($string));
1340
	}
1341
}
1342

    
1343
if(!function_exists('rebuild_all_accessfiles')){
1344
	function rebuild_all_accessfiles() {
1345
        global $database;
1346
    	$retVal = array();
1347
    	/**
1348
    	 * try to remove access files and build new folder protect files
1349
    	 */
1350
    	$sTempDir = (defined('PAGES_DIRECTORY') && (PAGES_DIRECTORY != '') ? PAGES_DIRECTORY : '');
1351
    	if(($sTempDir!='') && is_writeable(WB_PATH.$sTempDir)==true) {
1352
    	 	if(rm_full_dir (WB_PATH.$sTempDir, true )==false) {
1353
    			$retVal[] = '<span><strong>Could not delete existing access files</strong></span>';
1354
    	 	}
1355
    	}
1356
		$retVal[] = createFolderProtectFile(rtrim( WB_PATH.PAGES_DIRECTORY,'/') );
1357
    	/**
1358
    	 * Reformat/rebuild all existing access files
1359
    	 */
1360
        $sql = 'SELECT `page_id`,`root_parent`,`link`, `level` FROM `'.TABLE_PREFIX.'pages` ORDER BY `link`';
1361
        if (($oPage = $database->query($sql)))
1362
        {
1363
            $x = 0;
1364
            while (($page = $oPage->fetchRow(MYSQL_ASSOC)))
1365
            {
1366
                // Work out level
1367
                $level = level_count($page['page_id']);
1368
                // Work out root parent
1369
                $root_parent = root_parent($page['page_id']);
1370
                // Work out page trail
1371
                $page_trail = get_page_trail($page['page_id']);
1372
                // Update page with new level and link
1373
                $sql  = 'UPDATE `'.TABLE_PREFIX.'pages` SET ';
1374
                $sql .= '`root_parent` = '.$root_parent.', ';
1375
                $sql .= '`level` = '.$level.', ';
1376
                $sql .= '`page_trail` = "'.$page_trail.'" ';
1377
                $sql .= 'WHERE `page_id` = '.$page['page_id'];
1378

    
1379
                if(!$database->query($sql)) {}
1380
                $filename = WB_PATH.PAGES_DIRECTORY.$page['link'].PAGE_EXTENSION;
1381
                $retVal = create_access_file($filename, $page['page_id'], $page['level']);
1382
                $x++;
1383
            }
1384
            $retVal[] = '<span><strong>Number of new formated access files: '.$x.'</strong></span>';
1385
        }
1386
    return $retVal;
1387
	}
1388
}
1389

    
1390
if(!function_exists('upgrade_modules')){
1391
	function upgrade_modules($aModuleList) {
1392
        global $database;
1393
    	foreach($aModuleList as $sModul) {
1394
    		if(file_exists(WB_PATH.'/modules/'.$sModul.'/upgrade.php')) {
1395
    			$currModulVersion = get_modul_version ($sModul, false);
1396
    			$newModulVersion =  get_modul_version ($sModul, true);
1397
    			if((version_compare($currModulVersion, $newModulVersion) <= 0)) {
1398
    				require_once(WB_PATH.'/modules/'.$sModul.'/upgrade.php');
1399
    			}
1400
    		}
1401
    	}
1402
    }
1403
}
1404

    
(24-24/29)