-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathParserus.php
1491 lines (1236 loc) · 45.5 KB
/
Parserus.php
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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
<?php
/**
* @copyright Copyright (c) 2016-2024 Visman. All rights reserved.
* @author Visman <[email protected]>
* @link https://github.com/MioVisman/Parserus
* @license https://opensource.org/licenses/MIT The MIT License (MIT)
*/
declare(strict_types=1);
class Parserus
{
/**
* Массив дерева тегов построенный методом parse()
* @var array
*/
protected $data;
/**
* Индекс последнего элемента из массива data
* @var int
*/
protected $dataId;
/**
* Индекс текущего элемента дерева из массива data
* @var int
*/
protected $curId;
/**
* Битовая маска флагов для функции htmlspecialchars()
* @var int
*/
protected $eFlags;
/**
* Массив искомых значений для замены при преобразовании текста в HTML
* @var array
*/
protected $tSearch = ["\n", "\t", ' ', ' '];
/**
* Массив значений замены при преобразовании текста в HTML
* @var array
*/
protected $tRepl;
/**
* Массив разрешенных тегов. Если null, то все теги из bbcodes разрешены
* @var array|null
*/
protected $whiteList = null;
/**
* Массив запрещенных тегов. Если null, то все теги из bbcodes разрешены
* @var array|null
*/
protected $blackList = null;
/**
* Ассоциативный массив bb-кодов
* @var array
*/
protected $bbcodes = [];
/**
* Ассоциативный массив переменных, которые можно использовать в bb-кодах
* @var array
*/
protected $attrs = [];
/**
* Ассоциативный массив смайлов
* @var array
*/
protected $smilies = [];
/**
* Паттерн для поиска смайлов в тексте при получении HTML
* @var string|null
*/
protected $smPattern = null;
/**
* Флаг необходимости обработки смайлов при получении HTML
* @var bool
*/
protected $smOn = false;
/**
* Шаблон подстановки при обработке смайлов
* Например: <img src="{url}" alt="{alt}">
* @var string
*/
protected $smTpl = '';
/**
* Имя тега под которым идет отображение смайлов
* @var string
*/
protected $smTag = '';
/**
* Список тегов в которых не нужно отображать смайлы
* @var array
*/
protected $smBL = [];
/**
* Массив ошибок полученных при отработке метода parse()
* @var array
*/
protected $errors = [];
/**
* Флаг строгого режима поиска ошибок
* Нужен, например, для проверки атрибутов тегов при получении текста от пользователя
* @var bool
*/
protected $strict = false;
/**
* Максимальная глубина дерева тегов при строгом режиме поиска ошибок
* @var int
*/
protected $maxDepth;
/**
* Массив шаблонов с текстом ошибок парсера
* @var array
*/
protected $defLang = [
1 => '[%1$s] tag in blacklist',
2 => '[%1$s] tag not in whitelist',
3 => '[%1$s] tag can\'t be opened in [%2$s] tag',
4 => 'No start tag found for [/%1$s] tag',
5 => 'Found [/%1$s] tag for single [%1$s] tag',
6 => 'No attributes in [%1$s] tag',
7 => 'Primary attribute is forbidden in [%1$s] tag',
8 => 'Secondary attribute is forbidden in [%1$s] tag',
9 => 'Attribute \'%2$s\' does not match pattern in [%1$s] tag',
10 => '[%1$s] tag contains unknown secondary attribute \'%2$s\'',
11 => 'Body of [%1$s] tag does not match pattern',
12 => '[%1$s] tag was opened within itself, this is not allowed',
13 => 'Missing attribute \'%2$s\' in [%1$s] tag',
14 => 'All tags are empty',
15 => 'The depth of the tag tree is greater than %1$s',
16 => '[%1$s] tag is enclosed in itself more than %2$s times',
];
/**
* Конструктор
*
* @param int $flag Один из флагов ENT_HTML401, ENT_XML1, ENT_XHTML, ENT_HTML5
*/
public function __construct($flag = ENT_HTML5)
{
if (! in_array($flag, [ENT_HTML401, ENT_XML1, ENT_XHTML, ENT_HTML5])) {
$flag = ENT_HTML5;
}
$this->eFlags = $flag | ENT_QUOTES | ENT_SUBSTITUTE;
$this->tRepl = in_array($flag, [ENT_HTML5, ENT_HTML401])
? ['<br>', ' ', ' ', ' ']
: ['<br />', '    ', '  ', '  '];
}
/**
* Метод добавляет один bb-код
*
* @param array $bb Массив описания bb-кода
*
* @return Parserus $this
*/
public function addBBCode(array $bb): self
{
$res = [
'type' => 'inline',
'parents' => ['inline' => 1, 'block' => 2],
'auto' => true,
'self_nesting' => false,
];
if ('ROOT' === $bb['tag']) {
$tag = 'ROOT';
} else {
$tag = strtolower($bb['tag']);
}
if (isset($bb['type'])) {
$res['type'] = $bb['type'];
if ('inline' !== $bb['type']) {
$res['parents'] = ['block' => 1];
$res['auto'] = false;
}
}
if (isset($bb['parents'])) {
$res['parents'] = array_flip($bb['parents']);
}
if (isset($bb['auto'])) {
$res['auto'] = (bool) $bb['auto'];
}
if (isset($bb['self_nesting'])) {
$res['self_nesting'] = (int) $bb['self_nesting'] > 0 ? (int) $bb['self_nesting'] : false;
}
if (isset($bb['recursive'])) {
$res['recursive'] = true;
}
if (isset($bb['text_only'])) {
$res['text_only'] = true;
}
if (isset($bb['tags_only'])) {
$res['tags_only'] = true;
}
if (isset($bb['single'])) {
$res['single'] = true;
}
if (isset($bb['pre'])) {
$res['pre'] = true;
}
$res['handler'] = $bb['handler'] ?? null;
$res['text_handler'] = $bb['text_handler'] ?? null;
$required = [];
$attrs = [];
$other = false;
if (! isset($bb['attrs'])) {
$cur = [];
if (isset($bb['body_format'])) {
$cur['body_format'] = $bb['body_format'];
}
if (isset($bb['text_only'])) {
$cur['text_only'] = true;
}
$attrs['No_attr'] = $cur;
} else {
foreach ($bb['attrs'] as $attr => $cur) {
if (! is_array($cur)) {
$cur = [];
}
if (isset($bb['text_only'])) {
$cur['text_only'] = true;
}
$attrs[$attr] = $cur;
if (isset($cur['required'])) {
$required[] = $attr;
}
if (
'Def' !== $attr
&& 'No_attr' !== $attr
) {
$other = true;
}
}
}
$res['attrs'] = $attrs;
$res['required'] = $required;
$res['other'] = $other;
$this->bbcodes[$tag] = $res;
return $this;
}
/**
* Метод задает массив bb-кодов
*
* @param array $bbcodes Массив описаний bb-кодов
*
* @return Parserus $this
*/
public function setBBCodes(array $bbcodes): self
{
$this->bbcodes = [];
foreach ($bbcodes as $bb) {
$this->addBBCode($bb);
}
$this->defaultROOT();
return $this;
}
/**
* Метод устанавливает тег ROOT при его отсутствии
*/
protected function defaultROOT(): void
{
if (! isset($this->bbcodes['ROOT'])) {
$this->addBBCode(['tag' => 'ROOT', 'type' => 'block']);
}
}
/**
* Метод задает массив смайлов
*
* @param array $smilies Ассоциативный массив смайлов
*
* @return Parserus $this
*/
public function setSmilies(array $smilies): self
{
$this->smilies = $smilies;
$this->createSmPattern();
return $this;
}
/**
* Метод генерирует паттерн для поиска смайлов в тексте
*/
protected function createSmPattern(): void
{
if (empty($this->smilies)) {
$this->smPattern = null;
return;
}
$arr = array_keys($this->smilies);
sort($arr);
$arr[] = ' ';
$symbol = '';
$pattern = '';
$quote = '';
$sub = [];
foreach ($arr as $val) {
if (preg_match('%^(.)(.+)%u', $val, $match)) {
if ($symbol === $match[1]) {
$sub[] = preg_quote($match[2], '%');
} else {
if (count($sub) > 1) {
$pattern .= $quote . preg_quote($symbol, '%') . '(?:' . implode('|', $sub) . ')';
$quote = '|';
} elseif (1 == count($sub)) {
$pattern .= $quote . preg_quote($symbol, '%') . $sub[0];
$quote = '|';
}
$symbol = $match[1];
$sub = [preg_quote($match[2], '%')];
}
}
}
$this->smPattern = '%(?<=\s|^)(?:' . $pattern . ')(?![\p{L}\p{N}])%u';
}
/**
* Метод устанавливает шаблон для отображения смайлов
*
* @param string $tpl Строка шаблона, например: <img src="{url}" alt="{alt}">
* @param string $tag Имя тега под которым идет отображение смайлов
* @param array $bl Список тегов в которых не нужно отображать смайлы
*
* @return Parserus $this
*/
public function setSmTpl(string $tpl, string $tag = 'img', array $bl = ['url']): self
{
$this->smTpl = $tpl;
$this->smTag = $tag;
$this->smBL = array_flip($bl);
return $this;
}
/**
* Метод включает (если есть возможность) отображение смайлов на текущем дереве тегов
*
* @return Parserus $this
*/
public function detectSmilies(): self
{
$this->smOn = null !== $this->smPattern && isset($this->bbcodes[$this->smTag]);
return $this;
}
/**
* Метод устанавливает список разрешенных bb-кодов
*
* @param mixed $list Массив bb-кодов, null и т.д.
*
* @return Parserus $this
*/
public function setWhiteList($list = null): self
{
$this->whiteList = is_array($list) ? $list : null;
return $this;
}
/**
* Метод устанавливает список запрещенных bb-кодов
*
* @param mixed $list Массив bb-кодов, null и т.д.
*
* @return Parserus $this
*/
public function setBlackList($list = null): self
{
$this->blackList = ! empty($list) && is_array($list) ? $list : null;
return $this;
}
/**
* Метод задает значение переменной для возможного использования в bb-кодах
*
* @param string $name Имя переменной
* @param mixed $val Значение переменной
*
* @return Parserus $this
*/
public function setAttr(string $name, $val): self
{
$this->attrs[$name] = $val;
return $this;
}
/**
* Метод для получения значения переменной
*
* @param string $name Имя переменной
*
* @return mixed Значение переменной или null, если переменная не была задана ранее
*/
public function attr(string $name)
{
return $this->attrs[$name] ?? null;
}
/**
* Метод добавляет новый тег в дерево тегов
*
* @param string $tag Имя тега
* @param ?int $parentId Указатель на родителя
* @param array $attrs Массив атрибутов тега
* @param bool $textOnly Флаг. Если true, то в теле только текст
*
* @return int Указатель на данный тег
*/
protected function addTagNode(string $tag, ?int $parentId = null, array $attrs = [], bool $textOnly = false): int
{
$this->data[++$this->dataId] = [
'tag' => $tag,
'parent' => $parentId,
'children' => [],
'attrs' => $attrs,
];
if ($textOnly) {
$this->data[$this->dataId]['text_only'] = true;
}
if (null !== $parentId) {
$this->data[$parentId]['children'][] = $this->dataId;
}
return $this->dataId;
}
/**
* Метод добавляет текстовый узел в дерево тегов
*
* @param string $text Текст
* @param int $parentId Указатель на родителя
*
* @return string Пустая строка
*/
protected function addTextNode(string $text, int $parentId): string
{
if (isset($text[0])) {
$this->data[++$this->dataId] = [
'text' => $text,
'parent' => $parentId,
];
$this->data[$parentId]['children'][] = $this->dataId;
}
return '';
}
/**
* Метод нормализует содержимое атрибута
*
* @param string $attr Содержимое атрибута полученное из регулярного выражения
*
* @return string
*/
protected function getNormAttr(string $attr): string
{
// удаление крайних кавычек
if (
isset($attr[1])
&& $attr[0] === $attr[-1]
&& (
'"' === $attr[0]
|| '\'' === $attr[0]
)
) {
return substr($attr, 1, -1);
} else {
return $attr;
}
}
/**
* Метод выделяет все атрибуты с их содержимым для обрабатываемого тега
*
* @param string $tag Имя обрабатываемого тега
* @param string $type "Тип атрибутов" = ' ', '=' или ']'
* @param string $text Текст из которого выделяются атрибуты
*
* @return null|array
*/
protected function parseAttrs(string $tag, string $type, string $text): ?array
{
$attrs = [];
$tagText = '';
if ('=' === $type) {
$pattern = '%^(?!\x20)
("[^\x00-\x1f"]*(?:"+(?!\x20*+\]|\x20++[a-z-]{2,15}=)[^\x00-\x1f"]*)*"
|\'[^\x00-\x1f\']*(?:\'+(?!\x20*+\]|\x20++[a-z-]{2,15}=)[^\x00-\x1f\']*)*\'
|[^\x00-\x20\]]+(?:\x20++(?!\]|[a-z-]{2,15}=)[^\x00-\x20\]]+)*)
\x20*
(\]|\x20(?=[a-z-]{2,15}=))%x';
$match = preg_split($pattern, $text, 2, PREG_SPLIT_DELIM_CAPTURE);
if (! isset($match[1])) {
return null;
}
$type = $match[2];
$tagText .= $match[1] . $match[2];
$text = $match[3];
$tmp = $this->getNormAttr($match[1]);
if (isset($tmp[0])) {
$attrs['Def'] = $tmp;
// в теге не может быть первичного атрибута
if (
$this->strict
&& ! isset($this->bbcodes[$tag]['attrs']['Def'])
) {
$this->errors[] = [7, $tag];
return null;
}
}
}
if (']' !== $type) {
$pattern = '%^\x20*+([a-z-]{2,15})
=(?!\x20)
("[^\x00-\x1f"]*(?:"+(?!\x20*+\]|\x20++[a-z-]{2,15}=)[^\x00-\x1f"]*)*"
|\'[^\x00-\x1f\']*(?:\'+(?!\x20*+\]|\x20++[a-z-]{2,15}=)[^\x00-\x1f\']*)*\'
|[^\x00-\x20\]]+(?:\x20++(?!\]|[a-z-]{2,15}=)[^\x00-\x20\]]+)*)
\x20*
(\]|\x20(?=[a-z-]{2,15}=))%x';
do {
$match = preg_split($pattern, $text, 2, PREG_SPLIT_DELIM_CAPTURE);
if (! isset($match[1])) {
return null;
}
$tagText .= $match[1] . '=' . $match[2] . $match[3];
$text = $match[4];
$tmp = $this->getNormAttr($match[2]);
if (isset($tmp[0])) {
$attrs[$match[1]] = $tmp;
if ($this->strict) {
// в теге не может быть вторичных атрибутов
if (! $this->bbcodes[$tag]['other']) {
$this->errors[] = [8, $tag];
return null;
}
// этот атрибут отсутвтует в описании тега
if (! isset($this->bbcodes[$tag]['attrs'][$match[1]])) {
$this->errors[] = [10, $tag, $match[1]];
return null;
}
}
}
} while (']' !== $match[3]);
}
if (empty($attrs)) {
// в теге должны быть атрибуты
if (
! empty($this->bbcodes[$tag]['required'])
|| ! isset($this->bbcodes[$tag]['attrs']['No_attr'])
) {
$this->errors[] = [6, $tag];
return null;
}
} else {
foreach ($this->bbcodes[$tag]['required'] as $key) {
// нет обязательного атрибута
if (! isset($attrs[$key])) {
$this->errors[] = [13, $tag, $key];
return null;
}
}
}
return [
'attrs' => $attrs,
'tag' => $tagText,
'text' => $text,
];
}
/**
* Метод определяет указатель на родительский тег для текущего
*
* @param string $tag Имя тега
*
* @return int|false false, если невозможно подобрать родителя
*/
protected function findParent(string $tag)
{
if (false === $this->bbcodes[$tag]['self_nesting']) {
$curId = $this->curId;
while (null !== $curId) {
// этот тег нельзя открыть внутри аналогичного
if ($this->data[$curId]['tag'] === $tag) {
$this->errors[] = [12, $tag];
return false;
}
$curId = $this->data[$curId]['parent'];
}
}
$curId = $this->curId;
$curTag = $this->data[$curId]['tag'];
while (null !== $curId) {
if (isset($this->bbcodes[$tag]['parents'][$this->bbcodes[$curTag]['type']])) {
return $curId;
} elseif (
'inline' === $this->bbcodes[$tag]['type']
|| false === $this->bbcodes[$curTag]['auto']
) {
// тег не может быть открыт на этой позиции
$this->errors[] = [3, $tag, $this->data[$this->curId]['tag']];
return false;
}
$curId = $this->data[$curId]['parent'];
$curTag = $this->data[$curId]['tag'];
}
$this->errors[] = [3, $tag, $this->data[$this->curId]['tag']];
return false;
}
/**
* Метод проводит проверку значений атрибутов и(или) тела тега на соответствие правилам
*
* @param string $tag Имя тега
* @param array $attrs Массив атрибутов
* @param string $text Текст из которого выделяется тело тега
*
* @return array|false false в случае ошибки
*/
protected function validationTag(string $tag, array $attrs, string $text)
{
if (empty($attrs)) {
$attrs['No_attr'] = null;
}
$body = null;
$end = null;
$tested = [];
$flag = false;
$bb = $this->bbcodes[$tag];
foreach ($attrs as $key => $val) {
// проверка формата атрибута
if (
isset($bb['attrs'][$key]['format'])
&& ! preg_match($bb['attrs'][$key]['format'], $val)
) {
$this->errors[] = [9, $tag, $key];
return false;
}
// для рекурсивного тега тело не проверяется даже если есть правила
if (isset($bb['recursive'])) {
continue;
}
// тело тега
if (
null === $body
&& (
isset($bb['attrs'][$key]['body_format'])
|| isset($bb['attrs'][$key]['text_only'])
)
) {
$ptag = preg_quote($tag, '%');
$match = preg_split('%^([^\[]*(?:\[(?!/' . $ptag . '\])[^\[]*)*)(?:\[/' . $ptag . '\])?%i', $text, 2, PREG_SPLIT_DELIM_CAPTURE);
$body = $match[1];
$end = $match[2];
}
// для тега с 'text_only' устанавливается флаг для возврата тела
if (isset($bb['attrs'][$key]['text_only'])) {
$flag = true;
}
// проверка формата тела тега
if (isset($bb['attrs'][$key]['body_format'])) {
if (isset($tested[$bb['attrs'][$key]['body_format']])) {
continue;
} elseif (! preg_match($bb['attrs'][$key]['body_format'], $body)) {
$this->errors[] = [11, $tag];
return false;
}
$tested[$bb['attrs'][$key]['body_format']] = true;
}
}
unset($attrs['No_attr']);
return [
'attrs' => $attrs,
'body' => $flag ? $body : null,
'end' => $end,
];
}
/**
* Метод закрывает текущий тег
*
* @param string $tag Имя обрабатываемого тега
* @param string $curText Текст до тега, который еще не был учтен
* @param string $tagText Текст самого тега - [/tag]
*
* @return string Пустая строка, если тег удалось закрыть
*/
protected function closeTag(string $tag, string $curText, string $tagText): string
{
// ошибка одиночного тега
if (isset($this->bbcodes[$tag]['single'])) {
$this->errors[] = [5, $tag];
return $curText . $tagText;
}
$curId = $this->curId;
$curTag = $this->data[$curId]['tag'];
while (
$curTag !== $tag
&& $curId > 0
) {
if (
'inline' === $this->bbcodes[$tag]['type']
|| false === $this->bbcodes[$curTag]['auto']
) {
break;
}
$curId = $this->data[$curId]['parent'];
$curTag = $this->data[$curId]['tag'];
}
// ошибка закрытия тега
if ($curTag !== $tag) {
$this->errors[] = [4, $tag];
return $curText . $tagText;
}
$this->addTextNode($curText, $this->curId);
$this->curId = $this->data[$curId]['parent'];
return '';
}
/**
* Сброс состояния
*
* @param array $opts Ассоциативный массив опций
*/
protected function reset(array $opts): void
{
$this->defaultROOT();
$this->data = [];
$this->dataId = -1;
$this->curId = $this->addTagNode(
isset($opts['root'], $this->bbcodes[$opts['root']])
? $opts['root']
: 'ROOT'
);
$this->smOn = false;
$this->errors = [];
$this->strict = isset($opts['strict']) ? (bool) $opts['strict'] : false;
$this->maxDepth = isset($opts['depth']) ? (int) $opts['depth'] : 10;
}
/**
* Метод строит дерево тегов из текста содержащего bb-коды
*
* @param string $text Обрабатываемый текст
* @param array $opts Ассоциативный массив опций
*
* @return Parserus $this
*/
public function parse(string $text, array $opts = []): self
{
$this->reset($opts);
$curText = '';
$recCount = 0;
$text = str_replace("\r\n", "\n", $text);
$text = str_replace("\r", "\n", $text);
while (
($match = preg_split('%(\[(/)?(' . ($recCount ? $recTag : '[a-z\*][a-z\d-]{0,10}') . ')((?(1)\]|[=\]\x20])))%i', $text, 2, PREG_SPLIT_DELIM_CAPTURE))
&& isset($match[1])
) {
/* $match[0] - текст до тега
* $match[1] - [ + (|/) + имя тега + (]| |=)
* $match[2] - (|/)
* $match[3] - имя тега
* $match[4] - тип атрибутов --> (]| |=)
* $match[5] - остаток текста до конца
*/
$tagText = $match[1];
$curText .= $match[0];
$text = $match[5];
$tag = strtolower($match[3]);
if (! isset($this->bbcodes[$tag])) {
$curText .= $tagText;
continue;
}
if (! empty($match[2])) {
if (
$recCount
&& --$recCount
) {
$curText .= $tagText;
} else {
$curText = $this->closeTag($tag, $curText, $tagText);
}
continue;
}
$attrs = $this->parseAttrs($tag, $match[4], $text);
if (null === $attrs) {
$curText .= $tagText;
continue;
}
if (isset($attrs['tag'][0])) {
$tagText .= $attrs['tag'];
$text = $attrs['text'];
}
if ($recCount) {
++$recCount;
$curText .= $tagText;
continue;
}
if (
null !== $this->blackList
&& in_array($tag, $this->blackList)
) {
$curText .= $tagText;
$this->errors[] = [1, $tag];
continue;
}
if (
null !== $this->whiteList
&& ! in_array($tag, $this->whiteList)
) {
$curText .= $tagText;
$this->errors[] = [2, $tag];
continue;
}
if (($parentId = $this->findParent($tag)) === false) {
$curText .= $tagText;
continue;
}
if (($attrs = $this->validationTag($tag, $attrs['attrs'], $text)) === false) {
$curText .= $tagText;
continue;
}
$curText = $this->addTextNode($curText, $this->curId);
$id = $this->addTagNode(
$tag,
$parentId,
$attrs['attrs'],
isset($attrs['body']) || isset($this->bbcodes[$tag]['text_only'])
);
if (isset($attrs['body'])) {
$this->addTextNode($attrs['body'], $id);
$text = $attrs['end'];
$this->curId = $parentId;
} elseif (isset($this->bbcodes[$tag]['single'])) {
$this->curId = $parentId;
} else {
$this->curId = $id;
if (isset($this->bbcodes[$tag]['recursive'])) {
$recCount = 1;
$recTag = preg_quote($tag, '%');
}
}
}
$this->addTextNode($curText . $text, $this->curId);
if ($this->strict) {
$this->searchError();
}
return $this;
}
/**
* Метод проверяет глубину дерева тегов
* Метод проверяет лимит вложенности тегов в самих себя
*
* @param int $id Указатель на текущий тег
* @param int $depth Глубина дерева на текущий момент