summaryrefslogtreecommitdiffstats
path: root/inc/fileutil.inc.php
blob: f35f987efb174f05761e09c077c099004519ffa0 (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
<?php

class FileUtil
{
	
	/**
	 * Return contents of given file as string, but only read up to maxBytes bytes.
	 *
	 * @param string $file file to read
	 * @param int $maxBytes maximum length to read
	 * @return boolean|string data, false on error
	 */
	public static function readFile($file, $maxBytes = 1000)
	{
		$fh = @fopen($file, 'rb');
		if ($fh === false)
			return false;
		$data = fread($fh, $maxBytes);
		fclose($fh);
		return $data;
	}
	
	/**
	 * Read a file of key=value lines to assoc array.
	 *
	 * @param string $file Filename
	 * @return boolean|array assoc array, false on error
	 */
	public static function fileToArray($file)
	{
		$data = self::readFile($file, 2000);
		if ($data === false)
			return false;
		$data = explode("\n", str_replace("\r", "\n", $data));
		$ret = array();
		foreach ($data as $line) {
			if (preg_match('/^(\w+)\s*=\s*(.*?)\s*$/', $line, $out)) {
				$ret[$out[1]] = $out[2];
			}
		}
		return $ret;
	}
	
	/**
	 * Write given associative array to file as key=value pairs.
	 * 
	 * @param string $file Filename
	 * @param array $array Associative array to write
	 * @return boolean success of operation
	 */
	public static function arrayToFile($file, $array)
	{
		$fh = fopen($file, 'wb');
		if ($fh === false)
			return false;
		foreach ($array as $key => $value) {
			if (false === fwrite($fh, $key . ' = ' . preg_replace('/[\x00-\x1F]/s', '', (string)$value) . "\n")) {
				fclose($fh);
				return false;
			}
		}
		fclose($fh);
		return true;
	}

}