PostgreSQL Source Code git master
Loading...
Searching...
No Matches
regexp.c
Go to the documentation of this file.
1/*-------------------------------------------------------------------------
2 *
3 * regexp.c
4 * Postgres' interface to the regular expression package.
5 *
6 * Portions Copyright (c) 1996-2026, PostgreSQL Global Development Group
7 * Portions Copyright (c) 1994, Regents of the University of California
8 *
9 *
10 * IDENTIFICATION
11 * src/backend/utils/adt/regexp.c
12 *
13 * Alistair Crooks added the code for the regex caching
14 * agc - cached the regular expressions used - there's a good chance
15 * that we'll get a hit, so this saves a compile step for every
16 * attempted match. I haven't actually measured the speed improvement,
17 * but it `looks' a lot quicker visually when watching regression
18 * test output.
19 *
20 * agc - incorporated Keith Bostic's Berkeley regex code into
21 * the tree for all ports. To distinguish this regex code from any that
22 * is existent on a platform, I've prepended the string "pg_" to
23 * the functions regcomp, regerror, regexec and regfree.
24 * Fixed a bug that was originally a typo by me, where `i' was used
25 * instead of `oldest' when compiling regular expressions - benign
26 * results mostly, although occasionally it bit you...
27 *
28 *-------------------------------------------------------------------------
29 */
30#include "postgres.h"
31
32#include "catalog/pg_type.h"
33#include "funcapi.h"
34#include "regex/regex.h"
35#include "utils/array.h"
36#include "utils/builtins.h"
37#include "utils/memutils.h"
38#include "utils/varlena.h"
39
40#define PG_GETARG_TEXT_PP_IF_EXISTS(_n) \
41 (PG_NARGS() > (_n) ? PG_GETARG_TEXT_PP(_n) : NULL)
42
43
44/* all the options of interest for regex functions */
45typedef struct pg_re_flags
46{
47 int cflags; /* compile flags for Spencer's regex code */
48 bool glob; /* do it globally (for each occurrence) */
50
51/* cross-call state for regexp_match and regexp_split functions */
52typedef struct regexp_matches_ctx
53{
54 text *orig_str; /* data string in original TEXT form */
55 int nmatches; /* number of places where pattern matched */
56 int npatterns; /* number of capturing subpatterns */
57 /* We store start char index and end+1 char index for each match */
58 /* so the number of entries in match_locs is nmatches * npatterns * 2 */
59 int *match_locs; /* 0-based character indexes */
60 int next_match; /* 0-based index of next match to process */
61 /* workspace for build_regexp_match_result() */
62 Datum *elems; /* has npatterns elements */
63 bool *nulls; /* has npatterns elements */
64 pg_wchar *wide_str; /* wide-char version of original string */
65 char *conv_buf; /* conversion buffer, if needed */
66 int conv_bufsiz; /* size thereof */
68
69/*
70 * We cache precompiled regular expressions using a "self organizing list"
71 * structure, in which recently-used items tend to be near the front.
72 * Whenever we use an entry, it's moved up to the front of the list.
73 * Over time, an item's average position corresponds to its frequency of use.
74 *
75 * When we first create an entry, it's inserted at the front of
76 * the array, dropping the entry at the end of the array if necessary to
77 * make room. (This might seem to be weighting the new entry too heavily,
78 * but if we insert new entries further back, we'll be unable to adjust to
79 * a sudden shift in the query mix where we are presented with MAX_CACHED_RES
80 * never-before-seen items used circularly. We ought to be able to handle
81 * that case, so we have to insert at the front.)
82 *
83 * Knuth mentions a variant strategy in which a used item is moved up just
84 * one place in the list. Although he says this uses fewer comparisons on
85 * average, it seems not to adapt very well to the situation where you have
86 * both some reusable patterns and a steady stream of non-reusable patterns.
87 * A reusable pattern that isn't used at least as often as non-reusable
88 * patterns are seen will "fail to keep up" and will drop off the end of the
89 * cache. With move-to-front, a reusable pattern is guaranteed to stay in
90 * the cache as long as it's used at least once in every MAX_CACHED_RES uses.
91 */
92
93/* this is the maximum number of cached regular expressions */
94#ifndef MAX_CACHED_RES
95#define MAX_CACHED_RES 32
96#endif
97
98/* A parent memory context for regular expressions. */
100
101/* this structure describes one cached regular expression */
102typedef struct cached_re_str
103{
104 MemoryContext cre_context; /* memory context for this regexp */
105 char *cre_pat; /* original RE (not null terminated!) */
106 int cre_pat_len; /* length of original RE, in bytes */
107 int cre_flags; /* compile flags: extended,icase etc */
108 Oid cre_collation; /* collation to use */
109 regex_t cre_re; /* the compiled regular expression */
111
112static int num_res = 0; /* # of cached re's */
113static cached_re_str re_array[MAX_CACHED_RES]; /* cached re's */
114
115
116/* Local functions */
117static regexp_matches_ctx *setup_regexp_matches(text *orig_str, text *pattern,
118 pg_re_flags *re_flags,
119 int start_search,
120 Oid collation,
121 bool use_subpatterns,
123 bool fetching_unmatched);
126
127
128/*
129 * RE_compile_and_cache - compile a RE, caching if possible
130 *
131 * Returns regex_t *
132 *
133 * text_re --- the pattern, expressed as a TEXT object
134 * cflags --- compile options for the pattern
135 * collation --- collation to use for LC_CTYPE-dependent behavior
136 *
137 * Pattern is given in the database encoding. We internally convert to
138 * an array of pg_wchar, which is what Spencer's regex package wants.
139 */
140regex_t *
141RE_compile_and_cache(text *text_re, int cflags, Oid collation)
142{
145 pg_wchar *pattern;
146 int pattern_len;
147 int i;
148 int regcomp_result;
150 char errMsg[100];
151 MemoryContext oldcontext;
152
153 /*
154 * Look for a match among previously compiled REs. Since the data
155 * structure is self-organizing with most-used entries at the front, our
156 * search strategy can just be to scan from the front.
157 */
158 for (i = 0; i < num_res; i++)
159 {
160 if (re_array[i].cre_pat_len == text_re_len &&
161 re_array[i].cre_flags == cflags &&
162 re_array[i].cre_collation == collation &&
163 memcmp(re_array[i].cre_pat, text_re_val, text_re_len) == 0)
164 {
165 /*
166 * Found a match; move it to front if not there already.
167 */
168 if (i > 0)
169 {
170 re_temp = re_array[i];
171 memmove(&re_array[1], &re_array[0], i * sizeof(cached_re_str));
172 re_array[0] = re_temp;
173 }
174
175 return &re_array[0].cre_re;
176 }
177 }
178
179 /* Set up the cache memory on first go through. */
183 "RegexpCacheMemoryContext",
185
186 /*
187 * Couldn't find it, so try to compile the new RE. To avoid leaking
188 * resources on failure, we build into the re_temp local.
189 */
190
191 /* Convert pattern string to wide characters */
192 pattern = palloc_array(pg_wchar, text_re_len + 1);
194 pattern,
196
197 /*
198 * Make a memory context for this compiled regexp. This is initially a
199 * child of the current memory context, so it will be cleaned up
200 * automatically if compilation is interrupted and throws an ERROR. We'll
201 * re-parent it under the longer lived cache context if we make it to the
202 * bottom of this function.
203 */
205 "RegexpMemoryContext",
207 oldcontext = MemoryContextSwitchTo(re_temp.cre_context);
208
210 pattern,
212 cflags,
213 collation);
214
215 pfree(pattern);
216
218 {
219 /* re didn't compile (no need for pg_regfree, if so) */
220 pg_regerror(regcomp_result, &re_temp.cre_re, errMsg, sizeof(errMsg));
223 errmsg("invalid regular expression: %s", errMsg)));
224 }
225
226 /* Copy the pattern into the per-regexp memory context. */
227 re_temp.cre_pat = palloc(text_re_len + 1);
229
230 /*
231 * NUL-terminate it only for the benefit of the identifier used for the
232 * memory context, visible in the pg_backend_memory_contexts view.
233 */
234 re_temp.cre_pat[text_re_len] = 0;
235 MemoryContextSetIdentifier(re_temp.cre_context, re_temp.cre_pat);
236
237 re_temp.cre_pat_len = text_re_len;
238 re_temp.cre_flags = cflags;
239 re_temp.cre_collation = collation;
240
241 /*
242 * Okay, we have a valid new item in re_temp; insert it into the storage
243 * array. Discard last entry if needed.
244 */
245 if (num_res >= MAX_CACHED_RES)
246 {
247 --num_res;
249 /* Delete the memory context holding the regexp and pattern. */
251 }
252
253 /* Re-parent the memory context to our long-lived cache context. */
255
256 if (num_res > 0)
257 memmove(&re_array[1], &re_array[0], num_res * sizeof(cached_re_str));
258
259 re_array[0] = re_temp;
260 num_res++;
261
262 MemoryContextSwitchTo(oldcontext);
263
264 return &re_array[0].cre_re;
265}
266
267/*
268 * RE_wchar_execute - execute a RE on pg_wchar data
269 *
270 * Returns true on match, false on no match
271 *
272 * re --- the compiled pattern as returned by RE_compile_and_cache
273 * data --- the data to match against (need not be null-terminated)
274 * data_len --- the length of the data string
275 * start_search -- the offset in the data to start searching
276 * nmatch, pmatch --- optional return area for match details
277 *
278 * Data is given as array of pg_wchar which is what Spencer's regex package
279 * wants.
280 */
281static bool
283 int start_search, int nmatch, regmatch_t *pmatch)
284{
285 int regexec_result;
286 char errMsg[100];
287
288 /* Perform RE match and return result */
290 data,
291 data_len,
293 NULL, /* no details */
294 nmatch,
295 pmatch,
296 0);
297
299 {
300 /* re failed??? */
301 pg_regerror(regexec_result, re, errMsg, sizeof(errMsg));
304 errmsg("regular expression failed: %s", errMsg)));
305 }
306
307 return (regexec_result == REG_OKAY);
308}
309
310/*
311 * RE_execute - execute a RE
312 *
313 * Returns true on match, false on no match
314 *
315 * re --- the compiled pattern as returned by RE_compile_and_cache
316 * dat --- the data to match against (need not be null-terminated)
317 * dat_len --- the length of the data string
318 * nmatch, pmatch --- optional return area for match details
319 *
320 * Data is given in the database encoding. We internally
321 * convert to array of pg_wchar which is what Spencer's regex package wants.
322 */
323static bool
325 int nmatch, regmatch_t *pmatch)
326{
327 pg_wchar *data;
328 int data_len;
329 bool match;
330
331 /* Convert data string to wide characters */
333 data_len = pg_mb2wchar_with_len(dat, data, dat_len);
334
335 /* Perform RE match and return result */
336 match = RE_wchar_execute(re, data, data_len, 0, nmatch, pmatch);
337
338 pfree(data);
339 return match;
340}
341
342/*
343 * RE_compile_and_execute - compile and execute a RE
344 *
345 * Returns true on match, false on no match
346 *
347 * text_re --- the pattern, expressed as a TEXT object
348 * dat --- the data to match against (need not be null-terminated)
349 * dat_len --- the length of the data string
350 * cflags --- compile options for the pattern
351 * collation --- collation to use for LC_CTYPE-dependent behavior
352 * nmatch, pmatch --- optional return area for match details
353 *
354 * Both pattern and data are given in the database encoding. We internally
355 * convert to array of pg_wchar which is what Spencer's regex package wants.
356 */
357bool
359 int cflags, Oid collation,
360 int nmatch, regmatch_t *pmatch)
361{
362 regex_t *re;
363
364 /* Use REG_NOSUB if caller does not want sub-match details */
365 if (nmatch < 2)
366 cflags |= REG_NOSUB;
367
368 /* Compile RE */
369 re = RE_compile_and_cache(text_re, cflags, collation);
370
371 return RE_execute(re, dat, dat_len, nmatch, pmatch);
372}
373
374
375/*
376 * parse_re_flags - parse the options argument of regexp_match and friends
377 *
378 * flags --- output argument, filled with desired options
379 * opts --- TEXT object, or NULL for defaults
380 *
381 * This accepts all the options allowed by any of the callers; callers that
382 * don't want some have to reject them after the fact.
383 */
384static void
386{
387 /* regex flavor is always folded into the compile flags */
388 flags->cflags = REG_ADVANCED;
389 flags->glob = false;
390
391 if (opts)
392 {
393 char *opt_p = VARDATA_ANY(opts);
395 int i;
396
397 for (i = 0; i < opt_len; i++)
398 {
399 switch (opt_p[i])
400 {
401 case 'g':
402 flags->glob = true;
403 break;
404 case 'b': /* BREs (but why???) */
405 flags->cflags &= ~(REG_ADVANCED | REG_EXTENDED | REG_QUOTE);
406 break;
407 case 'c': /* case sensitive */
408 flags->cflags &= ~REG_ICASE;
409 break;
410 case 'e': /* plain EREs */
411 flags->cflags |= REG_EXTENDED;
412 flags->cflags &= ~(REG_ADVANCED | REG_QUOTE);
413 break;
414 case 'i': /* case insensitive */
415 flags->cflags |= REG_ICASE;
416 break;
417 case 'm': /* Perloid synonym for n */
418 case 'n': /* \n affects ^ $ . [^ */
419 flags->cflags |= REG_NEWLINE;
420 break;
421 case 'p': /* ~Perl, \n affects . [^ */
422 flags->cflags |= REG_NLSTOP;
423 flags->cflags &= ~REG_NLANCH;
424 break;
425 case 'q': /* literal string */
426 flags->cflags |= REG_QUOTE;
427 flags->cflags &= ~(REG_ADVANCED | REG_EXTENDED);
428 break;
429 case 's': /* single line, \n ordinary */
430 flags->cflags &= ~REG_NEWLINE;
431 break;
432 case 't': /* tight syntax */
433 flags->cflags &= ~REG_EXPANDED;
434 break;
435 case 'w': /* weird, \n affects ^ $ only */
436 flags->cflags &= ~REG_NLSTOP;
437 flags->cflags |= REG_NLANCH;
438 break;
439 case 'x': /* expanded syntax */
440 flags->cflags |= REG_EXPANDED;
441 break;
442 default:
445 errmsg("invalid regular expression option: \"%.*s\"",
447 break;
448 }
449 }
450 }
451}
452
453
454/*
455 * interface routines called by the function manager
456 */
457
458Datum
471
472Datum
485
486Datum
499
500Datum
513
514
515/*
516 * routines that use the regexp stuff, but ignore the case.
517 * for this, we use the REG_ICASE flag to pg_regcomp
518 */
519
520
521Datum
534
535Datum
548
549Datum
562
563Datum
576
577
578/*
579 * textregexsubstr()
580 * Return a substring matched by a regular expression.
581 */
582Datum
584{
585 text *s = PG_GETARG_TEXT_PP(0);
586 text *p = PG_GETARG_TEXT_PP(1);
587 regex_t *re;
588 regmatch_t pmatch[2];
589 int so,
590 eo;
591
592 /* Compile RE */
594
595 /*
596 * We pass two regmatch_t structs to get info about the overall match and
597 * the match for the first parenthesized subexpression (if any). If there
598 * is a parenthesized subexpression, we return what it matched; else
599 * return what the whole regexp matched.
600 */
601 if (!RE_execute(re,
603 2, pmatch))
604 PG_RETURN_NULL(); /* definitely no match */
605
606 if (re->re_nsub > 0)
607 {
608 /* has parenthesized subexpressions, use the first one */
609 so = pmatch[1].rm_so;
610 eo = pmatch[1].rm_eo;
611 }
612 else
613 {
614 /* no parenthesized subexpression, use whole match */
615 so = pmatch[0].rm_so;
616 eo = pmatch[0].rm_eo;
617 }
618
619 /*
620 * It is possible to have a match to the whole pattern but no match for a
621 * subexpression; for example 'foo(bar)?' is considered to match 'foo' but
622 * there is no subexpression match. So this extra test for match failure
623 * is not redundant.
624 */
625 if (so < 0 || eo < 0)
627
630 Int32GetDatum(so + 1),
631 Int32GetDatum(eo - so));
632}
633
634/*
635 * textregexreplace_noopt()
636 * Return a string matched by a regular expression, with replacement.
637 *
638 * This version doesn't have an option argument: we default to case
639 * sensitive match, replace the first instance only.
640 */
641Datum
652
653/*
654 * textregexreplace()
655 * Return a string matched by a regular expression, with replacement.
656 */
657Datum
659{
660 text *s = PG_GETARG_TEXT_PP(0);
661 text *p = PG_GETARG_TEXT_PP(1);
662 text *r = PG_GETARG_TEXT_PP(2);
663 text *opt = PG_GETARG_TEXT_PP(3);
664 pg_re_flags flags;
665
666 /*
667 * regexp_replace() with four arguments will be preferentially resolved as
668 * this form when the fourth argument is of type UNKNOWN. However, the
669 * user might have intended to call textregexreplace_extended_no_n. If we
670 * see flags that look like an integer, emit the same error that
671 * parse_re_flags would, but add a HINT about how to fix it.
672 */
673 if (VARSIZE_ANY_EXHDR(opt) > 0)
674 {
675 char *opt_p = VARDATA_ANY(opt);
676 const char *end_p = opt_p + VARSIZE_ANY_EXHDR(opt);
677
678 if (*opt_p >= '0' && *opt_p <= '9')
681 errmsg("invalid regular expression option: \"%.*s\"",
683 errhint("If you meant to use regexp_replace() with a start parameter, cast the fourth argument to integer explicitly.")));
684 }
685
686 parse_re_flags(&flags, opt);
687
689 flags.cflags, PG_GET_COLLATION(),
690 0, flags.glob ? 0 : 1));
691}
692
693/*
694 * textregexreplace_extended()
695 * Return a string matched by a regular expression, with replacement.
696 * Extends textregexreplace by allowing a start position and the
697 * choice of the occurrence to replace (0 means all occurrences).
698 */
699Datum
701{
702 text *s = PG_GETARG_TEXT_PP(0);
703 text *p = PG_GETARG_TEXT_PP(1);
704 text *r = PG_GETARG_TEXT_PP(2);
705 int start = 1;
706 int n = 1;
708 pg_re_flags re_flags;
709
710 /* Collect optional parameters */
711 if (PG_NARGS() > 3)
712 {
714 if (start <= 0)
717 errmsg("invalid value for parameter \"%s\": %d",
718 "start", start)));
719 }
720 if (PG_NARGS() > 4)
721 {
722 n = PG_GETARG_INT32(4);
723 if (n < 0)
726 errmsg("invalid value for parameter \"%s\": %d",
727 "n", n)));
728 }
729
730 /* Determine options */
731 parse_re_flags(&re_flags, flags);
732
733 /* If N was not specified, deduce it from the 'g' flag */
734 if (PG_NARGS() <= 4)
735 n = re_flags.glob ? 0 : 1;
736
737 /* Do the replacement(s) */
739 re_flags.cflags, PG_GET_COLLATION(),
740 start - 1, n));
741}
742
743/* This is separate to keep the opr_sanity regression test from complaining */
744Datum
749
750/* This is separate to keep the opr_sanity regression test from complaining */
751Datum
756
757/*
758 * similar_to_escape(), similar_escape()
759 *
760 * Convert a SQL "SIMILAR TO" regexp pattern to POSIX style, so it can be
761 * used by our regexp engine.
762 *
763 * similar_escape_internal() is the common workhorse for three SQL-exposed
764 * functions. esc_text can be passed as NULL to select the default escape
765 * (which is '\'), or as an empty string to select no escape character.
766 */
767static text *
769{
770 text *result;
771 char *p,
772 *e,
773 *r;
774 int plen,
775 elen;
776 const char *pend;
777 bool afterescape = false;
778 int nquotes = 0;
779 int bracket_depth = 0; /* square bracket nesting level */
780 int charclass_pos = 0; /* position inside a character class */
781
784 pend = p + plen;
785 if (esc_text == NULL)
786 {
787 /* No ESCAPE clause provided; default to backslash as escape */
788 e = "\\";
789 elen = 1;
790 }
791 else
792 {
795 if (elen == 0)
796 e = NULL; /* no escape character */
797 else if (elen > 1)
798 {
800
801 if (escape_mblen > 1)
804 errmsg("invalid escape string"),
805 errhint("Escape string must be empty or one character.")));
806 }
807 }
808
809 /*----------
810 * We surround the transformed input string with
811 * ^(?: ... )$
812 * which requires some explanation. We need "^" and "$" to force
813 * the pattern to match the entire input string as per the SQL spec.
814 * The "(?:" and ")" are a non-capturing set of parens; we have to have
815 * parens in case the string contains "|", else the "^" and "$" will
816 * be bound into the first and last alternatives which is not what we
817 * want, and the parens must be non capturing because we don't want them
818 * to count when selecting output for SUBSTRING.
819 *
820 * When the pattern is divided into three parts by escape-double-quotes,
821 * what we emit is
822 * ^(?:part1){1,1}?(part2){1,1}(?:part3)$
823 * which requires even more explanation. The "{1,1}?" on part1 makes it
824 * non-greedy so that it will match the smallest possible amount of text
825 * not the largest, as required by SQL. The plain parens around part2
826 * are capturing parens so that that part is what controls the result of
827 * SUBSTRING. The "{1,1}" forces part2 to be greedy, so that it matches
828 * the largest possible amount of text; hence part3 must match the
829 * smallest amount of text, as required by SQL. We don't need an explicit
830 * greediness marker on part3. Note that this also confines the effects
831 * of any "|" characters to the respective part, which is what we want.
832 *
833 * The SQL spec says that SUBSTRING's pattern must contain exactly two
834 * escape-double-quotes, but we only complain if there's more than two.
835 * With none, we act as though part1 and part3 are empty; with one, we
836 * act as though part3 is empty. Both behaviors fall out of omitting
837 * the relevant part separators in the above expansion. If the result
838 * of this function is used in a plain regexp match (SIMILAR TO), the
839 * escape-double-quotes have no effect on the match behavior.
840 *
841 * While we don't fully validate character classes (bracket expressions),
842 * we do need to parse them well enough to know where they end.
843 * "charclass_pos" tracks where we are in a character class.
844 * Its value is uninteresting when bracket_depth is 0.
845 * But when bracket_depth > 0, it will be
846 * 1: right after the opening '[' (a following '^' will negate
847 * the class, while ']' is a literal character)
848 * 2: right after a '^' after the opening '[' (']' is still a literal
849 * character)
850 * 3 or more: further inside the character class (']' ends the class)
851 *----------
852 */
853
854 /*
855 * We need room for the prefix/postfix and part separators, plus as many
856 * as 3 output bytes per input byte; since the input is at most 1GB this
857 * can't overflow size_t.
858 */
859 result = (text *) palloc(VARHDRSZ + 23 + 3 * (size_t) plen);
860 r = VARDATA(result);
861
862 *r++ = '^';
863 *r++ = '(';
864 *r++ = '?';
865 *r++ = ':';
866
867 while (plen > 0)
868 {
869 char pchar = *p;
870
871 /*
872 * If both the escape character and the current character from the
873 * pattern are multi-byte, we need to take the slow path.
874 *
875 * But if one of them is single-byte, we can process the pattern one
876 * byte at a time, ignoring multi-byte characters. (This works
877 * because all server-encodings have the property that a valid
878 * multi-byte character representation cannot contain the
879 * representation of a valid single-byte character.)
880 */
881
882 if (elen > 1)
883 {
884 int mblen = pg_mblen_range(p, pend);
885
886 if (mblen > 1)
887 {
888 /* slow, multi-byte path */
889 if (afterescape)
890 {
891 *r++ = '\\';
892 memcpy(r, p, mblen);
893 r += mblen;
894 afterescape = false;
895 }
896 else if (e && elen == mblen && memcmp(e, p, mblen) == 0)
897 {
898 /* SQL escape character; do not send to output */
899 afterescape = true;
900 }
901 else
902 {
903 /*
904 * We know it's a multi-byte character, so we don't need
905 * to do all the comparisons to single-byte characters
906 * that we do below.
907 */
908 memcpy(r, p, mblen);
909 r += mblen;
910 }
911
912 p += mblen;
913 plen -= mblen;
914
915 continue;
916 }
917 }
918
919 /* fast path */
920 if (afterescape)
921 {
922 if (pchar == '"' && bracket_depth < 1) /* escape-double-quote? */
923 {
924 /* emit appropriate part separator, per notes above */
925 if (nquotes == 0)
926 {
927 *r++ = ')';
928 *r++ = '{';
929 *r++ = '1';
930 *r++ = ',';
931 *r++ = '1';
932 *r++ = '}';
933 *r++ = '?';
934 *r++ = '(';
935 }
936 else if (nquotes == 1)
937 {
938 *r++ = ')';
939 *r++ = '{';
940 *r++ = '1';
941 *r++ = ',';
942 *r++ = '1';
943 *r++ = '}';
944 *r++ = '(';
945 *r++ = '?';
946 *r++ = ':';
947 }
948 else
951 errmsg("SQL regular expression may not contain more than two escape-double-quote separators")));
952 nquotes++;
953 }
954 else
955 {
956 /*
957 * We allow any character at all to be escaped; notably, this
958 * allows access to POSIX character-class escapes such as
959 * "\d". The SQL spec is considerably more restrictive.
960 */
961 *r++ = '\\';
962 *r++ = pchar;
963
964 /*
965 * If we encounter an escaped character in a character class,
966 * we are no longer at the beginning.
967 */
968 charclass_pos = 3;
969 }
970 afterescape = false;
971 }
972 else if (e && pchar == *e)
973 {
974 /* SQL escape character; do not send to output */
975 afterescape = true;
976 }
977 else if (bracket_depth > 0)
978 {
979 /* inside a character class */
980 if (pchar == '\\')
981 {
982 /*
983 * If we're here, backslash is not the SQL escape character,
984 * so treat it as a literal class element, which requires
985 * doubling it. (This matches our behavior for backslashes
986 * outside character classes.)
987 */
988 *r++ = '\\';
989 }
990 *r++ = pchar;
991
992 /* parse the character class well enough to identify ending ']' */
993 if (pchar == ']' && charclass_pos > 2)
994 {
995 /* found the real end of a bracket pair */
997 /* don't reset charclass_pos, this may be an inner bracket */
998 }
999 else if (pchar == '[')
1000 {
1001 /* start of a nested bracket pair */
1002 bracket_depth++;
1003
1004 /*
1005 * We are no longer at the beginning of a character class.
1006 * (The nested bracket pair is a collating element, not a
1007 * character class in its own right.)
1008 */
1009 charclass_pos = 3;
1010 }
1011 else if (pchar == '^')
1012 {
1013 /*
1014 * A caret right after the opening bracket negates the
1015 * character class. In that case, the following will
1016 * increment charclass_pos from 1 to 2, so that a following
1017 * ']' is still a literal character and does not end the
1018 * character class. If we are further inside a character
1019 * class, charclass_pos might get incremented past 3, which is
1020 * fine.
1021 */
1022 charclass_pos++;
1023 }
1024 else
1025 {
1026 /*
1027 * Anything else (including a backslash or leading ']') is an
1028 * element of the character class, so we are no longer at the
1029 * beginning of the class.
1030 */
1031 charclass_pos = 3;
1032 }
1033 }
1034 else if (pchar == '[')
1035 {
1036 /* start of a character class */
1037 *r++ = pchar;
1038 bracket_depth = 1;
1039 charclass_pos = 1;
1040 }
1041 else if (pchar == '%')
1042 {
1043 *r++ = '.';
1044 *r++ = '*';
1045 }
1046 else if (pchar == '_')
1047 *r++ = '.';
1048 else if (pchar == '(')
1049 {
1050 /* convert to non-capturing parenthesis */
1051 *r++ = '(';
1052 *r++ = '?';
1053 *r++ = ':';
1054 }
1055 else if (pchar == '\\' || pchar == '.' ||
1056 pchar == '^' || pchar == '$')
1057 {
1058 *r++ = '\\';
1059 *r++ = pchar;
1060 }
1061 else
1062 *r++ = pchar;
1063 p++, plen--;
1064 }
1065
1066 *r++ = ')';
1067 *r++ = '$';
1068
1069 SET_VARSIZE(result, r - ((char *) result));
1070
1071 return result;
1072}
1073
1074/*
1075 * similar_to_escape(pattern, escape)
1076 */
1077Datum
1079{
1082 text *result;
1083
1085
1086 PG_RETURN_TEXT_P(result);
1087}
1088
1089/*
1090 * similar_to_escape(pattern)
1091 * Inserts a default escape character.
1092 */
1093Datum
1095{
1097 text *result;
1098
1100
1101 PG_RETURN_TEXT_P(result);
1102}
1103
1104/*
1105 * similar_escape(pattern, escape)
1106 *
1107 * Legacy function for compatibility with views stored using the
1108 * pre-v13 expansion of SIMILAR TO. Unlike the above functions, this
1109 * is non-strict, which leads to not-per-spec handling of "ESCAPE NULL".
1110 */
1111Datum
1113{
1114 text *pat_text;
1115 text *esc_text;
1116 text *result;
1117
1118 /* This function is not strict, so must test explicitly */
1119 if (PG_ARGISNULL(0))
1122
1123 if (PG_ARGISNULL(1))
1124 esc_text = NULL; /* use default escape character */
1125 else
1127
1129
1130 PG_RETURN_TEXT_P(result);
1131}
1132
1133/*
1134 * regexp_count()
1135 * Return the number of matches of a pattern within a string.
1136 */
1137Datum
1139{
1141 text *pattern = PG_GETARG_TEXT_PP(1);
1142 int start = 1;
1144 pg_re_flags re_flags;
1146
1147 /* Collect optional parameters */
1148 if (PG_NARGS() > 2)
1149 {
1151 if (start <= 0)
1152 ereport(ERROR,
1154 errmsg("invalid value for parameter \"%s\": %d",
1155 "start", start)));
1156 }
1157
1158 /* Determine options */
1159 parse_re_flags(&re_flags, flags);
1160 /* User mustn't specify 'g' */
1161 if (re_flags.glob)
1162 ereport(ERROR,
1164 /* translator: %s is a SQL function name */
1165 errmsg("%s does not support the \"global\" option",
1166 "regexp_count()")));
1167 /* But we find all the matches anyway */
1168 re_flags.glob = true;
1169
1170 /* Do the matching */
1171 matchctx = setup_regexp_matches(str, pattern, &re_flags, start - 1,
1173 false, /* can ignore subexprs */
1174 false, false);
1175
1176 PG_RETURN_INT32(matchctx->nmatches);
1177}
1178
1179/* This is separate to keep the opr_sanity regression test from complaining */
1180Datum
1182{
1183 return regexp_count(fcinfo);
1184}
1185
1186/* This is separate to keep the opr_sanity regression test from complaining */
1187Datum
1189{
1190 return regexp_count(fcinfo);
1191}
1192
1193/*
1194 * regexp_instr()
1195 * Return the match's position within the string
1196 */
1197Datum
1199{
1201 text *pattern = PG_GETARG_TEXT_PP(1);
1202 int start = 1;
1203 int n = 1;
1204 int endoption = 0;
1206 int subexpr = 0;
1207 int pos;
1208 pg_re_flags re_flags;
1210
1211 /* Collect optional parameters */
1212 if (PG_NARGS() > 2)
1213 {
1215 if (start <= 0)
1216 ereport(ERROR,
1218 errmsg("invalid value for parameter \"%s\": %d",
1219 "start", start)));
1220 }
1221 if (PG_NARGS() > 3)
1222 {
1223 n = PG_GETARG_INT32(3);
1224 if (n <= 0)
1225 ereport(ERROR,
1227 errmsg("invalid value for parameter \"%s\": %d",
1228 "n", n)));
1229 }
1230 if (PG_NARGS() > 4)
1231 {
1233 if (endoption != 0 && endoption != 1)
1234 ereport(ERROR,
1236 errmsg("invalid value for parameter \"%s\": %d",
1237 "endoption", endoption)));
1238 }
1239 if (PG_NARGS() > 6)
1240 {
1242 if (subexpr < 0)
1243 ereport(ERROR,
1245 errmsg("invalid value for parameter \"%s\": %d",
1246 "subexpr", subexpr)));
1247 }
1248
1249 /* Determine options */
1250 parse_re_flags(&re_flags, flags);
1251 /* User mustn't specify 'g' */
1252 if (re_flags.glob)
1253 ereport(ERROR,
1255 /* translator: %s is a SQL function name */
1256 errmsg("%s does not support the \"global\" option",
1257 "regexp_instr()")));
1258 /* But we find all the matches anyway */
1259 re_flags.glob = true;
1260
1261 /* Do the matching */
1262 matchctx = setup_regexp_matches(str, pattern, &re_flags, start - 1,
1264 (subexpr > 0), /* need submatches? */
1265 false, false);
1266
1267 /* When n exceeds matches return 0 (includes case of no matches) */
1268 if (n > matchctx->nmatches)
1269 PG_RETURN_INT32(0);
1270
1271 /* When subexpr exceeds number of subexpressions return 0 */
1272 if (subexpr > matchctx->npatterns)
1273 PG_RETURN_INT32(0);
1274
1275 /* Select the appropriate match position to return */
1276 pos = (n - 1) * matchctx->npatterns;
1277 if (subexpr > 0)
1278 pos += subexpr - 1;
1279 pos *= 2;
1280 if (endoption == 1)
1281 pos += 1;
1282
1283 if (matchctx->match_locs[pos] >= 0)
1284 PG_RETURN_INT32(matchctx->match_locs[pos] + 1);
1285 else
1286 PG_RETURN_INT32(0); /* position not identifiable */
1287}
1288
1289/* This is separate to keep the opr_sanity regression test from complaining */
1290Datum
1292{
1293 return regexp_instr(fcinfo);
1294}
1295
1296/* This is separate to keep the opr_sanity regression test from complaining */
1297Datum
1299{
1300 return regexp_instr(fcinfo);
1301}
1302
1303/* This is separate to keep the opr_sanity regression test from complaining */
1304Datum
1309
1310/* This is separate to keep the opr_sanity regression test from complaining */
1311Datum
1313{
1314 return regexp_instr(fcinfo);
1315}
1316
1317/* This is separate to keep the opr_sanity regression test from complaining */
1318Datum
1323
1324/*
1325 * regexp_like()
1326 * Test for a pattern match within a string.
1327 */
1328Datum
1330{
1332 text *pattern = PG_GETARG_TEXT_PP(1);
1334 pg_re_flags re_flags;
1335
1336 /* Determine options */
1337 parse_re_flags(&re_flags, flags);
1338 /* User mustn't specify 'g' */
1339 if (re_flags.glob)
1340 ereport(ERROR,
1342 /* translator: %s is a SQL function name */
1343 errmsg("%s does not support the \"global\" option",
1344 "regexp_like()")));
1345
1346 /* Otherwise it's like textregexeq/texticregexeq */
1350 re_flags.cflags,
1352 0, NULL));
1353}
1354
1355/* This is separate to keep the opr_sanity regression test from complaining */
1356Datum
1358{
1359 return regexp_like(fcinfo);
1360}
1361
1362/*
1363 * regexp_match()
1364 * Return the first substring(s) matching a pattern within a string.
1365 */
1366Datum
1368{
1369 text *orig_str = PG_GETARG_TEXT_PP(0);
1370 text *pattern = PG_GETARG_TEXT_PP(1);
1372 pg_re_flags re_flags;
1374
1375 /* Determine options */
1376 parse_re_flags(&re_flags, flags);
1377 /* User mustn't specify 'g' */
1378 if (re_flags.glob)
1379 ereport(ERROR,
1381 /* translator: %s is a SQL function name */
1382 errmsg("%s does not support the \"global\" option",
1383 "regexp_match()"),
1384 errhint("Use the regexp_matches function instead.")));
1385
1386 matchctx = setup_regexp_matches(orig_str, pattern, &re_flags, 0,
1387 PG_GET_COLLATION(), true, false, false);
1388
1389 if (matchctx->nmatches == 0)
1391
1392 Assert(matchctx->nmatches == 1);
1393
1394 /* Create workspace that build_regexp_match_result needs */
1395 matchctx->elems = palloc_array(Datum, matchctx->npatterns);
1396 matchctx->nulls = palloc_array(bool, matchctx->npatterns);
1397
1399}
1400
1401/* This is separate to keep the opr_sanity regression test from complaining */
1402Datum
1404{
1405 return regexp_match(fcinfo);
1406}
1407
1408/*
1409 * regexp_matches()
1410 * Return a table of all matches of a pattern within a string.
1411 */
1412Datum
1414{
1417
1418 if (SRF_IS_FIRSTCALL())
1419 {
1420 text *pattern = PG_GETARG_TEXT_PP(1);
1422 pg_re_flags re_flags;
1423 MemoryContext oldcontext;
1424
1426 oldcontext = MemoryContextSwitchTo(funcctx->multi_call_memory_ctx);
1427
1428 /* Determine options */
1429 parse_re_flags(&re_flags, flags);
1430
1431 /* be sure to copy the input string into the multi-call ctx */
1433 &re_flags, 0,
1435 true, false, false);
1436
1437 /* Pre-create workspace that build_regexp_match_result needs */
1438 matchctx->elems = palloc_array(Datum, matchctx->npatterns);
1439 matchctx->nulls = palloc_array(bool, matchctx->npatterns);
1440
1441 MemoryContextSwitchTo(oldcontext);
1442 funcctx->user_fctx = matchctx;
1443 }
1444
1446 matchctx = (regexp_matches_ctx *) funcctx->user_fctx;
1447
1448 if (matchctx->next_match < matchctx->nmatches)
1449 {
1451
1453 matchctx->next_match++;
1455 }
1456
1458}
1459
1460/* This is separate to keep the opr_sanity regression test from complaining */
1461Datum
1466
1467/*
1468 * setup_regexp_matches --- do the initial matching for regexp_match,
1469 * regexp_split, and related functions
1470 *
1471 * To avoid having to re-find the compiled pattern on each call, we do
1472 * all the matching in one swoop. The returned regexp_matches_ctx contains
1473 * the locations of all the substrings matching the pattern.
1474 *
1475 * start_search: the character (not byte) offset in orig_str at which to
1476 * begin the search. Returned positions are relative to orig_str anyway.
1477 * use_subpatterns: collect data about matches to parenthesized subexpressions.
1478 * ignore_degenerate: ignore zero-length matches.
1479 * fetching_unmatched: caller wants to fetch unmatched substrings.
1480 *
1481 * We don't currently assume that fetching_unmatched is exclusive of fetching
1482 * the matched text too; if it's set, the conversion buffer is large enough to
1483 * fetch any single matched or unmatched string, but not any larger
1484 * substring. (In practice, when splitting the matches are usually small
1485 * anyway, and it didn't seem worth complicating the code further.)
1486 */
1487static regexp_matches_ctx *
1488setup_regexp_matches(text *orig_str, text *pattern, pg_re_flags *re_flags,
1489 int start_search,
1490 Oid collation,
1491 bool use_subpatterns,
1492 bool ignore_degenerate,
1493 bool fetching_unmatched)
1494{
1497 int orig_len;
1498 pg_wchar *wide_str;
1499 int wide_len;
1500 int cflags;
1502 regmatch_t *pmatch;
1503 int pmatch_len;
1504 int array_len;
1505 int array_idx;
1506 int prev_match_end;
1508 int maxlen = 0; /* largest fetch length in characters */
1509
1510 /* save original string --- we'll extract result substrings from it */
1511 matchctx->orig_str = orig_str;
1512
1513 /* convert string to pg_wchar form for matching */
1514 orig_len = VARSIZE_ANY_EXHDR(orig_str);
1515 wide_str = palloc_array(pg_wchar, orig_len + 1);
1516 wide_len = pg_mb2wchar_with_len(VARDATA_ANY(orig_str), wide_str, orig_len);
1517
1518 /* set up the compiled pattern */
1519 cflags = re_flags->cflags;
1520 if (!use_subpatterns)
1521 cflags |= REG_NOSUB;
1522 cpattern = RE_compile_and_cache(pattern, cflags, collation);
1523
1524 /* do we want to remember subpatterns? */
1525 if (use_subpatterns && cpattern->re_nsub > 0)
1526 {
1527 matchctx->npatterns = cpattern->re_nsub;
1528 pmatch_len = cpattern->re_nsub + 1;
1529 }
1530 else
1531 {
1532 use_subpatterns = false;
1533 matchctx->npatterns = 1;
1534 pmatch_len = 1;
1535 }
1536
1537 /* temporary output space for RE package */
1539
1540 /*
1541 * the real output space (grown dynamically if needed)
1542 *
1543 * use values 2^n-1, not 2^n, so that we hit the limit at 2^28-1 rather
1544 * than at 2^27
1545 */
1546 array_len = re_flags->glob ? 255 : 31;
1547 matchctx->match_locs = palloc_array(int, array_len);
1548 array_idx = 0;
1549
1550 /* search for the pattern, perhaps repeatedly */
1551 prev_match_end = 0;
1554 pmatch_len, pmatch))
1555 {
1556 /*
1557 * If requested, ignore degenerate matches, which are zero-length
1558 * matches occurring at the start or end of a string or just after a
1559 * previous match.
1560 */
1561 if (!ignore_degenerate ||
1562 (pmatch[0].rm_so < wide_len &&
1563 pmatch[0].rm_eo > prev_match_end))
1564 {
1565 /* enlarge output space if needed */
1566 while (array_idx + matchctx->npatterns * 2 + 1 > array_len)
1567 {
1568 array_len += array_len + 1; /* 2^n-1 => 2^(n+1)-1 */
1569 if (array_len > MaxAllocSize / sizeof(int))
1570 ereport(ERROR,
1572 errmsg("too many regular expression matches")));
1573 matchctx->match_locs = (int *) repalloc(matchctx->match_locs,
1574 sizeof(int) * array_len);
1575 }
1576
1577 /* save this match's locations */
1578 if (use_subpatterns)
1579 {
1580 int i;
1581
1582 for (i = 1; i <= matchctx->npatterns; i++)
1583 {
1584 int so = pmatch[i].rm_so;
1585 int eo = pmatch[i].rm_eo;
1586
1587 matchctx->match_locs[array_idx++] = so;
1588 matchctx->match_locs[array_idx++] = eo;
1589 if (so >= 0 && eo >= 0 && (eo - so) > maxlen)
1590 maxlen = (eo - so);
1591 }
1592 }
1593 else
1594 {
1595 int so = pmatch[0].rm_so;
1596 int eo = pmatch[0].rm_eo;
1597
1598 matchctx->match_locs[array_idx++] = so;
1599 matchctx->match_locs[array_idx++] = eo;
1600 if (so >= 0 && eo >= 0 && (eo - so) > maxlen)
1601 maxlen = (eo - so);
1602 }
1603 matchctx->nmatches++;
1604
1605 /*
1606 * check length of unmatched portion between end of previous valid
1607 * (nondegenerate, or degenerate but not ignored) match and start
1608 * of current one
1609 */
1610 if (fetching_unmatched &&
1611 pmatch[0].rm_so >= 0 &&
1612 (pmatch[0].rm_so - prev_valid_match_end) > maxlen)
1613 maxlen = (pmatch[0].rm_so - prev_valid_match_end);
1614 prev_valid_match_end = pmatch[0].rm_eo;
1615 }
1616 prev_match_end = pmatch[0].rm_eo;
1617
1618 /* if not glob, stop after one match */
1619 if (!re_flags->glob)
1620 break;
1621
1622 /*
1623 * Advance search position. Normally we start the next search at the
1624 * end of the previous match; but if the match was of zero length, we
1625 * have to advance by one character, or we'd just find the same match
1626 * again.
1627 */
1629 if (pmatch[0].rm_so == pmatch[0].rm_eo)
1630 start_search++;
1631 if (start_search > wide_len)
1632 break;
1633 }
1634
1635 /*
1636 * check length of unmatched portion between end of last match and end of
1637 * input string
1638 */
1639 if (fetching_unmatched &&
1640 (wide_len - prev_valid_match_end) > maxlen)
1641 maxlen = (wide_len - prev_valid_match_end);
1642
1643 /*
1644 * Keep a note of the end position of the string for the benefit of
1645 * splitting code.
1646 */
1647 matchctx->match_locs[array_idx] = wide_len;
1648
1649 if (eml > 1)
1650 {
1651 int64 maxsiz = eml * (int64) maxlen;
1652 int conv_bufsiz;
1653
1654 /*
1655 * Make the conversion buffer large enough for any substring of
1656 * interest.
1657 *
1658 * Worst case: assume we need the maximum size (maxlen*eml), but take
1659 * advantage of the fact that the original string length in bytes is
1660 * an upper bound on the byte length of any fetched substring (and we
1661 * know that len+1 is safe to allocate because the varlena header is
1662 * longer than 1 byte).
1663 */
1664 if (maxsiz > orig_len)
1665 conv_bufsiz = orig_len + 1;
1666 else
1667 conv_bufsiz = maxsiz + 1; /* safe since maxsiz < 2^30 */
1668
1669 matchctx->conv_buf = palloc(conv_bufsiz);
1670 matchctx->conv_bufsiz = conv_bufsiz;
1671 matchctx->wide_str = wide_str;
1672 }
1673 else
1674 {
1675 /* No need to keep the wide string if we're in a single-byte charset. */
1676 pfree(wide_str);
1677 matchctx->wide_str = NULL;
1678 matchctx->conv_buf = NULL;
1679 matchctx->conv_bufsiz = 0;
1680 }
1681
1682 /* Clean up temp storage */
1683 pfree(pmatch);
1684
1685 return matchctx;
1686}
1687
1688/*
1689 * build_regexp_match_result - build output array for current match
1690 */
1691static ArrayType *
1693{
1694 char *buf = matchctx->conv_buf;
1695 Datum *elems = matchctx->elems;
1696 bool *nulls = matchctx->nulls;
1697 int dims[1];
1698 int lbs[1];
1699 int loc;
1700 int i;
1701
1702 /* Extract matching substrings from the original string */
1703 loc = matchctx->next_match * matchctx->npatterns * 2;
1704 for (i = 0; i < matchctx->npatterns; i++)
1705 {
1706 int so = matchctx->match_locs[loc++];
1707 int eo = matchctx->match_locs[loc++];
1708
1709 if (so < 0 || eo < 0)
1710 {
1711 elems[i] = (Datum) 0;
1712 nulls[i] = true;
1713 }
1714 else if (buf)
1715 {
1716 int len = pg_wchar2mb_with_len(matchctx->wide_str + so,
1717 buf,
1718 eo - so);
1719
1720 Assert(len < matchctx->conv_bufsiz);
1722 nulls[i] = false;
1723 }
1724 else
1725 {
1727 PointerGetDatum(matchctx->orig_str),
1728 Int32GetDatum(so + 1),
1729 Int32GetDatum(eo - so));
1730 nulls[i] = false;
1731 }
1732 }
1733
1734 /* And form an array */
1735 dims[0] = matchctx->npatterns;
1736 lbs[0] = 1;
1737 /* XXX: this hardcodes assumptions about the text type */
1738 return construct_md_array(elems, nulls, 1, dims, lbs,
1739 TEXTOID, -1, false, TYPALIGN_INT);
1740}
1741
1742/*
1743 * regexp_split_to_table()
1744 * Split the string at matches of the pattern, returning the
1745 * split-out substrings as a table.
1746 */
1747Datum
1749{
1752
1753 if (SRF_IS_FIRSTCALL())
1754 {
1755 text *pattern = PG_GETARG_TEXT_PP(1);
1757 pg_re_flags re_flags;
1758 MemoryContext oldcontext;
1759
1761 oldcontext = MemoryContextSwitchTo(funcctx->multi_call_memory_ctx);
1762
1763 /* Determine options */
1764 parse_re_flags(&re_flags, flags);
1765 /* User mustn't specify 'g' */
1766 if (re_flags.glob)
1767 ereport(ERROR,
1769 /* translator: %s is a SQL function name */
1770 errmsg("%s does not support the \"global\" option",
1771 "regexp_split_to_table()")));
1772 /* But we find all the matches anyway */
1773 re_flags.glob = true;
1774
1775 /* be sure to copy the input string into the multi-call ctx */
1777 &re_flags, 0,
1779 false, true, true);
1780
1781 MemoryContextSwitchTo(oldcontext);
1782 funcctx->user_fctx = splitctx;
1783 }
1784
1786 splitctx = (regexp_matches_ctx *) funcctx->user_fctx;
1787
1788 if (splitctx->next_match <= splitctx->nmatches)
1789 {
1791
1792 splitctx->next_match++;
1793 SRF_RETURN_NEXT(funcctx, result);
1794 }
1795
1797}
1798
1799/* This is separate to keep the opr_sanity regression test from complaining */
1800Datum
1805
1806/*
1807 * regexp_split_to_array()
1808 * Split the string at matches of the pattern, returning the
1809 * split-out substrings as an array.
1810 */
1811Datum
1813{
1814 ArrayBuildState *astate = NULL;
1815 pg_re_flags re_flags;
1817
1818 /* Determine options */
1820 /* User mustn't specify 'g' */
1821 if (re_flags.glob)
1822 ereport(ERROR,
1824 /* translator: %s is a SQL function name */
1825 errmsg("%s does not support the \"global\" option",
1826 "regexp_split_to_array()")));
1827 /* But we find all the matches anyway */
1828 re_flags.glob = true;
1829
1832 &re_flags, 0,
1834 false, true, true);
1835
1836 while (splitctx->next_match <= splitctx->nmatches)
1837 {
1838 astate = accumArrayResult(astate,
1840 false,
1841 TEXTOID,
1843 splitctx->next_match++;
1844 }
1845
1847}
1848
1849/* This is separate to keep the opr_sanity regression test from complaining */
1850Datum
1855
1856/*
1857 * build_regexp_split_result - build output string for current match
1858 *
1859 * We return the string between the current match and the previous one,
1860 * or the string after the last match when next_match == nmatches.
1861 */
1862static Datum
1864{
1865 char *buf = splitctx->conv_buf;
1866 int startpos;
1867 int endpos;
1868
1869 if (splitctx->next_match > 0)
1870 startpos = splitctx->match_locs[splitctx->next_match * 2 - 1];
1871 else
1872 startpos = 0;
1873 if (startpos < 0)
1874 elog(ERROR, "invalid match ending position");
1875
1876 endpos = splitctx->match_locs[splitctx->next_match * 2];
1877 if (endpos < startpos)
1878 elog(ERROR, "invalid match starting position");
1879
1880 if (buf)
1881 {
1882 int len;
1883
1885 buf,
1886 endpos - startpos);
1887 Assert(len < splitctx->conv_bufsiz);
1889 }
1890 else
1891 {
1893 PointerGetDatum(splitctx->orig_str),
1896 }
1897}
1898
1899/*
1900 * regexp_substr()
1901 * Return the substring that matches a regular expression pattern
1902 */
1903Datum
1905{
1907 text *pattern = PG_GETARG_TEXT_PP(1);
1908 int start = 1;
1909 int n = 1;
1911 int subexpr = 0;
1912 int so,
1913 eo,
1914 pos;
1915 pg_re_flags re_flags;
1917
1918 /* Collect optional parameters */
1919 if (PG_NARGS() > 2)
1920 {
1922 if (start <= 0)
1923 ereport(ERROR,
1925 errmsg("invalid value for parameter \"%s\": %d",
1926 "start", start)));
1927 }
1928 if (PG_NARGS() > 3)
1929 {
1930 n = PG_GETARG_INT32(3);
1931 if (n <= 0)
1932 ereport(ERROR,
1934 errmsg("invalid value for parameter \"%s\": %d",
1935 "n", n)));
1936 }
1937 if (PG_NARGS() > 5)
1938 {
1940 if (subexpr < 0)
1941 ereport(ERROR,
1943 errmsg("invalid value for parameter \"%s\": %d",
1944 "subexpr", subexpr)));
1945 }
1946
1947 /* Determine options */
1948 parse_re_flags(&re_flags, flags);
1949 /* User mustn't specify 'g' */
1950 if (re_flags.glob)
1951 ereport(ERROR,
1953 /* translator: %s is a SQL function name */
1954 errmsg("%s does not support the \"global\" option",
1955 "regexp_substr()")));
1956 /* But we find all the matches anyway */
1957 re_flags.glob = true;
1958
1959 /* Do the matching */
1960 matchctx = setup_regexp_matches(str, pattern, &re_flags, start - 1,
1962 (subexpr > 0), /* need submatches? */
1963 false, false);
1964
1965 /* When n exceeds matches return NULL (includes case of no matches) */
1966 if (n > matchctx->nmatches)
1968
1969 /* When subexpr exceeds number of subexpressions return NULL */
1970 if (subexpr > matchctx->npatterns)
1972
1973 /* Select the appropriate match position to return */
1974 pos = (n - 1) * matchctx->npatterns;
1975 if (subexpr > 0)
1976 pos += subexpr - 1;
1977 pos *= 2;
1978 so = matchctx->match_locs[pos];
1979 eo = matchctx->match_locs[pos + 1];
1980
1981 if (so < 0 || eo < 0)
1982 PG_RETURN_NULL(); /* unidentifiable location */
1983
1985 PointerGetDatum(matchctx->orig_str),
1986 Int32GetDatum(so + 1),
1987 Int32GetDatum(eo - so)));
1988}
1989
1990/* This is separate to keep the opr_sanity regression test from complaining */
1991Datum
1996
1997/* This is separate to keep the opr_sanity regression test from complaining */
1998Datum
2000{
2001 return regexp_substr(fcinfo);
2002}
2003
2004/* This is separate to keep the opr_sanity regression test from complaining */
2005Datum
2010
2011/* This is separate to keep the opr_sanity regression test from complaining */
2012Datum
2017
2018/*
2019 * regexp_fixed_prefix - extract fixed prefix, if any, for a regexp
2020 *
2021 * The result is NULL if there is no fixed prefix, else a palloc'd string.
2022 * If it is an exact match, not just a prefix, *exact is returned as true.
2023 */
2024char *
2026 bool *exact)
2027{
2028 char *result;
2029 regex_t *re;
2030 int cflags;
2031 int re_result;
2032 pg_wchar *str;
2033 size_t slen;
2034 size_t maxlen;
2035 char errMsg[100];
2036
2037 *exact = false; /* default result */
2038
2039 /* Compile RE */
2040 cflags = REG_ADVANCED;
2041 if (case_insensitive)
2042 cflags |= REG_ICASE;
2043
2044 re = RE_compile_and_cache(text_re, cflags | REG_NOSUB, collation);
2045
2046 /* Examine it to see if there's a fixed prefix */
2047 re_result = pg_regprefix(re, &str, &slen);
2048
2049 switch (re_result)
2050 {
2051 case REG_NOMATCH:
2052 return NULL;
2053
2054 case REG_PREFIX:
2055 /* continue with wchar conversion */
2056 break;
2057
2058 case REG_EXACT:
2059 *exact = true;
2060 /* continue with wchar conversion */
2061 break;
2062
2063 default:
2064 /* re failed??? */
2065 pg_regerror(re_result, re, errMsg, sizeof(errMsg));
2066 ereport(ERROR,
2068 errmsg("regular expression failed: %s", errMsg)));
2069 break;
2070 }
2071
2072 /* Convert pg_wchar result back to database encoding */
2073 maxlen = pg_database_encoding_max_length() * slen + 1;
2074 result = (char *) palloc(maxlen);
2075 slen = pg_wchar2mb_with_len(str, result, slen);
2076 Assert(slen < maxlen);
2077
2078 pfree(str);
2079
2080 return result;
2081}
ArrayBuildState * accumArrayResult(ArrayBuildState *astate, Datum dvalue, bool disnull, Oid element_type, MemoryContext rcontext)
ArrayType * construct_md_array(Datum *elems, bool *nulls, int ndims, int *dims, int *lbs, Oid elmtype, int elmlen, bool elmbyval, char elmalign)
Datum makeArrayResult(ArrayBuildState *astate, MemoryContext rcontext)
#define NameStr(name)
Definition c.h:765
#define VARHDRSZ
Definition c.h:711
#define Assert(condition)
Definition c.h:873
int64_t int64
Definition c.h:543
#define unlikely(x)
Definition c.h:412
int errhint(const char *fmt,...)
Definition elog.c:1331
int errcode(int sqlerrcode)
Definition elog.c:864
int errmsg(const char *fmt,...)
Definition elog.c:1081
#define ERROR
Definition elog.h:39
#define elog(elevel,...)
Definition elog.h:226
#define ereport(elevel,...)
Definition elog.h:150
#define MaxAllocSize
Definition fe_memutils.h:22
#define palloc_array(type, count)
Definition fe_memutils.h:76
#define palloc0_object(type)
Definition fe_memutils.h:75
#define PG_GETARG_TEXT_PP(n)
Definition fmgr.h:310
#define PG_ARGISNULL(n)
Definition fmgr.h:209
#define PG_NARGS()
Definition fmgr.h:203
#define PG_RETURN_NULL()
Definition fmgr.h:346
#define PG_GETARG_NAME(n)
Definition fmgr.h:279
#define PG_RETURN_TEXT_P(x)
Definition fmgr.h:374
#define PG_RETURN_INT32(x)
Definition fmgr.h:355
#define PG_GETARG_INT32(n)
Definition fmgr.h:269
#define PG_RETURN_DATUM(x)
Definition fmgr.h:354
#define DirectFunctionCall3(func, arg1, arg2, arg3)
Definition fmgr.h:688
#define PG_GET_COLLATION()
Definition fmgr.h:198
#define PG_GETARG_TEXT_P_COPY(n)
Definition fmgr.h:316
#define PG_FUNCTION_ARGS
Definition fmgr.h:193
#define PG_RETURN_BOOL(x)
Definition fmgr.h:360
#define SRF_IS_FIRSTCALL()
Definition funcapi.h:304
#define SRF_PERCALL_SETUP()
Definition funcapi.h:308
#define SRF_RETURN_NEXT(_funcctx, _result)
Definition funcapi.h:310
#define SRF_FIRSTCALL_INIT()
Definition funcapi.h:306
#define SRF_RETURN_DONE(_funcctx)
Definition funcapi.h:328
return str start
const char * str
int i
Definition isn.c:77
unsigned int pg_wchar
Definition mbprint.c:31
int pg_mbstrlen_with_len(const char *mbstr, int limit)
Definition mbutils.c:1183
int pg_wchar2mb_with_len(const pg_wchar *from, char *to, int len)
Definition mbutils.c:1019
int pg_mblen_range(const char *mbstr, const char *end)
Definition mbutils.c:1084
int pg_database_encoding_max_length(void)
Definition mbutils.c:1672
int pg_mb2wchar_with_len(const char *from, pg_wchar *to, int len)
Definition mbutils.c:997
void MemoryContextSetParent(MemoryContext context, MemoryContext new_parent)
Definition mcxt.c:686
void * repalloc(void *pointer, Size size)
Definition mcxt.c:1632
void pfree(void *pointer)
Definition mcxt.c:1616
MemoryContext TopMemoryContext
Definition mcxt.c:166
void * palloc(Size size)
Definition mcxt.c:1387
MemoryContext CurrentMemoryContext
Definition mcxt.c:160
void MemoryContextDelete(MemoryContext context)
Definition mcxt.c:472
void MemoryContextSetIdentifier(MemoryContext context, const char *id)
Definition mcxt.c:661
#define AllocSetContextCreate
Definition memutils.h:129
#define ALLOCSET_SMALL_SIZES
Definition memutils.h:170
static MemoryContext MemoryContextSwitchTo(MemoryContext context)
Definition palloc.h:124
static AmcheckOptions opts
Definition pg_amcheck.c:112
const void size_t len
const void * data
const unsigned char * pend
static XLogRecPtr endpos
static XLogRecPtr startpos
static char buf[DEFAULT_XLOG_SEG_SIZE]
static Datum PointerGetDatum(const void *X)
Definition postgres.h:352
uint64_t Datum
Definition postgres.h:70
static Datum Int32GetDatum(int32 X)
Definition postgres.h:222
unsigned int Oid
e
static int fb(int x)
int pg_regcomp(regex_t *re, const chr *string, size_t len, int flags, Oid collation)
Definition regcomp.c:372
size_t pg_regerror(int errcode, const regex_t *preg, char *errbuf, size_t errbuf_size)
Definition regerror.c:60
#define REG_ICASE
Definition regex.h:184
#define REG_NOMATCH
Definition regex.h:216
#define REG_EXACT
Definition regex.h:240
#define REG_PREFIX
Definition regex.h:239
#define REG_ADVANCED
Definition regex.h:181
#define REG_EXPANDED
Definition regex.h:186
#define REG_NLANCH
Definition regex.h:188
#define REG_EXTENDED
Definition regex.h:179
#define REG_NLSTOP
Definition regex.h:187
#define regmatch_t
Definition regex.h:246
#define REG_OKAY
Definition regex.h:215
#define REG_NEWLINE
Definition regex.h:189
#define REG_NOSUB
Definition regex.h:185
#define regex_t
Definition regex.h:245
#define REG_QUOTE
Definition regex.h:182
int pg_regexec(regex_t *re, const chr *string, size_t len, size_t search_start, rm_detail_t *details, size_t nmatch, regmatch_t pmatch[], int flags)
Definition regexec.c:185
static MemoryContext RegexpCacheMemoryContext
Definition regexp.c:99
regex_t * RE_compile_and_cache(text *text_re, int cflags, Oid collation)
Definition regexp.c:141
Datum regexp_match_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:1403
Datum textregexreplace(PG_FUNCTION_ARGS)
Definition regexp.c:658
Datum texticregexne(PG_FUNCTION_ARGS)
Definition regexp.c:564
Datum regexp_substr_no_start(PG_FUNCTION_ARGS)
Definition regexp.c:1992
Datum regexp_split_to_array(PG_FUNCTION_ARGS)
Definition regexp.c:1812
#define MAX_CACHED_RES
Definition regexp.c:95
Datum texticregexeq(PG_FUNCTION_ARGS)
Definition regexp.c:550
Datum regexp_substr_no_n(PG_FUNCTION_ARGS)
Definition regexp.c:1999
Datum regexp_instr_no_subexpr(PG_FUNCTION_ARGS)
Definition regexp.c:1319
Datum similar_to_escape_2(PG_FUNCTION_ARGS)
Definition regexp.c:1078
bool RE_compile_and_execute(text *text_re, char *dat, int dat_len, int cflags, Oid collation, int nmatch, regmatch_t *pmatch)
Definition regexp.c:358
char * regexp_fixed_prefix(text *text_re, bool case_insensitive, Oid collation, bool *exact)
Definition regexp.c:2025
static bool RE_wchar_execute(regex_t *re, pg_wchar *data, int data_len, int start_search, int nmatch, regmatch_t *pmatch)
Definition regexp.c:282
Datum regexp_substr(PG_FUNCTION_ARGS)
Definition regexp.c:1904
Datum nameicregexne(PG_FUNCTION_ARGS)
Definition regexp.c:536
Datum textregexsubstr(PG_FUNCTION_ARGS)
Definition regexp.c:583
static Datum build_regexp_split_result(regexp_matches_ctx *splitctx)
Definition regexp.c:1863
static int num_res
Definition regexp.c:112
Datum regexp_split_to_array_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:1851
Datum textregexreplace_extended_no_n(PG_FUNCTION_ARGS)
Definition regexp.c:745
static regexp_matches_ctx * setup_regexp_matches(text *orig_str, text *pattern, pg_re_flags *re_flags, int start_search, Oid collation, bool use_subpatterns, bool ignore_degenerate, bool fetching_unmatched)
Definition regexp.c:1488
Datum nameregexne(PG_FUNCTION_ARGS)
Definition regexp.c:473
Datum regexp_instr(PG_FUNCTION_ARGS)
Definition regexp.c:1198
static ArrayType * build_regexp_match_result(regexp_matches_ctx *matchctx)
Definition regexp.c:1692
Datum similar_to_escape_1(PG_FUNCTION_ARGS)
Definition regexp.c:1094
Datum regexp_substr_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:2006
Datum regexp_matches(PG_FUNCTION_ARGS)
Definition regexp.c:1413
#define PG_GETARG_TEXT_PP_IF_EXISTS(_n)
Definition regexp.c:40
Datum nameicregexeq(PG_FUNCTION_ARGS)
Definition regexp.c:522
Datum regexp_matches_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:1462
Datum regexp_split_to_table_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:1801
Datum regexp_match(PG_FUNCTION_ARGS)
Definition regexp.c:1367
Datum textregexreplace_extended(PG_FUNCTION_ARGS)
Definition regexp.c:700
Datum nameregexeq(PG_FUNCTION_ARGS)
Definition regexp.c:459
Datum regexp_instr_no_n(PG_FUNCTION_ARGS)
Definition regexp.c:1298
Datum regexp_count_no_start(PG_FUNCTION_ARGS)
Definition regexp.c:1181
static cached_re_str re_array[MAX_CACHED_RES]
Definition regexp.c:113
static bool RE_execute(regex_t *re, char *dat, int dat_len, int nmatch, regmatch_t *pmatch)
Definition regexp.c:324
static void parse_re_flags(pg_re_flags *flags, text *opts)
Definition regexp.c:385
Datum regexp_split_to_table(PG_FUNCTION_ARGS)
Definition regexp.c:1748
Datum textregexreplace_noopt(PG_FUNCTION_ARGS)
Definition regexp.c:642
Datum regexp_like_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:1357
Datum regexp_instr_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:1312
Datum textregexeq(PG_FUNCTION_ARGS)
Definition regexp.c:487
Datum textregexne(PG_FUNCTION_ARGS)
Definition regexp.c:501
Datum regexp_count_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:1188
Datum similar_escape(PG_FUNCTION_ARGS)
Definition regexp.c:1112
Datum regexp_instr_no_start(PG_FUNCTION_ARGS)
Definition regexp.c:1291
Datum regexp_instr_no_endoption(PG_FUNCTION_ARGS)
Definition regexp.c:1305
Datum textregexreplace_extended_no_flags(PG_FUNCTION_ARGS)
Definition regexp.c:752
Datum regexp_like(PG_FUNCTION_ARGS)
Definition regexp.c:1329
Datum regexp_substr_no_subexpr(PG_FUNCTION_ARGS)
Definition regexp.c:2013
static text * similar_escape_internal(text *pat_text, text *esc_text)
Definition regexp.c:768
Datum regexp_count(PG_FUNCTION_ARGS)
Definition regexp.c:1138
int pg_regprefix(regex_t *re, chr **string, size_t *slength)
Definition regprefix.c:46
char * cre_pat
Definition regexp.c:105
int cre_pat_len
Definition regexp.c:106
regex_t cre_re
Definition regexp.c:109
Oid cre_collation
Definition regexp.c:108
int cre_flags
Definition regexp.c:107
MemoryContext cre_context
Definition regexp.c:104
Definition c.h:760
bool glob
Definition regexp.c:48
int cflags
Definition regexp.c:47
Datum * elems
Definition regexp.c:62
text * orig_str
Definition regexp.c:54
char * conv_buf
Definition regexp.c:65
pg_wchar * wide_str
Definition regexp.c:64
Definition c.h:706
static Size VARSIZE_ANY_EXHDR(const void *PTR)
Definition varatt.h:472
static char * VARDATA(const void *PTR)
Definition varatt.h:305
static char * VARDATA_ANY(const void *PTR)
Definition varatt.h:486
static void SET_VARSIZE(void *PTR, Size len)
Definition varatt.h:432
Datum text_substr(PG_FUNCTION_ARGS)
Definition varlena.c:550
text * cstring_to_text_with_len(const char *s, int len)
Definition varlena.c:193
text * replace_text_regexp(text *src_text, text *pattern_text, text *replace_text, int cflags, Oid collation, int search_start, int n)
Definition varlena.c:3295