Proyectos de Subversion LeadersLinked - Antes de SPA

Rev

Rev 4911 | Rev 6388 | Ir a la última revisión | | Comparar con el anterior | Ultima modificación | Ver Log |

Rev Autor Línea Nro. Línea
1 www 1
<?php
2
 
3
declare(strict_types=1);
4
 
5
namespace LeadersLinked\Library;
6
 
7
abstract class Functions
8
{
9
    public static function getUserIP()
10
    {
11
        $client  = isset($_SERVER['HTTP_CLIENT_IP'])  ? $_SERVER['HTTP_CLIENT_IP'] : '';
12
        $forward = isset($_SERVER['HTTP_X_FORWARDED_FOR']) ? $_SERVER['HTTP_X_FORWARDED_FOR'] : '';
13
        $remote  = $_SERVER['REMOTE_ADDR'];
14
 
15
        if(filter_var($client, FILTER_VALIDATE_IP)) {
16
            $ip = $client;
17
        } elseif(filter_var($forward, FILTER_VALIDATE_IP)) {
18
            $ip = $forward;
19
        } else {
20
            $ip = $remote;
21
        }
22
 
23
        return $ip;
24
    }
25
 
26
 
27
    /**
28
     *
29
     * @param string $what
30
     * @param string $date
31
     * @return string
32
     */
33
    public static function convertDate($what, $date) {
34
        if ($what == 'wherecond') {
35
            return date('Y-m-d', strtotime($date));
36
        }
37
        else if ($what == 'display') {
38
            return date('d M, Y h:i A', strtotime($date));
39
        }
40
        else if ($what == 'displayWeb') {
41
            return date('d M Y', strtotime($date));
42
        }
43
        else if ($what == 'onlyDate') {
44
            return date(PHP_DATE_FORMAT, strtotime($date));
45
        }
46
        else if ($what == 'monthYear') {
47
            return date(PHP_DATE_FORMAT_MONTH_YEAR, strtotime($date));
48
        }
49
        else if ($what == 'onlyMonth') {
50
            return date(PHP_DATE_FORMAT_MONTH, strtotime($date));
51
        }
52
        else if ($what == 'gmail') {
53
            return date('D, M d, Y - h:i A', strtotime($date));
54
        }
55
        else if ($what == 'onlyDateForCSV') {
56
            return date('M d,Y', strtotime($date));
57
        }
58
        else {
59
            return date('Y-m-d', strtotime($date));
60
        }
61
    }
62
 
63
    /**
3138 efrain 64
     *
65
     * @param string $timestamp
66
     * @param string $now
1 www 67
     * @return string
68
     */
3138 efrain 69
    public static function timeAgo($timestamp, $now = '')
70
    {
71
 
72
        if($now) {
73
            $datetime1 = \DateTime::createFromFormat('Y-m-d H:i:s', $now);
74
        } else {
75
            $now = date('Y-m-d H:i:s');
76
            $datetime1 = date_create($now);
77
        }
78
        $datetime2 = date_create($timestamp);
79
 
80
        $diff = date_diff($datetime1, $datetime2);
81
        $timemsg = '';
82
        if ($diff->y > 0) {
83
            $timemsg = $diff->y . ' año' . ($diff->y > 1 ? "s" : '');
84
        } else if ($diff->m > 0) {
85
            $timemsg = $diff->m . ' mes' . ($diff->m > 1 ? "es" : '');
86
        } else if ($diff->d > 0) {
87
            $timemsg = $diff->d . ' dia' . ($diff->d > 1 ? "s" : '');
88
        } else if ($diff->h > 0) {
89
            $timemsg = $diff->h . ' hora' . ($diff->h > 1 ? "s" : '');
90
        } else if ($diff->i > 0) {
91
            $timemsg = $diff->i . ' minuto' . ($diff->i > 1 ? "s" : '');
92
        } else if ($diff->s > 0) {
93
            $timemsg = $diff->s . ' segundo' . ($diff->s > 1 ? "s" : '');
94
        }
95
        if (!$timemsg) {
96
            $timemsg = "Ahora";
97
        } else {
98
            $timemsg = $timemsg . '';
99
        }
100
        return $timemsg;
101
    }
102
 
4911 efrain 103
    public static function geoCodeService($key, $address, $address1, $city, $state, $zip)
104
    {
105
 
106
 
107
 
108
        $data = [];
109
        array_push($data, $address);
110
        array_push($data, $address1);
111
        array_push($data, $city);
112
        array_push($data, $state);
113
        array_push($data, $zip);
114
 
115
        $data = array_filter($data, function($value) { return !empty($value); } );
116
 
117
        $url = 'https://maps.googleapis.com/maps/api/geocode/json?' . http_build_query(['address' => implode(',', $data), 'key' => $key]);
118
 
119
 
120
        echo 'URL : ' . $url . '<br>';
121
 
122
 
123
        $ch = curl_init();
124
        curl_setopt($ch, CURLOPT_URL,$url);
125
        curl_setopt($ch, CURLOPT_POST, false);
126
        curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
127
        $response  = curl_exec ($ch);
128
        curl_close ($ch);
129
 
130
 
131
        $response = json_decode($response, true);
132
 
133
        print_r($response); exit;
134
 
135
 
136
        $latitude   = isset($response['results'][0]['geometry']['location']['lat']) ? $response['results'][0]['geometry']['location']['lat'] : 0;
137
        $longitude  = isset($response['results'][0]['geometry']['location']['lng']) ? $response['results'][0]['geometry']['location']['lng'] : 0;
138
 
139
 
140
 
141
 
142
        return ['latitude' => $latitude, 'longitude' => $longitude];
143
    }
4113 efrain 144
 
145
    /**
146
     *
147
     * @return string[]
148
     */
149
    public static function getAllTimeZones()
150
    {
151
        $timezones =  [];
152
        $zones = \DateTimeZone::listIdentifiers();
153
 
154
        foreach($zones as $zone)
155
        {
156
            array_push($timezones, $zone);
157
 
158
        }
159
 
160
        return $timezones;
161
    }
162
 
163
    /**
164
     *
165
     * @param string $from_date
166
     * @param string $from_timezone
167
     * @param string $to_timezone
168
     * @return string
169
     */
170
    public static function convertDateBetweenTimeZones($from_date, $from_timezone, $to_timezone)
171
    {
172
        $date = new \DateTime($from_date, new \DateTimeZone($from_timezone));
173
        $date->setTimezone(new \DateTimeZone($to_timezone));
174
        return $date->format('Y-m-d H:i:s');
175
    }
176
 
4141 efrain 177
 
178
    /**
179
     *
180
     * @param string $from_datetime
181
     * @param string $from_timezone
182
     * @param string $to_timezone
183
     * @return string
184
     */
185
    public static function convertDateTimeBetweenTimeZones($from_datetime, $from_timezone, $to_timezone)
186
    {
187
        $date = new \DateTime($from_datetime, new \DateTimeZone($from_timezone));
188
        $date->setTimezone(new \DateTimeZone($to_timezone));
189
        return $date->format('Y-m-d H:i:s');
190
    }
191
 
192
 
3138 efrain 193
    /*
1 www 194
    public static function timeElapsedString(int $ptime)
195
    {
196
        $etime = time() - $ptime;
197
        if ($etime < 1) {
198
            return 'LABEL_ZERO_SECOND';
199
        }
200
        $a = array(365 * 24 * 60 * 60 => 'LABEL_YEAR_SMALL',
201
            30 * 24 * 60 * 60 => 'LABEL_MONTH_SMALL',
202
            24 * 60 * 60 => 'LABEL_DAY_SMALL',
203
            60 * 60 => 'LABEL_HOUR_SMALL',
204
            60 => 'LABEL_MINUTE_SMALL',
205
            1 => 'LABEL_SECOND_SMALL'
206
        );
207
        $a_plural = array('LABEL_YEAR_SMALL' => 'LABEL_YEARS_SMALL',
208
            'LABEL_MONTH_SMALL' => 'LABEL_MONTHS_SMALL',
209
            'LABEL_DAY_SMALL' => 'LABEL_DAYS_SMALL',
210
            'LABEL_HOUR_SMALL' => 'LABEL_HOURS_SMALL',
211
            'LABEL_MINUTE_SMALL' => 'LABEL_MINUTES_SMALL',
212
            'LABEL_SECOND_SMALL' => 'LABEL_SECONDS_SMALL'
213
        );
214
 
215
        foreach ($a as $secs => $str) {
216
            $d = $etime / $secs;
217
            if ($d >= 1) {
218
                $r = round($d);
219
                return $r . ' ' . ($r > 1 ? $a_plural[$str] : $str);
220
            }
221
        }
3138 efrain 222
    }*/
1 www 223
 
224
 
225
    /**
226
     *
227
     * @param string $date1
228
     * @param string $date2
229
     * @param string $format
230
     */
231
    public static function getYears(string $date1, string $date2, string $format = 'YearMonth')
232
    {
233
        $date1 = new \DateTime($date1);
234
        $date2 = new \DateTime($date2);
235
        $interval = date_diff($date1, $date2);
236
        $months = $interval->m + ($interval->y * 12);
237
        return(int) ($months / 12);
238
    }
239
 
240
    /**
241
     *
242
     * @param number $length
243
     * @param string $seeds
244
     * @return string
245
     */
246
    public static function genrateRandom($length = 8, $seeds = 'alphanum')
247
    {
248
        $seedings = [
249
            'alpha' => 'abcdefghijklmnopqrstuvwqyzABCDEFGHIJKLMNOPQRSTUVWXYZ',
250
            'numeric' => '0123456789',
251
            'alphanum' => 'abcdefghijklmnopqrstuvwqyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789',
252
            'hexidec' => '0123456789abcdef',
253
        ];
254
 
255
        if (isset($seedings[$seeds])) {
256
            $seeds = $seedings[$seeds];
257
        }
258
        list($usec, $sec) = explode(' ', microtime());
259
        $seed = (float) $sec + ((float) $usec * 100000);
1979 efrain 260
 
261
 
262
 
263
        mt_srand(intval($seed));
1 www 264
        $str = '';
265
        $seeds_count = strlen($seeds);
266
        for ($i = 0; $length > $i; $i++) {
267
            $pos = mt_rand(0, $seeds_count - 1);
268
 
269
            $str .= substr($seeds, $pos, $pos + 1);
270
        }
271
        return $str;
272
    }
273
 
274
    /**
275
     *
276
     * @param string $date1
277
     * @param string $date2
278
     * @param string $timeFormat
279
     * @param bool $positive
280
     * @return number
281
     */
282
    public static function getDateDiff(string $date1, string $date2, string $timeFormat = 'sec', bool $positive = false)
283
    {
284
        $dtTime1 = strtotime($date1);
285
        $dtTime2 = strtotime($date2);
286
        if ($positive === true) {
287
            if ($dtTime2 < $dtTime1) {
288
                $tmp = $dtTime1;
289
                $dtTime1 = $dtTime2;
290
                $dtTime2 = $tmp;
291
            }
292
        }
293
        $diff = $dtTime2 - $dtTime1;
294
        if ($timeFormat == 'sec') {
295
            return $diff;
296
        } else if ($timeFormat == 'day') {
297
            return $diff / 86400;
298
        }
299
    }
300
 
301
 
302
    /**
303
     *
304
     * @param string $date1
305
     * @param string $date2
306
     * @param string $format
307
     * @return string
308
     */
309
    public static function getDifference(string $date1, string $date2, string $format = 'YearMonth')
310
    {
311
        $difference = '';
312
        $datetime1 = date_create($date1);
313
        $datetime2 = date_create($date2);
314
        $interval = date_diff($datetime1, $datetime2);
315
        $years = $interval->format('%y');
316
        $months = $interval->format('%m');
317
        $days = $interval->format('%d');
318
        $years_text = $months_text = $days_text = '';
319
        if ($years == 1) {
320
            $years_text = '1 LABEL_YEAR';
321
        } else if ($years > 1) {
322
            $years_text = $years . ' LABEL_YEARS';
323
        }
324
        if ($months == 1) {
325
            $months_text = '1 LABEL_MONTH';
326
        } else if ($months > 1) {
327
            $months_text = $months . ' LABEL_MONTHS';
328
        }
329
        if ($days == 1) {
330
            $days_text = '1 LABEL_DAY';
331
        } else if ($days > 1) {
332
            $days_text = $days . ' LABEL_DAYS';
333
        }
334
        if ($format == 'Year') {
335
            return trim($years_text);
336
        } else if ($format == 'YearMonth') {
337
            $difference = trim($years_text) . ' ' . trim($months_text);
338
            return trim($difference);
339
        } else if ($format == 'YearMonthDay') {
340
            $difference = trim($years_text) . ' ' . trim($months_text) . ' ' . trim($days_text);
341
            return trim($difference);
342
        }
343
    }
344
 
345
    /**
346
     *
347
     * @param string $source
348
     * @param string $destination
349
     * @param int $quality
350
     * @return string
351
     */
352
    public static function compress(string $source, string $destination, int $quality = null)
353
    {
354
        $info = getimagesize($source);
355
        if ($info['mime'] == 'image/jpeg') {
356
            $image = imagecreatefromjpeg($source);
357
        }
358
        elseif ($info['mime'] == 'image/gif') {
359
            $image = imagecreatefromgif($source);
360
        }
361
        elseif ($info['mime'] == 'image/png') {
362
            $image = imagecreatefrompng($source);
363
        }
364
 
365
        imagejpeg($image, $destination, $quality);
366
        return $destination;
367
    }
368
 
369
    /**
370
     *
371
     * @param string $filename
372
     * @param string $newfilename
373
     * @param int $max_width
374
     * @param int $max_height
375
     * @param bool $withSampling
376
     * @param array $crop_coords
377
     * @return boolean
378
     */
379
    public static function resizeImage(string $filename, string $newfilename = "", int $max_width  = 0, int $max_height = 0, bool $withSampling = true, $crop_coords = array())
380
    {
381
        if (empty($newfilename)) {
382
            $newfilename = $filename;
383
        }
384
        $fileExtension = strtolower(self::getExt($filename));
385
        if ($fileExtension == 'jpg' || $fileExtension == 'jpeg') {
386
            $img = imagecreatefromjpeg($filename);
387
        } else if ($fileExtension == 'png') {
388
            $img = imagecreatefrompng($filename);
389
        } else if ($fileExtension == 'gif') {
390
            $img = imagecreatefromgif($filename);
391
        } else {
392
            $img = imagecreatefromjpeg($filename);
393
        }
394
        $width = imageSX($img);
395
        $height = imageSY($img);
396
        $target_width = $max_width;
397
        $target_height = $max_height;
398
        $target_ratio = $target_width / $target_height;
399
        $img_ratio = $width / $height;
400
        if (empty($crop_coords)) {
401
            if ($target_ratio > $img_ratio) {
402
                $new_height = $target_height;
403
                $new_width = $img_ratio * $target_height;
404
            } else {
405
                $new_height = $target_width / $img_ratio;
406
                $new_width = $target_width;
407
            }
408
            if ($new_height > $target_height) {
409
                $new_height = $target_height;
410
            }
411
            if ($new_width > $target_width) {
412
                $new_height = $target_width;
413
            }
414
            $new_img = imagecreatetruecolor($target_width, $target_height);
415
            $white = imagecolorallocate($new_img, 255, 255, 255);
416
            imagecolortransparent($new_img);
417
            imagefilledrectangle($new_img, 0, 0, $target_width - 1, $target_height - 1, $white);
418
            imagecopyresampled($new_img, $img, ($target_width - $new_width) / 2, ($target_height - $new_height) / 2, 0, 0, $new_width, $new_height, $width, $height);
419
        } else {
420
            $new_img = imagecreatetruecolor($target_width, $target_height);
421
            $white = imagecolorallocate($new_img, 255, 255, 255);
422
            imagefilledrectangle($new_img, 0, 0, $target_width - 1, $target_height - 1, $white);
423
            imagecopyresampled($new_img, $img, 0, 0, $crop_coords['x1'], $crop_coords['y1'], $target_width, $target_height, $crop_coords['x2'], $crop_coords['y2']);
424
        }
425
        if ($fileExtension == 'jpg' || $fileExtension == 'jpeg') {
426
            $createImageSave = imagejpeg($new_img, $newfilename);
427
        } else if ($fileExtension == 'png') {
428
            $createImageSave = imagepng($new_img, $newfilename);
429
        } else if ($fileExtension == 'gif') {
430
            $createImageSave = imagegif($new_img, $newfilename);
431
        } else {
432
            $createImageSave = imagejpeg($new_img, $newfilename);
433
        }
434
 
435
        return $createImageSave;
436
    }
437
 
438
    /**
439
     *
440
     * @param string $start
441
     * @param string $end
442
     * @return array
443
     */
444
    public static function getTimeDifference(string $start, string $end) {
445
        $uts = [
446
            'start' => strtotime($start),
447
            'end' => strtotime($end)
448
        ];
449
        if ($uts['start'] !== -1 && $uts['end'] !== -1) {
450
            if ($uts['end'] >= $uts['start']) {
451
                $diff = $uts['end'] - $uts['start'];
452
                if ($days = intval((floor($diff / 86400)))) {
453
                    $diff = $diff % 86400;
454
                }
455
                if ($hours = intval((floor($diff / 3600)))) {
456
                    $diff = $diff % 3600;
457
                }
458
                if ($minutes = intval((floor($diff / 60)))) {
459
                    $diff = $diff % 60;
460
                }
461
                $diff = intval($diff);
462
                return [
463
                    'days' => $days,
464
                    'hours' => $hours,
465
                    'minutes' => $minutes,
466
                    'seconds' => $diff
467
                ];
468
            } else {
469
                trigger_error("Ending date/time is earlier than the start date/time", E_USER_WARNING);
470
            }
471
        } else {
472
            trigger_error("Invalid date/time data detected", E_USER_WARNING);
473
        }
474
        return;
475
    }
476
 
477
    /**
478
     *
479
     * @param number $length
480
     * @return string
481
     */
482
    public static function generatePassword($length = 8)
483
    {
484
        $password = '';
485
        $possible = '2346789bcdfghjkmnpqrtvwxyzBCDFGHJKLMNPQRTVWXYZ';
486
        $maxlength = strlen($possible);
487
        if ($length > $maxlength) {
488
            $length = $maxlength;
489
        }
490
        $i = 0;
491
        while ($i < $length) {
492
            $char = substr($possible, mt_rand(0, $maxlength - 1), 1);
493
            if (!strstr($password, $char)) {
494
                $password .= $char;
495
                $i++;
496
            }
497
        }
498
        return $password;
499
    }
500
 
501
 
502
 
503
    /**
504
     *
505
     * @param string $date
506
     * @param boolean $time_required
507
     * @return string
508
     */
509
    public static function countRemainingDays(string $date, $time_required = true)
510
    {
511
        $datestr = $date;
512
        $date = strtotime($datestr);
513
        $diff = $date - time();
514
        if ($time_required) {
515
            $days = floor($diff / (60 * 60 * 24));
516
            $hours = round(($diff - $days * 60 * 60 * 24) / (60 * 60));
517
            return "$days days $hours hours remaining";
518
        } else {
519
            $days = ceil($diff / (60 * 60 * 24));
520
            return "$days days remaining";
521
        }
522
    }
523
 
524
    /**
525
     *
526
     * @param string $varPhoto
527
     * @param string $uploadDir
528
     * @param string $tmp_name
529
     * @param array $th_arr
530
     * @param string $file_nm
531
     * @param boolean $addExt
532
     * @param array $crop_coords
533
     * @return string|boolean
534
     */
535
    public static function generateThumbnail(string $varPhoto, string $uploadDir, string $tmp_name, $th_arr = array(), $file_nm = '', $addExt = true, $crop_coords = array())
536
    {
537
        $ext = '.' . strtolower(self::getExt($varPhoto));
538
        $tot_th = count($th_arr);
539
        if (($ext == ".jpg" || $ext == ".gif" || $ext == ".png" || $ext == ".bmp" || $ext == ".jpeg" || $ext == ".ico")) {
540
            if (!file_exists($uploadDir)) {
541
                mkdir($uploadDir, 0777);
542
            }
543
            if ($file_nm == '')
544
                $imagename = rand() . time();
545
                else
546
                    $imagename = $file_nm;
547
                    if ($addExt || $file_nm == '')
548
                        $imagename = $imagename . $ext;
549
                        $pathToImages = $uploadDir . $imagename;
550
                        $Photo_Source = copy($tmp_name, $pathToImages);
551
                        if ($Photo_Source) {
552
                            for ($i = 0; $i < $tot_th; $i++) {
553
                                Functions::resizeImage($uploadDir . $imagename, $uploadDir . 'th' . ($i + 1) . '_' . $imagename, $th_arr[$i]['width'], $th_arr[$i]['height'], false, $crop_coords);
554
                            }
555
                            return $imagename;
556
                        } else {
557
                            return false;
558
                        }
559
        } else {
560
            return false;
561
        }
562
    }
563
    /**
564
     *
565
     * @param string $file
566
     * @return mixed
567
     */
568
    public static function getExt(string $file)
569
    {
570
        $path_parts = pathinfo($file);
571
        $ext = $path_parts['extension'];
572
        return $ext;
573
    }
574
 
575
 
576
    /**
577
     *
578
     * @param string $source
579
     * @param string $target_path
580
     * @param string $target_filename
581
     * @param number $target_width
582
     * @param number $target_height
583
     * @return boolean
584
     */
585
    public  static function uploadImage($source, $target_path, $target_filename, $target_width, $target_height )
586
    {
587
        try {
588
            $data = file_get_contents($source);
589
            $img = imagecreatefromstring($data);
590
 
591
            if(!file_exists($target_path)) {
592
                mkdir($target_path, 0755);
593
            }
594
 
595
            if($img) {
596
                list($source_width, $source_height) = getimagesize($source);
597
 
598
                $width_ratio    = $target_width / $source_width;
599
                $height_ratio   = $target_height / $source_height;
600
                if($width_ratio > $height_ratio) {
601
                    $resized_width = $target_width;
602
                    $resized_height = $source_height * $width_ratio;
603
                } else {
604
                    $resized_height = $target_height;
605
                    $resized_width = $source_width * $height_ratio;
606
                }
607
 
608
                $resized_width = round($resized_width);
609
                $resized_height = round($resized_height);
610
 
611
                $offset_width = round(($target_width - $resized_width) / 2);
612
                $offset_height = round(($target_height - $resized_height) / 2);
613
 
614
 
615
                $new_image = imageCreateTrueColor($target_width, $target_height);
616
                imageAlphaBlending($new_image, False);
617
                imageSaveAlpha($new_image, True);
618
                $transparent = imageColorAllocateAlpha($new_image, 0, 0, 0, 127);
619
                imagefill($new_image, 0, 0, $transparent);
620
                imageCopyResampled($new_image, $img , $offset_width, $offset_height, 0, 0, $resized_width, $resized_height, $source_width, $source_height);
621
 
622
 
623
                $target = $target_path . DIRECTORY_SEPARATOR . $target_filename;
624
                if(file_exists($target)) {
625
                    @unlink($target);
626
                }
627
 
628
 
629
                imagepng($new_image, $target);
630
            }
631
 
632
            unlink($source);
633
 
634
            return true;
635
 
636
        }
637
        catch (\Throwable $e)
638
        {
639
            error_log($e->getTraceAsString());
640
            return false;
641
        }
642
    }
643
 
644
 
645
    /**
646
     *
647
     * @param string $source
648
     * @param string $target_path
649
     * @param string $target_filename
650
     * @return boolean
651
     */
652
    public  static function uploadFile($source, $target_path, $target_filename)
653
    {
654
        try {
655
 
656
            $target_filename = self::normalizeString(basename($target_filename));
657
 
658
            $parts = explode('.', $target_filename);
659
            $basename = trim($parts[0]);
660
            if(strlen($basename) > 220) {
661
                $basename = substr($basename, 0, 220);
662
            }
663
            $basename = $basename . '-' . uniqid() . '.' . $parts[1];
664
            $full_filename = $target_path  . DIRECTORY_SEPARATOR . $basename;
665
 
666
 
667
            return move_uploaded_file($source, $full_filename);
668
 
669
        }
670
        catch (\Throwable $e)
671
        {
672
            error_log($e->getTraceAsString());
673
            return false;
674
        }
675
    }
676
 
677
    /**
678
     *
679
     * @param string $path
680
     * @param string $prefix
681
     * @return boolean
682
     */
683
    public static function delete($path, $prefix)
684
    {
685
        try {
686
            if (is_dir($path)){
687
                if ($dh = opendir($path)) {
688
                    while (($file = readdir($dh)) !== false)
689
                    {
690
                        if($file == '.' || $file == '..') {
691
                            continue;
692
                        }
693
 
694
                        if(strpos($file, $prefix) !== false) {
695
                            unlink($path . DIRECTORY_SEPARATOR . $file);
696
                        }
697
                    }
698
                    closedir($dh);
699
                }
700
            }
701
 
702
            return true;
703
 
704
        }
705
        catch (\Throwable $e)
706
        {
707
            error_log($e->getTraceAsString());
708
            return false;
709
        }
710
    }
711
 
712
 
713
    /**
714
     *
715
     * @param string $str
716
     * @return string
717
     */
718
    public static function normalizeString ($str = '')
719
    {
720
        $str = strtolower($str);
721
        $str = trim($str);
722
        $str = strip_tags($str);
723
        $str = preg_replace('/[\r\n\t ]+/', ' ', $str);
724
        $str = preg_replace('/[\"\*\/\:\<\>\?\'\|\,]+/', ' ', $str);
725
        $str = strtolower($str);
726
        $str = html_entity_decode( $str, ENT_QUOTES, "utf-8" );
727
        $str = htmlentities($str, ENT_QUOTES, "utf-8");
728
        $str = preg_replace("/(&)([a-z])([a-z]+;)/i", '$2', $str);
729
        $str = str_replace(' ', '-', $str);
730
        $str = rawurlencode($str);
731
        $str = str_replace('%', '-', $str);
6056 efrain 732
        $str = str_replace(['-----','----','---', '--'], '-', $str);
733
 
734
 
1 www 735
        return trim(strtolower($str));
736
    }
737
 
738
 
739
 
740
 
741
    /**
742
     *
743
     * @return string
744
     */
745
    public static function genUUID()
746
    {
747
 
748
        $data = random_bytes(16);
749
        $data[6] = chr(ord($data[6]) & 0x0f | 0x40);
750
        $data[8] = chr(ord($data[8]) & 0x3f | 0x80);
751
        return vsprintf('%s%s-%s-%s-%s-%s%s%s', str_split(bin2hex($data), 4));
752
    }
753
 
754
 
755
 
756
 
757
 
758
    /**
759
     *
760
     * @param string $dir
761
     */
762
    public static function rmDirRecursive(string $dir)
763
    {
764
        if (is_dir($dir)) {
765
            $objects = scandir($dir);
766
            foreach ($objects as $object)
767
            {
768
                if ($object != '.' && $object != '..') {
769
                    if (is_dir($dir . DIRECTORY_SEPARATOR . $object)) {
770
                        self::rmDirRecursive($dir . DIRECTORY_SEPARATOR . $object);
771
                        rrmdir($dir . DIRECTORY_SEPARATOR . $object);
772
                    } else {
773
                        unlink($dir . DIRECTORY_SEPARATOR . $object);
774
                    }
775
                }
776
            }
777
            rmdir($dir);
778
        }
779
    }
780
 
781
    /**
782
     *
783
     * @param string $dir
784
     */
785
    public static function deleteFiles(string $dir)
786
    {
787
        if (is_dir($dir)) {
788
            $objects = scandir($dir);
789
            foreach ($objects as $object)
790
            {
791
                if ($object != '.' && $object != '..') {
792
                    if (is_dir($dir . DIRECTORY_SEPARATOR . $object)) {
793
                        self::rmDirRecursive($dir . DIRECTORY_SEPARATOR . $object);
794
                        rrmdir($dir . DIRECTORY_SEPARATOR . $object);
795
                    } else {
796
                        unlink($dir . DIRECTORY_SEPARATOR . $object);
797
                    }
798
                }
799
            }
800
        }
801
    }
802
 
803
 
804
 
805
    /**
806
     *
807
     * @param string $address
808
     * @return  array
809
     */
810
    public static function reverseGeocode(string $address)
811
    {
812
        $array = [];
813
        $address = str_replace(" ", "+", $address);
814
        $url = "http://maps.google.com/maps/api/geocode/json?address=$address&sensor=false";
815
        $ch = curl_init();
816
        curl_setopt($ch, CURLOPT_URL, $url);
817
        curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
818
        curl_setopt($ch, CURLOPT_PROXYPORT, 3128);
819
        curl_setopt($ch, CURLOPT_SSL_VERIFYHOST, 0);
820
        curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, 0);
821
        $response = curl_exec($ch);
822
        curl_close($ch);
823
        $json = json_decode($response);
824
        //print_r($json);
825
        foreach ($json->results as $result) {
826
            $address1='';
827
            foreach($result->address_components as $addressPart)
828
            {
829
                if((in_array('locality', $addressPart->types)) && (in_array('political', $addressPart->types))) {
830
                    $city = $addressPart->long_name;
831
                }
832
                else if((in_array('administrative_area_level_1', $addressPart->types)  && (in_array('political', $addressPart->types))) || (in_array('administrative_area_level_2', $addressPart->types) && (in_array('political', $addressPart->types)))){
833
                    $state = $addressPart->long_name;
834
                } else if((in_array('postal_code', $addressPart->types))){
835
                    $postal_code = $addressPart->long_name;
836
                } else if((in_array('country', $addressPart->types)) && (in_array('political', $addressPart->types))) {
837
                    $country = $addressPart->long_name;
838
                } else {
839
                    $address1 .= $addressPart->long_name.', ';
840
                }
841
            }
842
            if(($city != '') && ($state != '') && ($country != '')) {
843
                $address = $city.', '.$state.', '.$country;
844
            } else if(($city != '') && ($state != '')) {
845
                $address = $city.', '.$state;
846
            } else if(($state != '') && ($country != '')) {
847
                $address = $state.', '.$country;
848
            } else if($country != '') {
849
                $address = $country;
850
            }
851
 
852
            $address1=trim($address1, ',');
853
            $array['country']=$country;
854
            $array['state']=$state;
855
            $array['city']=$city;
856
            $array['address']=$address1;
857
            $array['postal_code']=$postal_code;
858
        }
859
        $array['status']=$json->status;
860
        $array['lat'] = $json->results[0]->geometry->location->lat;
861
        $array['long'] = $json->results[0]->geometry->location->lng;
862
        return $array;
863
    }
864
 
865
 
866
 
867
    /**
868
     *
869
     * @param number $number
870
     * @param number $significance
871
     * @return number|boolean
872
     */
873
    public static function ceiling($number, $significance = 1)
874
    {
875
        return ( is_numeric($number) && is_numeric($significance) ) ? (ceil($number / $significance) * $significance) : 0;
876
    }
877
 
878
 
879
 
880
 
881
 
882
 
883
}