Passed
Push — develop ( 1bc4f1...a899bb )
by Портнов
17:04 queued 04:46
created

Storage::getStorageFreeSpaceMb()   A

Complexity

Conditions 4
Paths 4

Size

Total Lines 16
Code Lines 11

Duplication

Lines 0
Ratio 0 %

Importance

Changes 0
Metric Value
eloc 11
dl 0
loc 16
rs 9.9
c 0
b 0
f 0
cc 4
nc 4
nop 0
1
<?php
2
/*
3
 * MikoPBX - free phone system for small business
4
 * Copyright (C) 2017-2020 Alexey Portnov and Nikolay Beketov
5
 *
6
 * This program is free software: you can redistribute it and/or modify
7
 * it under the terms of the GNU General Public License as published by
8
 * the Free Software Foundation; either version 3 of the License, or
9
 * (at your option) any later version.
10
 *
11
 * This program is distributed in the hope that it will be useful,
12
 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13
 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
 * GNU General Public License for more details.
15
 *
16
 * You should have received a copy of the GNU General Public License along with this program.
17
 * If not, see <https://www.gnu.org/licenses/>.
18
 */
19
20
namespace MikoPBX\Core\System;
21
22
use Error;
23
use JsonException;
24
use MikoPBX\Common\Config\ClassLoader;
25
use MikoPBX\Common\Models\PbxExtensionModules;
26
use MikoPBX\Core\Config\RegisterDIServices;
27
use MikoPBX\Core\System\Configs\PHPConf;
28
use MikoPBX\Core\Workers\WorkerRemoveOldRecords;
29
use MikoPBX\Common\Models\Storage as StorageModel;
30
use MikoPBX\Common\Providers\ConfigProvider;
31
use MikoPBX\Modules\PbxExtensionUtils;
32
use Phalcon\Di;
33
34
use function MikoPBX\Common\Config\appPath;
35
36
37
/**
38
 * Class Storage
39
 *
40
 * @package MikoPBX\Core\System
41
 * @property \Phalcon\Config config
42
 */
43
class Storage extends Di\Injectable
44
{
45
46
    /**
47
     * Возвращает директорию для хранения файлов записей разговоров.
48
     *
49
     * @return string
50
     */
51
    public static function getMonitorDir(): string
52
    {
53
        $di = Di::getDefault();
54
        if ($di !== null) {
55
            return $di->getConfig()->path('asterisk.monitordir');
56
        }
57
58
        return '/tmp';
59
    }
60
61
    /**
62
     * Возвращает директорию для хранения media файлов.
63
     *
64
     * @return string
65
     */
66
    public static function getMediaDir(): string
67
    {
68
        $di = Di::getDefault();
69
        if ($di !== null) {
70
            return $di->getConfig()->path('core.mediaMountPoint');
71
        }
72
73
        return '/tmp';
74
    }
75
76
77
    /**
78
     * Прверяем является ли диск хранилищем.
79
     *
80
     * @param $device
81
     *
82
     * @return bool
83
     */
84
    public static function isStorageDisk($device): bool
85
    {
86
        $result = false;
87
        if ( ! file_exists("{$device}")) {
88
            return $result;
89
        }
90
91
        $tmp_dir = '/tmp/mnt_' . time();
92
        Util::mwMkdir($tmp_dir);
93
        $out = [];
94
95
        $storage  = new Storage();
96
        $uid_part = 'UUID=' . $storage->getUuid($device) . '';
97
        $format   = $storage->getFsType($device);
98
        if ($format === '') {
99
            return false;
100
        }
101
        $mountPath  = Util::which('mount');
102
        $umountPath = Util::which('umount');
103
        $rmPath     = Util::which('rm');
104
105
        Processes::mwExec("{$mountPath} -t {$format} {$uid_part} {$tmp_dir}", $out);
106
        if (is_dir("{$tmp_dir}/mikopbx") && trim(implode('', $out)) === '') {
107
            // $out - пустая строка, ошибок нет
108
            // присутствует каталог mikopbx.
109
            $result = true;
110
        }
111
        if (self::isStorageDiskMounted($device)) {
112
            Processes::mwExec("{$umountPath} {$device}");
113
        }
114
115
        if ( ! self::isStorageDiskMounted($device)) {
116
            Processes::mwExec("{$rmPath} -rf '{$tmp_dir}'");
117
        }
118
119
        return $result;
120
    }
121
122
    /**
123
     * Получение идентификатора устройства.
124
     *
125
     * @param $device
126
     *
127
     * @return string
128
     */
129
    public function getUuid($device): string
130
    {
131
        if (empty($device)) {
132
            return '';
133
        }
134
        $lsBlkPath   = Util::which('lsblk');
135
        $busyboxPath = Util::which('busybox');
136
137
        $cmd = "{$lsBlkPath} -r -o NAME,UUID | {$busyboxPath} grep ".basename($device)." | {$busyboxPath} cut -d ' ' -f 2";
138
        $res = Processes::mwExec($cmd, $output);
139
        if ($res === 0 && count($output) > 0) {
140
            $result = $output[0];
141
        } else {
142
            $result = '';
143
        }
144
145
        return $result;
146
    }
147
148
    /**
149
     * Возвращает тип файловой системы блочного устройства.
150
     *
151
     * @param $device
152
     *
153
     * @return string
154
     */
155
    public function getFsType($device): string
156
    {
157
        $blkidPath   = Util::which('blkid');
158
        $busyboxPath = Util::which('busybox');
159
        $sedPath     = Util::which('sed');
160
        $grepPath    = Util::which('grep');
161
        $awkPath     = Util::which('awk');
162
163
        $device = str_replace('/dev/', '', $device);
164
        $out    = [];
165
        Processes::mwExec(
166
            "{$blkidPath} -ofull /dev/{$device} | {$busyboxPath} {$sedPath} -r 's/[[:alnum:]]+=/\\n&/g' | {$busyboxPath} {$grepPath} \"^TYPE=\" | {$busyboxPath} {$awkPath} -F \"\\\"\" '{print $2}'",
167
            $out
168
        );
169
        $format = implode('', $out);
170
        if ($format === 'msdosvfat') {
171
            $format = 'msdos';
172
        }
173
174
        return $format;
175
    }
176
177
    /**
178
     * Проверка, смонтирован ли диск - хранилище.
179
     *
180
     * @param string $filter
181
     * @param string $mount_dir
182
     *
183
     * @return bool
184
     */
185
    public static function isStorageDiskMounted($filter = '', &$mount_dir = ''): bool
186
    {
187
        if (Util::isSystemctl() && file_exists('/storage/usbdisk1/')) {
188
            $mount_dir = '/storage/usbdisk1/';
189
190
            return true;
191
        }
192
        if ('' === $filter) {
193
            $di = Di::getDefault();
194
            if ($di !== null) {
195
                $varEtcDir = $di->getConfig()->path('core.varEtcDir');
196
            } else {
197
                $varEtcDir = '/var/etc';
198
            }
199
200
            $filename = "{$varEtcDir}/storage_device";
201
            if (file_exists($filename)) {
202
                $filter = file_get_contents($filename);
203
            } else {
204
                $filter = 'usbdisk1';
205
            }
206
        }
207
        $filter = escapeshellarg($filter);
208
209
        $out       = [];
210
        $grepPath  = Util::which('grep');
211
        $mountPath = Util::which('mount');
212
        $awkPath   = Util::which('awk');
213
        Processes::mwExec("{$mountPath} | {$grepPath} {$filter} | {$awkPath} '{print $3}'", $out);
214
        $mount_dir = trim(implode('', $out));
215
216
        return ($mount_dir !== '');
217
    }
218
219
    /**
220
     * Монитирование каталога с удаленного сервера SFTP.
221
     *
222
     * @param        $host
223
     * @param int    $port
224
     * @param string $user
225
     * @param string $pass
226
     * @param string $remout_dir
227
     * @param string $local_dir
228
     *
229
     * @return bool
230
     */
231
    public static function mountSftpDisk($host, $port, $user, $pass, $remout_dir, $local_dir): bool
232
    {
233
        Util::mwMkdir($local_dir);
234
235
        $out         = [];
236
        $timeoutPath = Util::which('timeout');
237
        $sshfsPath   = Util::which('sshfs');
238
239
        $command = "{$timeoutPath} 3 {$sshfsPath} -p {$port} -o nonempty -o password_stdin -o 'StrictHostKeyChecking=no' " .
240
            "{$user}@{$host}:{$remout_dir} {$local_dir} << EOF\n" .
241
            "{$pass}\n" .
242
            "EOF\n";
243
        // file_put_contents('/tmp/sshfs_'.$host, $command);
244
        Processes::mwExec($command, $out);
245
        $response = trim(implode('', $out));
246
        if ('Terminated' == $response) {
247
            // Удаленный сервер не ответил / или не корректно указан пароль.
248
            unset($response);
249
        }
250
251
        return self::isStorageDiskMounted("$local_dir ");
252
    }
253
254
    /**
255
     * Монитирование каталога с удаленного сервера FTP.
256
     *
257
     * @param        $host
258
     * @param        $port
259
     * @param        $user
260
     * @param        $pass
261
     * @param string $remout_dir
262
     * @param        $local_dir
263
     *
264
     * @return bool
265
     */
266
    public static function mountFtp($host, $port, $user, $pass, $remout_dir, $local_dir): bool
267
    {
268
        Util::mwMkdir($local_dir);
269
        $out = [];
270
271
        // Собираем строку подключения к ftp.
272
        $auth_line = '';
273
        if ( ! empty($user)) {
274
            $auth_line .= 'user="' . $user;
275
            if ( ! empty($pass)) {
276
                $auth_line .= ":{$pass}";
277
            }
278
            $auth_line .= '",';
279
        }
280
281
        $connect_line = 'ftp://' . $host;
282
        if ( ! empty($port)) {
283
            $connect_line .= ":{$port}";
284
        }
285
        if ( ! empty($remout_dir)) {
286
            $connect_line .= "$remout_dir";
287
        }
288
289
        $timeoutPath   = Util::which('timeout');
290
        $curlftpfsPath = Util::which('curlftpfs');
291
        $command       = "{$timeoutPath} 3 {$curlftpfsPath}  -o allow_other -o {$auth_line}fsname={$host} {$connect_line} {$local_dir}";
292
        Processes::mwExec($command, $out);
293
        $response = trim(implode('', $out));
294
        if ('Terminated' === $response) {
295
            // Удаленный сервер не ответил / или не корректно указан пароль.
296
            unset($response);
297
        }
298
299
        return self::isStorageDiskMounted("$local_dir ");
300
    }
301
302
    /**
303
     * Запускает процесс форматирования диска.
304
     *
305
     * @param $dev
306
     *
307
     * @return array|bool
308
     */
309
    public static function mkfs_disk($dev)
310
    {
311
        if ( ! file_exists($dev)) {
312
            $dev = "/dev/{$dev}";
313
        }
314
        if ( ! file_exists($dev)) {
315
            return false;
316
        }
317
        $dir = '';
318
        self::isStorageDiskMounted("$dev", $dir);
319
320
        if (empty($dir) || self::umountDisk($dir)) {
321
            // Диск размонтирован.
322
            $st = new Storage();
323
            // Будет запущен процесс:
324
            $st->formatDiskLocal($dev, true);
325
            sleep(1);
326
327
            return (self::statusMkfs($dev) == 'inprogress');
328
        } else {
329
            // Ошибка размонтирования диска.
330
            return false;
331
        }
332
    }
333
334
    /**
335
     * Размонтирует диск. Удаляет каталог в случае успеха.
336
     *
337
     * @param $dir
338
     *
339
     * @return bool
340
     */
341
    public static function umountDisk($dir): bool
342
    {
343
        $umountPath = Util::which('umount');
344
        $rmPath     = Util::which('rm');
345
        if (self::isStorageDiskMounted($dir)) {
346
            Processes::mwExec("/sbin/shell_functions.sh 'killprocesses' '$dir' -TERM 0");
347
            Processes::mwExec("{$umountPath} {$dir}");
348
        }
349
        $result = ! self::isStorageDiskMounted($dir);
350
        if ($result && file_exists($dir)) {
351
            // Если диск не смонтирован, то удаляем каталог.
352
            Processes::mwExec("{$rmPath} -rf '{$dir}'");
353
        }
354
355
        return $result;
356
    }
357
358
    /**
359
     * Разметка диска.
360
     *
361
     * @param string $device
362
     * @param bool   $bg
363
     *
364
     * @return mixed
365
     */
366
    public function formatDiskLocal($device, $bg = false)
367
    {
368
        $partedPath = Util::which('parted');
369
        $retVal     = Processes::mwExec(
370
            "{$partedPath} --script --align optimal '{$device}' 'mklabel msdos mkpart primary ext4 0% 100%'"
371
        );
372
        Util::sysLogMsg(__CLASS__, "{$partedPath} returned {$retVal}");
373
        if (false === $bg) {
374
            sleep(1);
375
        }
376
377
        return $this->formatDiskLocalPart2($device, $bg);
378
    }
379
380
    /**
381
     * Форматирование диска.
382
     *
383
     * @param string $device
384
     * @param bool   $bg
385
     *
386
     * @return mixed
387
     */
388
    private function formatDiskLocalPart2($device, $bg = false):bool
389
    {
390
        if (is_numeric(substr($device, -1))) {
391
            $device_id = "";
392
        } else {
393
            $device_id = "1";
394
        }
395
        $format   = 'ext4';
396
        $mkfsPath = Util::which("mkfs.{$format}");
397
        $cmd      = "{$mkfsPath} {$device}{$device_id}";
398
        if ($bg === false) {
399
            $retVal = Processes::mwExec("{$cmd} 2>&1");
400
            Util::sysLogMsg(__CLASS__, "{$mkfsPath} returned {$retVal}");
401
        } else {
402
            usleep(200000);
403
            Processes::mwExecBg($cmd);
404
            $retVal = true;
405
        }
406
407
        return $retVal;
0 ignored issues
show
Bug Best Practice introduced by
The expression return $retVal could return the type integer which is incompatible with the type-hinted return boolean. Consider adding an additional type-check to rule them out.
Loading history...
408
    }
409
410
    /**
411
     * Возвращает текущий статус форматирования диска.
412
     *
413
     * @param $dev
414
     *
415
     * @return string
416
     */
417
    public static function statusMkfs($dev): string
418
    {
419
        if ( ! file_exists($dev)) {
420
            $dev = "/dev/{$dev}";
421
        }
422
        $out      = [];
423
        $psPath   = Util::which('ps');
424
        $grepPath = Util::which('grep');
425
        Processes::mwExec("{$psPath} -A -f | {$grepPath} {$dev} | {$grepPath} mkfs | {$grepPath} -v grep", $out);
426
        $mount_dir = trim(implode('', $out));
427
428
        return empty($mount_dir) ? 'ended' : 'inprogress';
429
    }
430
431
    /**
432
     * Clear cache folders from PHP sessions files
433
     */
434
    public static function clearSessionsFiles():void
435
    {
436
        $di = Di::getDefault();
437
        if ($di === null) {
438
            return;
439
        }
440
        $config        = $di->getShared('config');
441
        $phpSessionDir = $config->path('www.phpSessionDir');
442
        if ( ! empty($phpSessionDir)) {
443
            $rmPath = Util::which('rm');
444
            Processes::mwExec("{$rmPath} -rf {$phpSessionDir}/*");
445
        }
446
    }
447
448
    /**
449
     * Возвращает все подключенные HDD.
450
     *
451
     * @param bool $mounted_only
452
     *
453
     * @return array
454
     */
455
    public function getAllHdd($mounted_only = false): array
456
    {
457
        $res_disks = [];
458
459
        if (Util::isSystemctl()) {
460
            $out      = [];
461
            $grepPath = Util::which('grep');
462
            $dfPath   = Util::which('df');
463
            $awkPath  = Util::which('awk');
464
            Processes::mwExec(
465
                "{$dfPath} -k /storage/usbdisk1 | {$awkPath}  '{ print $1 \"|\" $3 \"|\" $4} ' | {$grepPath} -v 'Available'",
466
                $out
467
            );
468
            $disk_data = explode('|', implode(" ", $out));
469
            if (count($disk_data) === 3) {
470
                $m_size      = round(($disk_data[1] + $disk_data[2]) / 1024, 1);
471
                $res_disks[] = [
472
                    'id'         => $disk_data[0],
473
                    'size'       => "" . $m_size,
474
                    'size_text'  => "" . $m_size . " Mb",
475
                    'vendor'     => 'Debian',
476
                    'mounted'    => '/storage/usbdisk1',
477
                    'free_space' => round($disk_data[2] / 1024, 1),
478
                    'partitions' => [],
479
                    'sys_disk'   => true,
480
                ];
481
            }
482
483
            return $res_disks;
484
        }
485
486
        $cd_disks   = $this->cdromGetDevices();
487
        $disks      = $this->diskGetDevices();
488
        $cf_disk    = '';
489
        $varEtcDir  = $this->config->path('core.varEtcDir');
490
491
        if (file_exists($varEtcDir . '/cfdevice')) {
492
            $cf_disk = trim(file_get_contents($varEtcDir . '/cfdevice'));
493
        }
494
495
        foreach ($disks as $disk => $diskInfo) {
496
            if (in_array($disk, $cd_disks, true)) {
497
                // Это CD-ROM.
498
                continue;
499
            }
500
            unset($temp_vendor, $temp_size, $original_size);
501
            $mounted = self::diskIsMounted($disk);
502
            if ($mounted_only === true && $mounted === false) {
503
                continue;
504
            }
505
            $sys_disk = ($cf_disk === $disk);
506
507
            $mb_size = 0;
508
            if (is_file("/sys/block/" . $disk . "/size")) {
509
                $original_size = trim(file_get_contents("/sys/block/" . $disk . "/size"));
510
                $original_size = ($original_size * 512 / 1024 / 1024);
511
                $mb_size       = $original_size;
512
            }
513
            if ($mb_size > 100) {
514
                $temp_size   = sprintf("%.0f MB", $mb_size);
515
                $temp_vendor = $this->getVendorDisk($diskInfo);
516
                $free_space  = $this->getFreeSpace($disk);
517
518
                $arr_disk_info = $this->determineFormatFs($diskInfo);
519
                if (count($arr_disk_info) > 0) {
520
                    $used = 0;
521
                    foreach ($arr_disk_info as $disk_info) {
522
                        $used += $disk_info['used_space'];
523
                    }
524
                    if ($used > 0) {
525
                        $free_space = $mb_size - $used;
526
                    }
527
                }
528
529
                $res_disks[] = [
530
                    'id'         => $disk,
531
                    'size'       => $mb_size,
532
                    'size_text'  => $temp_size,
533
                    'vendor'     => $temp_vendor,
534
                    'mounted'    => $mounted,
535
                    'free_space' => $free_space,
536
                    'partitions' => $arr_disk_info,
537
                    'sys_disk'   => $sys_disk,
538
                ];
539
            }
540
        }
541
542
        return $res_disks;
543
    }
544
545
    /**
546
     * Получение массива подключенныйх cdrom.
547
     *
548
     * @return array
549
     */
550
    private function cdromGetDevices(): array
551
    {
552
        $disks = [];
553
        $blockDevices = $this->getLsBlkDiskInfo();
554
        foreach ($blockDevices as $diskData){
555
            $type = $diskData['type']??'';
556
            $name = $diskData['name']??'';
557
            if($type !== 'rom' || $name === ''){
558
                continue;
559
            }
560
            $disks[]    = $name;
561
        }
562
        return $disks;
563
    }
564
565
    /**
566
     * Получение массива подключенныйх HDD.
567
     * @param false $diskOnly
568
     * @return array
569
     */
570
    public function diskGetDevices($diskOnly=false): array
571
    {
572
        $disks = [];
573
        $blockDevices = $this->getLsBlkDiskInfo();
574
        foreach ($blockDevices as $diskData){
575
            $type = $diskData['type']??'';
576
            $name = $diskData['name']??'';
577
            if($type !== 'disk' || $name === ''){
578
                continue;
579
            }
580
            $disks[$name]    = $diskData;
581
            if($diskOnly === true){
582
                continue;
583
            }
584
            $children   = $diskData['children']??[];
585
            foreach ($children as $child){
586
                $childName = $child['name']??'';
587
                if($childName === ''){
588
                    continue;
589
                }
590
                $disks[$childName]    = $child;
591
            }
592
593
        }
594
        return $disks;
595
    }
596
597
    /**
598
     * Возвращает информацию о дисках.
599
     * @return array
600
     */
601
    private function getLsBlkDiskInfo():array{
602
        $lsBlkPath = Util::which('lsblk');
603
        Processes::mwExec("{$lsBlkPath} -J -b -o VENDOR,MODEL,SERIAL,LABEL,TYPE,FSTYPE,MOUNTPOINT,SUBSYSTEMS,NAME,UUID", $out);
604
        try {
605
            $data = json_decode(implode(PHP_EOL, $out), true, 512, JSON_THROW_ON_ERROR);
606
            $data = $data['blockdevices']??[];
607
        } catch (JsonException $e) {
608
            $data = [];
609
        }
610
        return $data;
611
    }
612
613
    /**
614
     * Проверка, смонтирован ли диск.
615
     *
616
     * @param $disk
617
     * @param $filter
618
     *
619
     * @return string|bool
620
     */
621
    public static function diskIsMounted($disk, $filter = '/dev/')
622
    {
623
        $out       = [];
624
        $grepPath  = Util::which('grep');
625
        $mountPath = Util::which('mount');
626
        Processes::mwExec("{$mountPath} | {$grepPath} '{$filter}{$disk}'", $out);
627
        if (count($out) > 0) {
628
            $res_out = end($out);
629
        } else {
630
            $res_out = implode('', $out);
631
        }
632
        $data = explode(' ', trim($res_out));
633
634
        return (count($data) > 2) ? $data[2] : false;
635
    }
636
637
    /**
638
     * Получение сведений по диску.
639
     *
640
     * @param $diskInfo
641
     *
642
     * @return string
643
     */
644
    private function getVendorDisk($diskInfo): string
645
    {
646
        $temp_vendor = [];
647
        $keys = ['vendor', 'model', 'type'];
648
        foreach ($keys as $key){
649
            $data = $diskInfo[$key]??'';
650
            if ($data !== '') {
651
                $temp_vendor[] = trim(str_replace(',', '', $data));
652
            }
653
        }
654
        if (count($temp_vendor) === 0) {
655
            $temp_vendor[] = $diskInfo['name']??'ERROR: NoName';
656
        }
657
        return implode(', ', $temp_vendor);
658
    }
659
660
    /**
661
     * Получаем свободное место на диске в Mb.
662
     *
663
     * @param $hdd
664
     *
665
     * @return mixed
666
     */
667
    public function getFreeSpace($hdd)
668
    {
669
        $out      = [];
670
        $hdd      = escapeshellarg($hdd);
671
        $grepPath = Util::which('grep');
672
        $awkPath  = Util::which('awk');
673
        $dfPath   = Util::which('df');
674
        Processes::mwExec("{$dfPath} -m | {$grepPath} {$hdd} | {$awkPath} '{print $4}'", $out);
675
        $result = 0;
676
        foreach ($out as $res) {
677
            if ( ! is_numeric($res)) {
678
                continue;
679
            }
680
            $result += (1 * $res);
681
        }
682
683
        return $result;
684
    }
685
686
    /**
687
     * Определить формат файловой системы и размер дисков.
688
     *
689
     * @param $deviceInfo
690
     *
691
     * @return array|bool
692
     */
693
    public function determineFormatFs($deviceInfo)
694
    {
695
        $grepPath      = Util::which('grep');
696
        $lsPath        = Util::which('ls');
697
        $trPath        = Util::which('tr');
698
        $allow_formats = ['ext2', 'ext4', 'fat', 'ntfs', 'msdos'];
699
        $device        = str_replace('/dev/', '', $deviceInfo['name']??'');
700
        $devices       = explode(" ", trim(exec("{$lsPath} /dev | {$grepPath} '{$device}' | {$trPath} \"\n\" \" \"")));
701
702
        $result_data = [];
703
        foreach ($devices as $dev) {
704
            if (empty($dev) || (count($devices) > 1 && $device === $dev) || is_dir("/sys/block/{$dev}")) {
705
                continue;
706
            }
707
            $mb_size        = 0;
708
            $path_size_info = '';
709
            $tmp_path       = "/sys/block/{$device}/{$dev}/size";
710
            if (file_exists($tmp_path)) {
711
                $path_size_info = $tmp_path;
712
            }
713
            if (empty($path_size_info)) {
714
                $tmp_path = "/sys/block/" . substr($dev, 0, 3) . "/{$dev}/size";
715
                if (file_exists($tmp_path)) {
716
                    $path_size_info = $tmp_path;
717
                }
718
            }
719
720
            if ( ! empty($path_size_info)) {
721
                $original_size = trim(file_get_contents($path_size_info));
722
                $original_size = ($original_size * 512 / 1024 / 1024);
723
                $mb_size       = $original_size;
724
            }
725
726
            $tmp_dir = "/tmp/{$dev}_" . time();
727
            $out     = [];
728
729
            $fs           = null;
730
            $need_unmount = false;
731
            $mount_dir    = '';
732
            if (self::isStorageDiskMounted("/dev/{$dev} ", $mount_dir)) {
733
                $grepPath  = Util::which('grep');
734
                $awkPath   = Util::which('awk');
735
                $mountPath = Util::which('mount');
736
                Processes::mwExec("{$mountPath} | {$grepPath} '/dev/{$dev}' | {$awkPath} '{print $5}'", $out);
737
                $fs         = trim(implode("", $out));
738
                $fs         = ($fs === 'fuseblk') ? 'ntfs' : $fs;
739
                $free_space = $this->getFreeSpace("/dev/{$dev} ");
740
                $used_space = $mb_size - $free_space;
741
            } else {
742
                $format = $this->getFsType($device);
743
                if (in_array($format, $allow_formats)) {
744
                    $fs = $format;
745
                }
746
                self::mountDisk($dev, $format, $tmp_dir);
747
748
                $need_unmount = true;
749
                $used_space   = Util::getSizeOfFile($tmp_dir);
750
            }
751
            $result_data[] = [
752
                "dev"        => $dev,
753
                'size'       => round($mb_size, 2),
754
                "used_space" => round($used_space, 2),
755
                "free_space" => round($mb_size - $used_space, 2),
756
                "uuid"       => $this->getUuid("/dev/{$dev} "),
757
                "fs"         => $fs,
758
            ];
759
            if ($need_unmount) {
760
                self::umountDisk($tmp_dir);
761
            }
762
        }
763
764
        return $result_data;
765
    }
766
767
    /**
768
     * Монтирует диск в указанный каталог.
769
     *
770
     * @param $dev
771
     * @param $format
772
     * @param $dir
773
     *
774
     * @return bool
775
     */
776
    public static function mountDisk($dev, $format, $dir): bool
777
    {
778
        if (self::isStorageDiskMounted("/dev/{$dev} ")) {
779
            return true;
780
        }
781
        Util::mwMkdir($dir);
782
783
        if ( ! file_exists($dir)) {
784
            Util::sysLogMsg('Storage', "Unable mount $dev $format to $dir. Unable create dir.");
785
786
            return false;
787
        }
788
        $dev = str_replace('/dev/', '', $dev);
789
        if ('ntfs' === $format) {
790
            $mountNtfs3gPath = Util::which('mount.ntfs-3g');
791
            Processes::mwExec("{$mountNtfs3gPath} /dev/{$dev} {$dir}", $out);
792
        } else {
793
            $storage   = new self();
794
            $uid_part  = 'UUID=' . $storage->getUuid("/dev/{$dev}") . '';
795
            $mountPath = Util::which('mount');
796
            Processes::mwExec("{$mountPath} -t {$format} {$uid_part} {$dir}", $out);
797
        }
798
799
        return self::isStorageDiskMounted("/dev/{$dev} ");
800
    }
801
802
    /**
803
     * Монтирование разделов диска с базой данных настроек.
804
     */
805
    public function configure(): void
806
    {
807
        $cf_disk          = '';
808
        $varEtcDir        = $this->config->path('core.varEtcDir');
809
        $storage_dev_file = "{$varEtcDir}/storage_device";
810
        if (file_exists($storage_dev_file)) {
811
            unlink($storage_dev_file);
812
        }
813
814
        if (file_exists($varEtcDir . '/cfdevice')) {
815
            $cf_disk = trim(file_get_contents($varEtcDir . '/cfdevice'));
816
        }
817
818
        $disks = $this->getDiskSettings();
819
        $conf  = '';
820
        foreach ($disks as $disk) {
821
            clearstatcache();
822
            if ($disk['device'] !== "/dev/{$cf_disk}") {
823
                // Если это обычный диск, то раздел 1.
824
                $part = "1";
825
            } else {
826
                // Если это системный диск, то пытаемся подключить раздел 4.
827
                $part = "4";
828
            }
829
            $dev = self::getDevPartName($disk['device'], $part);
830
            if ( ! $this->hddExists($dev)) {
831
                // Диск не существует.
832
                continue;
833
            }
834
            if ($disk['media'] === '1' || ! file_exists($storage_dev_file)) {
835
                file_put_contents($storage_dev_file, "/storage/usbdisk{$disk['id']}");
836
                $this->updateConfigWithNewMountPoint("/storage/usbdisk{$disk['id']}");
837
            }
838
839
            $str_uid     = 'UUID=' . $this->getUuid($dev) . '';
840
            $format_p4   = $this->getFsType($dev);
841
            $conf        .= "{$str_uid} /storage/usbdisk{$disk['id']} {$format_p4} async,rw 0 0\n";
842
            $mount_point = "/storage/usbdisk{$disk['id']}";
843
            Util::mwMkdir($mount_point);
844
        }
845
        $this->saveFstab($conf);
846
        $this->createWorkDirs();
847
        PHPConf::setupLog();
848
    }
849
850
    /**
851
     * Получаем настройки диска из базы данных.
852
     *
853
     * @param string $id
854
     *
855
     * @return array
856
     */
857
    public function getDiskSettings($id = ''): array
858
    {
859
        $data = [];
860
        if ('' === $id) {
861
            // Возвращаем данные до модификации.
862
            $data = StorageModel::find()->toArray();
863
        } else {
864
            $pbxSettings = StorageModel::findFirst("id='$id'");
865
            if ($pbxSettings !== null) {
866
                $data = $pbxSettings->toArray();
867
            }
868
        }
869
870
        return $data;
871
    }
872
873
    /**
874
     * Проверяет, существует ли диск в массиве.
875
     *
876
     * @param $disk
877
     *
878
     * @return bool
879
     */
880
    private function hddExists($disk): bool
881
    {
882
        $result = false;
883
        $uid    = $this->getUuid($disk);
884
        if ($uid !== false && file_exists($disk)) {
885
            $result = true;
886
        }
887
        return $result;
888
    }
889
890
    /**
891
     * After mount storage we will change /mountpoint/ to new $mount_point value
892
     *
893
     * @param string $mount_point
894
     *
895
     */
896
    private function updateConfigWithNewMountPoint(string $mount_point): void
897
    {
898
        $staticSettingsFile     = '/etc/inc/mikopbx-settings.json';
899
        $staticSettingsFileOrig = appPath('config/mikopbx-settings.json');
900
901
        $jsonString = file_get_contents($staticSettingsFileOrig);
902
        try {
903
            $data = json_decode($jsonString, true, 512, JSON_THROW_ON_ERROR);
904
        } catch (JsonException $exception) {
905
            throw new Error("{$staticSettingsFileOrig} has broken format");
906
        }
907
        foreach ($data as $rootKey => $rootEntry) {
908
            foreach ($rootEntry as $nestedKey => $entry) {
909
                if (stripos($entry, '/mountpoint') !== false) {
910
                    $data[$rootKey][$nestedKey] = str_ireplace('/mountpoint', $mount_point, $entry);
911
                }
912
            }
913
        }
914
915
        $newJsonString = json_encode($data, JSON_PRETTY_PRINT | JSON_UNESCAPED_SLASHES);
916
        file_put_contents($staticSettingsFile, $newJsonString);
917
        $this->updateEnvironmentAfterChangeMountPoint();
918
    }
919
920
921
    /**
922
     * Recreates DI services and reloads config from JSON file
923
     *
924
     */
925
    private function updateEnvironmentAfterChangeMountPoint(): void
926
    {
927
        // Update config variable
928
        ConfigProvider::recreateConfigProvider();
929
        $this->config = $this->di->get('config');
930
931
        // Reload classes from system and storage disks
932
        ClassLoader::init();
933
934
        // Reload all providers
935
        RegisterDIServices::init();
936
937
    }
938
939
    /**
940
     * Generates fstab file
941
     * Mounts volumes
942
     *
943
     * @param string $conf
944
     */
945
    public function saveFstab($conf = ''): void
946
    {
947
        $varEtcDir = $this->config->path('core.varEtcDir');
948
        // Точка монтирования доп. дисков.
949
        Util::mwMkdir('/storage');
950
        $chmodPath = Util::which('chmod');
951
        Processes::mwExec("{$chmodPath} 755 /storage");
952
        if ( ! file_exists($varEtcDir . '/cfdevice')) {
953
            return;
954
        }
955
        $fstab     = '';
956
        $file_data = file_get_contents($varEtcDir . '/cfdevice');
957
        $cf_disk   = trim($file_data);
958
        if ('' === $cf_disk) {
959
            return;
960
        }
961
        $part2 = self::getDevPartName($cf_disk, '2');
962
        $part3 = self::getDevPartName($cf_disk, '3');
963
964
        $uid_part2 = 'UUID=' . $this->getUuid("/dev/{$part2}") . '';
965
        $format_p2 = $this->getFsType($part2);
966
        $uid_part3 = 'UUID=' . $this->getUuid("/dev/{$part3}") . '';
967
        $format_p3 = $this->getFsType($part3);
968
969
        $fstab .= "{$uid_part2} /offload {$format_p2} ro 0 0\n";
970
        $fstab .= "{$uid_part3} /cf {$format_p3} rw 1 1\n";
971
        $fstab .= $conf;
972
973
        file_put_contents("/etc/fstab", $fstab);
974
        // Дублируем для работы vmtoolsd.
975
        file_put_contents("/etc/mtab", $fstab);
976
        $mountPath = Util::which('mount');
977
        Processes::mwExec("{$mountPath} -a 2> /dev/null");
978
        Util::addRegularWWWRights('/cf');
979
    }
980
981
    /**
982
     * Возвращает имя раздела диска по имени и номеру.
983
     * @param string $dev
984
     * @param string $part
985
     * @return string
986
     */
987
    public static function getDevPartName(string $dev, string $part):string{
988
        $lsBlkPath  = Util::which('lsblk');
989
        $cutPath    = Util::which('cut');
990
        $grepPath   = Util::which('grep');
991
992
        $command = "{$lsBlkPath} -r | {$cutPath} -d ' ' -f 1 | {$grepPath} \"".basename($dev)."\" | {$grepPath} \"{$part}\$\"";
993
        Processes::mwExec($command, $out);
994
        $devName = trim(implode('', $out));
995
        return trim($devName);
996
    }
997
998
    /**
999
     * Creates system folders according to config file
1000
     *
1001
     * @return void
1002
     */
1003
    private function createWorkDirs(): void
1004
    {
1005
        $path      = '';
1006
        $mountPath = Util::which('mount');
1007
        Processes::mwExec("{$mountPath} -o remount,rw /offload 2> /dev/null");
1008
1009
        $isLiveCd = file_exists('/offload/livecd');
1010
        // Create dirs
1011
        $arrConfig = $this->config->toArray();
1012
        foreach ($arrConfig as $rootEntry) {
1013
            foreach ($rootEntry as $key => $entry) {
1014
                if (stripos($key, 'path') === false && stripos($key, 'dir') === false) {
1015
                    continue;
1016
                }
1017
                if (file_exists($entry)) {
1018
                    continue;
1019
                }
1020
                if ($isLiveCd && strpos($entry, '/offload/') === 0) {
1021
                    continue;
1022
                }
1023
                $path .= " $entry";
1024
            }
1025
        }
1026
1027
        if ( ! empty($path)) {
1028
            Util::mwMkdir($path);
1029
        }
1030
1031
        $downloadCacheDir = appPath('sites/pbxcore/files/cache');
1032
        if ( ! $isLiveCd) {
1033
            Util::mwMkdir($downloadCacheDir);
1034
            Util::createUpdateSymlink($this->config->path('www.downloadCacheDir'), $downloadCacheDir);
1035
        }
1036
1037
        $this->createAssetsSymlinks();
1038
1039
        Util::createUpdateSymlink($this->config->path('www.phpSessionDir'), '/var/lib/php/session');
1040
        Util::createUpdateSymlink($this->config->path('www.uploadDir'), '/ultmp');
1041
1042
        $filePath = appPath('src/Core/Asterisk/Configs/lua/extensions.lua');
1043
        Util::createUpdateSymlink($filePath, '/etc/asterisk/extensions.lua');
1044
1045
        // Create symlinks to AGI-BIN
1046
        $agiBinDir = $this->config->path('asterisk.astagidir');
1047
        if ($isLiveCd && strpos($agiBinDir, '/offload/') !== 0) {
1048
            Util::mwMkdir($agiBinDir);
1049
        }
1050
1051
        $roAgiBinFolder = appPath('src/Core/Asterisk/agi-bin');
1052
        $files          = glob("{$roAgiBinFolder}/*.{php}", GLOB_BRACE);
1053
        foreach ($files as $file) {
1054
            $fileInfo    = pathinfo($file);
1055
            $newFilename = "{$agiBinDir}/{$fileInfo['filename']}.{$fileInfo['extension']}";
1056
            Util::createUpdateSymlink($file, $newFilename);
1057
        }
1058
        $this->clearCacheFiles();
1059
        $this->applyFolderRights();
1060
        Processes::mwExec("{$mountPath} -o remount,ro /offload 2> /dev/null");
1061
    }
1062
1063
    /**
1064
     * Creates JS, CSS, IMG cache folders and links
1065
     *
1066
     */
1067
    public function createAssetsSymlinks(): void
1068
    {
1069
        $jsCacheDir = appPath('sites/admin-cabinet/assets/js/cache');
1070
        Util::createUpdateSymlink($this->config->path('adminApplication.assetsCacheDir') . '/js', $jsCacheDir);
1071
1072
        $cssCacheDir = appPath('sites/admin-cabinet/assets/css/cache');
1073
        Util::createUpdateSymlink($this->config->path('adminApplication.assetsCacheDir') . '/css', $cssCacheDir);
1074
1075
        $imgCacheDir = appPath('sites/admin-cabinet/assets/img/cache');
1076
        Util::createUpdateSymlink($this->config->path('adminApplication.assetsCacheDir') . '/img', $imgCacheDir);
1077
    }
1078
1079
    /**
1080
     * Clears cache folders from old and orphaned files
1081
     */
1082
    public function clearCacheFiles(): void
1083
    {
1084
        $cacheDirs   = [];
1085
        $cacheDirs[] = $this->config->path('www.uploadDir');
1086
        $cacheDirs[] = $this->config->path('www.downloadCacheDir');
1087
        $cacheDirs[] = $this->config->path('www.managedCacheDir');
1088
        $cacheDirs[] = $this->config->path('www.modelsCacheDir');
1089
        $cacheDirs[] = $this->config->path('adminApplication.assetsCacheDir') . '/js';
1090
        $cacheDirs[] = $this->config->path('adminApplication.assetsCacheDir') . '/css';
1091
        $cacheDirs[] = $this->config->path('adminApplication.assetsCacheDir') . '/img';
1092
        $cacheDirs[] = $this->config->path('adminApplication.voltCacheDir');
1093
        $rmPath      = Util::which('rm');
1094
        foreach ($cacheDirs as $cacheDir) {
1095
            if ( ! empty($cacheDir)) {
1096
                Processes::mwExec("{$rmPath} -rf {$cacheDir}/*");
1097
            }
1098
        }
1099
1100
        // Delete boot cache folders
1101
        if (is_dir('/mountpoint') && self::isStorageDiskMounted()) {
1102
            Processes::mwExec("{$rmPath} -rf /mountpoint");
1103
        }
1104
    }
1105
1106
    /**
1107
     * Create system folders and links after upgrade and connect config DB
1108
     */
1109
    public function createWorkDirsAfterDBUpgrade(): void
1110
    {
1111
        $mountPath = Util::which('mount');
1112
        Processes::mwExec("{$mountPath} -o remount,rw /offload 2> /dev/null");
1113
        $this->createModulesCacheSymlinks();
1114
        $this->applyFolderRights();
1115
        Processes::mwExec("{$mountPath} -o remount,ro /offload 2> /dev/null");
1116
    }
1117
1118
    /**
1119
     * Restore modules cache folders and symlinks
1120
     */
1121
    public function createModulesCacheSymlinks(): void
1122
    {
1123
        $modules = PbxExtensionModules::getModulesArray();
1124
        foreach ($modules as $module) {
1125
            PbxExtensionUtils::createAssetsSymlinks($module['uniqid']);
1126
            PbxExtensionUtils::createAgiBinSymlinks($module['uniqid']);
1127
        }
1128
    }
1129
1130
    /**
1131
     * Fixes permissions for Folder and Files
1132
     */
1133
    private function applyFolderRights(): void
1134
    {
1135
        // Add Rights to the WWW dirs plus some core dirs
1136
        $www_dirs  = [];
1137
        $exec_dirs = [];
1138
        $arrConfig = $this->config->adminApplication->toArray();
1139
        foreach ($arrConfig as $key => $entry) {
1140
            if (stripos($key, 'path') === false
1141
                && stripos($key, 'dir') === false
1142
            ) {
1143
                continue;
1144
            }
1145
            $www_dirs[] = $entry;
1146
        }
1147
1148
        $arrConfig = $this->config->www->toArray();
1149
        foreach ($arrConfig as $key => $entry) {
1150
            if (stripos($key, 'path') === false
1151
                && stripos($key, 'dir') === false
1152
            ) {
1153
                continue;
1154
            }
1155
            $www_dirs[] = $entry;
1156
        }
1157
1158
        $www_dirs[] = $this->config->path('core.tempDir');
1159
        $www_dirs[] = $this->config->path('core.logsDir');
1160
        $www_dirs[] = '/etc/version';
1161
        $www_dirs[] = appPath('/');
1162
1163
        // Add read rights
1164
        Util::addRegularWWWRights(implode(' ', $www_dirs));
1165
1166
        // Add executable rights
1167
        $exec_dirs[] = appPath('src/Core/Asterisk/agi-bin');
1168
        $exec_dirs[] = appPath('src/Core/Rc');
1169
        Util::addExecutableRights(implode(' ', $exec_dirs));
1170
1171
        $mountPath = Util::which('mount');
1172
        Processes::mwExec("{$mountPath} -o remount,ro /offload 2> /dev/null");
1173
    }
1174
1175
    /**
1176
     * Creates swap file on storage
1177
     */
1178
    public function mountSwap(): void
1179
    {
1180
        $tempDir    = $this->config->path('core.tempDir');
1181
        $swapFile   = "{$tempDir}/swapfile";
1182
1183
        $swapOffCmd = Util::which('swapoff');
1184
        Processes::mwExec("{$swapOffCmd} {$swapFile}");
1185
1186
        $this->makeSwapFile($swapFile);
1187
        if (!file_exists($swapFile)) {
1188
            return;
1189
        }
1190
        $swapOnCmd = Util::which('swapon');
1191
        $result    = Processes::mwExec("{$swapOnCmd} {$swapFile}");
1192
        Util::sysLogMsg('Swap', 'connect swap result: ' . $result, LOG_INFO);
1193
    }
1194
1195
    /**
1196
     * Создает swap файл на storage.
1197
     * @param $swapFile
1198
     */
1199
    private function makeSwapFile($swapFile):void{
1200
        $swapLabel  = Util::which('swaplabel');
1201
        if(Processes::mwExec("{$swapLabel} {$swapFile}") === 0){
1202
            // Файл уже существует.
1203
            return;
1204
        }
1205
        if (file_exists($swapFile)) {
1206
            unlink($swapFile);
1207
        }
1208
1209
        $size     = $this->getStorageFreeSpaceMb();
1210
        if ($size > 2000) {
1211
            $swapSize = 1024;
1212
        } elseif ($size > 1000) {
1213
            $swapSize = 512;
1214
        }else{
1215
            // Не достаточно свободного места.
1216
            return;
1217
        }
1218
        $bs         = 1024;
1219
        $countBlock = $swapSize * $bs;
1220
        $ddCmd      = Util::which('dd');
1221
1222
        Util::sysLogMsg('Swap', 'make swap ' . $swapFile, LOG_INFO);
1223
        Processes::mwExec("{$ddCmd} if=/dev/zero of={$swapFile} bs={$bs} count={$countBlock}");
1224
1225
        $mkSwapCmd = Util::which('mkswap');
1226
        Processes::mwExec("{$mkSwapCmd} {$swapFile}");
1227
    }
1228
1229
    /**
1230
     * Returns free space on mounted storage disk
1231
     *
1232
     * @return int size in megabytes
1233
     */
1234
    public function getStorageFreeSpaceMb(): int
1235
    {
1236
        $size    = 0;
1237
        $mntDir  = '';
1238
        $mounted = self::isStorageDiskMounted('', $mntDir);
1239
        if ( ! $mounted) {
1240
            return 0;
1241
        }
1242
        $hd = $this->getAllHdd(true);
1243
        foreach ($hd as $disk) {
1244
            if ($disk['mounted'] === $mntDir) {
1245
                $size = $disk['free_space'];
1246
                break;
1247
            }
1248
        }
1249
        return $size;
1250
    }
1251
1252
    /**
1253
     * Сохраняем новые данные диска.
1254
     *
1255
     * @param        $data
1256
     * @param string $id
1257
     */
1258
    public function saveDiskSettings($data, $id = '1'): void
1259
    {
1260
        if ( ! is_array($data)) {
1261
            return;
1262
        }
1263
        $disk_data = $this->getDiskSettings($id);
1264
        if (count($disk_data) === 0) {
1265
            $uniqid           = strtoupper('STORAGE-DISK-' . md5(time()));
1266
            $storage_settings = new StorageModel();
1267
            foreach ($data as $key => $val) {
1268
                $storage_settings->writeAttribute($key, $val);
1269
            }
1270
            $storage_settings->writeAttribute('uniqid', $uniqid);
1271
            $storage_settings->save();
1272
        } else {
1273
            $storage_settings = StorageModel::findFirst("id = '$id'");
1274
            if ($storage_settings === null) {
1275
                return;
1276
            }
1277
            foreach ($data as $key => $value) {
1278
                $storage_settings->writeAttribute($key, $value);
1279
            }
1280
            $storage_settings->save();
1281
        }
1282
    }
1283
}