PostgreSQL Source Code git master
All Data Structures Namespaces Files Functions Variables Typedefs Enumerations Enumerator Macros Pages
execExprInterp.c
Go to the documentation of this file.
1/*-------------------------------------------------------------------------
2 *
3 * execExprInterp.c
4 * Interpreted evaluation of an expression step list.
5 *
6 * This file provides either a "direct threaded" (for gcc, clang and
7 * compatible) or a "switch threaded" (for all compilers) implementation of
8 * expression evaluation. The former is amongst the fastest known methods
9 * of interpreting programs without resorting to assembly level work, or
10 * just-in-time compilation, but it requires support for computed gotos.
11 * The latter is amongst the fastest approaches doable in standard C.
12 *
13 * In either case we use ExprEvalStep->opcode to dispatch to the code block
14 * within ExecInterpExpr() that implements the specific opcode type.
15 *
16 * Switch-threading uses a plain switch() statement to perform the
17 * dispatch. This has the advantages of being plain C and allowing the
18 * compiler to warn if implementation of a specific opcode has been forgotten.
19 * The disadvantage is that dispatches will, as commonly implemented by
20 * compilers, happen from a single location, requiring more jumps and causing
21 * bad branch prediction.
22 *
23 * In direct threading, we use gcc's label-as-values extension - also adopted
24 * by some other compilers - to replace ExprEvalStep->opcode with the address
25 * of the block implementing the instruction. Dispatch to the next instruction
26 * is done by a "computed goto". This allows for better branch prediction
27 * (as the jumps are happening from different locations) and fewer jumps
28 * (as no preparatory jump to a common dispatch location is needed).
29 *
30 * When using direct threading, ExecReadyInterpretedExpr will replace
31 * each step's opcode field with the address of the relevant code block and
32 * ExprState->flags will contain EEO_FLAG_DIRECT_THREADED to remember that
33 * that's been done.
34 *
35 * For very simple instructions the overhead of the full interpreter
36 * "startup", as minimal as it is, is noticeable. Therefore
37 * ExecReadyInterpretedExpr will choose to implement certain simple
38 * opcode patterns using special fast-path routines (ExecJust*).
39 *
40 * Complex or uncommon instructions are not implemented in-line in
41 * ExecInterpExpr(), rather we call out to a helper function appearing later
42 * in this file. For one reason, there'd not be a noticeable performance
43 * benefit, but more importantly those complex routines are intended to be
44 * shared between different expression evaluation approaches. For instance
45 * a JIT compiler would generate calls to them. (This is why they are
46 * exported rather than being "static" in this file.)
47 *
48 *
49 * Portions Copyright (c) 1996-2025, PostgreSQL Global Development Group
50 * Portions Copyright (c) 1994, Regents of the University of California
51 *
52 * IDENTIFICATION
53 * src/backend/executor/execExprInterp.c
54 *
55 *-------------------------------------------------------------------------
56 */
57#include "postgres.h"
58
59#include "access/heaptoast.h"
60#include "catalog/pg_type.h"
61#include "commands/sequence.h"
62#include "executor/execExpr.h"
64#include "funcapi.h"
65#include "miscadmin.h"
66#include "nodes/miscnodes.h"
67#include "nodes/nodeFuncs.h"
68#include "pgstat.h"
69#include "utils/array.h"
70#include "utils/builtins.h"
71#include "utils/date.h"
72#include "utils/datum.h"
74#include "utils/json.h"
75#include "utils/jsonfuncs.h"
76#include "utils/jsonpath.h"
77#include "utils/lsyscache.h"
78#include "utils/memutils.h"
79#include "utils/timestamp.h"
80#include "utils/typcache.h"
81#include "utils/xml.h"
82
83/*
84 * Use computed-goto-based opcode dispatch when computed gotos are available.
85 * But use a separate symbol so that it's easy to adjust locally in this file
86 * for development and testing.
87 */
88#ifdef HAVE_COMPUTED_GOTO
89#define EEO_USE_COMPUTED_GOTO
90#endif /* HAVE_COMPUTED_GOTO */
91
92/*
93 * Macros for opcode dispatch.
94 *
95 * EEO_SWITCH - just hides the switch if not in use.
96 * EEO_CASE - labels the implementation of named expression step type.
97 * EEO_DISPATCH - jump to the implementation of the step type for 'op'.
98 * EEO_OPCODE - compute opcode required by used expression evaluation method.
99 * EEO_NEXT - increment 'op' and jump to correct next step type.
100 * EEO_JUMP - jump to the specified step number within the current expression.
101 */
102#if defined(EEO_USE_COMPUTED_GOTO)
103
104/* struct for jump target -> opcode lookup table */
105typedef struct ExprEvalOpLookup
106{
107 const void *opcode;
108 ExprEvalOp op;
109} ExprEvalOpLookup;
110
111/* to make dispatch_table accessible outside ExecInterpExpr() */
112static const void **dispatch_table = NULL;
113
114/* jump target -> opcode lookup table */
115static ExprEvalOpLookup reverse_dispatch_table[EEOP_LAST];
116
117#define EEO_SWITCH()
118#define EEO_CASE(name) CASE_##name:
119#define EEO_DISPATCH() goto *((void *) op->opcode)
120#define EEO_OPCODE(opcode) ((intptr_t) dispatch_table[opcode])
121
122#else /* !EEO_USE_COMPUTED_GOTO */
123
124#define EEO_SWITCH() starteval: switch ((ExprEvalOp) op->opcode)
125#define EEO_CASE(name) case name:
126#define EEO_DISPATCH() goto starteval
127#define EEO_OPCODE(opcode) (opcode)
128
129#endif /* EEO_USE_COMPUTED_GOTO */
130
131#define EEO_NEXT() \
132 do { \
133 op++; \
134 EEO_DISPATCH(); \
135 } while (0)
136
137#define EEO_JUMP(stepno) \
138 do { \
139 op = &state->steps[stepno]; \
140 EEO_DISPATCH(); \
141 } while (0)
142
143
144static Datum ExecInterpExpr(ExprState *state, ExprContext *econtext, bool *isnull);
145static void ExecInitInterpreter(void);
146
147/* support functions */
148static void CheckVarSlotCompatibility(TupleTableSlot *slot, int attnum, Oid vartype);
150static TupleDesc get_cached_rowtype(Oid type_id, int32 typmod,
151 ExprEvalRowtypeCache *rowcache,
152 bool *changed);
154 ExprContext *econtext, bool checkisnull);
155
156/* fast-path evaluation functions */
157static Datum ExecJustInnerVar(ExprState *state, ExprContext *econtext, bool *isnull);
158static Datum ExecJustOuterVar(ExprState *state, ExprContext *econtext, bool *isnull);
159static Datum ExecJustScanVar(ExprState *state, ExprContext *econtext, bool *isnull);
160static Datum ExecJustAssignInnerVar(ExprState *state, ExprContext *econtext, bool *isnull);
161static Datum ExecJustAssignOuterVar(ExprState *state, ExprContext *econtext, bool *isnull);
162static Datum ExecJustAssignScanVar(ExprState *state, ExprContext *econtext, bool *isnull);
163static Datum ExecJustApplyFuncToCase(ExprState *state, ExprContext *econtext, bool *isnull);
164static Datum ExecJustConst(ExprState *state, ExprContext *econtext, bool *isnull);
165static Datum ExecJustInnerVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
166static Datum ExecJustOuterVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
167static Datum ExecJustScanVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
168static Datum ExecJustAssignInnerVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
169static Datum ExecJustAssignOuterVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
170static Datum ExecJustAssignScanVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
171static Datum ExecJustHashInnerVarWithIV(ExprState *state, ExprContext *econtext, bool *isnull);
172static Datum ExecJustHashOuterVar(ExprState *state, ExprContext *econtext, bool *isnull);
173static Datum ExecJustHashInnerVar(ExprState *state, ExprContext *econtext, bool *isnull);
174static Datum ExecJustHashOuterVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
175static Datum ExecJustHashInnerVarVirt(ExprState *state, ExprContext *econtext, bool *isnull);
176static Datum ExecJustHashOuterVarStrict(ExprState *state, ExprContext *econtext, bool *isnull);
177
178/* execution helper functions */
180 AggStatePerTrans pertrans,
181 AggStatePerGroup pergroup,
182 ExprContext *aggcontext,
183 int setno);
185 AggStatePerTrans pertrans,
186 AggStatePerGroup pergroup,
187 ExprContext *aggcontext,
188 int setno);
189static char *ExecGetJsonValueItemString(JsonbValue *item, bool *resnull);
190
191/*
192 * ScalarArrayOpExprHashEntry
193 * Hash table entry type used during EEOP_HASHED_SCALARARRAYOP
194 */
196{
198 uint32 status; /* hash status */
199 uint32 hash; /* hash value (cached) */
201
202#define SH_PREFIX saophash
203#define SH_ELEMENT_TYPE ScalarArrayOpExprHashEntry
204#define SH_KEY_TYPE Datum
205#define SH_SCOPE static inline
206#define SH_DECLARE
207#include "lib/simplehash.h"
208
209static bool saop_hash_element_match(struct saophash_hash *tb, Datum key1,
210 Datum key2);
211static uint32 saop_element_hash(struct saophash_hash *tb, Datum key);
212
213/*
214 * ScalarArrayOpExprHashTable
215 * Hash table for EEOP_HASHED_SCALARARRAYOP
216 */
218{
219 saophash_hash *hashtab; /* underlying hash table */
221 FmgrInfo hash_finfo; /* function's lookup data */
224
225/* Define parameters for ScalarArrayOpExpr hash table code generation. */
226#define SH_PREFIX saophash
227#define SH_ELEMENT_TYPE ScalarArrayOpExprHashEntry
228#define SH_KEY_TYPE Datum
229#define SH_KEY key
230#define SH_HASH_KEY(tb, key) saop_element_hash(tb, key)
231#define SH_EQUAL(tb, a, b) saop_hash_element_match(tb, a, b)
232#define SH_SCOPE static inline
233#define SH_STORE_HASH
234#define SH_GET_HASH(tb, a) a->hash
235#define SH_DEFINE
236#include "lib/simplehash.h"
237
238/*
239 * Prepare ExprState for interpreted execution.
240 */
241void
243{
244 /* Ensure one-time interpreter setup has been done */
246
247 /* Simple validity checks on expression */
248 Assert(state->steps_len >= 1);
249 Assert(state->steps[state->steps_len - 1].opcode == EEOP_DONE_RETURN ||
250 state->steps[state->steps_len - 1].opcode == EEOP_DONE_NO_RETURN);
251
252 /*
253 * Don't perform redundant initialization. This is unreachable in current
254 * cases, but might be hit if there's additional expression evaluation
255 * methods that rely on interpreted execution to work.
256 */
258 return;
259
260 /*
261 * First time through, check whether attribute matches Var. Might not be
262 * ok anymore, due to schema changes. We do that by setting up a callback
263 * that does checking on the first call, which then sets the evalfunc
264 * callback to the actual method of execution.
265 */
267
268 /* DIRECT_THREADED should not already be set */
269 Assert((state->flags & EEO_FLAG_DIRECT_THREADED) == 0);
270
271 /*
272 * There shouldn't be any errors before the expression is fully
273 * initialized, and even if so, it'd lead to the expression being
274 * abandoned. So we can set the flag now and save some code.
275 */
277
278 /*
279 * Select fast-path evalfuncs for very simple expressions. "Starting up"
280 * the full interpreter is a measurable overhead for these, and these
281 * patterns occur often enough to be worth optimizing.
282 */
283 if (state->steps_len == 5)
284 {
285 ExprEvalOp step0 = state->steps[0].opcode;
286 ExprEvalOp step1 = state->steps[1].opcode;
287 ExprEvalOp step2 = state->steps[2].opcode;
288 ExprEvalOp step3 = state->steps[3].opcode;
289
290 if (step0 == EEOP_INNER_FETCHSOME &&
292 step2 == EEOP_INNER_VAR &&
293 step3 == EEOP_HASHDATUM_NEXT32)
294 {
295 state->evalfunc_private = (void *) ExecJustHashInnerVarWithIV;
296 return;
297 }
298 }
299 else if (state->steps_len == 4)
300 {
301 ExprEvalOp step0 = state->steps[0].opcode;
302 ExprEvalOp step1 = state->steps[1].opcode;
303 ExprEvalOp step2 = state->steps[2].opcode;
304
305 if (step0 == EEOP_OUTER_FETCHSOME &&
306 step1 == EEOP_OUTER_VAR &&
307 step2 == EEOP_HASHDATUM_FIRST)
308 {
309 state->evalfunc_private = (void *) ExecJustHashOuterVar;
310 return;
311 }
312 else if (step0 == EEOP_INNER_FETCHSOME &&
313 step1 == EEOP_INNER_VAR &&
314 step2 == EEOP_HASHDATUM_FIRST)
315 {
316 state->evalfunc_private = (void *) ExecJustHashInnerVar;
317 return;
318 }
319 else if (step0 == EEOP_OUTER_FETCHSOME &&
320 step1 == EEOP_OUTER_VAR &&
322 {
323 state->evalfunc_private = (void *) ExecJustHashOuterVarStrict;
324 return;
325 }
326 }
327 else if (state->steps_len == 3)
328 {
329 ExprEvalOp step0 = state->steps[0].opcode;
330 ExprEvalOp step1 = state->steps[1].opcode;
331
332 if (step0 == EEOP_INNER_FETCHSOME &&
333 step1 == EEOP_INNER_VAR)
334 {
335 state->evalfunc_private = ExecJustInnerVar;
336 return;
337 }
338 else if (step0 == EEOP_OUTER_FETCHSOME &&
339 step1 == EEOP_OUTER_VAR)
340 {
341 state->evalfunc_private = ExecJustOuterVar;
342 return;
343 }
344 else if (step0 == EEOP_SCAN_FETCHSOME &&
345 step1 == EEOP_SCAN_VAR)
346 {
347 state->evalfunc_private = ExecJustScanVar;
348 return;
349 }
350 else if (step0 == EEOP_INNER_FETCHSOME &&
351 step1 == EEOP_ASSIGN_INNER_VAR)
352 {
353 state->evalfunc_private = ExecJustAssignInnerVar;
354 return;
355 }
356 else if (step0 == EEOP_OUTER_FETCHSOME &&
357 step1 == EEOP_ASSIGN_OUTER_VAR)
358 {
359 state->evalfunc_private = ExecJustAssignOuterVar;
360 return;
361 }
362 else if (step0 == EEOP_SCAN_FETCHSOME &&
363 step1 == EEOP_ASSIGN_SCAN_VAR)
364 {
365 state->evalfunc_private = ExecJustAssignScanVar;
366 return;
367 }
368 else if (step0 == EEOP_CASE_TESTVAL &&
369 (step1 == EEOP_FUNCEXPR_STRICT ||
370 step1 == EEOP_FUNCEXPR_STRICT_1 ||
371 step1 == EEOP_FUNCEXPR_STRICT_2))
372 {
373 state->evalfunc_private = ExecJustApplyFuncToCase;
374 return;
375 }
376 else if (step0 == EEOP_INNER_VAR &&
377 step1 == EEOP_HASHDATUM_FIRST)
378 {
379 state->evalfunc_private = (void *) ExecJustHashInnerVarVirt;
380 return;
381 }
382 else if (step0 == EEOP_OUTER_VAR &&
383 step1 == EEOP_HASHDATUM_FIRST)
384 {
385 state->evalfunc_private = (void *) ExecJustHashOuterVarVirt;
386 return;
387 }
388 }
389 else if (state->steps_len == 2)
390 {
391 ExprEvalOp step0 = state->steps[0].opcode;
392
393 if (step0 == EEOP_CONST)
394 {
395 state->evalfunc_private = ExecJustConst;
396 return;
397 }
398 else if (step0 == EEOP_INNER_VAR)
399 {
400 state->evalfunc_private = ExecJustInnerVarVirt;
401 return;
402 }
403 else if (step0 == EEOP_OUTER_VAR)
404 {
405 state->evalfunc_private = ExecJustOuterVarVirt;
406 return;
407 }
408 else if (step0 == EEOP_SCAN_VAR)
409 {
410 state->evalfunc_private = ExecJustScanVarVirt;
411 return;
412 }
413 else if (step0 == EEOP_ASSIGN_INNER_VAR)
414 {
415 state->evalfunc_private = ExecJustAssignInnerVarVirt;
416 return;
417 }
418 else if (step0 == EEOP_ASSIGN_OUTER_VAR)
419 {
420 state->evalfunc_private = ExecJustAssignOuterVarVirt;
421 return;
422 }
423 else if (step0 == EEOP_ASSIGN_SCAN_VAR)
424 {
425 state->evalfunc_private = ExecJustAssignScanVarVirt;
426 return;
427 }
428 }
429
430#if defined(EEO_USE_COMPUTED_GOTO)
431
432 /*
433 * In the direct-threaded implementation, replace each opcode with the
434 * address to jump to. (Use ExecEvalStepOp() to get back the opcode.)
435 */
436 for (int off = 0; off < state->steps_len; off++)
437 {
438 ExprEvalStep *op = &state->steps[off];
439
440 op->opcode = EEO_OPCODE(op->opcode);
441 }
442
444#endif /* EEO_USE_COMPUTED_GOTO */
445
446 state->evalfunc_private = ExecInterpExpr;
447}
448
449
450/*
451 * Evaluate expression identified by "state" in the execution context
452 * given by "econtext". *isnull is set to the is-null flag for the result,
453 * and the Datum value is the function result.
454 *
455 * As a special case, return the dispatch table's address if state is NULL.
456 * This is used by ExecInitInterpreter to set up the dispatch_table global.
457 * (Only applies when EEO_USE_COMPUTED_GOTO is defined.)
458 */
459static Datum
461{
463 TupleTableSlot *resultslot;
464 TupleTableSlot *innerslot;
465 TupleTableSlot *outerslot;
466 TupleTableSlot *scanslot;
467 TupleTableSlot *oldslot;
468 TupleTableSlot *newslot;
469
470 /*
471 * This array has to be in the same order as enum ExprEvalOp.
472 */
473#if defined(EEO_USE_COMPUTED_GOTO)
474 static const void *const dispatch_table[] = {
475 &&CASE_EEOP_DONE_RETURN,
476 &&CASE_EEOP_DONE_NO_RETURN,
477 &&CASE_EEOP_INNER_FETCHSOME,
478 &&CASE_EEOP_OUTER_FETCHSOME,
479 &&CASE_EEOP_SCAN_FETCHSOME,
480 &&CASE_EEOP_OLD_FETCHSOME,
481 &&CASE_EEOP_NEW_FETCHSOME,
482 &&CASE_EEOP_INNER_VAR,
483 &&CASE_EEOP_OUTER_VAR,
484 &&CASE_EEOP_SCAN_VAR,
485 &&CASE_EEOP_OLD_VAR,
486 &&CASE_EEOP_NEW_VAR,
487 &&CASE_EEOP_INNER_SYSVAR,
488 &&CASE_EEOP_OUTER_SYSVAR,
489 &&CASE_EEOP_SCAN_SYSVAR,
490 &&CASE_EEOP_OLD_SYSVAR,
491 &&CASE_EEOP_NEW_SYSVAR,
492 &&CASE_EEOP_WHOLEROW,
493 &&CASE_EEOP_ASSIGN_INNER_VAR,
494 &&CASE_EEOP_ASSIGN_OUTER_VAR,
495 &&CASE_EEOP_ASSIGN_SCAN_VAR,
496 &&CASE_EEOP_ASSIGN_OLD_VAR,
497 &&CASE_EEOP_ASSIGN_NEW_VAR,
498 &&CASE_EEOP_ASSIGN_TMP,
499 &&CASE_EEOP_ASSIGN_TMP_MAKE_RO,
500 &&CASE_EEOP_CONST,
501 &&CASE_EEOP_FUNCEXPR,
502 &&CASE_EEOP_FUNCEXPR_STRICT,
503 &&CASE_EEOP_FUNCEXPR_STRICT_1,
504 &&CASE_EEOP_FUNCEXPR_STRICT_2,
505 &&CASE_EEOP_FUNCEXPR_FUSAGE,
506 &&CASE_EEOP_FUNCEXPR_STRICT_FUSAGE,
507 &&CASE_EEOP_BOOL_AND_STEP_FIRST,
508 &&CASE_EEOP_BOOL_AND_STEP,
509 &&CASE_EEOP_BOOL_AND_STEP_LAST,
510 &&CASE_EEOP_BOOL_OR_STEP_FIRST,
511 &&CASE_EEOP_BOOL_OR_STEP,
512 &&CASE_EEOP_BOOL_OR_STEP_LAST,
513 &&CASE_EEOP_BOOL_NOT_STEP,
514 &&CASE_EEOP_QUAL,
515 &&CASE_EEOP_JUMP,
516 &&CASE_EEOP_JUMP_IF_NULL,
517 &&CASE_EEOP_JUMP_IF_NOT_NULL,
518 &&CASE_EEOP_JUMP_IF_NOT_TRUE,
519 &&CASE_EEOP_NULLTEST_ISNULL,
520 &&CASE_EEOP_NULLTEST_ISNOTNULL,
521 &&CASE_EEOP_NULLTEST_ROWISNULL,
522 &&CASE_EEOP_NULLTEST_ROWISNOTNULL,
523 &&CASE_EEOP_BOOLTEST_IS_TRUE,
524 &&CASE_EEOP_BOOLTEST_IS_NOT_TRUE,
525 &&CASE_EEOP_BOOLTEST_IS_FALSE,
526 &&CASE_EEOP_BOOLTEST_IS_NOT_FALSE,
527 &&CASE_EEOP_PARAM_EXEC,
528 &&CASE_EEOP_PARAM_EXTERN,
529 &&CASE_EEOP_PARAM_CALLBACK,
530 &&CASE_EEOP_PARAM_SET,
531 &&CASE_EEOP_CASE_TESTVAL,
532 &&CASE_EEOP_CASE_TESTVAL_EXT,
533 &&CASE_EEOP_MAKE_READONLY,
534 &&CASE_EEOP_IOCOERCE,
535 &&CASE_EEOP_IOCOERCE_SAFE,
536 &&CASE_EEOP_DISTINCT,
537 &&CASE_EEOP_NOT_DISTINCT,
538 &&CASE_EEOP_NULLIF,
539 &&CASE_EEOP_SQLVALUEFUNCTION,
540 &&CASE_EEOP_CURRENTOFEXPR,
541 &&CASE_EEOP_NEXTVALUEEXPR,
542 &&CASE_EEOP_RETURNINGEXPR,
543 &&CASE_EEOP_ARRAYEXPR,
544 &&CASE_EEOP_ARRAYCOERCE,
545 &&CASE_EEOP_ROW,
546 &&CASE_EEOP_ROWCOMPARE_STEP,
547 &&CASE_EEOP_ROWCOMPARE_FINAL,
548 &&CASE_EEOP_MINMAX,
549 &&CASE_EEOP_FIELDSELECT,
550 &&CASE_EEOP_FIELDSTORE_DEFORM,
551 &&CASE_EEOP_FIELDSTORE_FORM,
552 &&CASE_EEOP_SBSREF_SUBSCRIPTS,
553 &&CASE_EEOP_SBSREF_OLD,
554 &&CASE_EEOP_SBSREF_ASSIGN,
555 &&CASE_EEOP_SBSREF_FETCH,
556 &&CASE_EEOP_DOMAIN_TESTVAL,
557 &&CASE_EEOP_DOMAIN_TESTVAL_EXT,
558 &&CASE_EEOP_DOMAIN_NOTNULL,
559 &&CASE_EEOP_DOMAIN_CHECK,
560 &&CASE_EEOP_HASHDATUM_SET_INITVAL,
561 &&CASE_EEOP_HASHDATUM_FIRST,
562 &&CASE_EEOP_HASHDATUM_FIRST_STRICT,
563 &&CASE_EEOP_HASHDATUM_NEXT32,
564 &&CASE_EEOP_HASHDATUM_NEXT32_STRICT,
565 &&CASE_EEOP_CONVERT_ROWTYPE,
566 &&CASE_EEOP_SCALARARRAYOP,
567 &&CASE_EEOP_HASHED_SCALARARRAYOP,
568 &&CASE_EEOP_XMLEXPR,
569 &&CASE_EEOP_JSON_CONSTRUCTOR,
570 &&CASE_EEOP_IS_JSON,
571 &&CASE_EEOP_JSONEXPR_PATH,
572 &&CASE_EEOP_JSONEXPR_COERCION,
573 &&CASE_EEOP_JSONEXPR_COERCION_FINISH,
574 &&CASE_EEOP_AGGREF,
575 &&CASE_EEOP_GROUPING_FUNC,
576 &&CASE_EEOP_WINDOW_FUNC,
577 &&CASE_EEOP_MERGE_SUPPORT_FUNC,
578 &&CASE_EEOP_SUBPLAN,
579 &&CASE_EEOP_AGG_STRICT_DESERIALIZE,
580 &&CASE_EEOP_AGG_DESERIALIZE,
581 &&CASE_EEOP_AGG_STRICT_INPUT_CHECK_ARGS,
582 &&CASE_EEOP_AGG_STRICT_INPUT_CHECK_ARGS_1,
583 &&CASE_EEOP_AGG_STRICT_INPUT_CHECK_NULLS,
584 &&CASE_EEOP_AGG_PLAIN_PERGROUP_NULLCHECK,
585 &&CASE_EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYVAL,
586 &&CASE_EEOP_AGG_PLAIN_TRANS_STRICT_BYVAL,
587 &&CASE_EEOP_AGG_PLAIN_TRANS_BYVAL,
588 &&CASE_EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYREF,
589 &&CASE_EEOP_AGG_PLAIN_TRANS_STRICT_BYREF,
590 &&CASE_EEOP_AGG_PLAIN_TRANS_BYREF,
591 &&CASE_EEOP_AGG_PRESORTED_DISTINCT_SINGLE,
592 &&CASE_EEOP_AGG_PRESORTED_DISTINCT_MULTI,
593 &&CASE_EEOP_AGG_ORDERED_TRANS_DATUM,
594 &&CASE_EEOP_AGG_ORDERED_TRANS_TUPLE,
595 &&CASE_EEOP_LAST
596 };
597
598 StaticAssertDecl(lengthof(dispatch_table) == EEOP_LAST + 1,
599 "dispatch_table out of whack with ExprEvalOp");
600
601 if (unlikely(state == NULL))
602 return PointerGetDatum(dispatch_table);
603#else
604 Assert(state != NULL);
605#endif /* EEO_USE_COMPUTED_GOTO */
606
607 /* setup state */
608 op = state->steps;
609 resultslot = state->resultslot;
610 innerslot = econtext->ecxt_innertuple;
611 outerslot = econtext->ecxt_outertuple;
612 scanslot = econtext->ecxt_scantuple;
613 oldslot = econtext->ecxt_oldtuple;
614 newslot = econtext->ecxt_newtuple;
615
616#if defined(EEO_USE_COMPUTED_GOTO)
617 EEO_DISPATCH();
618#endif
619
620 EEO_SWITCH()
621 {
623 {
624 *isnull = state->resnull;
625 return state->resvalue;
626 }
627
629 {
630 Assert(isnull == NULL);
631 return (Datum) 0;
632 }
633
635 {
636 CheckOpSlotCompatibility(op, innerslot);
637
638 slot_getsomeattrs(innerslot, op->d.fetch.last_var);
639
640 EEO_NEXT();
641 }
642
644 {
645 CheckOpSlotCompatibility(op, outerslot);
646
647 slot_getsomeattrs(outerslot, op->d.fetch.last_var);
648
649 EEO_NEXT();
650 }
651
653 {
654 CheckOpSlotCompatibility(op, scanslot);
655
656 slot_getsomeattrs(scanslot, op->d.fetch.last_var);
657
658 EEO_NEXT();
659 }
660
662 {
664
665 slot_getsomeattrs(oldslot, op->d.fetch.last_var);
666
667 EEO_NEXT();
668 }
669
671 {
673
674 slot_getsomeattrs(newslot, op->d.fetch.last_var);
675
676 EEO_NEXT();
677 }
678
680 {
681 int attnum = op->d.var.attnum;
682
683 /*
684 * Since we already extracted all referenced columns from the
685 * tuple with a FETCHSOME step, we can just grab the value
686 * directly out of the slot's decomposed-data arrays. But let's
687 * have an Assert to check that that did happen.
688 */
689 Assert(attnum >= 0 && attnum < innerslot->tts_nvalid);
690 *op->resvalue = innerslot->tts_values[attnum];
691 *op->resnull = innerslot->tts_isnull[attnum];
692
693 EEO_NEXT();
694 }
695
697 {
698 int attnum = op->d.var.attnum;
699
700 /* See EEOP_INNER_VAR comments */
701
702 Assert(attnum >= 0 && attnum < outerslot->tts_nvalid);
703 *op->resvalue = outerslot->tts_values[attnum];
704 *op->resnull = outerslot->tts_isnull[attnum];
705
706 EEO_NEXT();
707 }
708
710 {
711 int attnum = op->d.var.attnum;
712
713 /* See EEOP_INNER_VAR comments */
714
715 Assert(attnum >= 0 && attnum < scanslot->tts_nvalid);
716 *op->resvalue = scanslot->tts_values[attnum];
717 *op->resnull = scanslot->tts_isnull[attnum];
718
719 EEO_NEXT();
720 }
721
723 {
724 int attnum = op->d.var.attnum;
725
726 /* See EEOP_INNER_VAR comments */
727
728 Assert(attnum >= 0 && attnum < oldslot->tts_nvalid);
729 *op->resvalue = oldslot->tts_values[attnum];
730 *op->resnull = oldslot->tts_isnull[attnum];
731
732 EEO_NEXT();
733 }
734
736 {
737 int attnum = op->d.var.attnum;
738
739 /* See EEOP_INNER_VAR comments */
740
741 Assert(attnum >= 0 && attnum < newslot->tts_nvalid);
742 *op->resvalue = newslot->tts_values[attnum];
743 *op->resnull = newslot->tts_isnull[attnum];
744
745 EEO_NEXT();
746 }
747
749 {
750 ExecEvalSysVar(state, op, econtext, innerslot);
751 EEO_NEXT();
752 }
753
755 {
756 ExecEvalSysVar(state, op, econtext, outerslot);
757 EEO_NEXT();
758 }
759
761 {
762 ExecEvalSysVar(state, op, econtext, scanslot);
763 EEO_NEXT();
764 }
765
767 {
768 ExecEvalSysVar(state, op, econtext, oldslot);
769 EEO_NEXT();
770 }
771
773 {
774 ExecEvalSysVar(state, op, econtext, newslot);
775 EEO_NEXT();
776 }
777
779 {
780 /* too complex for an inline implementation */
781 ExecEvalWholeRowVar(state, op, econtext);
782
783 EEO_NEXT();
784 }
785
787 {
788 int resultnum = op->d.assign_var.resultnum;
789 int attnum = op->d.assign_var.attnum;
790
791 /*
792 * We do not need CheckVarSlotCompatibility here; that was taken
793 * care of at compilation time. But see EEOP_INNER_VAR comments.
794 */
795 Assert(attnum >= 0 && attnum < innerslot->tts_nvalid);
796 Assert(resultnum >= 0 && resultnum < resultslot->tts_tupleDescriptor->natts);
797 resultslot->tts_values[resultnum] = innerslot->tts_values[attnum];
798 resultslot->tts_isnull[resultnum] = innerslot->tts_isnull[attnum];
799
800 EEO_NEXT();
801 }
802
804 {
805 int resultnum = op->d.assign_var.resultnum;
806 int attnum = op->d.assign_var.attnum;
807
808 /*
809 * We do not need CheckVarSlotCompatibility here; that was taken
810 * care of at compilation time. But see EEOP_INNER_VAR comments.
811 */
812 Assert(attnum >= 0 && attnum < outerslot->tts_nvalid);
813 Assert(resultnum >= 0 && resultnum < resultslot->tts_tupleDescriptor->natts);
814 resultslot->tts_values[resultnum] = outerslot->tts_values[attnum];
815 resultslot->tts_isnull[resultnum] = outerslot->tts_isnull[attnum];
816
817 EEO_NEXT();
818 }
819
821 {
822 int resultnum = op->d.assign_var.resultnum;
823 int attnum = op->d.assign_var.attnum;
824
825 /*
826 * We do not need CheckVarSlotCompatibility here; that was taken
827 * care of at compilation time. But see EEOP_INNER_VAR comments.
828 */
829 Assert(attnum >= 0 && attnum < scanslot->tts_nvalid);
830 Assert(resultnum >= 0 && resultnum < resultslot->tts_tupleDescriptor->natts);
831 resultslot->tts_values[resultnum] = scanslot->tts_values[attnum];
832 resultslot->tts_isnull[resultnum] = scanslot->tts_isnull[attnum];
833
834 EEO_NEXT();
835 }
836
838 {
839 int resultnum = op->d.assign_var.resultnum;
840 int attnum = op->d.assign_var.attnum;
841
842 /*
843 * We do not need CheckVarSlotCompatibility here; that was taken
844 * care of at compilation time. But see EEOP_INNER_VAR comments.
845 */
846 Assert(attnum >= 0 && attnum < oldslot->tts_nvalid);
847 Assert(resultnum >= 0 && resultnum < resultslot->tts_tupleDescriptor->natts);
848 resultslot->tts_values[resultnum] = oldslot->tts_values[attnum];
849 resultslot->tts_isnull[resultnum] = oldslot->tts_isnull[attnum];
850
851 EEO_NEXT();
852 }
853
855 {
856 int resultnum = op->d.assign_var.resultnum;
857 int attnum = op->d.assign_var.attnum;
858
859 /*
860 * We do not need CheckVarSlotCompatibility here; that was taken
861 * care of at compilation time. But see EEOP_INNER_VAR comments.
862 */
863 Assert(attnum >= 0 && attnum < newslot->tts_nvalid);
864 Assert(resultnum >= 0 && resultnum < resultslot->tts_tupleDescriptor->natts);
865 resultslot->tts_values[resultnum] = newslot->tts_values[attnum];
866 resultslot->tts_isnull[resultnum] = newslot->tts_isnull[attnum];
867
868 EEO_NEXT();
869 }
870
872 {
873 int resultnum = op->d.assign_tmp.resultnum;
874
875 Assert(resultnum >= 0 && resultnum < resultslot->tts_tupleDescriptor->natts);
876 resultslot->tts_values[resultnum] = state->resvalue;
877 resultslot->tts_isnull[resultnum] = state->resnull;
878
879 EEO_NEXT();
880 }
881
883 {
884 int resultnum = op->d.assign_tmp.resultnum;
885
886 Assert(resultnum >= 0 && resultnum < resultslot->tts_tupleDescriptor->natts);
887 resultslot->tts_isnull[resultnum] = state->resnull;
888 if (!resultslot->tts_isnull[resultnum])
889 resultslot->tts_values[resultnum] =
891 else
892 resultslot->tts_values[resultnum] = state->resvalue;
893
894 EEO_NEXT();
895 }
896
898 {
899 *op->resnull = op->d.constval.isnull;
900 *op->resvalue = op->d.constval.value;
901
902 EEO_NEXT();
903 }
904
905 /*
906 * Function-call implementations. Arguments have previously been
907 * evaluated directly into fcinfo->args.
908 *
909 * As both STRICT checks and function-usage are noticeable performance
910 * wise, and function calls are a very hot-path (they also back
911 * operators!), it's worth having so many separate opcodes.
912 *
913 * Note: the reason for using a temporary variable "d", here and in
914 * other places, is that some compilers think "*op->resvalue = f();"
915 * requires them to evaluate op->resvalue into a register before
916 * calling f(), just in case f() is able to modify op->resvalue
917 * somehow. The extra line of code can save a useless register spill
918 * and reload across the function call.
919 */
921 {
922 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
923 Datum d;
924
925 fcinfo->isnull = false;
926 d = op->d.func.fn_addr(fcinfo);
927 *op->resvalue = d;
928 *op->resnull = fcinfo->isnull;
929
930 EEO_NEXT();
931 }
932
933 /* strict function call with more than two arguments */
935 {
936 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
937 NullableDatum *args = fcinfo->args;
938 int nargs = op->d.func.nargs;
939 Datum d;
940
941 Assert(nargs > 2);
942
943 /* strict function, so check for NULL args */
944 for (int argno = 0; argno < nargs; argno++)
945 {
946 if (args[argno].isnull)
947 {
948 *op->resnull = true;
949 goto strictfail;
950 }
951 }
952 fcinfo->isnull = false;
953 d = op->d.func.fn_addr(fcinfo);
954 *op->resvalue = d;
955 *op->resnull = fcinfo->isnull;
956
957 strictfail:
958 EEO_NEXT();
959 }
960
961 /* strict function call with one argument */
963 {
964 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
965 NullableDatum *args = fcinfo->args;
966
967 Assert(op->d.func.nargs == 1);
968
969 /* strict function, so check for NULL args */
970 if (args[0].isnull)
971 *op->resnull = true;
972 else
973 {
974 Datum d;
975
976 fcinfo->isnull = false;
977 d = op->d.func.fn_addr(fcinfo);
978 *op->resvalue = d;
979 *op->resnull = fcinfo->isnull;
980 }
981
982 EEO_NEXT();
983 }
984
985 /* strict function call with two arguments */
987 {
988 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
989 NullableDatum *args = fcinfo->args;
990
991 Assert(op->d.func.nargs == 2);
992
993 /* strict function, so check for NULL args */
994 if (args[0].isnull || args[1].isnull)
995 *op->resnull = true;
996 else
997 {
998 Datum d;
999
1000 fcinfo->isnull = false;
1001 d = op->d.func.fn_addr(fcinfo);
1002 *op->resvalue = d;
1003 *op->resnull = fcinfo->isnull;
1004 }
1005
1006 EEO_NEXT();
1007 }
1008
1010 {
1011 /* not common enough to inline */
1012 ExecEvalFuncExprFusage(state, op, econtext);
1013
1014 EEO_NEXT();
1015 }
1016
1018 {
1019 /* not common enough to inline */
1021
1022 EEO_NEXT();
1023 }
1024
1025 /*
1026 * If any of its clauses is FALSE, an AND's result is FALSE regardless
1027 * of the states of the rest of the clauses, so we can stop evaluating
1028 * and return FALSE immediately. If none are FALSE and one or more is
1029 * NULL, we return NULL; otherwise we return TRUE. This makes sense
1030 * when you interpret NULL as "don't know": perhaps one of the "don't
1031 * knows" would have been FALSE if we'd known its value. Only when
1032 * all the inputs are known to be TRUE can we state confidently that
1033 * the AND's result is TRUE.
1034 */
1036 {
1037 *op->d.boolexpr.anynull = false;
1038
1039 /*
1040 * EEOP_BOOL_AND_STEP_FIRST resets anynull, otherwise it's the
1041 * same as EEOP_BOOL_AND_STEP - so fall through to that.
1042 */
1043
1044 /* FALL THROUGH */
1045 }
1046
1048 {
1049 if (*op->resnull)
1050 {
1051 *op->d.boolexpr.anynull = true;
1052 }
1053 else if (!DatumGetBool(*op->resvalue))
1054 {
1055 /* result is already set to FALSE, need not change it */
1056 /* bail out early */
1057 EEO_JUMP(op->d.boolexpr.jumpdone);
1058 }
1059
1060 EEO_NEXT();
1061 }
1062
1064 {
1065 if (*op->resnull)
1066 {
1067 /* result is already set to NULL, need not change it */
1068 }
1069 else if (!DatumGetBool(*op->resvalue))
1070 {
1071 /* result is already set to FALSE, need not change it */
1072
1073 /*
1074 * No point jumping early to jumpdone - would be same target
1075 * (as this is the last argument to the AND expression),
1076 * except more expensive.
1077 */
1078 }
1079 else if (*op->d.boolexpr.anynull)
1080 {
1081 *op->resvalue = (Datum) 0;
1082 *op->resnull = true;
1083 }
1084 else
1085 {
1086 /* result is already set to TRUE, need not change it */
1087 }
1088
1089 EEO_NEXT();
1090 }
1091
1092 /*
1093 * If any of its clauses is TRUE, an OR's result is TRUE regardless of
1094 * the states of the rest of the clauses, so we can stop evaluating
1095 * and return TRUE immediately. If none are TRUE and one or more is
1096 * NULL, we return NULL; otherwise we return FALSE. This makes sense
1097 * when you interpret NULL as "don't know": perhaps one of the "don't
1098 * knows" would have been TRUE if we'd known its value. Only when all
1099 * the inputs are known to be FALSE can we state confidently that the
1100 * OR's result is FALSE.
1101 */
1103 {
1104 *op->d.boolexpr.anynull = false;
1105
1106 /*
1107 * EEOP_BOOL_OR_STEP_FIRST resets anynull, otherwise it's the same
1108 * as EEOP_BOOL_OR_STEP - so fall through to that.
1109 */
1110
1111 /* FALL THROUGH */
1112 }
1113
1115 {
1116 if (*op->resnull)
1117 {
1118 *op->d.boolexpr.anynull = true;
1119 }
1120 else if (DatumGetBool(*op->resvalue))
1121 {
1122 /* result is already set to TRUE, need not change it */
1123 /* bail out early */
1124 EEO_JUMP(op->d.boolexpr.jumpdone);
1125 }
1126
1127 EEO_NEXT();
1128 }
1129
1131 {
1132 if (*op->resnull)
1133 {
1134 /* result is already set to NULL, need not change it */
1135 }
1136 else if (DatumGetBool(*op->resvalue))
1137 {
1138 /* result is already set to TRUE, need not change it */
1139
1140 /*
1141 * No point jumping to jumpdone - would be same target (as
1142 * this is the last argument to the AND expression), except
1143 * more expensive.
1144 */
1145 }
1146 else if (*op->d.boolexpr.anynull)
1147 {
1148 *op->resvalue = (Datum) 0;
1149 *op->resnull = true;
1150 }
1151 else
1152 {
1153 /* result is already set to FALSE, need not change it */
1154 }
1155
1156 EEO_NEXT();
1157 }
1158
1160 {
1161 /*
1162 * Evaluation of 'not' is simple... if expr is false, then return
1163 * 'true' and vice versa. It's safe to do this even on a
1164 * nominally null value, so we ignore resnull; that means that
1165 * NULL in produces NULL out, which is what we want.
1166 */
1167 *op->resvalue = BoolGetDatum(!DatumGetBool(*op->resvalue));
1168
1169 EEO_NEXT();
1170 }
1171
1173 {
1174 /* simplified version of BOOL_AND_STEP for use by ExecQual() */
1175
1176 /* If argument (also result) is false or null ... */
1177 if (*op->resnull ||
1178 !DatumGetBool(*op->resvalue))
1179 {
1180 /* ... bail out early, returning FALSE */
1181 *op->resnull = false;
1182 *op->resvalue = BoolGetDatum(false);
1183 EEO_JUMP(op->d.qualexpr.jumpdone);
1184 }
1185
1186 /*
1187 * Otherwise, leave the TRUE value in place, in case this is the
1188 * last qual. Then, TRUE is the correct answer.
1189 */
1190
1191 EEO_NEXT();
1192 }
1193
1195 {
1196 /* Unconditionally jump to target step */
1197 EEO_JUMP(op->d.jump.jumpdone);
1198 }
1199
1201 {
1202 /* Transfer control if current result is null */
1203 if (*op->resnull)
1204 EEO_JUMP(op->d.jump.jumpdone);
1205
1206 EEO_NEXT();
1207 }
1208
1210 {
1211 /* Transfer control if current result is non-null */
1212 if (!*op->resnull)
1213 EEO_JUMP(op->d.jump.jumpdone);
1214
1215 EEO_NEXT();
1216 }
1217
1219 {
1220 /* Transfer control if current result is null or false */
1221 if (*op->resnull || !DatumGetBool(*op->resvalue))
1222 EEO_JUMP(op->d.jump.jumpdone);
1223
1224 EEO_NEXT();
1225 }
1226
1228 {
1229 *op->resvalue = BoolGetDatum(*op->resnull);
1230 *op->resnull = false;
1231
1232 EEO_NEXT();
1233 }
1234
1236 {
1237 *op->resvalue = BoolGetDatum(!*op->resnull);
1238 *op->resnull = false;
1239
1240 EEO_NEXT();
1241 }
1242
1244 {
1245 /* out of line implementation: too large */
1246 ExecEvalRowNull(state, op, econtext);
1247
1248 EEO_NEXT();
1249 }
1250
1252 {
1253 /* out of line implementation: too large */
1254 ExecEvalRowNotNull(state, op, econtext);
1255
1256 EEO_NEXT();
1257 }
1258
1259 /* BooleanTest implementations for all booltesttypes */
1260
1262 {
1263 if (*op->resnull)
1264 {
1265 *op->resvalue = BoolGetDatum(false);
1266 *op->resnull = false;
1267 }
1268 /* else, input value is the correct output as well */
1269
1270 EEO_NEXT();
1271 }
1272
1274 {
1275 if (*op->resnull)
1276 {
1277 *op->resvalue = BoolGetDatum(true);
1278 *op->resnull = false;
1279 }
1280 else
1281 *op->resvalue = BoolGetDatum(!DatumGetBool(*op->resvalue));
1282
1283 EEO_NEXT();
1284 }
1285
1287 {
1288 if (*op->resnull)
1289 {
1290 *op->resvalue = BoolGetDatum(false);
1291 *op->resnull = false;
1292 }
1293 else
1294 *op->resvalue = BoolGetDatum(!DatumGetBool(*op->resvalue));
1295
1296 EEO_NEXT();
1297 }
1298
1300 {
1301 if (*op->resnull)
1302 {
1303 *op->resvalue = BoolGetDatum(true);
1304 *op->resnull = false;
1305 }
1306 /* else, input value is the correct output as well */
1307
1308 EEO_NEXT();
1309 }
1310
1312 {
1313 /* out of line implementation: too large */
1314 ExecEvalParamExec(state, op, econtext);
1315
1316 EEO_NEXT();
1317 }
1318
1320 {
1321 /* out of line implementation: too large */
1322 ExecEvalParamExtern(state, op, econtext);
1323 EEO_NEXT();
1324 }
1325
1327 {
1328 /* allow an extension module to supply a PARAM_EXTERN value */
1329 op->d.cparam.paramfunc(state, op, econtext);
1330 EEO_NEXT();
1331 }
1332
1334 {
1335 /* out of line, unlikely to matter performance-wise */
1336 ExecEvalParamSet(state, op, econtext);
1337 EEO_NEXT();
1338 }
1339
1341 {
1342 *op->resvalue = *op->d.casetest.value;
1343 *op->resnull = *op->d.casetest.isnull;
1344
1345 EEO_NEXT();
1346 }
1347
1349 {
1350 *op->resvalue = econtext->caseValue_datum;
1351 *op->resnull = econtext->caseValue_isNull;
1352
1353 EEO_NEXT();
1354 }
1355
1357 {
1358 /*
1359 * Force a varlena value that might be read multiple times to R/O
1360 */
1361 if (!*op->d.make_readonly.isnull)
1362 *op->resvalue =
1363 MakeExpandedObjectReadOnlyInternal(*op->d.make_readonly.value);
1364 *op->resnull = *op->d.make_readonly.isnull;
1365
1366 EEO_NEXT();
1367 }
1368
1370 {
1371 /*
1372 * Evaluate a CoerceViaIO node. This can be quite a hot path, so
1373 * inline as much work as possible. The source value is in our
1374 * result variable.
1375 *
1376 * Also look at ExecEvalCoerceViaIOSafe() if you change anything
1377 * here.
1378 */
1379 char *str;
1380
1381 /* call output function (similar to OutputFunctionCall) */
1382 if (*op->resnull)
1383 {
1384 /* output functions are not called on nulls */
1385 str = NULL;
1386 }
1387 else
1388 {
1389 FunctionCallInfo fcinfo_out;
1390
1391 fcinfo_out = op->d.iocoerce.fcinfo_data_out;
1392 fcinfo_out->args[0].value = *op->resvalue;
1393 fcinfo_out->args[0].isnull = false;
1394
1395 fcinfo_out->isnull = false;
1396 str = DatumGetCString(FunctionCallInvoke(fcinfo_out));
1397
1398 /* OutputFunctionCall assumes result isn't null */
1399 Assert(!fcinfo_out->isnull);
1400 }
1401
1402 /* call input function (similar to InputFunctionCall) */
1403 if (!op->d.iocoerce.finfo_in->fn_strict || str != NULL)
1404 {
1405 FunctionCallInfo fcinfo_in;
1406 Datum d;
1407
1408 fcinfo_in = op->d.iocoerce.fcinfo_data_in;
1409 fcinfo_in->args[0].value = PointerGetDatum(str);
1410 fcinfo_in->args[0].isnull = *op->resnull;
1411 /* second and third arguments are already set up */
1412
1413 fcinfo_in->isnull = false;
1414 d = FunctionCallInvoke(fcinfo_in);
1415 *op->resvalue = d;
1416
1417 /* Should get null result if and only if str is NULL */
1418 if (str == NULL)
1419 {
1420 Assert(*op->resnull);
1421 Assert(fcinfo_in->isnull);
1422 }
1423 else
1424 {
1425 Assert(!*op->resnull);
1426 Assert(!fcinfo_in->isnull);
1427 }
1428 }
1429
1430 EEO_NEXT();
1431 }
1432
1434 {
1436 EEO_NEXT();
1437 }
1438
1440 {
1441 /*
1442 * IS DISTINCT FROM must evaluate arguments (already done into
1443 * fcinfo->args) to determine whether they are NULL; if either is
1444 * NULL then the result is determined. If neither is NULL, then
1445 * proceed to evaluate the comparison function, which is just the
1446 * type's standard equality operator. We need not care whether
1447 * that function is strict. Because the handling of nulls is
1448 * different, we can't just reuse EEOP_FUNCEXPR.
1449 */
1450 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
1451
1452 /* check function arguments for NULLness */
1453 if (fcinfo->args[0].isnull && fcinfo->args[1].isnull)
1454 {
1455 /* Both NULL? Then is not distinct... */
1456 *op->resvalue = BoolGetDatum(false);
1457 *op->resnull = false;
1458 }
1459 else if (fcinfo->args[0].isnull || fcinfo->args[1].isnull)
1460 {
1461 /* Only one is NULL? Then is distinct... */
1462 *op->resvalue = BoolGetDatum(true);
1463 *op->resnull = false;
1464 }
1465 else
1466 {
1467 /* Neither null, so apply the equality function */
1468 Datum eqresult;
1469
1470 fcinfo->isnull = false;
1471 eqresult = op->d.func.fn_addr(fcinfo);
1472 /* Must invert result of "="; safe to do even if null */
1473 *op->resvalue = BoolGetDatum(!DatumGetBool(eqresult));
1474 *op->resnull = fcinfo->isnull;
1475 }
1476
1477 EEO_NEXT();
1478 }
1479
1480 /* see EEOP_DISTINCT for comments, this is just inverted */
1482 {
1483 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
1484
1485 if (fcinfo->args[0].isnull && fcinfo->args[1].isnull)
1486 {
1487 *op->resvalue = BoolGetDatum(true);
1488 *op->resnull = false;
1489 }
1490 else if (fcinfo->args[0].isnull || fcinfo->args[1].isnull)
1491 {
1492 *op->resvalue = BoolGetDatum(false);
1493 *op->resnull = false;
1494 }
1495 else
1496 {
1497 Datum eqresult;
1498
1499 fcinfo->isnull = false;
1500 eqresult = op->d.func.fn_addr(fcinfo);
1501 *op->resvalue = eqresult;
1502 *op->resnull = fcinfo->isnull;
1503 }
1504
1505 EEO_NEXT();
1506 }
1507
1509 {
1510 /*
1511 * The arguments are already evaluated into fcinfo->args.
1512 */
1513 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
1514 Datum save_arg0 = fcinfo->args[0].value;
1515
1516 /* if either argument is NULL they can't be equal */
1517 if (!fcinfo->args[0].isnull && !fcinfo->args[1].isnull)
1518 {
1519 Datum result;
1520
1521 /*
1522 * If first argument is of varlena type, it might be an
1523 * expanded datum. We need to ensure that the value passed to
1524 * the comparison function is a read-only pointer. However,
1525 * if we end by returning the first argument, that will be the
1526 * original read-write pointer if it was read-write.
1527 */
1528 if (op->d.func.make_ro)
1529 fcinfo->args[0].value =
1531
1532 fcinfo->isnull = false;
1533 result = op->d.func.fn_addr(fcinfo);
1534
1535 /* if the arguments are equal return null */
1536 if (!fcinfo->isnull && DatumGetBool(result))
1537 {
1538 *op->resvalue = (Datum) 0;
1539 *op->resnull = true;
1540
1541 EEO_NEXT();
1542 }
1543 }
1544
1545 /* Arguments aren't equal, so return the first one */
1546 *op->resvalue = save_arg0;
1547 *op->resnull = fcinfo->args[0].isnull;
1548
1549 EEO_NEXT();
1550 }
1551
1553 {
1554 /*
1555 * Doesn't seem worthwhile to have an inline implementation
1556 * efficiency-wise.
1557 */
1559
1560 EEO_NEXT();
1561 }
1562
1564 {
1565 /* error invocation uses space, and shouldn't ever occur */
1567
1568 EEO_NEXT();
1569 }
1570
1572 {
1573 /*
1574 * Doesn't seem worthwhile to have an inline implementation
1575 * efficiency-wise.
1576 */
1578
1579 EEO_NEXT();
1580 }
1581
1583 {
1584 /*
1585 * The next op actually evaluates the expression. If the OLD/NEW
1586 * row doesn't exist, skip that and return NULL.
1587 */
1588 if (state->flags & op->d.returningexpr.nullflag)
1589 {
1590 *op->resvalue = (Datum) 0;
1591 *op->resnull = true;
1592
1593 EEO_JUMP(op->d.returningexpr.jumpdone);
1594 }
1595
1596 EEO_NEXT();
1597 }
1598
1600 {
1601 /* too complex for an inline implementation */
1603
1604 EEO_NEXT();
1605 }
1606
1608 {
1609 /* too complex for an inline implementation */
1610 ExecEvalArrayCoerce(state, op, econtext);
1611
1612 EEO_NEXT();
1613 }
1614
1616 {
1617 /* too complex for an inline implementation */
1619
1620 EEO_NEXT();
1621 }
1622
1624 {
1625 FunctionCallInfo fcinfo = op->d.rowcompare_step.fcinfo_data;
1626 Datum d;
1627
1628 /* force NULL result if strict fn and NULL input */
1629 if (op->d.rowcompare_step.finfo->fn_strict &&
1630 (fcinfo->args[0].isnull || fcinfo->args[1].isnull))
1631 {
1632 *op->resnull = true;
1633 EEO_JUMP(op->d.rowcompare_step.jumpnull);
1634 }
1635
1636 /* Apply comparison function */
1637 fcinfo->isnull = false;
1638 d = op->d.rowcompare_step.fn_addr(fcinfo);
1639 *op->resvalue = d;
1640
1641 /* force NULL result if NULL function result */
1642 if (fcinfo->isnull)
1643 {
1644 *op->resnull = true;
1645 EEO_JUMP(op->d.rowcompare_step.jumpnull);
1646 }
1647 *op->resnull = false;
1648
1649 /* If unequal, no need to compare remaining columns */
1650 if (DatumGetInt32(*op->resvalue) != 0)
1651 {
1652 EEO_JUMP(op->d.rowcompare_step.jumpdone);
1653 }
1654
1655 EEO_NEXT();
1656 }
1657
1659 {
1660 int32 cmpresult = DatumGetInt32(*op->resvalue);
1661 CompareType cmptype = op->d.rowcompare_final.cmptype;
1662
1663 *op->resnull = false;
1664 switch (cmptype)
1665 {
1666 /* EQ and NE cases aren't allowed here */
1667 case COMPARE_LT:
1668 *op->resvalue = BoolGetDatum(cmpresult < 0);
1669 break;
1670 case COMPARE_LE:
1671 *op->resvalue = BoolGetDatum(cmpresult <= 0);
1672 break;
1673 case COMPARE_GE:
1674 *op->resvalue = BoolGetDatum(cmpresult >= 0);
1675 break;
1676 case COMPARE_GT:
1677 *op->resvalue = BoolGetDatum(cmpresult > 0);
1678 break;
1679 default:
1680 Assert(false);
1681 break;
1682 }
1683
1684 EEO_NEXT();
1685 }
1686
1688 {
1689 /* too complex for an inline implementation */
1691
1692 EEO_NEXT();
1693 }
1694
1696 {
1697 /* too complex for an inline implementation */
1698 ExecEvalFieldSelect(state, op, econtext);
1699
1700 EEO_NEXT();
1701 }
1702
1704 {
1705 /* too complex for an inline implementation */
1706 ExecEvalFieldStoreDeForm(state, op, econtext);
1707
1708 EEO_NEXT();
1709 }
1710
1712 {
1713 /* too complex for an inline implementation */
1714 ExecEvalFieldStoreForm(state, op, econtext);
1715
1716 EEO_NEXT();
1717 }
1718
1720 {
1721 /* Precheck SubscriptingRef subscript(s) */
1722 if (op->d.sbsref_subscript.subscriptfunc(state, op, econtext))
1723 {
1724 EEO_NEXT();
1725 }
1726 else
1727 {
1728 /* Subscript is null, short-circuit SubscriptingRef to NULL */
1729 EEO_JUMP(op->d.sbsref_subscript.jumpdone);
1730 }
1731 }
1732
1736 {
1737 /* Perform a SubscriptingRef fetch or assignment */
1738 op->d.sbsref.subscriptfunc(state, op, econtext);
1739
1740 EEO_NEXT();
1741 }
1742
1744 {
1745 /* too complex for an inline implementation */
1746 ExecEvalConvertRowtype(state, op, econtext);
1747
1748 EEO_NEXT();
1749 }
1750
1752 {
1753 /* too complex for an inline implementation */
1755
1756 EEO_NEXT();
1757 }
1758
1760 {
1761 /* too complex for an inline implementation */
1763
1764 EEO_NEXT();
1765 }
1766
1768 {
1769 *op->resvalue = *op->d.casetest.value;
1770 *op->resnull = *op->d.casetest.isnull;
1771
1772 EEO_NEXT();
1773 }
1774
1776 {
1777 *op->resvalue = econtext->domainValue_datum;
1778 *op->resnull = econtext->domainValue_isNull;
1779
1780 EEO_NEXT();
1781 }
1782
1784 {
1785 /* too complex for an inline implementation */
1787
1788 EEO_NEXT();
1789 }
1790
1792 {
1793 /* too complex for an inline implementation */
1795
1796 EEO_NEXT();
1797 }
1798
1800 {
1801 *op->resvalue = op->d.hashdatum_initvalue.init_value;
1802 *op->resnull = false;
1803
1804 EEO_NEXT();
1805 }
1806
1808 {
1809 FunctionCallInfo fcinfo = op->d.hashdatum.fcinfo_data;
1810
1811 /*
1812 * Save the Datum on non-null inputs, otherwise store 0 so that
1813 * subsequent NEXT32 operations combine with an initialized value.
1814 */
1815 if (!fcinfo->args[0].isnull)
1816 *op->resvalue = op->d.hashdatum.fn_addr(fcinfo);
1817 else
1818 *op->resvalue = (Datum) 0;
1819
1820 *op->resnull = false;
1821
1822 EEO_NEXT();
1823 }
1824
1826 {
1827 FunctionCallInfo fcinfo = op->d.hashdatum.fcinfo_data;
1828
1829 if (fcinfo->args[0].isnull)
1830 {
1831 /*
1832 * With strict we have the expression return NULL instead of
1833 * ignoring NULL input values. We've nothing more to do after
1834 * finding a NULL.
1835 */
1836 *op->resnull = true;
1837 *op->resvalue = (Datum) 0;
1838 EEO_JUMP(op->d.hashdatum.jumpdone);
1839 }
1840
1841 /* execute the hash function and save the resulting value */
1842 *op->resvalue = op->d.hashdatum.fn_addr(fcinfo);
1843 *op->resnull = false;
1844
1845 EEO_NEXT();
1846 }
1847
1849 {
1850 FunctionCallInfo fcinfo = op->d.hashdatum.fcinfo_data;
1851 uint32 existinghash;
1852
1853 existinghash = DatumGetUInt32(op->d.hashdatum.iresult->value);
1854 /* combine successive hash values by rotating */
1855 existinghash = pg_rotate_left32(existinghash, 1);
1856
1857 /* leave the hash value alone on NULL inputs */
1858 if (!fcinfo->args[0].isnull)
1859 {
1860 uint32 hashvalue;
1861
1862 /* execute hash func and combine with previous hash value */
1863 hashvalue = DatumGetUInt32(op->d.hashdatum.fn_addr(fcinfo));
1864 existinghash = existinghash ^ hashvalue;
1865 }
1866
1867 *op->resvalue = UInt32GetDatum(existinghash);
1868 *op->resnull = false;
1869
1870 EEO_NEXT();
1871 }
1872
1874 {
1875 FunctionCallInfo fcinfo = op->d.hashdatum.fcinfo_data;
1876
1877 if (fcinfo->args[0].isnull)
1878 {
1879 /*
1880 * With strict we have the expression return NULL instead of
1881 * ignoring NULL input values. We've nothing more to do after
1882 * finding a NULL.
1883 */
1884 *op->resnull = true;
1885 *op->resvalue = (Datum) 0;
1886 EEO_JUMP(op->d.hashdatum.jumpdone);
1887 }
1888 else
1889 {
1890 uint32 existinghash;
1891 uint32 hashvalue;
1892
1893 existinghash = DatumGetUInt32(op->d.hashdatum.iresult->value);
1894 /* combine successive hash values by rotating */
1895 existinghash = pg_rotate_left32(existinghash, 1);
1896
1897 /* execute hash func and combine with previous hash value */
1898 hashvalue = DatumGetUInt32(op->d.hashdatum.fn_addr(fcinfo));
1899 *op->resvalue = UInt32GetDatum(existinghash ^ hashvalue);
1900 *op->resnull = false;
1901 }
1902
1903 EEO_NEXT();
1904 }
1905
1907 {
1908 /* too complex for an inline implementation */
1910
1911 EEO_NEXT();
1912 }
1913
1915 {
1916 /* too complex for an inline implementation */
1917 ExecEvalJsonConstructor(state, op, econtext);
1918 EEO_NEXT();
1919 }
1920
1922 {
1923 /* too complex for an inline implementation */
1925
1926 EEO_NEXT();
1927 }
1928
1930 {
1931 /* too complex for an inline implementation */
1933 }
1934
1936 {
1937 /* too complex for an inline implementation */
1938 ExecEvalJsonCoercion(state, op, econtext);
1939
1940 EEO_NEXT();
1941 }
1942
1944 {
1945 /* too complex for an inline implementation */
1947
1948 EEO_NEXT();
1949 }
1950
1952 {
1953 /*
1954 * Returns a Datum whose value is the precomputed aggregate value
1955 * found in the given expression context.
1956 */
1957 int aggno = op->d.aggref.aggno;
1958
1959 Assert(econtext->ecxt_aggvalues != NULL);
1960
1961 *op->resvalue = econtext->ecxt_aggvalues[aggno];
1962 *op->resnull = econtext->ecxt_aggnulls[aggno];
1963
1964 EEO_NEXT();
1965 }
1966
1968 {
1969 /* too complex/uncommon for an inline implementation */
1971
1972 EEO_NEXT();
1973 }
1974
1976 {
1977 /*
1978 * Like Aggref, just return a precomputed value from the econtext.
1979 */
1980 WindowFuncExprState *wfunc = op->d.window_func.wfstate;
1981
1982 Assert(econtext->ecxt_aggvalues != NULL);
1983
1984 *op->resvalue = econtext->ecxt_aggvalues[wfunc->wfuncno];
1985 *op->resnull = econtext->ecxt_aggnulls[wfunc->wfuncno];
1986
1987 EEO_NEXT();
1988 }
1989
1991 {
1992 /* too complex/uncommon for an inline implementation */
1993 ExecEvalMergeSupportFunc(state, op, econtext);
1994
1995 EEO_NEXT();
1996 }
1997
1999 {
2000 /* too complex for an inline implementation */
2001 ExecEvalSubPlan(state, op, econtext);
2002
2003 EEO_NEXT();
2004 }
2005
2006 /* evaluate a strict aggregate deserialization function */
2008 {
2009 /* Don't call a strict deserialization function with NULL input */
2010 if (op->d.agg_deserialize.fcinfo_data->args[0].isnull)
2011 EEO_JUMP(op->d.agg_deserialize.jumpnull);
2012
2013 /* fallthrough */
2014 }
2015
2016 /* evaluate aggregate deserialization function (non-strict portion) */
2018 {
2019 FunctionCallInfo fcinfo = op->d.agg_deserialize.fcinfo_data;
2020 AggState *aggstate = castNode(AggState, state->parent);
2021 MemoryContext oldContext;
2022
2023 /*
2024 * We run the deserialization functions in per-input-tuple memory
2025 * context.
2026 */
2028 fcinfo->isnull = false;
2029 *op->resvalue = FunctionCallInvoke(fcinfo);
2030 *op->resnull = fcinfo->isnull;
2031 MemoryContextSwitchTo(oldContext);
2032
2033 EEO_NEXT();
2034 }
2035
2036 /*
2037 * Check that a strict aggregate transition / combination function's
2038 * input is not NULL.
2039 */
2040
2041 /* when checking more than one argument */
2043 {
2044 NullableDatum *args = op->d.agg_strict_input_check.args;
2045 int nargs = op->d.agg_strict_input_check.nargs;
2046
2047 Assert(nargs > 1);
2048
2049 for (int argno = 0; argno < nargs; argno++)
2050 {
2051 if (args[argno].isnull)
2052 EEO_JUMP(op->d.agg_strict_input_check.jumpnull);
2053 }
2054 EEO_NEXT();
2055 }
2056
2057 /* special case for just one argument */
2059 {
2060 NullableDatum *args = op->d.agg_strict_input_check.args;
2061 PG_USED_FOR_ASSERTS_ONLY int nargs = op->d.agg_strict_input_check.nargs;
2062
2063 Assert(nargs == 1);
2064
2065 if (args[0].isnull)
2066 EEO_JUMP(op->d.agg_strict_input_check.jumpnull);
2067 EEO_NEXT();
2068 }
2069
2071 {
2072 bool *nulls = op->d.agg_strict_input_check.nulls;
2073 int nargs = op->d.agg_strict_input_check.nargs;
2074
2075 for (int argno = 0; argno < nargs; argno++)
2076 {
2077 if (nulls[argno])
2078 EEO_JUMP(op->d.agg_strict_input_check.jumpnull);
2079 }
2080 EEO_NEXT();
2081 }
2082
2083 /*
2084 * Check for a NULL pointer to the per-group states.
2085 */
2086
2088 {
2089 AggState *aggstate = castNode(AggState, state->parent);
2090 AggStatePerGroup pergroup_allaggs =
2091 aggstate->all_pergroups[op->d.agg_plain_pergroup_nullcheck.setoff];
2092
2093 if (pergroup_allaggs == NULL)
2094 EEO_JUMP(op->d.agg_plain_pergroup_nullcheck.jumpnull);
2095
2096 EEO_NEXT();
2097 }
2098
2099 /*
2100 * Different types of aggregate transition functions are implemented
2101 * as different types of steps, to avoid incurring unnecessary
2102 * overhead. There's a step type for each valid combination of having
2103 * a by value / by reference transition type, [not] needing to the
2104 * initialize the transition value for the first row in a group from
2105 * input, and [not] strict transition function.
2106 *
2107 * Could optimize further by splitting off by-reference for
2108 * fixed-length types, but currently that doesn't seem worth it.
2109 */
2110
2112 {
2113 AggState *aggstate = castNode(AggState, state->parent);
2114 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
2115 AggStatePerGroup pergroup =
2116 &aggstate->all_pergroups[op->d.agg_trans.setoff][op->d.agg_trans.transno];
2117
2119
2120 if (pergroup->noTransValue)
2121 {
2122 /* If transValue has not yet been initialized, do so now. */
2123 ExecAggInitGroup(aggstate, pertrans, pergroup,
2124 op->d.agg_trans.aggcontext);
2125 /* copied trans value from input, done this round */
2126 }
2127 else if (likely(!pergroup->transValueIsNull))
2128 {
2129 /* invoke transition function, unless prevented by strictness */
2130 ExecAggPlainTransByVal(aggstate, pertrans, pergroup,
2131 op->d.agg_trans.aggcontext,
2132 op->d.agg_trans.setno);
2133 }
2134
2135 EEO_NEXT();
2136 }
2137
2138 /* see comments above EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYVAL */
2140 {
2141 AggState *aggstate = castNode(AggState, state->parent);
2142 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
2143 AggStatePerGroup pergroup =
2144 &aggstate->all_pergroups[op->d.agg_trans.setoff][op->d.agg_trans.transno];
2145
2147
2148 if (likely(!pergroup->transValueIsNull))
2149 ExecAggPlainTransByVal(aggstate, pertrans, pergroup,
2150 op->d.agg_trans.aggcontext,
2151 op->d.agg_trans.setno);
2152
2153 EEO_NEXT();
2154 }
2155
2156 /* see comments above EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYVAL */
2158 {
2159 AggState *aggstate = castNode(AggState, state->parent);
2160 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
2161 AggStatePerGroup pergroup =
2162 &aggstate->all_pergroups[op->d.agg_trans.setoff][op->d.agg_trans.transno];
2163
2165
2166 ExecAggPlainTransByVal(aggstate, pertrans, pergroup,
2167 op->d.agg_trans.aggcontext,
2168 op->d.agg_trans.setno);
2169
2170 EEO_NEXT();
2171 }
2172
2173 /* see comments above EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYVAL */
2175 {
2176 AggState *aggstate = castNode(AggState, state->parent);
2177 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
2178 AggStatePerGroup pergroup =
2179 &aggstate->all_pergroups[op->d.agg_trans.setoff][op->d.agg_trans.transno];
2180
2182
2183 if (pergroup->noTransValue)
2184 ExecAggInitGroup(aggstate, pertrans, pergroup,
2185 op->d.agg_trans.aggcontext);
2186 else if (likely(!pergroup->transValueIsNull))
2187 ExecAggPlainTransByRef(aggstate, pertrans, pergroup,
2188 op->d.agg_trans.aggcontext,
2189 op->d.agg_trans.setno);
2190
2191 EEO_NEXT();
2192 }
2193
2194 /* see comments above EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYVAL */
2196 {
2197 AggState *aggstate = castNode(AggState, state->parent);
2198 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
2199 AggStatePerGroup pergroup =
2200 &aggstate->all_pergroups[op->d.agg_trans.setoff][op->d.agg_trans.transno];
2201
2203
2204 if (likely(!pergroup->transValueIsNull))
2205 ExecAggPlainTransByRef(aggstate, pertrans, pergroup,
2206 op->d.agg_trans.aggcontext,
2207 op->d.agg_trans.setno);
2208 EEO_NEXT();
2209 }
2210
2211 /* see comments above EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYVAL */
2213 {
2214 AggState *aggstate = castNode(AggState, state->parent);
2215 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
2216 AggStatePerGroup pergroup =
2217 &aggstate->all_pergroups[op->d.agg_trans.setoff][op->d.agg_trans.transno];
2218
2220
2221 ExecAggPlainTransByRef(aggstate, pertrans, pergroup,
2222 op->d.agg_trans.aggcontext,
2223 op->d.agg_trans.setno);
2224
2225 EEO_NEXT();
2226 }
2227
2229 {
2230 AggStatePerTrans pertrans = op->d.agg_presorted_distinctcheck.pertrans;
2231 AggState *aggstate = castNode(AggState, state->parent);
2232
2234 EEO_NEXT();
2235 else
2236 EEO_JUMP(op->d.agg_presorted_distinctcheck.jumpdistinct);
2237 }
2238
2240 {
2241 AggState *aggstate = castNode(AggState, state->parent);
2242 AggStatePerTrans pertrans = op->d.agg_presorted_distinctcheck.pertrans;
2243
2245 EEO_NEXT();
2246 else
2247 EEO_JUMP(op->d.agg_presorted_distinctcheck.jumpdistinct);
2248 }
2249
2250 /* process single-column ordered aggregate datum */
2252 {
2253 /* too complex for an inline implementation */
2255
2256 EEO_NEXT();
2257 }
2258
2259 /* process multi-column ordered aggregate tuple */
2261 {
2262 /* too complex for an inline implementation */
2264
2265 EEO_NEXT();
2266 }
2267
2269 {
2270 /* unreachable */
2271 Assert(false);
2272 goto out_error;
2273 }
2274 }
2275
2276out_error:
2278 return (Datum) 0;
2279}
2280
2281/*
2282 * Expression evaluation callback that performs extra checks before executing
2283 * the expression. Declared extern so other methods of execution can use it
2284 * too.
2285 */
2286Datum
2288{
2289 /*
2290 * First time through, check whether attribute matches Var. Might not be
2291 * ok anymore, due to schema changes.
2292 */
2293 CheckExprStillValid(state, econtext);
2294
2295 /* skip the check during further executions */
2296 state->evalfunc = (ExprStateEvalFunc) state->evalfunc_private;
2297
2298 /* and actually execute */
2299 return state->evalfunc(state, econtext, isNull);
2300}
2301
2302/*
2303 * Check that an expression is still valid in the face of potential schema
2304 * changes since the plan has been created.
2305 */
2306void
2308{
2309 TupleTableSlot *innerslot;
2310 TupleTableSlot *outerslot;
2311 TupleTableSlot *scanslot;
2312 TupleTableSlot *oldslot;
2313 TupleTableSlot *newslot;
2314
2315 innerslot = econtext->ecxt_innertuple;
2316 outerslot = econtext->ecxt_outertuple;
2317 scanslot = econtext->ecxt_scantuple;
2318 oldslot = econtext->ecxt_oldtuple;
2319 newslot = econtext->ecxt_newtuple;
2320
2321 for (int i = 0; i < state->steps_len; i++)
2322 {
2323 ExprEvalStep *op = &state->steps[i];
2324
2325 switch (ExecEvalStepOp(state, op))
2326 {
2327 case EEOP_INNER_VAR:
2328 {
2329 int attnum = op->d.var.attnum;
2330
2331 CheckVarSlotCompatibility(innerslot, attnum + 1, op->d.var.vartype);
2332 break;
2333 }
2334
2335 case EEOP_OUTER_VAR:
2336 {
2337 int attnum = op->d.var.attnum;
2338
2339 CheckVarSlotCompatibility(outerslot, attnum + 1, op->d.var.vartype);
2340 break;
2341 }
2342
2343 case EEOP_SCAN_VAR:
2344 {
2345 int attnum = op->d.var.attnum;
2346
2347 CheckVarSlotCompatibility(scanslot, attnum + 1, op->d.var.vartype);
2348 break;
2349 }
2350
2351 case EEOP_OLD_VAR:
2352 {
2353 int attnum = op->d.var.attnum;
2354
2355 CheckVarSlotCompatibility(oldslot, attnum + 1, op->d.var.vartype);
2356 break;
2357 }
2358
2359 case EEOP_NEW_VAR:
2360 {
2361 int attnum = op->d.var.attnum;
2362
2363 CheckVarSlotCompatibility(newslot, attnum + 1, op->d.var.vartype);
2364 break;
2365 }
2366 default:
2367 break;
2368 }
2369 }
2370}
2371
2372/*
2373 * Check whether a user attribute in a slot can be referenced by a Var
2374 * expression. This should succeed unless there have been schema changes
2375 * since the expression tree has been created.
2376 */
2377static void
2379{
2380 /*
2381 * What we have to check for here is the possibility of an attribute
2382 * having been dropped or changed in type since the plan tree was created.
2383 * Ideally the plan will get invalidated and not re-used, but just in
2384 * case, we keep these defenses. Fortunately it's sufficient to check
2385 * once on the first time through.
2386 *
2387 * Note: ideally we'd check typmod as well as typid, but that seems
2388 * impractical at the moment: in many cases the tupdesc will have been
2389 * generated by ExecTypeFromTL(), and that can't guarantee to generate an
2390 * accurate typmod in all cases, because some expression node types don't
2391 * carry typmod. Fortunately, for precisely that reason, there should be
2392 * no places with a critical dependency on the typmod of a value.
2393 *
2394 * System attributes don't require checking since their types never
2395 * change.
2396 */
2397 if (attnum > 0)
2398 {
2399 TupleDesc slot_tupdesc = slot->tts_tupleDescriptor;
2400 Form_pg_attribute attr;
2401
2402 if (attnum > slot_tupdesc->natts) /* should never happen */
2403 elog(ERROR, "attribute number %d exceeds number of columns %d",
2404 attnum, slot_tupdesc->natts);
2405
2406 attr = TupleDescAttr(slot_tupdesc, attnum - 1);
2407
2408 /* Internal error: somebody forgot to expand it. */
2409 if (attr->attgenerated == ATTRIBUTE_GENERATED_VIRTUAL)
2410 elog(ERROR, "unexpected virtual generated column reference");
2411
2412 if (attr->attisdropped)
2413 ereport(ERROR,
2414 (errcode(ERRCODE_UNDEFINED_COLUMN),
2415 errmsg("attribute %d of type %s has been dropped",
2416 attnum, format_type_be(slot_tupdesc->tdtypeid))));
2417
2418 if (vartype != attr->atttypid)
2419 ereport(ERROR,
2420 (errcode(ERRCODE_DATATYPE_MISMATCH),
2421 errmsg("attribute %d of type %s has wrong type",
2422 attnum, format_type_be(slot_tupdesc->tdtypeid)),
2423 errdetail("Table has type %s, but query expects %s.",
2424 format_type_be(attr->atttypid),
2426 }
2427}
2428
2429/*
2430 * Verify that the slot is compatible with a EEOP_*_FETCHSOME operation.
2431 */
2432static void
2434{
2435#ifdef USE_ASSERT_CHECKING
2436 /* there's nothing to check */
2437 if (!op->d.fetch.fixed)
2438 return;
2439
2440 /*
2441 * Should probably fixed at some point, but for now it's easier to allow
2442 * buffer and heap tuples to be used interchangeably.
2443 */
2444 if (slot->tts_ops == &TTSOpsBufferHeapTuple &&
2445 op->d.fetch.kind == &TTSOpsHeapTuple)
2446 return;
2447 if (slot->tts_ops == &TTSOpsHeapTuple &&
2448 op->d.fetch.kind == &TTSOpsBufferHeapTuple)
2449 return;
2450
2451 /*
2452 * At the moment we consider it OK if a virtual slot is used instead of a
2453 * specific type of slot, as a virtual slot never needs to be deformed.
2454 */
2455 if (slot->tts_ops == &TTSOpsVirtual)
2456 return;
2457
2458 Assert(op->d.fetch.kind == slot->tts_ops);
2459#endif
2460}
2461
2462/*
2463 * get_cached_rowtype: utility function to lookup a rowtype tupdesc
2464 *
2465 * type_id, typmod: identity of the rowtype
2466 * rowcache: space for caching identity info
2467 * (rowcache->cacheptr must be initialized to NULL)
2468 * changed: if not NULL, *changed is set to true on any update
2469 *
2470 * The returned TupleDesc is not guaranteed pinned; caller must pin it
2471 * to use it across any operation that might incur cache invalidation,
2472 * including for example detoasting of input tuples.
2473 * (The TupleDesc is always refcounted, so just use IncrTupleDescRefCount.)
2474 *
2475 * NOTE: because composite types can change contents, we must be prepared
2476 * to re-do this during any node execution; cannot call just once during
2477 * expression initialization.
2478 */
2479static TupleDesc
2482 bool *changed)
2483{
2484 if (type_id != RECORDOID)
2485 {
2486 /*
2487 * It's a named composite type, so use the regular typcache. Do a
2488 * lookup first time through, or if the composite type changed. Note:
2489 * "tupdesc_id == 0" may look redundant, but it protects against the
2490 * admittedly-theoretical possibility that type_id was RECORDOID the
2491 * last time through, so that the cacheptr isn't TypeCacheEntry *.
2492 */
2494
2495 if (unlikely(typentry == NULL ||
2496 rowcache->tupdesc_id == 0 ||
2497 typentry->tupDesc_identifier != rowcache->tupdesc_id))
2498 {
2499 typentry = lookup_type_cache(type_id, TYPECACHE_TUPDESC);
2500 if (typentry->tupDesc == NULL)
2501 ereport(ERROR,
2502 (errcode(ERRCODE_WRONG_OBJECT_TYPE),
2503 errmsg("type %s is not composite",
2504 format_type_be(type_id))));
2505 rowcache->cacheptr = typentry;
2507 if (changed)
2508 *changed = true;
2509 }
2510 return typentry->tupDesc;
2511 }
2512 else
2513 {
2514 /*
2515 * A RECORD type, once registered, doesn't change for the life of the
2516 * backend. So we don't need a typcache entry as such, which is good
2517 * because there isn't one. It's possible that the caller is asking
2518 * about a different type than before, though.
2519 */
2520 TupleDesc tupDesc = (TupleDesc) rowcache->cacheptr;
2521
2522 if (unlikely(tupDesc == NULL ||
2523 rowcache->tupdesc_id != 0 ||
2524 type_id != tupDesc->tdtypeid ||
2525 typmod != tupDesc->tdtypmod))
2526 {
2527 tupDesc = lookup_rowtype_tupdesc(type_id, typmod);
2528 /* Drop pin acquired by lookup_rowtype_tupdesc */
2529 ReleaseTupleDesc(tupDesc);
2530 rowcache->cacheptr = tupDesc;
2531 rowcache->tupdesc_id = 0; /* not a valid value for non-RECORD */
2532 if (changed)
2533 *changed = true;
2534 }
2535 return tupDesc;
2536 }
2537}
2538
2539
2540/*
2541 * Fast-path functions, for very simple expressions
2542 */
2543
2544/* implementation of ExecJust(Inner|Outer|Scan)Var */
2547{
2548 ExprEvalStep *op = &state->steps[1];
2549 int attnum = op->d.var.attnum + 1;
2550
2551 CheckOpSlotCompatibility(&state->steps[0], slot);
2552
2553 /*
2554 * Since we use slot_getattr(), we don't need to implement the FETCHSOME
2555 * step explicitly, and we also needn't Assert that the attnum is in range
2556 * --- slot_getattr() will take care of any problems.
2557 */
2558 return slot_getattr(slot, attnum, isnull);
2559}
2560
2561/* Simple reference to inner Var */
2562static Datum
2564{
2565 return ExecJustVarImpl(state, econtext->ecxt_innertuple, isnull);
2566}
2567
2568/* Simple reference to outer Var */
2569static Datum
2571{
2572 return ExecJustVarImpl(state, econtext->ecxt_outertuple, isnull);
2573}
2574
2575/* Simple reference to scan Var */
2576static Datum
2578{
2579 return ExecJustVarImpl(state, econtext->ecxt_scantuple, isnull);
2580}
2581
2582/* implementation of ExecJustAssign(Inner|Outer|Scan)Var */
2585{
2586 ExprEvalStep *op = &state->steps[1];
2587 int attnum = op->d.assign_var.attnum + 1;
2588 int resultnum = op->d.assign_var.resultnum;
2589 TupleTableSlot *outslot = state->resultslot;
2590
2591 CheckOpSlotCompatibility(&state->steps[0], inslot);
2592
2593 /*
2594 * We do not need CheckVarSlotCompatibility here; that was taken care of
2595 * at compilation time.
2596 *
2597 * Since we use slot_getattr(), we don't need to implement the FETCHSOME
2598 * step explicitly, and we also needn't Assert that the attnum is in range
2599 * --- slot_getattr() will take care of any problems. Nonetheless, check
2600 * that resultnum is in range.
2601 */
2602 Assert(resultnum >= 0 && resultnum < outslot->tts_tupleDescriptor->natts);
2603 outslot->tts_values[resultnum] =
2604 slot_getattr(inslot, attnum, &outslot->tts_isnull[resultnum]);
2605 return 0;
2606}
2607
2608/* Evaluate inner Var and assign to appropriate column of result tuple */
2609static Datum
2611{
2613}
2614
2615/* Evaluate outer Var and assign to appropriate column of result tuple */
2616static Datum
2618{
2620}
2621
2622/* Evaluate scan Var and assign to appropriate column of result tuple */
2623static Datum
2625{
2627}
2628
2629/* Evaluate CASE_TESTVAL and apply a strict function to it */
2630static Datum
2632{
2633 ExprEvalStep *op = &state->steps[0];
2634 FunctionCallInfo fcinfo;
2636 int nargs;
2637 Datum d;
2638
2639 /*
2640 * XXX with some redesign of the CaseTestExpr mechanism, maybe we could
2641 * get rid of this data shuffling?
2642 */
2643 *op->resvalue = *op->d.casetest.value;
2644 *op->resnull = *op->d.casetest.isnull;
2645
2646 op++;
2647
2648 nargs = op->d.func.nargs;
2649 fcinfo = op->d.func.fcinfo_data;
2650 args = fcinfo->args;
2651
2652 /* strict function, so check for NULL args */
2653 for (int argno = 0; argno < nargs; argno++)
2654 {
2655 if (args[argno].isnull)
2656 {
2657 *isnull = true;
2658 return (Datum) 0;
2659 }
2660 }
2661 fcinfo->isnull = false;
2662 d = op->d.func.fn_addr(fcinfo);
2663 *isnull = fcinfo->isnull;
2664 return d;
2665}
2666
2667/* Simple Const expression */
2668static Datum
2670{
2671 ExprEvalStep *op = &state->steps[0];
2672
2673 *isnull = op->d.constval.isnull;
2674 return op->d.constval.value;
2675}
2676
2677/* implementation of ExecJust(Inner|Outer|Scan)VarVirt */
2680{
2681 ExprEvalStep *op = &state->steps[0];
2682 int attnum = op->d.var.attnum;
2683
2684 /*
2685 * As it is guaranteed that a virtual slot is used, there never is a need
2686 * to perform tuple deforming (nor would it be possible). Therefore
2687 * execExpr.c has not emitted an EEOP_*_FETCHSOME step. Verify, as much as
2688 * possible, that that determination was accurate.
2689 */
2690 Assert(TTS_IS_VIRTUAL(slot));
2691 Assert(TTS_FIXED(slot));
2692 Assert(attnum >= 0 && attnum < slot->tts_nvalid);
2693
2694 *isnull = slot->tts_isnull[attnum];
2695
2696 return slot->tts_values[attnum];
2697}
2698
2699/* Like ExecJustInnerVar, optimized for virtual slots */
2700static Datum
2702{
2703 return ExecJustVarVirtImpl(state, econtext->ecxt_innertuple, isnull);
2704}
2705
2706/* Like ExecJustOuterVar, optimized for virtual slots */
2707static Datum
2709{
2710 return ExecJustVarVirtImpl(state, econtext->ecxt_outertuple, isnull);
2711}
2712
2713/* Like ExecJustScanVar, optimized for virtual slots */
2714static Datum
2716{
2717 return ExecJustVarVirtImpl(state, econtext->ecxt_scantuple, isnull);
2718}
2719
2720/* implementation of ExecJustAssign(Inner|Outer|Scan)VarVirt */
2723{
2724 ExprEvalStep *op = &state->steps[0];
2725 int attnum = op->d.assign_var.attnum;
2726 int resultnum = op->d.assign_var.resultnum;
2727 TupleTableSlot *outslot = state->resultslot;
2728
2729 /* see ExecJustVarVirtImpl for comments */
2730
2731 Assert(TTS_IS_VIRTUAL(inslot));
2732 Assert(TTS_FIXED(inslot));
2733 Assert(attnum >= 0 && attnum < inslot->tts_nvalid);
2734 Assert(resultnum >= 0 && resultnum < outslot->tts_tupleDescriptor->natts);
2735
2736 outslot->tts_values[resultnum] = inslot->tts_values[attnum];
2737 outslot->tts_isnull[resultnum] = inslot->tts_isnull[attnum];
2738
2739 return 0;
2740}
2741
2742/* Like ExecJustAssignInnerVar, optimized for virtual slots */
2743static Datum
2745{
2747}
2748
2749/* Like ExecJustAssignOuterVar, optimized for virtual slots */
2750static Datum
2752{
2754}
2755
2756/* Like ExecJustAssignScanVar, optimized for virtual slots */
2757static Datum
2759{
2761}
2762
2763/*
2764 * implementation for hashing an inner Var, seeding with an initial value.
2765 */
2766static Datum
2768 bool *isnull)
2769{
2770 ExprEvalStep *fetchop = &state->steps[0];
2771 ExprEvalStep *setivop = &state->steps[1];
2772 ExprEvalStep *innervar = &state->steps[2];
2773 ExprEvalStep *hashop = &state->steps[3];
2774 FunctionCallInfo fcinfo = hashop->d.hashdatum.fcinfo_data;
2775 int attnum = innervar->d.var.attnum;
2776 uint32 hashkey;
2777
2778 CheckOpSlotCompatibility(fetchop, econtext->ecxt_innertuple);
2779 slot_getsomeattrs(econtext->ecxt_innertuple, fetchop->d.fetch.last_var);
2780
2781 fcinfo->args[0].value = econtext->ecxt_innertuple->tts_values[attnum];
2782 fcinfo->args[0].isnull = econtext->ecxt_innertuple->tts_isnull[attnum];
2783
2784 hashkey = DatumGetUInt32(setivop->d.hashdatum_initvalue.init_value);
2785 hashkey = pg_rotate_left32(hashkey, 1);
2786
2787 if (!fcinfo->args[0].isnull)
2788 {
2789 uint32 hashvalue;
2790
2791 hashvalue = DatumGetUInt32(hashop->d.hashdatum.fn_addr(fcinfo));
2792 hashkey = hashkey ^ hashvalue;
2793 }
2794
2795 *isnull = false;
2796 return UInt32GetDatum(hashkey);
2797}
2798
2799/* implementation of ExecJustHash(Inner|Outer)Var */
2802{
2803 ExprEvalStep *fetchop = &state->steps[0];
2804 ExprEvalStep *var = &state->steps[1];
2805 ExprEvalStep *hashop = &state->steps[2];
2806 FunctionCallInfo fcinfo = hashop->d.hashdatum.fcinfo_data;
2807 int attnum = var->d.var.attnum;
2808
2809 CheckOpSlotCompatibility(fetchop, slot);
2810 slot_getsomeattrs(slot, fetchop->d.fetch.last_var);
2811
2812 fcinfo->args[0].value = slot->tts_values[attnum];
2813 fcinfo->args[0].isnull = slot->tts_isnull[attnum];
2814
2815 *isnull = false;
2816
2817 if (!fcinfo->args[0].isnull)
2818 return DatumGetUInt32(hashop->d.hashdatum.fn_addr(fcinfo));
2819 else
2820 return (Datum) 0;
2821}
2822
2823/* implementation for hashing an outer Var */
2824static Datum
2826{
2827 return ExecJustHashVarImpl(state, econtext->ecxt_outertuple, isnull);
2828}
2829
2830/* implementation for hashing an inner Var */
2831static Datum
2833{
2834 return ExecJustHashVarImpl(state, econtext->ecxt_innertuple, isnull);
2835}
2836
2837/* implementation of ExecJustHash(Inner|Outer)VarVirt */
2840{
2841 ExprEvalStep *var = &state->steps[0];
2842 ExprEvalStep *hashop = &state->steps[1];
2843 FunctionCallInfo fcinfo = hashop->d.hashdatum.fcinfo_data;
2844 int attnum = var->d.var.attnum;
2845
2846 fcinfo->args[0].value = slot->tts_values[attnum];
2847 fcinfo->args[0].isnull = slot->tts_isnull[attnum];
2848
2849 *isnull = false;
2850
2851 if (!fcinfo->args[0].isnull)
2852 return DatumGetUInt32(hashop->d.hashdatum.fn_addr(fcinfo));
2853 else
2854 return (Datum) 0;
2855}
2856
2857/* Like ExecJustHashInnerVar, optimized for virtual slots */
2858static Datum
2860 bool *isnull)
2861{
2863}
2864
2865/* Like ExecJustHashOuterVar, optimized for virtual slots */
2866static Datum
2868 bool *isnull)
2869{
2871}
2872
2873/*
2874 * implementation for hashing an outer Var. Returns NULL on NULL input.
2875 */
2876static Datum
2878 bool *isnull)
2879{
2880 ExprEvalStep *fetchop = &state->steps[0];
2881 ExprEvalStep *var = &state->steps[1];
2882 ExprEvalStep *hashop = &state->steps[2];
2883 FunctionCallInfo fcinfo = hashop->d.hashdatum.fcinfo_data;
2884 int attnum = var->d.var.attnum;
2885
2886 CheckOpSlotCompatibility(fetchop, econtext->ecxt_outertuple);
2887 slot_getsomeattrs(econtext->ecxt_outertuple, fetchop->d.fetch.last_var);
2888
2889 fcinfo->args[0].value = econtext->ecxt_outertuple->tts_values[attnum];
2890 fcinfo->args[0].isnull = econtext->ecxt_outertuple->tts_isnull[attnum];
2891
2892 if (!fcinfo->args[0].isnull)
2893 {
2894 *isnull = false;
2895 return DatumGetUInt32(hashop->d.hashdatum.fn_addr(fcinfo));
2896 }
2897 else
2898 {
2899 /* return NULL on NULL input */
2900 *isnull = true;
2901 return (Datum) 0;
2902 }
2903}
2904
2905#if defined(EEO_USE_COMPUTED_GOTO)
2906/*
2907 * Comparator used when building address->opcode lookup table for
2908 * ExecEvalStepOp() in the threaded dispatch case.
2909 */
2910static int
2911dispatch_compare_ptr(const void *a, const void *b)
2912{
2913 const ExprEvalOpLookup *la = (const ExprEvalOpLookup *) a;
2914 const ExprEvalOpLookup *lb = (const ExprEvalOpLookup *) b;
2915
2916 if (la->opcode < lb->opcode)
2917 return -1;
2918 else if (la->opcode > lb->opcode)
2919 return 1;
2920 return 0;
2921}
2922#endif
2923
2924/*
2925 * Do one-time initialization of interpretation machinery.
2926 */
2927static void
2929{
2930#if defined(EEO_USE_COMPUTED_GOTO)
2931 /* Set up externally-visible pointer to dispatch table */
2932 if (dispatch_table == NULL)
2933 {
2934 dispatch_table = (const void **)
2935 DatumGetPointer(ExecInterpExpr(NULL, NULL, NULL));
2936
2937 /* build reverse lookup table */
2938 for (int i = 0; i < EEOP_LAST; i++)
2939 {
2940 reverse_dispatch_table[i].opcode = dispatch_table[i];
2941 reverse_dispatch_table[i].op = (ExprEvalOp) i;
2942 }
2943
2944 /* make it bsearch()able */
2945 qsort(reverse_dispatch_table,
2946 EEOP_LAST /* nmembers */ ,
2947 sizeof(ExprEvalOpLookup),
2948 dispatch_compare_ptr);
2949 }
2950#endif
2951}
2952
2953/*
2954 * Function to return the opcode of an expression step.
2955 *
2956 * When direct-threading is in use, ExprState->opcode isn't easily
2957 * decipherable. This function returns the appropriate enum member.
2958 */
2961{
2962#if defined(EEO_USE_COMPUTED_GOTO)
2963 if (state->flags & EEO_FLAG_DIRECT_THREADED)
2964 {
2965 ExprEvalOpLookup key;
2966 ExprEvalOpLookup *res;
2967
2968 key.opcode = (void *) op->opcode;
2969 res = bsearch(&key,
2970 reverse_dispatch_table,
2971 EEOP_LAST /* nmembers */ ,
2972 sizeof(ExprEvalOpLookup),
2973 dispatch_compare_ptr);
2974 Assert(res); /* unknown ops shouldn't get looked up */
2975 return res->op;
2976 }
2977#endif
2978 return (ExprEvalOp) op->opcode;
2979}
2980
2981
2982/*
2983 * Out-of-line helper functions for complex instructions.
2984 */
2985
2986/*
2987 * Evaluate EEOP_FUNCEXPR_FUSAGE
2988 */
2989void
2991 ExprContext *econtext)
2992{
2993 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
2995 Datum d;
2996
2997 pgstat_init_function_usage(fcinfo, &fcusage);
2998
2999 fcinfo->isnull = false;
3000 d = op->d.func.fn_addr(fcinfo);
3001 *op->resvalue = d;
3002 *op->resnull = fcinfo->isnull;
3003
3004 pgstat_end_function_usage(&fcusage, true);
3005}
3006
3007/*
3008 * Evaluate EEOP_FUNCEXPR_STRICT_FUSAGE
3009 */
3010void
3012 ExprContext *econtext)
3013{
3014
3015 FunctionCallInfo fcinfo = op->d.func.fcinfo_data;
3017 NullableDatum *args = fcinfo->args;
3018 int nargs = op->d.func.nargs;
3019 Datum d;
3020
3021 /* strict function, so check for NULL args */
3022 for (int argno = 0; argno < nargs; argno++)
3023 {
3024 if (args[argno].isnull)
3025 {
3026 *op->resnull = true;
3027 return;
3028 }
3029 }
3030
3031 pgstat_init_function_usage(fcinfo, &fcusage);
3032
3033 fcinfo->isnull = false;
3034 d = op->d.func.fn_addr(fcinfo);
3035 *op->resvalue = d;
3036 *op->resnull = fcinfo->isnull;
3037
3038 pgstat_end_function_usage(&fcusage, true);
3039}
3040
3041/*
3042 * Evaluate a PARAM_EXEC parameter.
3043 *
3044 * PARAM_EXEC params (internal executor parameters) are stored in the
3045 * ecxt_param_exec_vals array, and can be accessed by array index.
3046 */
3047void
3049{
3050 ParamExecData *prm;
3051
3052 prm = &(econtext->ecxt_param_exec_vals[op->d.param.paramid]);
3053 if (unlikely(prm->execPlan != NULL))
3054 {
3055 /* Parameter not evaluated yet, so go do it */
3056 ExecSetParamPlan(prm->execPlan, econtext);
3057 /* ExecSetParamPlan should have processed this param... */
3058 Assert(prm->execPlan == NULL);
3059 }
3060 *op->resvalue = prm->value;
3061 *op->resnull = prm->isnull;
3062}
3063
3064/*
3065 * Evaluate a PARAM_EXTERN parameter.
3066 *
3067 * PARAM_EXTERN parameters must be sought in ecxt_param_list_info.
3068 */
3069void
3071{
3072 ParamListInfo paramInfo = econtext->ecxt_param_list_info;
3073 int paramId = op->d.param.paramid;
3074
3075 if (likely(paramInfo &&
3076 paramId > 0 && paramId <= paramInfo->numParams))
3077 {
3078 ParamExternData *prm;
3079 ParamExternData prmdata;
3080
3081 /* give hook a chance in case parameter is dynamic */
3082 if (paramInfo->paramFetch != NULL)
3083 prm = paramInfo->paramFetch(paramInfo, paramId, false, &prmdata);
3084 else
3085 prm = &paramInfo->params[paramId - 1];
3086
3087 if (likely(OidIsValid(prm->ptype)))
3088 {
3089 /* safety check in case hook did something unexpected */
3090 if (unlikely(prm->ptype != op->d.param.paramtype))
3091 ereport(ERROR,
3092 (errcode(ERRCODE_DATATYPE_MISMATCH),
3093 errmsg("type of parameter %d (%s) does not match that when preparing the plan (%s)",
3094 paramId,
3095 format_type_be(prm->ptype),
3096 format_type_be(op->d.param.paramtype))));
3097 *op->resvalue = prm->value;
3098 *op->resnull = prm->isnull;
3099 return;
3100 }
3101 }
3102
3103 ereport(ERROR,
3104 (errcode(ERRCODE_UNDEFINED_OBJECT),
3105 errmsg("no value found for parameter %d", paramId)));
3106}
3107
3108/*
3109 * Set value of a param (currently always PARAM_EXEC) from
3110 * state->res{value,null}.
3111 */
3112void
3114{
3115 ParamExecData *prm;
3116
3117 prm = &(econtext->ecxt_param_exec_vals[op->d.param.paramid]);
3118
3119 /* Shouldn't have a pending evaluation anymore */
3120 Assert(prm->execPlan == NULL);
3121
3122 prm->value = state->resvalue;
3123 prm->isnull = state->resnull;
3124}
3125
3126/*
3127 * Evaluate a CoerceViaIO node in soft-error mode.
3128 *
3129 * The source value is in op's result variable.
3130 *
3131 * Note: This implements EEOP_IOCOERCE_SAFE. If you change anything here,
3132 * also look at the inline code for EEOP_IOCOERCE.
3133 */
3134void
3136{
3137 char *str;
3138
3139 /* call output function (similar to OutputFunctionCall) */
3140 if (*op->resnull)
3141 {
3142 /* output functions are not called on nulls */
3143 str = NULL;
3144 }
3145 else
3146 {
3147 FunctionCallInfo fcinfo_out;
3148
3149 fcinfo_out = op->d.iocoerce.fcinfo_data_out;
3150 fcinfo_out->args[0].value = *op->resvalue;
3151 fcinfo_out->args[0].isnull = false;
3152
3153 fcinfo_out->isnull = false;
3154 str = DatumGetCString(FunctionCallInvoke(fcinfo_out));
3155
3156 /* OutputFunctionCall assumes result isn't null */
3157 Assert(!fcinfo_out->isnull);
3158 }
3159
3160 /* call input function (similar to InputFunctionCallSafe) */
3161 if (!op->d.iocoerce.finfo_in->fn_strict || str != NULL)
3162 {
3163 FunctionCallInfo fcinfo_in;
3164
3165 fcinfo_in = op->d.iocoerce.fcinfo_data_in;
3166 fcinfo_in->args[0].value = PointerGetDatum(str);
3167 fcinfo_in->args[0].isnull = *op->resnull;
3168 /* second and third arguments are already set up */
3169
3170 /* ErrorSaveContext must be present. */
3171 Assert(IsA(fcinfo_in->context, ErrorSaveContext));
3172
3173 fcinfo_in->isnull = false;
3174 *op->resvalue = FunctionCallInvoke(fcinfo_in);
3175
3176 if (SOFT_ERROR_OCCURRED(fcinfo_in->context))
3177 {
3178 *op->resnull = true;
3179 *op->resvalue = (Datum) 0;
3180 return;
3181 }
3182
3183 /* Should get null result if and only if str is NULL */
3184 if (str == NULL)
3185 Assert(*op->resnull);
3186 else
3187 Assert(!*op->resnull);
3188 }
3189}
3190
3191/*
3192 * Evaluate a SQLValueFunction expression.
3193 */
3194void
3196{
3197 LOCAL_FCINFO(fcinfo, 0);
3198 SQLValueFunction *svf = op->d.sqlvaluefunction.svf;
3199
3200 *op->resnull = false;
3201
3202 /*
3203 * Note: current_schema() can return NULL. current_user() etc currently
3204 * cannot, but might as well code those cases the same way for safety.
3205 */
3206 switch (svf->op)
3207 {
3208 case SVFOP_CURRENT_DATE:
3209 *op->resvalue = DateADTGetDatum(GetSQLCurrentDate());
3210 break;
3211 case SVFOP_CURRENT_TIME:
3214 break;
3218 break;
3219 case SVFOP_LOCALTIME:
3220 case SVFOP_LOCALTIME_N:
3222 break;
3226 break;
3227 case SVFOP_CURRENT_ROLE:
3228 case SVFOP_CURRENT_USER:
3229 case SVFOP_USER:
3230 InitFunctionCallInfoData(*fcinfo, NULL, 0, InvalidOid, NULL, NULL);
3231 *op->resvalue = current_user(fcinfo);
3232 *op->resnull = fcinfo->isnull;
3233 break;
3234 case SVFOP_SESSION_USER:
3235 InitFunctionCallInfoData(*fcinfo, NULL, 0, InvalidOid, NULL, NULL);
3236 *op->resvalue = session_user(fcinfo);
3237 *op->resnull = fcinfo->isnull;
3238 break;
3240 InitFunctionCallInfoData(*fcinfo, NULL, 0, InvalidOid, NULL, NULL);
3241 *op->resvalue = current_database(fcinfo);
3242 *op->resnull = fcinfo->isnull;
3243 break;
3245 InitFunctionCallInfoData(*fcinfo, NULL, 0, InvalidOid, NULL, NULL);
3246 *op->resvalue = current_schema(fcinfo);
3247 *op->resnull = fcinfo->isnull;
3248 break;
3249 }
3250}
3251
3252/*
3253 * Raise error if a CURRENT OF expression is evaluated.
3254 *
3255 * The planner should convert CURRENT OF into a TidScan qualification, or some
3256 * other special handling in a ForeignScan node. So we have to be able to do
3257 * ExecInitExpr on a CurrentOfExpr, but we shouldn't ever actually execute it.
3258 * If we get here, we suppose we must be dealing with CURRENT OF on a foreign
3259 * table whose FDW doesn't handle it, and complain accordingly.
3260 */
3261void
3263{
3264 ereport(ERROR,
3265 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
3266 errmsg("WHERE CURRENT OF is not supported for this table type")));
3267}
3268
3269/*
3270 * Evaluate NextValueExpr.
3271 */
3272void
3274{
3275 int64 newval = nextval_internal(op->d.nextvalueexpr.seqid, false);
3276
3277 switch (op->d.nextvalueexpr.seqtypid)
3278 {
3279 case INT2OID:
3280 *op->resvalue = Int16GetDatum((int16) newval);
3281 break;
3282 case INT4OID:
3283 *op->resvalue = Int32GetDatum((int32) newval);
3284 break;
3285 case INT8OID:
3286 *op->resvalue = Int64GetDatum((int64) newval);
3287 break;
3288 default:
3289 elog(ERROR, "unsupported sequence type %u",
3290 op->d.nextvalueexpr.seqtypid);
3291 }
3292 *op->resnull = false;
3293}
3294
3295/*
3296 * Evaluate NullTest / IS NULL for rows.
3297 */
3298void
3300{
3301 ExecEvalRowNullInt(state, op, econtext, true);
3302}
3303
3304/*
3305 * Evaluate NullTest / IS NOT NULL for rows.
3306 */
3307void
3309{
3310 ExecEvalRowNullInt(state, op, econtext, false);
3311}
3312
3313/* Common code for IS [NOT] NULL on a row value */
3314static void
3316 ExprContext *econtext, bool checkisnull)
3317{
3318 Datum value = *op->resvalue;
3319 bool isnull = *op->resnull;
3320 HeapTupleHeader tuple;
3321 Oid tupType;
3322 int32 tupTypmod;
3323 TupleDesc tupDesc;
3324 HeapTupleData tmptup;
3325
3326 *op->resnull = false;
3327
3328 /* NULL row variables are treated just as NULL scalar columns */
3329 if (isnull)
3330 {
3331 *op->resvalue = BoolGetDatum(checkisnull);
3332 return;
3333 }
3334
3335 /*
3336 * The SQL standard defines IS [NOT] NULL for a non-null rowtype argument
3337 * as:
3338 *
3339 * "R IS NULL" is true if every field is the null value.
3340 *
3341 * "R IS NOT NULL" is true if no field is the null value.
3342 *
3343 * This definition is (apparently intentionally) not recursive; so our
3344 * tests on the fields are primitive attisnull tests, not recursive checks
3345 * to see if they are all-nulls or no-nulls rowtypes.
3346 *
3347 * The standard does not consider the possibility of zero-field rows, but
3348 * here we consider them to vacuously satisfy both predicates.
3349 */
3350
3352
3353 tupType = HeapTupleHeaderGetTypeId(tuple);
3354 tupTypmod = HeapTupleHeaderGetTypMod(tuple);
3355
3356 /* Lookup tupdesc if first time through or if type changes */
3357 tupDesc = get_cached_rowtype(tupType, tupTypmod,
3358 &op->d.nulltest_row.rowcache, NULL);
3359
3360 /*
3361 * heap_attisnull needs a HeapTuple not a bare HeapTupleHeader.
3362 */
3363 tmptup.t_len = HeapTupleHeaderGetDatumLength(tuple);
3364 tmptup.t_data = tuple;
3365
3366 for (int att = 1; att <= tupDesc->natts; att++)
3367 {
3368 /* ignore dropped columns */
3369 if (TupleDescCompactAttr(tupDesc, att - 1)->attisdropped)
3370 continue;
3371 if (heap_attisnull(&tmptup, att, tupDesc))
3372 {
3373 /* null field disproves IS NOT NULL */
3374 if (!checkisnull)
3375 {
3376 *op->resvalue = BoolGetDatum(false);
3377 return;
3378 }
3379 }
3380 else
3381 {
3382 /* non-null field disproves IS NULL */
3383 if (checkisnull)
3384 {
3385 *op->resvalue = BoolGetDatum(false);
3386 return;
3387 }
3388 }
3389 }
3390
3391 *op->resvalue = BoolGetDatum(true);
3392}
3393
3394/*
3395 * Evaluate an ARRAY[] expression.
3396 *
3397 * The individual array elements (or subarrays) have already been evaluated
3398 * into op->d.arrayexpr.elemvalues[]/elemnulls[].
3399 */
3400void
3402{
3403 ArrayType *result;
3404 Oid element_type = op->d.arrayexpr.elemtype;
3405 int nelems = op->d.arrayexpr.nelems;
3406 int ndims = 0;
3407 int dims[MAXDIM];
3408 int lbs[MAXDIM];
3409
3410 /* Set non-null as default */
3411 *op->resnull = false;
3412
3413 if (!op->d.arrayexpr.multidims)
3414 {
3415 /* Elements are presumably of scalar type */
3416 Datum *dvalues = op->d.arrayexpr.elemvalues;
3417 bool *dnulls = op->d.arrayexpr.elemnulls;
3418
3419 /* setup for 1-D array of the given length */
3420 ndims = 1;
3421 dims[0] = nelems;
3422 lbs[0] = 1;
3423
3424 result = construct_md_array(dvalues, dnulls, ndims, dims, lbs,
3426 op->d.arrayexpr.elemlength,
3427 op->d.arrayexpr.elembyval,
3428 op->d.arrayexpr.elemalign);
3429 }
3430 else
3431 {
3432 /* Must be nested array expressions */
3433 int nbytes = 0;
3434 int nitems;
3435 int outer_nelems = 0;
3436 int elem_ndims = 0;
3437 int *elem_dims = NULL;
3438 int *elem_lbs = NULL;
3439 bool firstone = true;
3440 bool havenulls = false;
3441 bool haveempty = false;
3442 char **subdata;
3443 bits8 **subbitmaps;
3444 int *subbytes;
3445 int *subnitems;
3446 int32 dataoffset;
3447 char *dat;
3448 int iitem;
3449
3450 subdata = (char **) palloc(nelems * sizeof(char *));
3451 subbitmaps = (bits8 **) palloc(nelems * sizeof(bits8 *));
3452 subbytes = (int *) palloc(nelems * sizeof(int));
3453 subnitems = (int *) palloc(nelems * sizeof(int));
3454
3455 /* loop through and get data area from each element */
3456 for (int elemoff = 0; elemoff < nelems; elemoff++)
3457 {
3458 Datum arraydatum;
3459 bool eisnull;
3460 ArrayType *array;
3461 int this_ndims;
3462
3463 arraydatum = op->d.arrayexpr.elemvalues[elemoff];
3464 eisnull = op->d.arrayexpr.elemnulls[elemoff];
3465
3466 /* temporarily ignore null subarrays */
3467 if (eisnull)
3468 {
3469 haveempty = true;
3470 continue;
3471 }
3472
3473 array = DatumGetArrayTypeP(arraydatum);
3474
3475 /* run-time double-check on element type */
3476 if (element_type != ARR_ELEMTYPE(array))
3477 ereport(ERROR,
3478 (errcode(ERRCODE_DATATYPE_MISMATCH),
3479 errmsg("cannot merge incompatible arrays"),
3480 errdetail("Array with element type %s cannot be "
3481 "included in ARRAY construct with element type %s.",
3484
3485 this_ndims = ARR_NDIM(array);
3486 /* temporarily ignore zero-dimensional subarrays */
3487 if (this_ndims <= 0)
3488 {
3489 haveempty = true;
3490 continue;
3491 }
3492
3493 if (firstone)
3494 {
3495 /* Get sub-array details from first member */
3496 elem_ndims = this_ndims;
3497 ndims = elem_ndims + 1;
3498 if (ndims <= 0 || ndims > MAXDIM)
3499 ereport(ERROR,
3500 (errcode(ERRCODE_PROGRAM_LIMIT_EXCEEDED),
3501 errmsg("number of array dimensions (%d) exceeds the maximum allowed (%d)",
3502 ndims, MAXDIM)));
3503
3504 elem_dims = (int *) palloc(elem_ndims * sizeof(int));
3505 memcpy(elem_dims, ARR_DIMS(array), elem_ndims * sizeof(int));
3506 elem_lbs = (int *) palloc(elem_ndims * sizeof(int));
3507 memcpy(elem_lbs, ARR_LBOUND(array), elem_ndims * sizeof(int));
3508
3509 firstone = false;
3510 }
3511 else
3512 {
3513 /* Check other sub-arrays are compatible */
3514 if (elem_ndims != this_ndims ||
3515 memcmp(elem_dims, ARR_DIMS(array),
3516 elem_ndims * sizeof(int)) != 0 ||
3517 memcmp(elem_lbs, ARR_LBOUND(array),
3518 elem_ndims * sizeof(int)) != 0)
3519 ereport(ERROR,
3520 (errcode(ERRCODE_ARRAY_SUBSCRIPT_ERROR),
3521 errmsg("multidimensional arrays must have array "
3522 "expressions with matching dimensions")));
3523 }
3524
3525 subdata[outer_nelems] = ARR_DATA_PTR(array);
3526 subbitmaps[outer_nelems] = ARR_NULLBITMAP(array);
3527 subbytes[outer_nelems] = ARR_SIZE(array) - ARR_DATA_OFFSET(array);
3528 nbytes += subbytes[outer_nelems];
3529 /* check for overflow of total request */
3530 if (!AllocSizeIsValid(nbytes))
3531 ereport(ERROR,
3532 (errcode(ERRCODE_PROGRAM_LIMIT_EXCEEDED),
3533 errmsg("array size exceeds the maximum allowed (%d)",
3534 (int) MaxAllocSize)));
3535 subnitems[outer_nelems] = ArrayGetNItems(this_ndims,
3536 ARR_DIMS(array));
3537 havenulls |= ARR_HASNULL(array);
3538 outer_nelems++;
3539 }
3540
3541 /*
3542 * If all items were null or empty arrays, return an empty array;
3543 * otherwise, if some were and some weren't, raise error. (Note: we
3544 * must special-case this somehow to avoid trying to generate a 1-D
3545 * array formed from empty arrays. It's not ideal...)
3546 */
3547 if (haveempty)
3548 {
3549 if (ndims == 0) /* didn't find any nonempty array */
3550 {
3552 return;
3553 }
3554 ereport(ERROR,
3555 (errcode(ERRCODE_ARRAY_SUBSCRIPT_ERROR),
3556 errmsg("multidimensional arrays must have array "
3557 "expressions with matching dimensions")));
3558 }
3559
3560 /* setup for multi-D array */
3561 dims[0] = outer_nelems;
3562 lbs[0] = 1;
3563 for (int i = 1; i < ndims; i++)
3564 {
3565 dims[i] = elem_dims[i - 1];
3566 lbs[i] = elem_lbs[i - 1];
3567 }
3568
3569 /* check for subscript overflow */
3570 nitems = ArrayGetNItems(ndims, dims);
3571 ArrayCheckBounds(ndims, dims, lbs);
3572
3573 if (havenulls)
3574 {
3575 dataoffset = ARR_OVERHEAD_WITHNULLS(ndims, nitems);
3576 nbytes += dataoffset;
3577 }
3578 else
3579 {
3580 dataoffset = 0; /* marker for no null bitmap */
3581 nbytes += ARR_OVERHEAD_NONULLS(ndims);
3582 }
3583
3584 result = (ArrayType *) palloc0(nbytes);
3585 SET_VARSIZE(result, nbytes);
3586 result->ndim = ndims;
3587 result->dataoffset = dataoffset;
3588 result->elemtype = element_type;
3589 memcpy(ARR_DIMS(result), dims, ndims * sizeof(int));
3590 memcpy(ARR_LBOUND(result), lbs, ndims * sizeof(int));
3591
3592 dat = ARR_DATA_PTR(result);
3593 iitem = 0;
3594 for (int i = 0; i < outer_nelems; i++)
3595 {
3596 memcpy(dat, subdata[i], subbytes[i]);
3597 dat += subbytes[i];
3598 if (havenulls)
3599 array_bitmap_copy(ARR_NULLBITMAP(result), iitem,
3600 subbitmaps[i], 0,
3601 subnitems[i]);
3602 iitem += subnitems[i];
3603 }
3604 }
3605
3606 *op->resvalue = PointerGetDatum(result);
3607}
3608
3609/*
3610 * Evaluate an ArrayCoerceExpr expression.
3611 *
3612 * Source array is in step's result variable.
3613 */
3614void
3616{
3617 Datum arraydatum;
3618
3619 /* NULL array -> NULL result */
3620 if (*op->resnull)
3621 return;
3622
3623 arraydatum = *op->resvalue;
3624
3625 /*
3626 * If it's binary-compatible, modify the element type in the array header,
3627 * but otherwise leave the array as we received it.
3628 */
3629 if (op->d.arraycoerce.elemexprstate == NULL)
3630 {
3631 /* Detoast input array if necessary, and copy in any case */
3632 ArrayType *array = DatumGetArrayTypePCopy(arraydatum);
3633
3634 ARR_ELEMTYPE(array) = op->d.arraycoerce.resultelemtype;
3635 *op->resvalue = PointerGetDatum(array);
3636 return;
3637 }
3638
3639 /*
3640 * Use array_map to apply the sub-expression to each array element.
3641 */
3642 *op->resvalue = array_map(arraydatum,
3643 op->d.arraycoerce.elemexprstate,
3644 econtext,
3645 op->d.arraycoerce.resultelemtype,
3646 op->d.arraycoerce.amstate);
3647}
3648
3649/*
3650 * Evaluate a ROW() expression.
3651 *
3652 * The individual columns have already been evaluated into
3653 * op->d.row.elemvalues[]/elemnulls[].
3654 */
3655void
3657{
3658 HeapTuple tuple;
3659
3660 /* build tuple from evaluated field values */
3661 tuple = heap_form_tuple(op->d.row.tupdesc,
3662 op->d.row.elemvalues,
3663 op->d.row.elemnulls);
3664
3665 *op->resvalue = HeapTupleGetDatum(tuple);
3666 *op->resnull = false;
3667}
3668
3669/*
3670 * Evaluate GREATEST() or LEAST() expression (note this is *not* MIN()/MAX()).
3671 *
3672 * All of the to-be-compared expressions have already been evaluated into
3673 * op->d.minmax.values[]/nulls[].
3674 */
3675void
3677{
3678 Datum *values = op->d.minmax.values;
3679 bool *nulls = op->d.minmax.nulls;
3680 FunctionCallInfo fcinfo = op->d.minmax.fcinfo_data;
3681 MinMaxOp operator = op->d.minmax.op;
3682
3683 /* set at initialization */
3684 Assert(fcinfo->args[0].isnull == false);
3685 Assert(fcinfo->args[1].isnull == false);
3686
3687 /* default to null result */
3688 *op->resnull = true;
3689
3690 for (int off = 0; off < op->d.minmax.nelems; off++)
3691 {
3692 /* ignore NULL inputs */
3693 if (nulls[off])
3694 continue;
3695
3696 if (*op->resnull)
3697 {
3698 /* first nonnull input, adopt value */
3699 *op->resvalue = values[off];
3700 *op->resnull = false;
3701 }
3702 else
3703 {
3704 int cmpresult;
3705
3706 /* apply comparison function */
3707 fcinfo->args[0].value = *op->resvalue;
3708 fcinfo->args[1].value = values[off];
3709
3710 fcinfo->isnull = false;
3711 cmpresult = DatumGetInt32(FunctionCallInvoke(fcinfo));
3712 if (fcinfo->isnull) /* probably should not happen */
3713 continue;
3714
3715 if (cmpresult > 0 && operator == IS_LEAST)
3716 *op->resvalue = values[off];
3717 else if (cmpresult < 0 && operator == IS_GREATEST)
3718 *op->resvalue = values[off];
3719 }
3720 }
3721}
3722
3723/*
3724 * Evaluate a FieldSelect node.
3725 *
3726 * Source record is in step's result variable.
3727 */
3728void
3730{
3731 AttrNumber fieldnum = op->d.fieldselect.fieldnum;
3732 Datum tupDatum;
3733 HeapTupleHeader tuple;
3734 Oid tupType;
3735 int32 tupTypmod;
3736 TupleDesc tupDesc;
3737 Form_pg_attribute attr;
3738 HeapTupleData tmptup;
3739
3740 /* NULL record -> NULL result */
3741 if (*op->resnull)
3742 return;
3743
3744 tupDatum = *op->resvalue;
3745
3746 /* We can special-case expanded records for speed */
3748 {
3750
3751 Assert(erh->er_magic == ER_MAGIC);
3752
3753 /* Extract record's TupleDesc */
3754 tupDesc = expanded_record_get_tupdesc(erh);
3755
3756 /*
3757 * Find field's attr record. Note we don't support system columns
3758 * here: a datum tuple doesn't have valid values for most of the
3759 * interesting system columns anyway.
3760 */
3761 if (fieldnum <= 0) /* should never happen */
3762 elog(ERROR, "unsupported reference to system column %d in FieldSelect",
3763 fieldnum);
3764 if (fieldnum > tupDesc->natts) /* should never happen */
3765 elog(ERROR, "attribute number %d exceeds number of columns %d",
3766 fieldnum, tupDesc->natts);
3767 attr = TupleDescAttr(tupDesc, fieldnum - 1);
3768
3769 /* Check for dropped column, and force a NULL result if so */
3770 if (attr->attisdropped)
3771 {
3772 *op->resnull = true;
3773 return;
3774 }
3775
3776 /* Check for type mismatch --- possible after ALTER COLUMN TYPE? */
3777 /* As in CheckVarSlotCompatibility, we should but can't check typmod */
3778 if (op->d.fieldselect.resulttype != attr->atttypid)
3779 ereport(ERROR,
3780 (errcode(ERRCODE_DATATYPE_MISMATCH),
3781 errmsg("attribute %d has wrong type", fieldnum),
3782 errdetail("Table has type %s, but query expects %s.",
3783 format_type_be(attr->atttypid),
3784 format_type_be(op->d.fieldselect.resulttype))));
3785
3786 /* extract the field */
3787 *op->resvalue = expanded_record_get_field(erh, fieldnum,
3788 op->resnull);
3789 }
3790 else
3791 {
3792 /* Get the composite datum and extract its type fields */
3793 tuple = DatumGetHeapTupleHeader(tupDatum);
3794
3795 tupType = HeapTupleHeaderGetTypeId(tuple);
3796 tupTypmod = HeapTupleHeaderGetTypMod(tuple);
3797
3798 /* Lookup tupdesc if first time through or if type changes */
3799 tupDesc = get_cached_rowtype(tupType, tupTypmod,
3800 &op->d.fieldselect.rowcache, NULL);
3801
3802 /*
3803 * Find field's attr record. Note we don't support system columns
3804 * here: a datum tuple doesn't have valid values for most of the
3805 * interesting system columns anyway.
3806 */
3807 if (fieldnum <= 0) /* should never happen */
3808 elog(ERROR, "unsupported reference to system column %d in FieldSelect",
3809 fieldnum);
3810 if (fieldnum > tupDesc->natts) /* should never happen */
3811 elog(ERROR, "attribute number %d exceeds number of columns %d",
3812 fieldnum, tupDesc->natts);
3813 attr = TupleDescAttr(tupDesc, fieldnum - 1);
3814
3815 /* Check for dropped column, and force a NULL result if so */
3816 if (attr->attisdropped)
3817 {
3818 *op->resnull = true;
3819 return;
3820 }
3821
3822 /* Check for type mismatch --- possible after ALTER COLUMN TYPE? */
3823 /* As in CheckVarSlotCompatibility, we should but can't check typmod */
3824 if (op->d.fieldselect.resulttype != attr->atttypid)
3825 ereport(ERROR,
3826 (errcode(ERRCODE_DATATYPE_MISMATCH),
3827 errmsg("attribute %d has wrong type", fieldnum),
3828 errdetail("Table has type %s, but query expects %s.",
3829 format_type_be(attr->atttypid),
3830 format_type_be(op->d.fieldselect.resulttype))));
3831
3832 /* heap_getattr needs a HeapTuple not a bare HeapTupleHeader */
3833 tmptup.t_len = HeapTupleHeaderGetDatumLength(tuple);
3834 tmptup.t_data = tuple;
3835
3836 /* extract the field */
3837 *op->resvalue = heap_getattr(&tmptup,
3838 fieldnum,
3839 tupDesc,
3840 op->resnull);
3841 }
3842}
3843
3844/*
3845 * Deform source tuple, filling in the step's values/nulls arrays, before
3846 * evaluating individual new values as part of a FieldStore expression.
3847 * Subsequent steps will overwrite individual elements of the values/nulls
3848 * arrays with the new field values, and then FIELDSTORE_FORM will build the
3849 * new tuple value.
3850 *
3851 * Source record is in step's result variable.
3852 */
3853void
3855{
3856 if (*op->resnull)
3857 {
3858 /* Convert null input tuple into an all-nulls row */
3859 memset(op->d.fieldstore.nulls, true,
3860 op->d.fieldstore.ncolumns * sizeof(bool));
3861 }
3862 else
3863 {
3864 /*
3865 * heap_deform_tuple needs a HeapTuple not a bare HeapTupleHeader. We
3866 * set all the fields in the struct just in case.
3867 */
3868 Datum tupDatum = *op->resvalue;
3869 HeapTupleHeader tuphdr;
3870 HeapTupleData tmptup;
3871 TupleDesc tupDesc;
3872
3873 tuphdr = DatumGetHeapTupleHeader(tupDatum);
3874 tmptup.t_len = HeapTupleHeaderGetDatumLength(tuphdr);
3875 ItemPointerSetInvalid(&(tmptup.t_self));
3876 tmptup.t_tableOid = InvalidOid;
3877 tmptup.t_data = tuphdr;
3878
3879 /*
3880 * Lookup tupdesc if first time through or if type changes. Because
3881 * we don't pin the tupdesc, we must not do this lookup until after
3882 * doing DatumGetHeapTupleHeader: that could do database access while
3883 * detoasting the datum.
3884 */
3885 tupDesc = get_cached_rowtype(op->d.fieldstore.fstore->resulttype, -1,
3886 op->d.fieldstore.rowcache, NULL);
3887
3888 /* Check that current tupdesc doesn't have more fields than allocated */
3889 if (unlikely(tupDesc->natts > op->d.fieldstore.ncolumns))
3890 elog(ERROR, "too many columns in composite type %u",
3891 op->d.fieldstore.fstore->resulttype);
3892
3893 heap_deform_tuple(&tmptup, tupDesc,
3894 op->d.fieldstore.values,
3895 op->d.fieldstore.nulls);
3896 }
3897}
3898
3899/*
3900 * Compute the new composite datum after each individual field value of a
3901 * FieldStore expression has been evaluated.
3902 */
3903void
3905{
3906 TupleDesc tupDesc;
3907 HeapTuple tuple;
3908
3909 /* Lookup tupdesc (should be valid already) */
3910 tupDesc = get_cached_rowtype(op->d.fieldstore.fstore->resulttype, -1,
3911 op->d.fieldstore.rowcache, NULL);
3912
3913 tuple = heap_form_tuple(tupDesc,
3914 op->d.fieldstore.values,
3915 op->d.fieldstore.nulls);
3916
3917 *op->resvalue = HeapTupleGetDatum(tuple);
3918 *op->resnull = false;
3919}
3920
3921/*
3922 * Evaluate a rowtype coercion operation.
3923 * This may require rearranging field positions.
3924 *
3925 * Source record is in step's result variable.
3926 */
3927void
3929{
3930 HeapTuple result;
3931 Datum tupDatum;
3932 HeapTupleHeader tuple;
3933 HeapTupleData tmptup;
3934 TupleDesc indesc,
3935 outdesc;
3936 bool changed = false;
3937
3938 /* NULL in -> NULL out */
3939 if (*op->resnull)
3940 return;
3941
3942 tupDatum = *op->resvalue;
3943 tuple = DatumGetHeapTupleHeader(tupDatum);
3944
3945 /*
3946 * Lookup tupdescs if first time through or if type changes. We'd better
3947 * pin them since type conversion functions could do catalog lookups and
3948 * hence cause cache invalidation.
3949 */
3950 indesc = get_cached_rowtype(op->d.convert_rowtype.inputtype, -1,
3951 op->d.convert_rowtype.incache,
3952 &changed);
3953 IncrTupleDescRefCount(indesc);
3954 outdesc = get_cached_rowtype(op->d.convert_rowtype.outputtype, -1,
3955 op->d.convert_rowtype.outcache,
3956 &changed);
3957 IncrTupleDescRefCount(outdesc);
3958
3959 /*
3960 * We used to be able to assert that incoming tuples are marked with
3961 * exactly the rowtype of indesc. However, now that ExecEvalWholeRowVar
3962 * might change the tuples' marking to plain RECORD due to inserting
3963 * aliases, we can only make this weak test:
3964 */
3965 Assert(HeapTupleHeaderGetTypeId(tuple) == indesc->tdtypeid ||
3966 HeapTupleHeaderGetTypeId(tuple) == RECORDOID);
3967
3968 /* if first time through, or after change, initialize conversion map */
3969 if (changed)
3970 {
3971 MemoryContext old_cxt;
3972
3973 /* allocate map in long-lived memory context */
3974 old_cxt = MemoryContextSwitchTo(econtext->ecxt_per_query_memory);
3975
3976 /* prepare map from old to new attribute numbers */
3977 op->d.convert_rowtype.map = convert_tuples_by_name(indesc, outdesc);
3978
3979 MemoryContextSwitchTo(old_cxt);
3980 }
3981
3982 /* Following steps need a HeapTuple not a bare HeapTupleHeader */
3983 tmptup.t_len = HeapTupleHeaderGetDatumLength(tuple);
3984 tmptup.t_data = tuple;
3985
3986 if (op->d.convert_rowtype.map != NULL)
3987 {
3988 /* Full conversion with attribute rearrangement needed */
3989 result = execute_attr_map_tuple(&tmptup, op->d.convert_rowtype.map);
3990 /* Result already has appropriate composite-datum header fields */
3991 *op->resvalue = HeapTupleGetDatum(result);
3992 }
3993 else
3994 {
3995 /*
3996 * The tuple is physically compatible as-is, but we need to insert the
3997 * destination rowtype OID in its composite-datum header field, so we
3998 * have to copy it anyway. heap_copy_tuple_as_datum() is convenient
3999 * for this since it will both make the physical copy and insert the
4000 * correct composite header fields. Note that we aren't expecting to
4001 * have to flatten any toasted fields: the input was a composite
4002 * datum, so it shouldn't contain any. So heap_copy_tuple_as_datum()
4003 * is overkill here, but its check for external fields is cheap.
4004 */
4005 *op->resvalue = heap_copy_tuple_as_datum(&tmptup, outdesc);
4006 }
4007
4008 DecrTupleDescRefCount(indesc);
4009 DecrTupleDescRefCount(outdesc);
4010}
4011
4012/*
4013 * Evaluate "scalar op ANY/ALL (array)".
4014 *
4015 * Source array is in our result area, scalar arg is already evaluated into
4016 * fcinfo->args[0].
4017 *
4018 * The operator always yields boolean, and we combine the results across all
4019 * array elements using OR and AND (for ANY and ALL respectively). Of course
4020 * we short-circuit as soon as the result is known.
4021 */
4022void
4024{
4025 FunctionCallInfo fcinfo = op->d.scalararrayop.fcinfo_data;
4026 bool useOr = op->d.scalararrayop.useOr;
4027 bool strictfunc = op->d.scalararrayop.finfo->fn_strict;
4028 ArrayType *arr;
4029 int nitems;
4030 Datum result;
4031 bool resultnull;
4032 int16 typlen;
4033 bool typbyval;
4034 char typalign;
4035 char *s;
4036 bits8 *bitmap;
4037 int bitmask;
4038
4039 /*
4040 * If the array is NULL then we return NULL --- it's not very meaningful
4041 * to do anything else, even if the operator isn't strict.
4042 */
4043 if (*op->resnull)
4044 return;
4045
4046 /* Else okay to fetch and detoast the array */
4047 arr = DatumGetArrayTypeP(*op->resvalue);
4048
4049 /*
4050 * If the array is empty, we return either FALSE or TRUE per the useOr
4051 * flag. This is correct even if the scalar is NULL; since we would
4052 * evaluate the operator zero times, it matters not whether it would want
4053 * to return NULL.
4054 */
4055 nitems = ArrayGetNItems(ARR_NDIM(arr), ARR_DIMS(arr));
4056 if (nitems <= 0)
4057 {
4058 *op->resvalue = BoolGetDatum(!useOr);
4059 *op->resnull = false;
4060 return;
4061 }
4062
4063 /*
4064 * If the scalar is NULL, and the function is strict, return NULL; no
4065 * point in iterating the loop.
4066 */
4067 if (fcinfo->args[0].isnull && strictfunc)
4068 {
4069 *op->resnull = true;
4070 return;
4071 }
4072
4073 /*
4074 * We arrange to look up info about the element type only once per series
4075 * of calls, assuming the element type doesn't change underneath us.
4076 */
4077 if (op->d.scalararrayop.element_type != ARR_ELEMTYPE(arr))
4078 {
4080 &op->d.scalararrayop.typlen,
4081 &op->d.scalararrayop.typbyval,
4082 &op->d.scalararrayop.typalign);
4083 op->d.scalararrayop.element_type = ARR_ELEMTYPE(arr);
4084 }
4085
4086 typlen = op->d.scalararrayop.typlen;
4087 typbyval = op->d.scalararrayop.typbyval;
4088 typalign = op->d.scalararrayop.typalign;
4089
4090 /* Initialize result appropriately depending on useOr */
4091 result = BoolGetDatum(!useOr);
4092 resultnull = false;
4093
4094 /* Loop over the array elements */
4095 s = (char *) ARR_DATA_PTR(arr);
4096 bitmap = ARR_NULLBITMAP(arr);
4097 bitmask = 1;
4098
4099 for (int i = 0; i < nitems; i++)
4100 {
4101 Datum elt;
4102 Datum thisresult;
4103
4104 /* Get array element, checking for NULL */
4105 if (bitmap && (*bitmap & bitmask) == 0)
4106 {
4107 fcinfo->args[1].value = (Datum) 0;
4108 fcinfo->args[1].isnull = true;
4109 }
4110 else
4111 {
4112 elt = fetch_att(s, typbyval, typlen);
4113 s = att_addlength_pointer(s, typlen, s);
4114 s = (char *) att_align_nominal(s, typalign);
4115 fcinfo->args[1].value = elt;
4116 fcinfo->args[1].isnull = false;
4117 }
4118
4119 /* Call comparison function */
4120 if (fcinfo->args[1].isnull && strictfunc)
4121 {
4122 fcinfo->isnull = true;
4123 thisresult = (Datum) 0;
4124 }
4125 else
4126 {
4127 fcinfo->isnull = false;
4128 thisresult = op->d.scalararrayop.fn_addr(fcinfo);
4129 }
4130
4131 /* Combine results per OR or AND semantics */
4132 if (fcinfo->isnull)
4133 resultnull = true;
4134 else if (useOr)
4135 {
4136 if (DatumGetBool(thisresult))
4137 {
4138 result = BoolGetDatum(true);
4139 resultnull = false;
4140 break; /* needn't look at any more elements */
4141 }
4142 }
4143 else
4144 {
4145 if (!DatumGetBool(thisresult))
4146 {
4147 result = BoolGetDatum(false);
4148 resultnull = false;
4149 break; /* needn't look at any more elements */
4150 }
4151 }
4152
4153 /* advance bitmap pointer if any */
4154 if (bitmap)
4155 {
4156 bitmask <<= 1;
4157 if (bitmask == 0x100)
4158 {
4159 bitmap++;
4160 bitmask = 1;
4161 }
4162 }
4163 }
4164
4165 *op->resvalue = result;
4166 *op->resnull = resultnull;
4167}
4168
4169/*
4170 * Hash function for scalar array hash op elements.
4171 *
4172 * We use the element type's default hash opclass, and the column collation
4173 * if the type is collation-sensitive.
4174 */
4175static uint32
4176saop_element_hash(struct saophash_hash *tb, Datum key)
4177{
4180 Datum hash;
4181
4182 fcinfo->args[0].value = key;
4183 fcinfo->args[0].isnull = false;
4184
4186
4187 return DatumGetUInt32(hash);
4188}
4189
4190/*
4191 * Matching function for scalar array hash op elements, to be used in hashtable
4192 * lookups.
4193 */
4194static bool
4195saop_hash_element_match(struct saophash_hash *tb, Datum key1, Datum key2)
4196{
4197 Datum result;
4198
4201
4202 fcinfo->args[0].value = key1;
4203 fcinfo->args[0].isnull = false;
4204 fcinfo->args[1].value = key2;
4205 fcinfo->args[1].isnull = false;
4206
4207 result = elements_tab->op->d.hashedscalararrayop.finfo->fn_addr(fcinfo);
4208
4209 return DatumGetBool(result);
4210}
4211
4212/*
4213 * Evaluate "scalar op ANY (const array)".
4214 *
4215 * Similar to ExecEvalScalarArrayOp, but optimized for faster repeat lookups
4216 * by building a hashtable on the first lookup. This hashtable will be reused
4217 * by subsequent lookups. Unlike ExecEvalScalarArrayOp, this version only
4218 * supports OR semantics.
4219 *
4220 * Source array is in our result area, scalar arg is already evaluated into
4221 * fcinfo->args[0].
4222 *
4223 * The operator always yields boolean.
4224 */
4225void
4227{
4228 ScalarArrayOpExprHashTable *elements_tab = op->d.hashedscalararrayop.elements_tab;
4229 FunctionCallInfo fcinfo = op->d.hashedscalararrayop.fcinfo_data;
4230 bool inclause = op->d.hashedscalararrayop.inclause;
4231 bool strictfunc = op->d.hashedscalararrayop.finfo->fn_strict;
4232 Datum scalar = fcinfo->args[0].value;
4233 bool scalar_isnull = fcinfo->args[0].isnull;
4234 Datum result;
4235 bool resultnull;
4236 bool hashfound;
4237
4238 /* We don't setup a hashed scalar array op if the array const is null. */
4239 Assert(!*op->resnull);
4240
4241 /*
4242 * If the scalar is NULL, and the function is strict, return NULL; no
4243 * point in executing the search.
4244 */
4245 if (fcinfo->args[0].isnull && strictfunc)
4246 {
4247 *op->resnull = true;
4248 return;
4249 }
4250
4251 /* Build the hash table on first evaluation */
4252 if (elements_tab == NULL)
4253 {
4255 int16 typlen;
4256 bool typbyval;
4257 char typalign;
4258 int nitems;
4259 bool has_nulls = false;
4260 char *s;
4261 bits8 *bitmap;
4262 int bitmask;
4263 MemoryContext oldcontext;
4264 ArrayType *arr;
4265
4266 saop = op->d.hashedscalararrayop.saop;
4267
4268 arr = DatumGetArrayTypeP(*op->resvalue);
4269 nitems = ArrayGetNItems(ARR_NDIM(arr), ARR_DIMS(arr));
4270
4272 &typlen,
4273 &typbyval,
4274 &typalign);
4275
4276 oldcontext = MemoryContextSwitchTo(econtext->ecxt_per_query_memory);
4277
4279 palloc0(offsetof(ScalarArrayOpExprHashTable, hash_fcinfo_data) +
4281 op->d.hashedscalararrayop.elements_tab = elements_tab;
4282 elements_tab->op = op;
4283
4284 fmgr_info(saop->hashfuncid, &elements_tab->hash_finfo);
4286
4289 1,
4290 saop->inputcollid,
4291 NULL,
4292 NULL);
4293
4294 /*
4295 * Create the hash table sizing it according to the number of elements
4296 * in the array. This does assume that the array has no duplicates.
4297 * If the array happens to contain many duplicate values then it'll
4298 * just mean that we sized the table a bit on the large side.
4299 */
4300 elements_tab->hashtab = saophash_create(CurrentMemoryContext, nitems,
4301 elements_tab);
4302
4303 MemoryContextSwitchTo(oldcontext);
4304
4305 s = (char *) ARR_DATA_PTR(arr);
4306 bitmap = ARR_NULLBITMAP(arr);
4307 bitmask = 1;
4308 for (int i = 0; i < nitems; i++)
4309 {
4310 /* Get array element, checking for NULL. */
4311 if (bitmap && (*bitmap & bitmask) == 0)
4312 {
4313 has_nulls = true;
4314 }
4315 else
4316 {
4317 Datum element;
4318
4320 s = att_addlength_pointer(s, typlen, s);
4321 s = (char *) att_align_nominal(s, typalign);
4322
4323 saophash_insert(elements_tab->hashtab, element, &hashfound);
4324 }
4325
4326 /* Advance bitmap pointer if any. */
4327 if (bitmap)
4328 {
4329 bitmask <<= 1;
4330 if (bitmask == 0x100)
4331 {
4332 bitmap++;
4333 bitmask = 1;
4334 }
4335 }
4336 }
4337
4338 /*
4339 * Remember if we had any nulls so that we know if we need to execute
4340 * non-strict functions with a null lhs value if no match is found.
4341 */
4342 op->d.hashedscalararrayop.has_nulls = has_nulls;
4343 }
4344
4345 /* Check the hash to see if we have a match. */
4346 hashfound = NULL != saophash_lookup(elements_tab->hashtab, scalar);
4347
4348 /* the result depends on if the clause is an IN or NOT IN clause */
4349 if (inclause)
4350 result = BoolGetDatum(hashfound); /* IN */
4351 else
4352 result = BoolGetDatum(!hashfound); /* NOT IN */
4353
4354 resultnull = false;
4355
4356 /*
4357 * If we didn't find a match in the array, we still might need to handle
4358 * the possibility of null values. We didn't put any NULLs into the
4359 * hashtable, but instead marked if we found any when building the table
4360 * in has_nulls.
4361 */
4362 if (!hashfound && op->d.hashedscalararrayop.has_nulls)
4363 {
4364 if (strictfunc)
4365 {
4366
4367 /*
4368 * We have nulls in the array so a non-null lhs and no match must
4369 * yield NULL.
4370 */
4371 result = (Datum) 0;
4372 resultnull = true;
4373 }
4374 else
4375 {
4376 /*
4377 * Execute function will null rhs just once.
4378 *
4379 * The hash lookup path will have scribbled on the lhs argument so
4380 * we need to set it up also (even though we entered this function
4381 * with it already set).
4382 */
4383 fcinfo->args[0].value = scalar;
4384 fcinfo->args[0].isnull = scalar_isnull;
4385 fcinfo->args[1].value = (Datum) 0;
4386 fcinfo->args[1].isnull = true;
4387
4388 result = op->d.hashedscalararrayop.finfo->fn_addr(fcinfo);
4389 resultnull = fcinfo->isnull;
4390
4391 /*
4392 * Reverse the result for NOT IN clauses since the above function
4393 * is the equality function and we need not-equals.
4394 */
4395 if (!inclause)
4396 result = !result;
4397 }
4398 }
4399
4400 *op->resvalue = result;
4401 *op->resnull = resultnull;
4402}
4403
4404/*
4405 * Evaluate a NOT NULL domain constraint.
4406 */
4407void
4409{
4410 if (*op->resnull)
4411 errsave((Node *) op->d.domaincheck.escontext,
4412 (errcode(ERRCODE_NOT_NULL_VIOLATION),
4413 errmsg("domain %s does not allow null values",
4414 format_type_be(op->d.domaincheck.resulttype)),
4415 errdatatype(op->d.domaincheck.resulttype)));
4416}
4417
4418/*
4419 * Evaluate a CHECK domain constraint.
4420 */
4421void
4423{
4424 if (!*op->d.domaincheck.checknull &&
4425 !DatumGetBool(*op->d.domaincheck.checkvalue))
4426 errsave((Node *) op->d.domaincheck.escontext,
4427 (errcode(ERRCODE_CHECK_VIOLATION),
4428 errmsg("value for domain %s violates check constraint \"%s\"",
4429 format_type_be(op->d.domaincheck.resulttype),
4430 op->d.domaincheck.constraintname),
4431 errdomainconstraint(op->d.domaincheck.resulttype,
4432 op->d.domaincheck.constraintname)));
4433}
4434
4435/*
4436 * Evaluate the various forms of XmlExpr.
4437 *
4438 * Arguments have been evaluated into named_argvalue/named_argnull
4439 * and/or argvalue/argnull arrays.
4440 */
4441void
4443{
4444 XmlExpr *xexpr = op->d.xmlexpr.xexpr;
4445 Datum value;
4446
4447 *op->resnull = true; /* until we get a result */
4448 *op->resvalue = (Datum) 0;
4449
4450 switch (xexpr->op)
4451 {
4452 case IS_XMLCONCAT:
4453 {
4454 Datum *argvalue = op->d.xmlexpr.argvalue;
4455 bool *argnull = op->d.xmlexpr.argnull;
4456 List *values = NIL;
4457
4458 for (int i = 0; i < list_length(xexpr->args); i++)
4459 {
4460 if (!argnull[i])
4462 }
4463
4464 if (values != NIL)
4465 {
4466 *op->resvalue = PointerGetDatum(xmlconcat(values));
4467 *op->resnull = false;
4468 }
4469 }
4470 break;
4471
4472 case IS_XMLFOREST:
4473 {
4474 Datum *argvalue = op->d.xmlexpr.named_argvalue;
4475 bool *argnull = op->d.xmlexpr.named_argnull;
4477 ListCell *lc;
4478 ListCell *lc2;
4479 int i;
4480
4482
4483 i = 0;
4484 forboth(lc, xexpr->named_args, lc2, xexpr->arg_names)
4485 {
4486 Expr *e = (Expr *) lfirst(lc);
4487 char *argname = strVal(lfirst(lc2));
4488
4489 if (!argnull[i])
4490 {
4491 value = argvalue[i];
4492 appendStringInfo(&buf, "<%s>%s</%s>",
4493 argname,
4495 exprType((Node *) e), true),
4496 argname);
4497 *op->resnull = false;
4498 }
4499 i++;
4500 }
4501
4502 if (!*op->resnull)
4503 {
4504 text *result;
4505
4506 result = cstring_to_text_with_len(buf.data, buf.len);
4507 *op->resvalue = PointerGetDatum(result);
4508 }
4509
4510 pfree(buf.data);
4511 }
4512 break;
4513
4514 case IS_XMLELEMENT:
4515 *op->resvalue = PointerGetDatum(xmlelement(xexpr,
4516 op->d.xmlexpr.named_argvalue,
4517 op->d.xmlexpr.named_argnull,
4518 op->d.xmlexpr.argvalue,
4519 op->d.xmlexpr.argnull));
4520 *op->resnull = false;
4521 break;
4522
4523 case IS_XMLPARSE:
4524 {
4525 Datum *argvalue = op->d.xmlexpr.argvalue;
4526 bool *argnull = op->d.xmlexpr.argnull;
4527 text *data;
4528 bool preserve_whitespace;
4529
4530 /* arguments are known to be text, bool */
4531 Assert(list_length(xexpr->args) == 2);
4532
4533 if (argnull[0])
4534 return;
4535 value = argvalue[0];
4537
4538 if (argnull[1]) /* probably can't happen */
4539 return;
4540 value = argvalue[1];
4541 preserve_whitespace = DatumGetBool(value);
4542
4543 *op->resvalue = PointerGetDatum(xmlparse(data,
4544 xexpr->xmloption,
4545 preserve_whitespace));
4546 *op->resnull = false;
4547 }
4548 break;
4549
4550 case IS_XMLPI:
4551 {
4552 text *arg;
4553 bool isnull;
4554
4555 /* optional argument is known to be text */
4556 Assert(list_length(xexpr->args) <= 1);
4557
4558 if (xexpr->args)
4559 {
4560 isnull = op->d.xmlexpr.argnull[0];
4561 if (isnull)
4562 arg = NULL;
4563 else
4564 arg = DatumGetTextPP(op->d.xmlexpr.argvalue[0]);
4565 }
4566 else
4567 {
4568 arg = NULL;
4569 isnull = false;
4570 }
4571
4572 *op->resvalue = PointerGetDatum(xmlpi(xexpr->name,
4573 arg,
4574 isnull,
4575 op->resnull));
4576 }
4577 break;
4578
4579 case IS_XMLROOT:
4580 {
4581 Datum *argvalue = op->d.xmlexpr.argvalue;
4582 bool *argnull = op->d.xmlexpr.argnull;
4583 xmltype *data;
4584 text *version;
4585 int standalone;
4586
4587 /* arguments are known to be xml, text, int */
4588 Assert(list_length(xexpr->args) == 3);
4589
4590 if (argnull[0])
4591 return;
4593
4594 if (argnull[1])
4595 version = NULL;
4596 else
4597 version = DatumGetTextPP(argvalue[1]);
4598
4599 Assert(!argnull[2]); /* always present */
4600 standalone = DatumGetInt32(argvalue[2]);
4601
4602 *op->resvalue = PointerGetDatum(xmlroot(data,
4603 version,
4604 standalone));
4605 *op->resnull = false;
4606 }
4607 break;
4608
4609 case IS_XMLSERIALIZE:
4610 {
4611 Datum *argvalue = op->d.xmlexpr.argvalue;
4612 bool *argnull = op->d.xmlexpr.argnull;
4613
4614 /* argument type is known to be xml */
4615 Assert(list_length(xexpr->args) == 1);
4616
4617 if (argnull[0])
4618 return;
4619 value = argvalue[0];
4620
4621 *op->resvalue =
4623 xexpr->xmloption,
4624 xexpr->indent));
4625 *op->resnull = false;
4626 }
4627 break;
4628
4629 case IS_DOCUMENT:
4630 {
4631 Datum *argvalue = op->d.xmlexpr.argvalue;
4632 bool *argnull = op->d.xmlexpr.argnull;
4633
4634 /* optional argument is known to be xml */
4635 Assert(list_length(xexpr->args) == 1);
4636
4637 if (argnull[0])
4638 return;
4639 value = argvalue[0];
4640
4641 *op->resvalue =
4643 *op->resnull = false;
4644 }
4645 break;
4646
4647 default:
4648 elog(ERROR, "unrecognized XML operation");
4649 break;
4650 }
4651}
4652
4653/*
4654 * Evaluate a JSON constructor expression.
4655 */
4656void
4658 ExprContext *econtext)
4659{
4660 Datum res;
4661 JsonConstructorExprState *jcstate = op->d.json_constructor.jcstate;
4663 bool is_jsonb = ctor->returning->format->format_type == JS_FORMAT_JSONB;
4664 bool isnull = false;
4665
4666 if (ctor->type == JSCTOR_JSON_ARRAY)
4667 res = (is_jsonb ?
4674 else if (ctor->type == JSCTOR_JSON_OBJECT)
4675 res = (is_jsonb ?
4683 else if (ctor->type == JSCTOR_JSON_SCALAR)
4684 {
4685 if (jcstate->arg_nulls[0])
4686 {
4687 res = (Datum) 0;
4688 isnull = true;
4689 }
4690 else
4691 {
4693 Oid outfuncid = jcstate->arg_type_cache[0].outfuncid;
4696
4697 if (is_jsonb)
4698 res = datum_to_jsonb(value, category, outfuncid);
4699 else
4700 res = datum_to_json(value, category, outfuncid);
4701 }
4702 }
4703 else if (ctor->type == JSCTOR_JSON_PARSE)
4704 {
4705 if (jcstate->arg_nulls[0])
4706 {
4707 res = (Datum) 0;
4708 isnull = true;
4709 }
4710 else
4711 {
4713 text *js = DatumGetTextP(value);
4714
4715 if (is_jsonb)
4716 res = jsonb_from_text(js, true);
4717 else
4718 {
4719 (void) json_validate(js, true, true);
4720 res = value;
4721 }
4722 }
4723 }
4724 else
4725 elog(ERROR, "invalid JsonConstructorExpr type %d", ctor->type);
4726
4727 *op->resvalue = res;
4728 *op->resnull = isnull;
4729}
4730
4731/*
4732 * Evaluate a IS JSON predicate.
4733 */
4734void
4736{
4737 JsonIsPredicate *pred = op->d.is_json.pred;
4738 Datum js = *op->resvalue;
4739 Oid exprtype;
4740 bool res;
4741
4742 if (*op->resnull)
4743 {
4744 *op->resvalue = BoolGetDatum(false);
4745 return;
4746 }
4747
4748 exprtype = exprType(pred->expr);
4749
4750 if (exprtype == TEXTOID || exprtype == JSONOID)
4751 {
4752 text *json = DatumGetTextP(js);
4753
4754 if (pred->item_type == JS_TYPE_ANY)
4755 res = true;
4756 else
4757 {
4758 switch (json_get_first_token(json, false))
4759 {
4761 res = pred->item_type == JS_TYPE_OBJECT;
4762 break;
4764 res = pred->item_type == JS_TYPE_ARRAY;
4765 break;
4766 case JSON_TOKEN_STRING:
4767 case JSON_TOKEN_NUMBER:
4768 case JSON_TOKEN_TRUE:
4769 case JSON_TOKEN_FALSE:
4770 case JSON_TOKEN_NULL:
4771 res = pred->item_type == JS_TYPE_SCALAR;
4772 break;
4773 default:
4774 res = false;
4775 break;
4776 }
4777 }
4778
4779 /*
4780 * Do full parsing pass only for uniqueness check or for JSON text
4781 * validation.
4782 */
4783 if (res && (pred->unique_keys || exprtype == TEXTOID))
4784 res = json_validate(json, pred->unique_keys, false);
4785 }
4786 else if (exprtype == JSONBOID)
4787 {
4788 if (pred->item_type == JS_TYPE_ANY)
4789 res = true;
4790 else
4791 {
4792 Jsonb *jb = DatumGetJsonbP(js);
4793
4794 switch (pred->item_type)
4795 {
4796 case JS_TYPE_OBJECT:
4797 res = JB_ROOT_IS_OBJECT(jb);
4798 break;
4799 case JS_TYPE_ARRAY:
4800 res = JB_ROOT_IS_ARRAY(jb) && !JB_ROOT_IS_SCALAR(jb);
4801 break;
4802 case JS_TYPE_SCALAR:
4803 res = JB_ROOT_IS_ARRAY(jb) && JB_ROOT_IS_SCALAR(jb);
4804 break;
4805 default:
4806 res = false;
4807 break;
4808 }
4809 }
4810
4811 /* Key uniqueness check is redundant for jsonb */
4812 }
4813 else
4814 res = false;
4815
4816 *op->resvalue = BoolGetDatum(res);
4817}
4818
4819/*
4820 * Evaluate a jsonpath against a document, both of which must have been
4821 * evaluated and their values saved in op->d.jsonexpr.jsestate.
4822 *
4823 * If an error occurs during JsonPath* evaluation or when coercing its result
4824 * to the RETURNING type, JsonExprState.error is set to true, provided the
4825 * ON ERROR behavior is not ERROR. Similarly, if JsonPath{Query|Value}() found
4826 * no matching items, JsonExprState.empty is set to true, provided the ON EMPTY
4827 * behavior is not ERROR. That is to signal to the subsequent steps that check
4828 * those flags to return the ON ERROR / ON EMPTY expression.
4829 *
4830 * Return value is the step address to be performed next. It will be one of
4831 * jump_error, jump_empty, jump_eval_coercion, or jump_end, all given in
4832 * op->d.jsonexpr.jsestate.
4833 */
4834int
4836 ExprContext *econtext)
4837{
4838 JsonExprState *jsestate = op->d.jsonexpr.jsestate;
4839 JsonExpr *jsexpr = jsestate->jsexpr;
4840 Datum item;
4841 JsonPath *path;
4842 bool throw_error = jsexpr->on_error->btype == JSON_BEHAVIOR_ERROR;
4843 bool error = false,
4844 empty = false;
4845 int jump_eval_coercion = jsestate->jump_eval_coercion;
4846 char *val_string = NULL;
4847
4850
4851 /* Set error/empty to false. */
4852 memset(&jsestate->error, 0, sizeof(NullableDatum));
4853 memset(&jsestate->empty, 0, sizeof(NullableDatum));
4854
4855 /* Also reset ErrorSaveContext contents for the next row. */
4857 {
4860 }
4862
4863 switch (jsexpr->op)
4864 {
4865 case JSON_EXISTS_OP:
4866 {
4867 bool exists = JsonPathExists(item, path,
4868 !throw_error ? &error : NULL,
4869 jsestate->args);
4870
4871 if (!error)
4872 {
4873 *op->resnull = false;
4874 *op->resvalue = BoolGetDatum(exists);
4875 }
4876 }
4877 break;
4878
4879 case JSON_QUERY_OP:
4880 *op->resvalue = JsonPathQuery(item, path, jsexpr->wrapper, &empty,
4881 !throw_error ? &error : NULL,
4882 jsestate->args,
4883 jsexpr->column_name);
4884
4885 *op->resnull = (DatumGetPointer(*op->resvalue) == NULL);
4886 break;
4887
4888 case JSON_VALUE_OP:
4889 {
4890 JsonbValue *jbv = JsonPathValue(item, path, &empty,
4891 !throw_error ? &error : NULL,
4892 jsestate->args,
4893 jsexpr->column_name);
4894
4895 if (jbv == NULL)
4896 {
4897 /* Will be coerced with json_populate_type(), if needed. */
4898 *op->resvalue = (Datum) 0;
4899 *op->resnull = true;
4900 }
4901 else if (!error && !empty)
4902 {
4903 if (jsexpr->returning->typid == JSONOID ||
4904 jsexpr->returning->typid == JSONBOID)
4905 {
4908 }
4909 else if (jsexpr->use_json_coercion)
4910 {
4911 *op->resvalue = JsonbPGetDatum(JsonbValueToJsonb(jbv));
4912 *op->resnull = false;
4913 }
4914 else
4915 {
4916 val_string = ExecGetJsonValueItemString(jbv, op->resnull);
4917
4918 /*
4919 * Simply convert to the default RETURNING type (text)
4920 * if no coercion needed.
4921 */
4922 if (!jsexpr->use_io_coercion)
4923 *op->resvalue = DirectFunctionCall1(textin,
4925 }
4926 }
4927 break;
4928 }
4929
4930 /* JSON_TABLE_OP can't happen here */
4931
4932 default:
4933 elog(ERROR, "unrecognized SQL/JSON expression op %d",
4934 (int) jsexpr->op);
4935 return false;
4936 }
4937
4938 /*
4939 * Coerce the result value to the RETURNING type by calling its input
4940 * function.
4941 */
4942 if (!*op->resnull && jsexpr->use_io_coercion)
4943 {
4944 FunctionCallInfo fcinfo;
4945
4946 Assert(jump_eval_coercion == -1);
4947 fcinfo = jsestate->input_fcinfo;
4948 Assert(fcinfo != NULL);
4949 Assert(val_string != NULL);
4950 fcinfo->args[0].value = PointerGetDatum(val_string);
4951 fcinfo->args[0].isnull = *op->resnull;
4952
4953 /*
4954 * Second and third arguments are already set up in
4955 * ExecInitJsonExpr().
4956 */
4957
4958 fcinfo->isnull = false;
4959 *op->resvalue = FunctionCallInvoke(fcinfo);
4961 error = true;
4962 }
4963
4964 /*
4965 * When setting up the ErrorSaveContext (if needed) for capturing the
4966 * errors that occur when coercing the JsonBehavior expression, set
4967 * details_wanted to be able to show the actual error message as the
4968 * DETAIL of the error message that tells that it is the JsonBehavior
4969 * expression that caused the error; see ExecEvalJsonCoercionFinish().
4970 */
4971
4972 /* Handle ON EMPTY. */
4973 if (empty)
4974 {
4975 *op->resvalue = (Datum) 0;
4976 *op->resnull = true;
4977 if (jsexpr->on_empty)
4978 {
4979 if (jsexpr->on_empty->btype != JSON_BEHAVIOR_ERROR)
4980 {
4982 /* Set up to catch coercion errors of the ON EMPTY value. */
4985 /* Jump to end if the ON EMPTY behavior is to return NULL */
4987 }
4988 }
4989 else if (jsexpr->on_error->btype != JSON_BEHAVIOR_ERROR)
4990 {
4992 /* Set up to catch coercion errors of the ON ERROR value. */
4995 Assert(!throw_error);
4996 /* Jump to end if the ON ERROR behavior is to return NULL */
4998 }
4999
5000 if (jsexpr->column_name)
5001 ereport(ERROR,
5002 errcode(ERRCODE_NO_SQL_JSON_ITEM),
5003 errmsg("no SQL/JSON item found for specified path of column \"%s\"",
5004 jsexpr->column_name));
5005 else
5006 ereport(ERROR,
5007 errcode(ERRCODE_NO_SQL_JSON_ITEM),
5008 errmsg("no SQL/JSON item found for specified path"));
5009 }
5010
5011 /*
5012 * ON ERROR. Wouldn't get here if the behavior is ERROR, because they
5013 * would have already been thrown.
5014 */
5015 if (error)
5016 {
5017 Assert(!throw_error);
5018 *op->resvalue = (Datum) 0;
5019 *op->resnull = true;
5021 /* Set up to catch coercion errors of the ON ERROR value. */
5024 /* Jump to end if the ON ERROR behavior is to return NULL */
5026 }
5027
5028 return jump_eval_coercion >= 0 ? jump_eval_coercion : jsestate->jump_end;
5029}
5030
5031/*
5032 * Convert the given JsonbValue to its C string representation
5033 *
5034 * *resnull is set if the JsonbValue is a jbvNull.
5035 */
5036static char *
5038{
5039 *resnull = false;
5040
5041 /* get coercion state reference and datum of the corresponding SQL type */
5042 switch (item->type)
5043 {
5044 case jbvNull:
5045 *resnull = true;
5046 return NULL;
5047
5048 case jbvString:
5049 {
5050 char *str = palloc(item->val.string.len + 1);
5051
5052 memcpy(str, item->val.string.val, item->val.string.len);
5053 str[item->val.string.len] = '\0';
5054 return str;
5055 }
5056
5057 case jbvNumeric:
5059 NumericGetDatum(item->val.numeric)));
5060
5061 case jbvBool:
5063 BoolGetDatum(item->val.boolean)));
5064
5065 case jbvDatetime:
5066 switch (item->val.datetime.typid)
5067 {
5068 case DATEOID:
5070 item->val.datetime.value));
5071 case TIMEOID:
5073 item->val.datetime.value));
5074 case TIMETZOID:
5076 item->val.datetime.value));
5077 case TIMESTAMPOID:
5079 item->val.datetime.value));
5080 case TIMESTAMPTZOID:
5082 item->val.datetime.value));
5083 default:
5084 elog(ERROR, "unexpected jsonb datetime type oid %u",
5085 item->val.datetime.typid);
5086 }
5087 break;
5088
5089 case jbvArray:
5090 case jbvObject:
5091 case jbvBinary:
5094
5095 default:
5096 elog(ERROR, "unexpected jsonb value type %d", item->type);
5097 }
5098
5099 Assert(false);
5100 *resnull = true;
5101 return NULL;
5102}
5103
5104/*
5105 * Coerce a jsonb value produced by ExecEvalJsonExprPath() or an ON ERROR /
5106 * ON EMPTY behavior expression to the target type.
5107 *
5108 * Any soft errors that occur here will be checked by
5109 * EEOP_JSONEXPR_COERCION_FINISH that will run after this.
5110 */
5111void
5113 ExprContext *econtext)
5114{
5115 ErrorSaveContext *escontext = op->d.jsonexpr_coercion.escontext;
5116
5117 /*
5118 * Prepare to call json_populate_type() to coerce the boolean result of
5119 * JSON_EXISTS_OP to the target type. If the target type is integer or a
5120 * domain over integer, call the boolean-to-integer cast function instead,
5121 * because the integer's input function (which is what
5122 * json_populate_type() calls to coerce to scalar target types) doesn't
5123 * accept boolean literals as valid input. We only have a special case
5124 * for integer and domains thereof as it seems common to use those types
5125 * for EXISTS columns in JSON_TABLE().
5126 */
5127 if (op->d.jsonexpr_coercion.exists_coerce)
5128 {
5129 if (op->d.jsonexpr_coercion.exists_cast_to_int)
5130 {
5131 /* Check domain constraints if any. */
5132 if (op->d.jsonexpr_coercion.exists_check_domain &&
5133 !domain_check_safe(*op->resvalue, *op->resnull,
5134 op->d.jsonexpr_coercion.targettype,
5135 &op->d.jsonexpr_coercion.json_coercion_cache,
5136 econtext->ecxt_per_query_memory,
5137 (Node *) escontext))
5138 {
5139 *op->resnull = true;
5140 *op->resvalue = (Datum) 0;
5141 }
5142 else
5143 *op->resvalue = DirectFunctionCall1(bool_int4, *op->resvalue);
5144 return;
5145 }
5146
5147 *op->resvalue = DirectFunctionCall1(jsonb_in,
5148 DatumGetBool(*op->resvalue) ?
5149 CStringGetDatum("true") :
5150 CStringGetDatum("false"));
5151 }
5152
5153 *op->resvalue = json_populate_type(*op->resvalue, JSONBOID,
5154 op->d.jsonexpr_coercion.targettype,
5155 op->d.jsonexpr_coercion.targettypmod,
5156 &op->d.jsonexpr_coercion.json_coercion_cache,
5157 econtext->ecxt_per_query_memory,
5158 op->resnull,
5159 op->d.jsonexpr_coercion.omit_quotes,
5160 (Node *) escontext);
5161}
5162
5163static char *
5165{
5166 /*
5167 * The order of array elements must correspond to the order of
5168 * JsonBehaviorType members.
5169 */
5170 const char *behavior_names[] =
5171 {
5172 "NULL",
5173 "ERROR",
5174 "EMPTY",
5175 "TRUE",
5176 "FALSE",
5177 "UNKNOWN",
5178 "EMPTY ARRAY",
5179 "EMPTY OBJECT",
5180 "DEFAULT"
5181 };
5182
5183 return pstrdup(behavior_names[behavior->btype]);
5184}
5185
5186/*
5187 * Checks if an error occurred in ExecEvalJsonCoercion(). If so, this sets
5188 * JsonExprState.error to trigger the ON ERROR handling steps, unless the
5189 * error is thrown when coercing a JsonBehavior value.
5190 */
5191void
5193{
5194 JsonExprState *jsestate = op->d.jsonexpr.jsestate;
5195
5197 {
5198 /*
5199 * jsestate->error or jsestate->empty being set means that the error
5200 * occurred when coercing the JsonBehavior value. Throw the error in
5201 * that case with the actual coercion error message shown in the
5202 * DETAIL part.
5203 */
5205 ereport(ERROR,
5206 (errcode(ERRCODE_DATATYPE_MISMATCH),
5207 /*- translator: first %s is a SQL/JSON clause (e.g. ON ERROR) */
5208 errmsg("could not coerce %s expression (%s) to the RETURNING type",
5209 "ON ERROR",
5212 else if (DatumGetBool(jsestate->empty.value))
5213 ereport(ERROR,
5214 (errcode(ERRCODE_DATATYPE_MISMATCH),
5215 /*- translator: first %s is a SQL/JSON clause (e.g. ON ERROR) */
5216 errmsg("could not coerce %s expression (%s) to the RETURNING type",
5217 "ON EMPTY",
5220
5221 *op->resvalue = (Datum) 0;
5222 *op->resnull = true;
5223
5225
5226 /*
5227 * Reset for next use such as for catching errors when coercing a
5228 * JsonBehavior expression.
5229 */
5233 }
5234}
5235
5236/*
5237 * ExecEvalGroupingFunc
5238 *
5239 * Computes a bitmask with a bit for each (unevaluated) argument expression
5240 * (rightmost arg is least significant bit).
5241 *
5242 * A bit is set if the corresponding expression is NOT part of the set of
5243 * grouping expressions in the current grouping set.
5244 */
5245void
5247{
5248 AggState *aggstate = castNode(AggState, state->parent);
5249 int result = 0;
5250 Bitmapset *grouped_cols = aggstate->grouped_cols;
5251 ListCell *lc;
5252
5253 foreach(lc, op->d.grouping_func.clauses)
5254 {
5255 int attnum = lfirst_int(lc);
5256
5257 result <<= 1;
5258
5259 if (!bms_is_member(attnum, grouped_cols))
5260 result |= 1;
5261 }
5262
5263 *op->resvalue = Int32GetDatum(result);
5264 *op->resnull = false;
5265}
5266
5267/*
5268 * ExecEvalMergeSupportFunc
5269 *
5270 * Returns information about the current MERGE action for its RETURNING list.
5271 */
5272void
5274 ExprContext *econtext)
5275{
5276 ModifyTableState *mtstate = castNode(ModifyTableState, state->parent);
5277 MergeActionState *relaction = mtstate->mt_merge_action;
5278
5279 if (!relaction)
5280 elog(ERROR, "no merge action in progress");
5281
5282 /* Return the MERGE action ("INSERT", "UPDATE", or "DELETE") */
5283 switch (relaction->mas_action->commandType)
5284 {
5285 case CMD_INSERT:
5286 *op->resvalue = PointerGetDatum(cstring_to_text_with_len("INSERT", 6));
5287 *op->resnull = false;
5288 break;
5289 case CMD_UPDATE:
5290 *op->resvalue = PointerGetDatum(cstring_to_text_with_len("UPDATE", 6));
5291 *op->resnull = false;
5292 break;
5293 case CMD_DELETE:
5294 *op->resvalue = PointerGetDatum(cstring_to_text_with_len("DELETE", 6));
5295 *op->resnull = false;
5296 break;
5297 case CMD_NOTHING:
5298 elog(ERROR, "unexpected merge action: DO NOTHING");
5299 break;
5300 default:
5301 elog(ERROR, "unrecognized commandType: %d",
5302 (int) relaction->mas_action->commandType);
5303 }
5304}
5305
5306/*
5307 * Hand off evaluation of a subplan to nodeSubplan.c
5308 */
5309void
5311{
5312 SubPlanState *sstate = op->d.subplan.sstate;
5313
5314 /* could potentially be nested, so make sure there's enough stack */
5316
5317 *op->resvalue = ExecSubPlan(sstate, econtext, op->resnull);
5318}
5319
5320/*
5321 * Evaluate a wholerow Var expression.
5322 *
5323 * Returns a Datum whose value is the value of a whole-row range variable
5324 * with respect to given expression context.
5325 */
5326void
5328{
5329 Var *variable = op->d.wholerow.var;
5330 TupleTableSlot *slot = NULL;
5331 TupleDesc output_tupdesc;
5332 MemoryContext oldcontext;
5333 HeapTupleHeader dtuple;
5334 HeapTuple tuple;
5335
5336 /* This was checked by ExecInitExpr */
5337 Assert(variable->varattno == InvalidAttrNumber);
5338
5339 /* Get the input slot we want */
5340 switch (variable->varno)
5341 {
5342 case INNER_VAR:
5343 /* get the tuple from the inner node */
5344 slot = econtext->ecxt_innertuple;
5345 break;
5346
5347 case OUTER_VAR:
5348 /* get the tuple from the outer node */
5349 slot = econtext->ecxt_outertuple;
5350 break;
5351
5352 /* INDEX_VAR is handled by default case */
5353
5354 default:
5355
5356 /*
5357 * Get the tuple from the relation being scanned.
5358 *
5359 * By default, this uses the "scan" tuple slot, but a wholerow Var
5360 * in the RETURNING list may explicitly refer to OLD/NEW. If the
5361 * OLD/NEW row doesn't exist, we just return NULL.
5362 */
5363 switch (variable->varreturningtype)
5364 {
5366 slot = econtext->ecxt_scantuple;
5367 break;
5368
5369 case VAR_RETURNING_OLD:
5370 if (state->flags & EEO_FLAG_OLD_IS_NULL)
5371 {
5372 *op->resvalue = (Datum) 0;
5373 *op->resnull = true;
5374 return;
5375 }
5376 slot = econtext->ecxt_oldtuple;
5377 break;
5378
5379 case VAR_RETURNING_NEW:
5380 if (state->flags & EEO_FLAG_NEW_IS_NULL)
5381 {
5382 *op->resvalue = (Datum) 0;
5383 *op->resnull = true;
5384 return;
5385 }
5386 slot = econtext->ecxt_newtuple;
5387 break;
5388 }
5389 break;
5390 }
5391
5392 /* Apply the junkfilter if any */
5393 if (op->d.wholerow.junkFilter != NULL)
5394 slot = ExecFilterJunk(op->d.wholerow.junkFilter, slot);
5395
5396 /*
5397 * If first time through, obtain tuple descriptor and check compatibility.
5398 *
5399 * XXX: It'd be great if this could be moved to the expression
5400 * initialization phase, but due to using slots that's currently not
5401 * feasible.
5402 */
5403 if (op->d.wholerow.first)
5404 {
5405 /* optimistically assume we don't need slow path */
5406 op->d.wholerow.slow = false;
5407
5408 /*
5409 * If the Var identifies a named composite type, we must check that
5410 * the actual tuple type is compatible with it.
5411 */
5412 if (variable->vartype != RECORDOID)
5413 {
5414 TupleDesc var_tupdesc;
5415 TupleDesc slot_tupdesc;
5416
5417 /*
5418 * We really only care about numbers of attributes and data types.
5419 * Also, we can ignore type mismatch on columns that are dropped
5420 * in the destination type, so long as (1) the physical storage
5421 * matches or (2) the actual column value is NULL. Case (1) is
5422 * helpful in some cases involving out-of-date cached plans, while
5423 * case (2) is expected behavior in situations such as an INSERT
5424 * into a table with dropped columns (the planner typically
5425 * generates an INT4 NULL regardless of the dropped column type).
5426 * If we find a dropped column and cannot verify that case (1)
5427 * holds, we have to use the slow path to check (2) for each row.
5428 *
5429 * If vartype is a domain over composite, just look through that
5430 * to the base composite type.
5431 */
5432 var_tupdesc = lookup_rowtype_tupdesc_domain(variable->vartype,
5433 -1, false);
5434
5435 slot_tupdesc = slot->tts_tupleDescriptor;
5436
5437 if (var_tupdesc->natts != slot_tupdesc->natts)
5438 ereport(ERROR,
5439 (errcode(ERRCODE_DATATYPE_MISMATCH),
5440 errmsg("table row type and query-specified row type do not match"),
5441 errdetail_plural("Table row contains %d attribute, but query expects %d.",
5442 "Table row contains %d attributes, but query expects %d.",
5443 slot_tupdesc->natts,
5444 slot_tupdesc->natts,
5445 var_tupdesc->natts)));
5446
5447 for (int i = 0; i < var_tupdesc->natts; i++)
5448 {
5449 Form_pg_attribute vattr = TupleDescAttr(var_tupdesc, i);
5450 Form_pg_attribute sattr = TupleDescAttr(slot_tupdesc, i);
5451
5452 if (vattr->atttypid == sattr->atttypid)
5453 continue; /* no worries */
5454 if (!vattr->attisdropped)
5455 ereport(ERROR,
5456 (errcode(ERRCODE_DATATYPE_MISMATCH),
5457 errmsg("table row type and query-specified row type do not match"),
5458 errdetail("Table has type %s at ordinal position %d, but query expects %s.",
5459 format_type_be(sattr->atttypid),
5460 i + 1,
5461 format_type_be(vattr->atttypid))));
5462
5463 if (vattr->attlen != sattr->attlen ||
5464 vattr->attalign != sattr->attalign)
5465 op->d.wholerow.slow = true; /* need to check for nulls */
5466 }
5467
5468 /*
5469 * Use the variable's declared rowtype as the descriptor for the
5470 * output values. In particular, we *must* absorb any
5471 * attisdropped markings.
5472 */
5473 oldcontext = MemoryContextSwitchTo(econtext->ecxt_per_query_memory);
5474 output_tupdesc = CreateTupleDescCopy(var_tupdesc);
5475 MemoryContextSwitchTo(oldcontext);
5476
5477 ReleaseTupleDesc(var_tupdesc);
5478 }
5479 else
5480 {
5481 /*
5482 * In the RECORD case, we use the input slot's rowtype as the
5483 * descriptor for the output values, modulo possibly assigning new
5484 * column names below.
5485 */
5486 oldcontext = MemoryContextSwitchTo(econtext->ecxt_per_query_memory);
5487 output_tupdesc = CreateTupleDescCopy(slot->tts_tupleDescriptor);
5488 MemoryContextSwitchTo(oldcontext);
5489
5490 /*
5491 * It's possible that the input slot is a relation scan slot and
5492 * so is marked with that relation's rowtype. But we're supposed
5493 * to be returning RECORD, so reset to that.
5494 */
5495 output_tupdesc->tdtypeid = RECORDOID;
5496 output_tupdesc->tdtypmod = -1;
5497
5498 /*
5499 * We already got the correct physical datatype info above, but
5500 * now we should try to find the source RTE and adopt its column
5501 * aliases, since it's unlikely that the input slot has the
5502 * desired names.
5503 *
5504 * If we can't locate the RTE, assume the column names we've got
5505 * are OK. (As of this writing, the only cases where we can't
5506 * locate the RTE are in execution of trigger WHEN clauses, and
5507 * then the Var will have the trigger's relation's rowtype, so its
5508 * names are fine.) Also, if the creator of the RTE didn't bother
5509 * to fill in an eref field, assume our column names are OK. (This
5510 * happens in COPY, and perhaps other places.)
5511 */
5512 if (econtext->ecxt_estate &&
5513 variable->varno <= econtext->ecxt_estate->es_range_table_size)
5514 {
5515 RangeTblEntry *rte = exec_rt_fetch(variable->varno,
5516 econtext->ecxt_estate);
5517
5518 if (rte->eref)
5519 ExecTypeSetColNames(output_tupdesc, rte->eref->colnames);
5520 }
5521 }
5522
5523 /* Bless the tupdesc if needed, and save it in the execution state */
5524 op->d.wholerow.tupdesc = BlessTupleDesc(output_tupdesc);
5525
5526 op->d.wholerow.first = false;
5527 }
5528
5529 /*
5530 * Make sure all columns of the slot are accessible in the slot's
5531 * Datum/isnull arrays.
5532 */
5533 slot_getallattrs(slot);
5534
5535 if (op->d.wholerow.slow)
5536 {
5537 /* Check to see if any dropped attributes are non-null */
5538 TupleDesc tupleDesc = slot->tts_tupleDescriptor;
5539 TupleDesc var_tupdesc = op->d.wholerow.tupdesc;
5540
5541 Assert(var_tupdesc->natts == tupleDesc->natts);
5542
5543 for (int i = 0; i < var_tupdesc->natts; i++)
5544 {
5545 CompactAttribute *vattr = TupleDescCompactAttr(var_tupdesc, i);
5546 CompactAttribute *sattr = TupleDescCompactAttr(tupleDesc, i);
5547
5548 if (!vattr->attisdropped)
5549 continue; /* already checked non-dropped cols */
5550 if (slot->tts_isnull[i])
5551 continue; /* null is always okay */
5552 if (vattr->attlen != sattr->attlen ||
5553 vattr->attalignby != sattr->attalignby)
5554 ereport(ERROR,
5555 (errcode(ERRCODE_DATATYPE_MISMATCH),
5556 errmsg("table row type and query-specified row type do not match"),
5557 errdetail("Physical storage mismatch on dropped attribute at ordinal position %d.",
5558 i + 1)));
5559 }
5560 }
5561
5562 /*
5563 * Build a composite datum, making sure any toasted fields get detoasted.
5564 *
5565 * (Note: it is critical that we not change the slot's state here.)
5566 */
5568 slot->tts_values,
5569 slot->tts_isnull);
5570 dtuple = tuple->t_data;
5571
5572 /*
5573 * Label the datum with the composite type info we identified before.
5574 *
5575 * (Note: we could skip doing this by passing op->d.wholerow.tupdesc to
5576 * the tuple build step; but that seems a tad risky so let's not.)
5577 */
5578 HeapTupleHeaderSetTypeId(dtuple, op->d.wholerow.tupdesc->tdtypeid);
5579 HeapTupleHeaderSetTypMod(dtuple, op->d.wholerow.tupdesc->tdtypmod);
5580
5581 *op->resvalue = PointerGetDatum(dtuple);
5582 *op->resnull = false;
5583}
5584
5585void
5587 TupleTableSlot *slot)
5588{
5589 Datum d;
5590
5591 /* OLD/NEW system attribute is NULL if OLD/NEW row is NULL */
5592 if ((op->d.var.varreturningtype == VAR_RETURNING_OLD &&
5593 state->flags & EEO_FLAG_OLD_IS_NULL) ||
5594 (op->d.var.varreturningtype == VAR_RETURNING_NEW &&
5595 state->flags & EEO_FLAG_NEW_IS_NULL))
5596 {
5597 *op->resvalue = (Datum) 0;
5598 *op->resnull = true;
5599 return;
5600 }
5601
5602 /* slot_getsysattr has sufficient defenses against bad attnums */
5603 d = slot_getsysattr(slot,
5604 op->d.var.attnum,
5605 op->resnull);
5606 *op->resvalue = d;
5607 /* this ought to be unreachable, but it's cheap enough to check */
5608 if (unlikely(*op->resnull))
5609 elog(ERROR, "failed to fetch attribute from slot");
5610}
5611
5612/*
5613 * Transition value has not been initialized. This is the first non-NULL input
5614 * value for a group. We use it as the initial value for transValue.
5615 */
5616void
5619{
5621 MemoryContext oldContext;
5622
5623 /*
5624 * We must copy the datum into aggcontext if it is pass-by-ref. We do not
5625 * need to pfree the old transValue, since it's NULL. (We already checked
5626 * that the agg's input type is binary-compatible with its transtype, so
5627 * straight copy here is OK.)
5628 */
5630 pergroup->transValue = datumCopy(fcinfo->args[1].value,
5633 pergroup->transValueIsNull = false;
5634 pergroup->noTransValue = false;
5635 MemoryContextSwitchTo(oldContext);
5636}
5637
5638/*
5639 * Ensure that the new transition value is stored in the aggcontext,
5640 * rather than the per-tuple context. This should be invoked only when
5641 * we know (a) the transition data type is pass-by-reference, and (b)
5642 * the newValue is distinct from the oldValue.
5643 *
5644 * NB: This can change the current memory context.
5645 *
5646 * We copy the presented newValue into the aggcontext, except when the datum
5647 * points to a R/W expanded object that is already a child of the aggcontext,
5648 * in which case we need not copy. We then delete the oldValue, if not null.
5649 *
5650 * If the presented datum points to a R/W expanded object that is a child of
5651 * some other context, ideally we would just reparent it under the aggcontext.
5652 * Unfortunately, that doesn't work easily, and it wouldn't help anyway for
5653 * aggregate-aware transfns. We expect that a transfn that deals in expanded
5654 * objects and is aware of the memory management conventions for aggregate
5655 * transition values will (1) on first call, return a R/W expanded object that
5656 * is already in the right context, allowing us to do nothing here, and (2) on
5657 * subsequent calls, modify and return that same object, so that control
5658 * doesn't even reach here. However, if we have a generic transfn that
5659 * returns a new R/W expanded object (probably in the per-tuple context),
5660 * reparenting that result would cause problems. We'd pass that R/W object to
5661 * the next invocation of the transfn, and then it would be at liberty to
5662 * change or delete that object, and if it deletes it then our own attempt to
5663 * delete the now-old transvalue afterwards would be a double free. We avoid
5664 * this problem by forcing the stored transvalue to always be a flat
5665 * non-expanded object unless the transfn is visibly doing aggregate-aware
5666 * memory management. This is somewhat inefficient, but the best answer to
5667 * that is to write a smarter transfn.
5668 */
5669Datum
5671 Datum newValue, bool newValueIsNull,
5672 Datum oldValue, bool oldValueIsNull)
5673{
5674 Assert(newValue != oldValue);
5675
5676 if (!newValueIsNull)
5677 {
5679 if (DatumIsReadWriteExpandedObject(newValue,
5680 false,
5682 MemoryContextGetParent(DatumGetEOHP(newValue)->eoh_context) == CurrentMemoryContext)
5683 /* do nothing */ ;
5684 else
5685 newValue = datumCopy(newValue,
5688 }
5689 else
5690 {
5691 /*
5692 * Ensure that AggStatePerGroup->transValue ends up being 0, so
5693 * callers can safely compare newValue/oldValue without having to
5694 * check their respective nullness.
5695 */
5696 newValue = (Datum) 0;
5697 }
5698
5699 if (!oldValueIsNull)
5700 {
5701 if (DatumIsReadWriteExpandedObject(oldValue,
5702 false,
5704 DeleteExpandedObject(oldValue);
5705 else
5706 pfree(DatumGetPointer(oldValue));
5707 }
5708
5709 return newValue;
5710}
5711
5712/*
5713 * ExecEvalPreOrderedDistinctSingle
5714 * Returns true when the aggregate transition value Datum is distinct
5715 * from the previous input Datum and returns false when the input Datum
5716 * matches the previous input Datum.
5717 */
5718bool
5720{
5723
5724 if (!pertrans->haslast ||
5729 {
5733
5734 pertrans->haslast = true;
5735 if (!isnull)
5736 {
5737 MemoryContext oldContext;
5738
5740
5743
5744 MemoryContextSwitchTo(oldContext);
5745 }
5746 else
5747 pertrans->lastdatum = (Datum) 0;
5749 return true;
5750 }
5751
5752 return false;
5753}
5754
5755/*
5756 * ExecEvalPreOrderedDistinctMulti
5757 * Returns true when the aggregate input is distinct from the previous
5758 * input and returns false when the input matches the previous input, or
5759 * when there was no previous input.
5760 */
5761bool
5763{
5764 ExprContext *tmpcontext = aggstate->tmpcontext;
5765 bool isdistinct = false; /* for now */
5766 TupleTableSlot *save_outer;
5767 TupleTableSlot *save_inner;
5768
5769 for (int i = 0; i < pertrans->numTransInputs; i++)
5770 {
5773 }
5774
5778
5779 /* save the previous slots before we overwrite them */
5780 save_outer = tmpcontext->ecxt_outertuple;
5781 save_inner = tmpcontext->ecxt_innertuple;
5782
5783 tmpcontext->ecxt_outertuple = pertrans->sortslot;
5784 tmpcontext->ecxt_innertuple = pertrans->uniqslot;
5785
5786 if (!pertrans->haslast ||
5787 !ExecQual(pertrans->equalfnMulti, tmpcontext))
5788 {
5789 if (pertrans->haslast)
5791
5792 pertrans->haslast = true;
5794
5795 isdistinct = true;
5796 }
5797
5798 /* restore the original slots */
5799 tmpcontext->ecxt_outertuple = save_outer;
5800 tmpcontext->ecxt_innertuple = save_inner;
5801
5802 return isdistinct;
5803}
5804
5805/*
5806 * Invoke ordered transition function, with a datum argument.
5807 */
5808void
5810 ExprContext *econtext)
5811{
5812 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
5813 int setno = op->d.agg_trans.setno;
5814
5816 *op->resvalue, *op->resnull);
5817}
5818
5819/*
5820 * Invoke ordered transition function, with a tuple argument.
5821 */
5822void
5824 ExprContext *econtext)
5825{
5826 AggStatePerTrans pertrans = op->d.agg_trans.pertrans;
5827 int setno = op->d.agg_trans.setno;
5828
5833}
5834
5835/* implementation of transition function invocation for byval types */
5838 AggStatePerGroup pergroup,
5840{
5842 MemoryContext oldContext;
5843 Datum newVal;
5844
5845 /* cf. select_current_set() */
5846 aggstate->curaggcontext = aggcontext;
5847 aggstate->current_set = setno;
5848
5849 /* set up aggstate->curpertrans for AggGetAggref() */
5850 aggstate->curpertrans = pertrans;
5851
5852 /* invoke transition function in per-tuple context */
5854
5855 fcinfo->args[0].value = pergroup->transValue;
5856 fcinfo->args[0].isnull = pergroup->transValueIsNull;
5857 fcinfo->isnull = false; /* just in case transfn doesn't set it */
5858
5859 newVal = FunctionCallInvoke(fcinfo);
5860
5861 pergroup->transValue = newVal;
5862 pergroup->transValueIsNull = fcinfo->isnull;
5863
5864 MemoryContextSwitchTo(oldContext);
5865}
5866
5867/* implementation of transition function invocation for byref types */
5870 AggStatePerGroup pergroup,
5872{
5874 MemoryContext oldContext;
5875 Datum newVal;
5876
5877 /* cf. select_current_set() */
5878 aggstate->curaggcontext = aggcontext;
5879 aggstate->current_set = setno;
5880
5881 /* set up aggstate->curpertrans for AggGetAggref() */
5882 aggstate->curpertrans = pertrans;
5883
5884 /* invoke transition function in per-tuple context */
5886
5887 fcinfo->args[0].value = pergroup->transValue;
5888 fcinfo->args[0].isnull = pergroup->transValueIsNull;
5889 fcinfo->isnull = false; /* just in case transfn doesn't set it */
5890
5891 newVal = FunctionCallInvoke(fcinfo);
5892
5893 /*
5894 * For pass-by-ref datatype, must copy the new value into aggcontext and
5895 * free the prior transValue. But if transfn returned a pointer to its
5896 * first input, we don't need to do anything.
5897 *
5898 * It's safe to compare newVal with pergroup->transValue without regard
5899 * for either being NULL, because ExecAggCopyTransValue takes care to set
5900 * transValue to 0 when NULL. Otherwise we could end up accidentally not
5901 * reparenting, when the transValue has the same numerical value as
5902 * newValue, despite being NULL. This is a somewhat hot path, making it
5903 * undesirable to instead solve this with another branch for the common
5904 * case of the transition function returning its (modified) input
5905 * argument.
5906 */
5907 if (DatumGetPointer(newVal) != DatumGetPointer(pergroup->transValue))
5908 newVal = ExecAggCopyTransValue(aggstate, pertrans,
5909 newVal, fcinfo->isnull,
5910 pergroup->transValue,
5911 pergroup->transValueIsNull);
5912
5913 pergroup->transValue = newVal;
5914 pergroup->transValueIsNull = fcinfo->isnull;
5915
5916 MemoryContextSwitchTo(oldContext);
5917}
#define DatumGetArrayTypePCopy(X)
Definition: array.h:262
#define ARR_NDIM(a)
Definition: array.h:290
#define ARR_DATA_PTR(a)
Definition: array.h:322
#define MAXDIM
Definition: array.h:75
#define ARR_NULLBITMAP(a)
Definition: array.h:300
#define ARR_OVERHEAD_WITHNULLS(ndims, nitems)
Definition: array.h:312
#define DatumGetArrayTypeP(X)
Definition: array.h:261
#define ARR_ELEMTYPE(a)
Definition: array.h:292
#define ARR_SIZE(a)
Definition: array.h:289
#define ARR_OVERHEAD_NONULLS(ndims)
Definition: array.h:310
#define ARR_DATA_OFFSET(a)
Definition: array.h:316
#define ARR_DIMS(a)
Definition: array.h:294
#define ARR_HASNULL(a)
Definition: array.h:291
#define ARR_LBOUND(a)
Definition: array.h:296
ArrayType * construct_empty_array(Oid elmtype)
Definition: arrayfuncs.c:3580
Datum array_map(Datum arrayd, ExprState *exprstate, ExprContext *econtext, Oid retType, ArrayMapState *amstate)
Definition: arrayfuncs.c:3201
ArrayType * construct_md_array(Datum *elems, bool *nulls, int ndims, int *dims, int *lbs, Oid elmtype, int elmlen, bool elmbyval, char elmalign)
Definition: arrayfuncs.c:3494
void array_bitmap_copy(bits8 *destbitmap, int destoffset, const bits8 *srcbitmap, int srcoffset, int nitems)
Definition: arrayfuncs.c:4966
int ArrayGetNItems(int ndim, const int *dims)
Definition: arrayutils.c:57
void ArrayCheckBounds(int ndim, const int *dims, const int *lb)
Definition: arrayutils.c:117
int16 AttrNumber
Definition: attnum.h:21
#define InvalidAttrNumber
Definition: attnum.h:23
Datum current_database(PG_FUNCTION_ARGS)
Definition: misc.c:195
Datum numeric_out(PG_FUNCTION_ARGS)
Definition: numeric.c:816
Timestamp GetSQLLocalTimestamp(int32 typmod)
Definition: timestamp.c:1677
Datum timestamptz_out(PG_FUNCTION_ARGS)
Definition: timestamp.c:776
Datum timestamp_out(PG_FUNCTION_ARGS)
Definition: timestamp.c:234
TimestampTz GetSQLCurrentTimestamp(int32 typmod)
Definition: timestamp.c:1663
bool bms_is_member(int x, const Bitmapset *a)
Definition: bitmapset.c:510
Datum boolout(PG_FUNCTION_ARGS)
Definition: bool.c:158
static Datum values[MAXATTR]
Definition: bootstrap.c:151
#define likely(x)
Definition: c.h:346
#define PG_USED_FOR_ASSERTS_ONLY
Definition: c.h:224
int64_t int64
Definition: c.h:499
#define pg_attribute_always_inline
Definition: c.h:270
int16_t int16
Definition: c.h:497
uint8 bits8
Definition: c.h:509
int32_t int32
Definition: c.h:498
#define pg_unreachable()
Definition: c.h:332
#define unlikely(x)
Definition: c.h:347
uint32_t uint32
Definition: c.h:502
#define lengthof(array)
Definition: c.h:759
#define StaticAssertDecl(condition, errmessage)
Definition: c.h:907
#define OidIsValid(objectId)
Definition: c.h:746
CompareType
Definition: cmptype.h:32
@ COMPARE_LE
Definition: cmptype.h:35
@ COMPARE_GT
Definition: cmptype.h:38
@ COMPARE_GE
Definition: cmptype.h:37
@ COMPARE_LT
Definition: cmptype.h:34
int64 nextval_internal(Oid relid, bool check_permissions)
Definition: sequence.c:623
TimeADT GetSQLLocalTime(int32 typmod)
Definition: date.c:370
Datum date_out(PG_FUNCTION_ARGS)
Definition: date.c:185
Datum time_out(PG_FUNCTION_ARGS)
Definition: date.c:1566
DateADT GetSQLCurrentDate(void)
Definition: date.c:317
TimeTzADT * GetSQLCurrentTime(int32 typmod)
Definition: date.c:350
Datum timetz_out(PG_FUNCTION_ARGS)
Definition: date.c:2379
static Datum DateADTGetDatum(DateADT X)
Definition: date.h:72
static Datum TimeTzADTPGetDatum(const TimeTzADT *X)
Definition: date.h:84
static Datum TimeADTGetDatum(TimeADT X)
Definition: date.h:78
Datum datumCopy(Datum value, bool typByVal, int typLen)
Definition: datum.c:132
int errdatatype(Oid datatypeOid)
Definition: domains.c:407
int errdomainconstraint(Oid datatypeOid, const char *conname)
Definition: domains.c:431
bool domain_check_safe(Datum value, bool isnull, Oid domainType, void **extra, MemoryContext mcxt, Node *escontext)
Definition: domains.c:355
int errdetail(const char *fmt,...)
Definition: elog.c:1204
int errdetail_plural(const char *fmt_singular, const char *fmt_plural, unsigned long n,...)
Definition: elog.c:1296
int errcode(int sqlerrcode)
Definition: elog.c:854
int errmsg(const char *fmt,...)
Definition: elog.c:1071
#define errsave(context,...)
Definition: elog.h:262
#define ERROR
Definition: elog.h:39
#define elog(elevel,...)
Definition: elog.h:226
#define ereport(elevel,...)
Definition: elog.h:149
void ExecEvalParamExtern(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalFieldStoreForm(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalGroupingFunc(ExprState *state, ExprEvalStep *op)
static void CheckVarSlotCompatibility(TupleTableSlot *slot, int attnum, Oid vartype)
void ExecEvalRow(ExprState *state, ExprEvalStep *op)
static pg_attribute_always_inline Datum ExecJustVarVirtImpl(ExprState *state, TupleTableSlot *slot, bool *isnull)
static pg_attribute_always_inline Datum ExecJustAssignVarImpl(ExprState *state, TupleTableSlot *inslot, bool *isnull)
void ExecEvalFieldStoreDeForm(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalCurrentOfExpr(ExprState *state, ExprEvalStep *op)
void ExecEvalSQLValueFunction(ExprState *state, ExprEvalStep *op)
#define EEO_SWITCH()
void ExecEvalRowNull(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
#define EEO_DISPATCH()
void ExecEvalArrayExpr(ExprState *state, ExprEvalStep *op)
void ExecEvalParamSet(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
static Datum ExecJustAssignInnerVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
static char * GetJsonBehaviorValueString(JsonBehavior *behavior)
void ExecEvalCoerceViaIOSafe(ExprState *state, ExprEvalStep *op)
static Datum ExecJustScanVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
static Datum ExecJustApplyFuncToCase(ExprState *state, ExprContext *econtext, bool *isnull)
Datum ExecInterpExprStillValid(ExprState *state, ExprContext *econtext, bool *isNull)
static pg_attribute_always_inline void ExecAggPlainTransByVal(AggState *aggstate, AggStatePerTrans pertrans, AggStatePerGroup pergroup, ExprContext *aggcontext, int setno)
struct ScalarArrayOpExprHashEntry ScalarArrayOpExprHashEntry
static Datum ExecJustAssignScanVar(ExprState *state, ExprContext *econtext, bool *isnull)
static pg_attribute_always_inline Datum ExecJustHashVarImpl(ExprState *state, TupleTableSlot *slot, bool *isnull)
void ExecEvalConvertRowtype(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
static Datum ExecJustHashInnerVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
bool ExecEvalPreOrderedDistinctMulti(AggState *aggstate, AggStatePerTrans pertrans)
void ExecEvalFieldSelect(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
struct ScalarArrayOpExprHashTable ScalarArrayOpExprHashTable
static Datum ExecJustInnerVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
static Datum ExecJustHashInnerVarWithIV(ExprState *state, ExprContext *econtext, bool *isnull)
int ExecEvalJsonExprPath(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalConstraintNotNull(ExprState *state, ExprEvalStep *op)
static void ExecInitInterpreter(void)
#define EEO_NEXT()
void ExecEvalScalarArrayOp(ExprState *state, ExprEvalStep *op)
void ExecEvalAggOrderedTransDatum(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
static Datum ExecJustConst(ExprState *state, ExprContext *econtext, bool *isnull)
static Datum ExecJustOuterVar(ExprState *state, ExprContext *econtext, bool *isnull)
void ExecEvalParamExec(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalJsonCoercion(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecAggInitGroup(AggState *aggstate, AggStatePerTrans pertrans, AggStatePerGroup pergroup, ExprContext *aggcontext)
static pg_attribute_always_inline Datum ExecJustAssignVarVirtImpl(ExprState *state, TupleTableSlot *inslot, bool *isnull)
void ExecEvalNextValueExpr(ExprState *state, ExprEvalStep *op)
void ExecEvalSysVar(ExprState *state, ExprEvalStep *op, ExprContext *econtext, TupleTableSlot *slot)
static bool saop_hash_element_match(struct saophash_hash *tb, Datum key1, Datum key2)
void ExecEvalMinMax(ExprState *state, ExprEvalStep *op)
void ExecEvalSubPlan(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalJsonIsPredicate(ExprState *state, ExprEvalStep *op)
static uint32 saop_element_hash(struct saophash_hash *tb, Datum key)
static Datum ExecJustInnerVar(ExprState *state, ExprContext *econtext, bool *isnull)
Datum ExecAggCopyTransValue(AggState *aggstate, AggStatePerTrans pertrans, Datum newValue, bool newValueIsNull, Datum oldValue, bool oldValueIsNull)
static Datum ExecJustAssignInnerVar(ExprState *state, ExprContext *econtext, bool *isnull)
static Datum ExecJustHashOuterVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
void ExecEvalMergeSupportFunc(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void CheckExprStillValid(ExprState *state, ExprContext *econtext)
void ExecEvalJsonConstructor(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalWholeRowVar(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalHashedScalarArrayOp(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalJsonCoercionFinish(ExprState *state, ExprEvalStep *op)
static pg_attribute_always_inline Datum ExecJustHashVarVirtImpl(ExprState *state, TupleTableSlot *slot, bool *isnull)
void ExecReadyInterpretedExpr(ExprState *state)
static char * ExecGetJsonValueItemString(JsonbValue *item, bool *resnull)
static Datum ExecJustAssignScanVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
static void ExecEvalRowNullInt(ExprState *state, ExprEvalStep *op, ExprContext *econtext, bool checkisnull)
void ExecEvalRowNotNull(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
static Datum ExecJustHashOuterVarStrict(ExprState *state, ExprContext *econtext, bool *isnull)
ExprEvalOp ExecEvalStepOp(ExprState *state, ExprEvalStep *op)
static Datum ExecJustAssignOuterVar(ExprState *state, ExprContext *econtext, bool *isnull)
static Datum ExecJustHashOuterVar(ExprState *state, ExprContext *econtext, bool *isnull)
static Datum ExecJustAssignOuterVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
void ExecEvalConstraintCheck(ExprState *state, ExprEvalStep *op)
void ExecEvalArrayCoerce(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
static void CheckOpSlotCompatibility(ExprEvalStep *op, TupleTableSlot *slot)
void ExecEvalFuncExprStrictFusage(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
static Datum ExecJustOuterVarVirt(ExprState *state, ExprContext *econtext, bool *isnull)
static Datum ExecJustScanVar(ExprState *state, ExprContext *econtext, bool *isnull)
#define EEO_CASE(name)
static Datum ExecInterpExpr(ExprState *state, ExprContext *econtext, bool *isnull)
static pg_attribute_always_inline Datum ExecJustVarImpl(ExprState *state, TupleTableSlot *slot, bool *isnull)
void ExecEvalFuncExprFusage(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
void ExecEvalXmlExpr(ExprState *state, ExprEvalStep *op)
bool ExecEvalPreOrderedDistinctSingle(AggState *aggstate, AggStatePerTrans pertrans)
#define EEO_OPCODE(opcode)
static pg_attribute_always_inline void ExecAggPlainTransByRef(AggState *aggstate, AggStatePerTrans pertrans, AggStatePerGroup pergroup, ExprContext *aggcontext, int setno)
void ExecEvalAggOrderedTransTuple(ExprState *state, ExprEvalStep *op, ExprContext *econtext)
static TupleDesc get_cached_rowtype(Oid type_id, int32 typmod, ExprEvalRowtypeCache *rowcache, bool *changed)
static Datum ExecJustHashInnerVar(ExprState *state, ExprContext *econtext, bool *isnull)
#define EEO_JUMP(stepno)
#define EEO_FLAG_INTERPRETER_INITIALIZED
Definition: execExpr.h:29
#define EEO_FLAG_DIRECT_THREADED
Definition: execExpr.h:31
ExprEvalOp
Definition: execExpr.h:67
@ EEOP_OLD_VAR
Definition: execExpr.h:85
@ EEOP_ASSIGN_TMP
Definition: execExpr.h:110
@ EEOP_SUBPLAN
Definition: execExpr.h:275
@ EEOP_CONVERT_ROWTYPE
Definition: execExpr.h:262
@ EEOP_FUNCEXPR_STRICT_FUSAGE
Definition: execExpr.h:127
@ EEOP_ARRAYEXPR
Definition: execExpr.h:196
@ EEOP_JSONEXPR_PATH
Definition: execExpr.h:268
@ EEOP_NOT_DISTINCT
Definition: execExpr.h:190
@ EEOP_DOMAIN_TESTVAL
Definition: execExpr.h:245
@ EEOP_PARAM_EXTERN
Definition: execExpr.h:174
@ EEOP_HASHDATUM_NEXT32_STRICT
Definition: execExpr.h:259
@ EEOP_IOCOERCE_SAFE
Definition: execExpr.h:188
@ EEOP_BOOL_AND_STEP
Definition: execExpr.h:136
@ EEOP_DONE_RETURN
Definition: execExpr.h:69
@ EEOP_WHOLEROW
Definition: execExpr.h:96
@ EEOP_JSONEXPR_COERCION_FINISH
Definition: execExpr.h:270
@ EEOP_HASHDATUM_FIRST_STRICT
Definition: execExpr.h:257
@ EEOP_AGGREF
Definition: execExpr.h:271
@ EEOP_FUNCEXPR_STRICT_1
Definition: execExpr.h:124
@ EEOP_INNER_VAR
Definition: execExpr.h:82
@ EEOP_AGG_PLAIN_PERGROUP_NULLCHECK
Definition: execExpr.h:283
@ EEOP_HASHDATUM_NEXT32
Definition: execExpr.h:258
@ EEOP_ROWCOMPARE_FINAL
Definition: execExpr.h:207
@ EEOP_AGG_STRICT_DESERIALIZE
Definition: execExpr.h:278
@ EEOP_IOCOERCE
Definition: execExpr.h:187
@ EEOP_RETURNINGEXPR
Definition: execExpr.h:195
@ EEOP_GROUPING_FUNC
Definition: execExpr.h:272
@ EEOP_DOMAIN_CHECK
Definition: execExpr.h:252
@ EEOP_BOOLTEST_IS_NOT_FALSE
Definition: execExpr.h:170
@ EEOP_PARAM_SET
Definition: execExpr.h:177
@ EEOP_NEXTVALUEEXPR
Definition: execExpr.h:194
@ EEOP_NEW_SYSVAR
Definition: execExpr.h:93
@ EEOP_AGG_PLAIN_TRANS_BYREF
Definition: execExpr.h:289
@ EEOP_QUAL
Definition: execExpr.h:148
@ EEOP_AGG_PRESORTED_DISTINCT_MULTI
Definition: execExpr.h:291
@ EEOP_AGG_PLAIN_TRANS_BYVAL
Definition: execExpr.h:286
@ EEOP_SCAN_VAR
Definition: execExpr.h:84
@ EEOP_CASE_TESTVAL_EXT
Definition: execExpr.h:181
@ EEOP_BOOL_NOT_STEP
Definition: execExpr.h:145
@ EEOP_ASSIGN_SCAN_VAR
Definition: execExpr.h:105
@ EEOP_NEW_VAR
Definition: execExpr.h:86
@ EEOP_SCAN_SYSVAR
Definition: execExpr.h:91
@ EEOP_SCALARARRAYOP
Definition: execExpr.h:263
@ EEOP_DOMAIN_NOTNULL
Definition: execExpr.h:249
@ EEOP_WINDOW_FUNC
Definition: execExpr.h:273
@ EEOP_INNER_FETCHSOME
Definition: execExpr.h:75
@ EEOP_NULLTEST_ROWISNOTNULL
Definition: execExpr.h:164
@ EEOP_ASSIGN_OUTER_VAR
Definition: execExpr.h:104
@ EEOP_ROW
Definition: execExpr.h:198
@ EEOP_MAKE_READONLY
Definition: execExpr.h:184
@ EEOP_FIELDSTORE_FORM
Definition: execExpr.h:226
@ EEOP_ASSIGN_OLD_VAR
Definition: execExpr.h:106
@ EEOP_SBSREF_SUBSCRIPTS
Definition: execExpr.h:229
@ EEOP_FUNCEXPR_STRICT_2
Definition: execExpr.h:125
@ EEOP_SBSREF_FETCH
Definition: execExpr.h:242
@ EEOP_FUNCEXPR_STRICT
Definition: execExpr.h:123
@ EEOP_NULLIF
Definition: execExpr.h:191
@ EEOP_CURRENTOFEXPR
Definition: execExpr.h:193
@ EEOP_INNER_SYSVAR
Definition: execExpr.h:89
@ EEOP_ASSIGN_TMP_MAKE_RO
Definition: execExpr.h:112
@ EEOP_CONST
Definition: execExpr.h:115
@ EEOP_BOOL_OR_STEP_LAST
Definition: execExpr.h:142
@ EEOP_JSONEXPR_COERCION
Definition: execExpr.h:269
@ EEOP_BOOL_OR_STEP_FIRST
Definition: execExpr.h:140
@ EEOP_XMLEXPR
Definition: execExpr.h:265
@ EEOP_AGG_STRICT_INPUT_CHECK_NULLS
Definition: execExpr.h:282
@ EEOP_SBSREF_ASSIGN
Definition: execExpr.h:239
@ EEOP_OUTER_SYSVAR
Definition: execExpr.h:90
@ EEOP_ASSIGN_INNER_VAR
Definition: execExpr.h:103
@ EEOP_BOOL_OR_STEP
Definition: execExpr.h:141
@ EEOP_AGG_STRICT_INPUT_CHECK_ARGS_1
Definition: execExpr.h:281
@ EEOP_OUTER_FETCHSOME
Definition: execExpr.h:76
@ EEOP_AGG_STRICT_INPUT_CHECK_ARGS
Definition: execExpr.h:280
@ EEOP_NULLTEST_ROWISNULL
Definition: execExpr.h:163
@ EEOP_BOOLTEST_IS_TRUE
Definition: execExpr.h:167
@ EEOP_FUNCEXPR
Definition: execExpr.h:122
@ EEOP_NULLTEST_ISNOTNULL
Definition: execExpr.h:160
@ EEOP_ROWCOMPARE_STEP
Definition: execExpr.h:204
@ EEOP_MERGE_SUPPORT_FUNC
Definition: execExpr.h:274
@ EEOP_AGG_DESERIALIZE
Definition: execExpr.h:279
@ EEOP_LAST
Definition: execExpr.h:296
@ EEOP_HASHDATUM_FIRST
Definition: execExpr.h:256
@ EEOP_DISTINCT
Definition: execExpr.h:189
@ EEOP_JUMP_IF_NOT_TRUE
Definition: execExpr.h:156
@ EEOP_FUNCEXPR_FUSAGE
Definition: execExpr.h:126
@ EEOP_AGG_PRESORTED_DISTINCT_SINGLE
Definition: execExpr.h:290
@ EEOP_BOOL_AND_STEP_FIRST
Definition: execExpr.h:135
@ EEOP_JUMP
Definition: execExpr.h:151
@ EEOP_DONE_NO_RETURN
Definition: execExpr.h:72
@ EEOP_PARAM_CALLBACK
Definition: execExpr.h:175
@ EEOP_DOMAIN_TESTVAL_EXT
Definition: execExpr.h:246
@ EEOP_OLD_SYSVAR
Definition: execExpr.h:92
@ EEOP_BOOL_AND_STEP_LAST
Definition: execExpr.h:137
@ EEOP_NEW_FETCHSOME
Definition: execExpr.h:79
@ EEOP_AGG_ORDERED_TRANS_DATUM
Definition: execExpr.h:292
@ EEOP_OLD_FETCHSOME
Definition: execExpr.h:78
@ EEOP_ASSIGN_NEW_VAR
Definition: execExpr.h:107
@ EEOP_SBSREF_OLD
Definition: execExpr.h:236
@ EEOP_SQLVALUEFUNCTION
Definition: execExpr.h:192
@ EEOP_HASHDATUM_SET_INITVAL
Definition: execExpr.h:255
@ EEOP_JUMP_IF_NOT_NULL
Definition: execExpr.h:155
@ EEOP_AGG_PLAIN_TRANS_STRICT_BYREF
Definition: execExpr.h:288
@ EEOP_FIELDSTORE_DEFORM
Definition: execExpr.h:219
@ EEOP_BOOLTEST_IS_FALSE
Definition: execExpr.h:169
@ EEOP_BOOLTEST_IS_NOT_TRUE
Definition: execExpr.h:168
@ EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYVAL
Definition: execExpr.h:284
@ EEOP_PARAM_EXEC
Definition: execExpr.h:173
@ EEOP_JSON_CONSTRUCTOR
Definition: execExpr.h:266
@ EEOP_AGG_PLAIN_TRANS_STRICT_BYVAL
Definition: execExpr.h:285
@ EEOP_NULLTEST_ISNULL
Definition: execExpr.h:159
@ EEOP_MINMAX
Definition: execExpr.h:210
@ EEOP_JUMP_IF_NULL
Definition: execExpr.h:154
@ EEOP_ARRAYCOERCE
Definition: execExpr.h:197
@ EEOP_FIELDSELECT
Definition: execExpr.h:213
@ EEOP_CASE_TESTVAL
Definition: execExpr.h:180
@ EEOP_AGG_PLAIN_TRANS_INIT_STRICT_BYREF
Definition: execExpr.h:287
@ EEOP_HASHED_SCALARARRAYOP
Definition: execExpr.h:264
@ EEOP_OUTER_VAR
Definition: execExpr.h:83
@ EEOP_AGG_ORDERED_TRANS_TUPLE
Definition: execExpr.h:293
@ EEOP_SCAN_FETCHSOME
Definition: execExpr.h:77
@ EEOP_IS_JSON
Definition: execExpr.h:267
TupleTableSlot * ExecFilterJunk(JunkFilter *junkfilter, TupleTableSlot *slot)
Definition: execJunk.c:247
TupleDesc BlessTupleDesc(TupleDesc tupdesc)
Definition: execTuples.c:2260
const TupleTableSlotOps TTSOpsVirtual
Definition: execTuples.c:84
TupleTableSlot * ExecStoreVirtualTuple(TupleTableSlot *slot)
Definition: execTuples.c:1741
void ExecTypeSetColNames(TupleDesc typeInfo, List *namesList)
Definition: execTuples.c:2219
const TupleTableSlotOps TTSOpsBufferHeapTuple
Definition: execTuples.c:87
const TupleTableSlotOps TTSOpsHeapTuple
Definition: execTuples.c:85
#define EEO_FLAG_NEW_IS_NULL
Definition: execnodes.h:85
#define EEO_FLAG_OLD_IS_NULL
Definition: execnodes.h:83
Datum(* ExprStateEvalFunc)(struct ExprState *expression, struct ExprContext *econtext, bool *isNull)
Definition: execnodes.h:71
static RangeTblEntry * exec_rt_fetch(Index rti, EState *estate)
Definition: executor.h:719
static bool ExecQual(ExprState *state, ExprContext *econtext)
Definition: executor.h:541
ExpandedObjectHeader * DatumGetEOHP(Datum d)
Definition: expandeddatum.c:29
void DeleteExpandedObject(Datum d)
Datum MakeExpandedObjectReadOnlyInternal(Datum d)
Definition: expandeddatum.c:95
#define DatumIsReadWriteExpandedObject(d, isnull, typlen)
static Datum expanded_record_get_field(ExpandedRecordHeader *erh, int fnumber, bool *isnull)
#define ER_MAGIC
static TupleDesc expanded_record_get_tupdesc(ExpandedRecordHeader *erh)
#define MaxAllocSize
Definition: fe_memutils.h:22
Datum FunctionCall2Coll(FmgrInfo *flinfo, Oid collation, Datum arg1, Datum arg2)
Definition: fmgr.c:1149
void fmgr_info(Oid functionId, FmgrInfo *finfo)
Definition: fmgr.c:127
Datum Int64GetDatum(int64 X)
Definition: fmgr.c:1807
#define DatumGetHeapTupleHeader(X)
Definition: fmgr.h:295
#define DatumGetTextPP(X)
Definition: fmgr.h:292
#define SizeForFunctionCallInfo(nargs)
Definition: fmgr.h:102
#define InitFunctionCallInfoData(Fcinfo, Flinfo, Nargs, Collation, Context, Resultinfo)
Definition: fmgr.h:150
#define DirectFunctionCall1(func, arg1)
Definition: fmgr.h:682
#define LOCAL_FCINFO(name, nargs)
Definition: fmgr.h:110
#define FunctionCallInvoke(fcinfo)
Definition: fmgr.h:172
#define fmgr_info_set_expr(expr, finfo)
Definition: fmgr.h:135
#define DatumGetTextP(X)
Definition: fmgr.h:332
char * format_type_be(Oid type_oid)
Definition: format_type.c:343
static Datum HeapTupleGetDatum(const HeapTupleData *tuple)
Definition: funcapi.h:230
#define newval
Assert(PointerIsAligned(start, uint64))
const char * str
HeapTuple toast_build_flattened_tuple(TupleDesc tupleDesc, Datum *values, bool *isnull)
Definition: heaptoast.c:563
HeapTuple heap_form_tuple(TupleDesc tupleDescriptor, const Datum *values, const bool *isnull)
Definition: heaptuple.c:1117
bool heap_attisnull(HeapTuple tup, int attnum, TupleDesc tupleDesc)
Definition: heaptuple.c:456
void heap_deform_tuple(HeapTuple tuple, TupleDesc tupleDesc, Datum *values, bool *isnull)
Definition: heaptuple.c:1346
Datum heap_copy_tuple_as_datum(HeapTuple tuple, TupleDesc tupleDesc)
Definition: heaptuple.c:1081
static Datum heap_getattr(HeapTuple tup, int attnum, TupleDesc tupleDesc, bool *isnull)
Definition: htup_details.h:904
static void HeapTupleHeaderSetTypMod(HeapTupleHeaderData *tup, int32 typmod)
Definition: htup_details.h:522
static int32 HeapTupleHeaderGetTypMod(const HeapTupleHeaderData *tup)
Definition: htup_details.h:516
static void HeapTupleHeaderSetTypeId(HeapTupleHeaderData *tup, Oid datum_typeid)
Definition: htup_details.h:510
static uint32 HeapTupleHeaderGetDatumLength(const HeapTupleHeaderData *tup)
Definition: htup_details.h:492
static Oid HeapTupleHeaderGetTypeId(const HeapTupleHeaderData *tup)
Definition: htup_details.h:504
#define nitems(x)
Definition: indent.h:31
char * val_string
Definition: informix.c:694
static struct @165 value
Datum bool_int4(PG_FUNCTION_ARGS)
Definition: int.c:372
int b
Definition: isn.c:74
int a
Definition: isn.c:73
int i
Definition: isn.c:77
if(TABLE==NULL||TABLE_index==NULL)
Definition: isn.c:81
static void ItemPointerSetInvalid(ItemPointerData *pointer)
Definition: itemptr.h:184
Datum json_build_array_worker(int nargs, const Datum *args, const bool *nulls, const Oid *types, bool absent_on_null)
Definition: json.c:1344
Datum json_build_object_worker(int nargs, const Datum *args, const bool *nulls, const Oid *types, bool absent_on_null, bool unique_keys)
Definition: json.c:1224
Datum datum_to_json(Datum val, JsonTypeCategory tcategory, Oid outfuncoid)
Definition: json.c:763
bool json_validate(text *json, bool check_unique_keys, bool throw_error)
Definition: json.c:1812
@ JSON_TOKEN_FALSE
Definition: jsonapi.h:29
@ JSON_TOKEN_TRUE
Definition: jsonapi.h:28
@ JSON_TOKEN_NULL
Definition: jsonapi.h:30
@ JSON_TOKEN_OBJECT_START
Definition: jsonapi.h:22
@ JSON_TOKEN_NUMBER
Definition: jsonapi.h:21
@ JSON_TOKEN_STRING
Definition: jsonapi.h:20
@ JSON_TOKEN_ARRAY_START
Definition: jsonapi.h:24
Datum jsonb_from_text(text *js, bool unique_keys)
Definition: jsonb.c:147
Datum jsonb_build_array_worker(int nargs, const Datum *args, const bool *nulls, const Oid *types, bool absent_on_null)
Definition: jsonb.c:1210
Datum jsonb_in(PG_FUNCTION_ARGS)
Definition: jsonb.c:73
Datum jsonb_out(PG_FUNCTION_ARGS)
Definition: jsonb.c:108
Datum jsonb_build_object_worker(int nargs, const Datum *args, const bool *nulls, const Oid *types, bool absent_on_null, bool unique_keys)
Definition: jsonb.c:1125
Datum datum_to_jsonb(Datum val, JsonTypeCategory tcategory, Oid outfuncoid)
Definition: jsonb.c:1112
@ jbvObject
Definition: jsonb.h:234
@ jbvNumeric
Definition: jsonb.h:230
@ jbvBool
Definition: jsonb.h:231
@ jbvArray
Definition: jsonb.h:233
@ jbvBinary
Definition: jsonb.h:236
@ jbvNull
Definition: jsonb.h:228
@ jbvDatetime
Definition: jsonb.h:244
@ jbvString
Definition: jsonb.h:229
#define JB_ROOT_IS_OBJECT(jbp_)
Definition: jsonb.h:221
static Datum JsonbPGetDatum(const Jsonb *p)
Definition: jsonb.h:386
#define JB_ROOT_IS_ARRAY(jbp_)
Definition: jsonb.h:222
static Jsonb * DatumGetJsonbP(Datum d)
Definition: jsonb.h:374
#define JB_ROOT_IS_SCALAR(jbp_)
Definition: jsonb.h:220
Jsonb * JsonbValueToJsonb(JsonbValue *val)
Definition: jsonb_util.c:92
Datum json_populate_type(Datum json_val, Oid json_type, Oid typid, int32 typmod, void **cache, MemoryContext mcxt, bool *isnull, bool omit_quotes, Node *escontext)
Definition: jsonfuncs.c:3345
JsonTokenType json_get_first_token(text *json, bool throw_error)
Definition: jsonfuncs.c:5972
JsonTypeCategory
Definition: jsonfuncs.h:69
static JsonPath * DatumGetJsonPathP(Datum d)
Definition: jsonpath.h:35
bool JsonPathExists(Datum jb, JsonPath *jp, bool *error, List *vars)
Datum JsonPathQuery(Datum jb, JsonPath *jp, JsonWrapper wrapper, bool *empty, bool *error, List *vars, const char *column_name)
JsonbValue * JsonPathValue(Datum jb, JsonPath *jp, bool *empty, bool *error, List *vars, const char *column_name)
List * lappend(List *list, void *datum)
Definition: list.c:339
void get_typlenbyvalalign(Oid typid, int16 *typlen, bool *typbyval, char *typalign)
Definition: lsyscache.c:2411
char * pstrdup(const char *in)
Definition: mcxt.c:2322
void pfree(void *pointer)
Definition: mcxt.c:2147
void * palloc0(Size size)
Definition: mcxt.c:1970
void * palloc(Size size)
Definition: mcxt.c:1940
MemoryContext CurrentMemoryContext
Definition: mcxt.c:159
MemoryContext MemoryContextGetParent(MemoryContext context)
Definition: mcxt.c:762
#define AllocSizeIsValid(size)
Definition: memutils.h:45
#define SOFT_ERROR_OCCURRED(escontext)
Definition: miscnodes.h:53
Datum current_user(PG_FUNCTION_ARGS)
Definition: name.c:263
Datum session_user(PG_FUNCTION_ARGS)
Definition: name.c:269
Datum current_schema(PG_FUNCTION_ARGS)
Definition: name.c:279
Oid exprType(const Node *expr)
Definition: nodeFuncs.c:42
void ExecSetParamPlan(SubPlanState *node, ExprContext *econtext)
Definition: nodeSubplan.c:1100
Datum ExecSubPlan(SubPlanState *node, ExprContext *econtext, bool *isNull)
Definition: nodeSubplan.c:62
#define IsA(nodeptr, _type_)
Definition: nodes.h:164
@ CMD_INSERT
Definition: nodes.h:273
@ CMD_DELETE
Definition: nodes.h:274
@ CMD_UPDATE
Definition: nodes.h:272
@ CMD_NOTHING
Definition: nodes.h:278
#define castNode(_type_, nodeptr)
Definition: nodes.h:182
static Datum NumericGetDatum(Numeric X)
Definition: numeric.h:73
static MemoryContext MemoryContextSwitchTo(MemoryContext context)
Definition: palloc.h:124
int16 attnum
Definition: pg_attribute.h:74
FormData_pg_attribute * Form_pg_attribute
Definition: pg_attribute.h:202
void * arg
static uint32 pg_rotate_left32(uint32 word, int n)
Definition: pg_bitutils.h:428
const void * data
#define lfirst(lc)
Definition: pg_list.h:172
static int list_length(const List *l)
Definition: pg_list.h:152
#define NIL
Definition: pg_list.h:68
#define forboth(cell1, list1, cell2, list2)
Definition: pg_list.h:518
#define lfirst_int(lc)
Definition: pg_list.h:173
static char * buf
Definition: pg_test_fsync.c:72
char typalign
Definition: pg_type.h:176
void pgstat_init_function_usage(FunctionCallInfo fcinfo, PgStat_FunctionCallUsage *fcu)
void pgstat_end_function_usage(PgStat_FunctionCallUsage *fcu, bool finalize)
#define qsort(a, b, c, d)
Definition: port.h:479
static uint32 DatumGetUInt32(Datum X)
Definition: postgres.h:227
static bool DatumGetBool(Datum X)
Definition: postgres.h:95
static Datum PointerGetDatum(const void *X)
Definition: postgres.h:327
uintptr_t Datum
Definition: postgres.h:69
static Datum Int16GetDatum(int16 X)
Definition: postgres.h:177
static Datum BoolGetDatum(bool X)
Definition: postgres.h:107
static char * DatumGetCString(Datum X)
Definition: postgres.h:340
static Pointer DatumGetPointer(Datum X)
Definition: postgres.h:317
static Datum CStringGetDatum(const char *X)
Definition: postgres.h:355
static Datum Int32GetDatum(int32 X)
Definition: postgres.h:217
static Datum UInt32GetDatum(uint32 X)
Definition: postgres.h:237
static int32 DatumGetInt32(Datum X)
Definition: postgres.h:207
#define InvalidOid
Definition: postgres_ext.h:35
unsigned int Oid
Definition: postgres_ext.h:30
e
Definition: preproc-init.c:82
@ JS_FORMAT_JSONB
Definition: primnodes.h:1645
MinMaxOp
Definition: primnodes.h:1506
@ IS_LEAST
Definition: primnodes.h:1508
@ IS_GREATEST
Definition: primnodes.h:1507
@ SVFOP_CURRENT_CATALOG
Definition: primnodes.h:1554
@ SVFOP_LOCALTIME_N
Definition: primnodes.h:1547
@ SVFOP_CURRENT_TIMESTAMP
Definition: primnodes.h:1544
@ SVFOP_LOCALTIME
Definition: primnodes.h:1546
@ SVFOP_CURRENT_TIMESTAMP_N
Definition: primnodes.h:1545
@ SVFOP_CURRENT_ROLE
Definition: primnodes.h:1550
@ SVFOP_USER
Definition: primnodes.h:1552
@ SVFOP_CURRENT_SCHEMA
Definition: primnodes.h:1555
@ SVFOP_LOCALTIMESTAMP_N
Definition: primnodes.h:1549
@ SVFOP_CURRENT_DATE
Definition: primnodes.h:1541
@ SVFOP_CURRENT_TIME_N
Definition: primnodes.h:1543
@ SVFOP_CURRENT_TIME
Definition: primnodes.h:1542
@ SVFOP_LOCALTIMESTAMP
Definition: primnodes.h:1548
@ SVFOP_CURRENT_USER
Definition: primnodes.h:1551
@ SVFOP_SESSION_USER
Definition: primnodes.h:1553
@ IS_DOCUMENT
Definition: primnodes.h:1592
@ IS_XMLFOREST
Definition: primnodes.h:1587
@ IS_XMLCONCAT
Definition: primnodes.h:1585
@ IS_XMLPI
Definition: primnodes.h:1589
@ IS_XMLPARSE
Definition: primnodes.h:1588
@ IS_XMLSERIALIZE
Definition: primnodes.h:1591
@ IS_XMLROOT
Definition: primnodes.h:1590
@ IS_XMLELEMENT
Definition: primnodes.h:1586
@ VAR_RETURNING_OLD
Definition: primnodes.h:257
@ VAR_RETURNING_NEW
Definition: primnodes.h:258
@ VAR_RETURNING_DEFAULT
Definition: primnodes.h:256
@ JSON_BEHAVIOR_ERROR
Definition: primnodes.h:1771
@ JSON_QUERY_OP
Definition: primnodes.h:1808
@ JSON_EXISTS_OP
Definition: primnodes.h:1807
@ JSON_VALUE_OP
Definition: primnodes.h:1809
@ JS_TYPE_ANY
Definition: primnodes.h:1727
@ JS_TYPE_ARRAY
Definition: primnodes.h:1729
@ JS_TYPE_OBJECT
Definition: primnodes.h:1728
@ JS_TYPE_SCALAR
Definition: primnodes.h:1730
#define OUTER_VAR
Definition: primnodes.h:243
@ JSCTOR_JSON_PARSE
Definition: primnodes.h:1699
@ JSCTOR_JSON_OBJECT
Definition: primnodes.h:1695
@ JSCTOR_JSON_SCALAR
Definition: primnodes.h:1700
@ JSCTOR_JSON_ARRAY
Definition: primnodes.h:1696
#define INNER_VAR
Definition: primnodes.h:242
static chr element(struct vars *v, const chr *startp, const chr *endp)
Definition: regc_locale.c:376
static unsigned hash(unsigned *uv, int n)
Definition: rege_dfa.c:715
static void error(void)
Definition: sql-dyntest.c:147
void check_stack_depth(void)
Definition: stack_depth.c:95
void appendStringInfo(StringInfo str, const char *fmt,...)
Definition: stringinfo.c:145
void initStringInfo(StringInfo str)
Definition: stringinfo.c:97
FmgrInfo equalfnOne
Definition: nodeAgg.h:115
TupleTableSlot * sortslot
Definition: nodeAgg.h:141
ExprState * equalfnMulti
Definition: nodeAgg.h:116
Tuplesortstate ** sortstates
Definition: nodeAgg.h:162
TupleTableSlot * uniqslot
Definition: nodeAgg.h:142
FunctionCallInfo transfn_fcinfo
Definition: nodeAgg.h:170
AggStatePerGroup * all_pergroups
Definition: execnodes.h:2597
ExprContext * tmpcontext
Definition: execnodes.h:2540
ExprContext * curaggcontext
Definition: execnodes.h:2542
AggStatePerTrans curpertrans
Definition: execnodes.h:2545
int current_set
Definition: execnodes.h:2550
Bitmapset * grouped_cols
Definition: execnodes.h:2551
Oid elemtype
Definition: array.h:97
int ndim
Definition: array.h:95
int32 dataoffset
Definition: array.h:96
uint8 attalignby
Definition: tupdesc.h:80
bool attisdropped
Definition: tupdesc.h:77
int16 attlen
Definition: tupdesc.h:71
Index es_range_table_size
Definition: execnodes.h:660
char * message
Definition: elog.h:432
bool details_wanted
Definition: miscnodes.h:48
ErrorData * error_data
Definition: miscnodes.h:49
bool error_occurred
Definition: miscnodes.h:47
Datum domainValue_datum
Definition: execnodes.h:299
ParamListInfo ecxt_param_list_info
Definition: execnodes.h:280
MemoryContext ecxt_per_tuple_memory
Definition: execnodes.h:276
TupleTableSlot * ecxt_innertuple
Definition: execnodes.h:270
ParamExecData * ecxt_param_exec_vals
Definition: execnodes.h:279
Datum * ecxt_aggvalues
Definition: execnodes.h:287
TupleTableSlot * ecxt_newtuple
Definition: execnodes.h:307
bool caseValue_isNull
Definition: execnodes.h:295
TupleTableSlot * ecxt_scantuple
Definition: execnodes.h:268
Datum caseValue_datum
Definition: execnodes.h:293
TupleTableSlot * ecxt_oldtuple
Definition: execnodes.h:305
bool * ecxt_aggnulls
Definition: execnodes.h:289
MemoryContext ecxt_per_query_memory
Definition: execnodes.h:275
bool domainValue_isNull
Definition: execnodes.h:301
struct EState * ecxt_estate
Definition: execnodes.h:310
TupleTableSlot * ecxt_outertuple
Definition: execnodes.h:272
XmlExpr * xexpr
Definition: execExpr.h:653
JsonIsPredicate * pred
Definition: execExpr.h:750
MinMaxOp op
Definition: execExpr.h:534
bool typbyval
Definition: execExpr.h:631
int last_var
Definition: execExpr.h:325
AttrNumber fieldnum
Definition: execExpr.h:543
struct ExprEvalStep::@55::@90 hashedscalararrayop
bool has_nulls
Definition: execExpr.h:642
struct ExprEvalStep::@55::@57 var
struct ScalarArrayOpExprHashTable * elements_tab
Definition: execExpr.h:644
bool inclause
Definition: execExpr.h:643
SubPlanState * sstate
Definition: execExpr.h:691
AggStatePerTrans pertrans
Definition: execExpr.h:731
struct JsonExprState * jsestate
Definition: execExpr.h:756
bool * argnull
Definition: execExpr.h:659
PGFunction fn_addr
Definition: execExpr.h:391
int resultnum
Definition: execExpr.h:358
bool * nulls
Definition: execExpr.h:531
struct ExprEvalStep::@55::@86 hashdatum_initvalue
ScalarArrayOpExpr * saop
Definition: execExpr.h:647
FunctionCallInfo fcinfo_data
Definition: execExpr.h:389
ErrorSaveContext * escontext
Definition: execExpr.h:592
union ExprEvalStep::@55 d
bool useOr
Definition: execExpr.h:629
CompareType cmptype
Definition: execExpr.h:523
bool * resnull
Definition: execExpr.h:311
int16 typlen
Definition: execExpr.h:630
Datum * argvalue
Definition: execExpr.h:658
struct ExprEvalStep::@55::@87 hashdatum
ExprEvalRowtypeCache rowcache
Definition: execExpr.h:419
Datum init_value
Definition: execExpr.h:598
struct JsonConstructorExprState * jcstate
Definition: execExpr.h:665
FmgrInfo * finfo
Definition: execExpr.h:388
bool isnull
Definition: execExpr.h:382
ExprContext * aggcontext
Definition: execExpr.h:732
struct ExprEvalStep::@55::@56 fetch
Oid element_type
Definition: execExpr.h:628
SQLValueFunction * svf
Definition: execExpr.h:467
Definition: fmgr.h:57
PGFunction fn_addr
Definition: fmgr.h:58
fmNodePtr context
Definition: fmgr.h:88
NullableDatum args[FLEXIBLE_ARRAY_MEMBER]
Definition: fmgr.h:95
ItemPointerData t_self
Definition: htup.h:65
uint32 t_len
Definition: htup.h:64
HeapTupleHeader t_data
Definition: htup.h:68
Oid t_tableOid
Definition: htup.h:66
JsonBehaviorType btype
Definition: primnodes.h:1795
JsonConstructorExpr * constructor
Definition: execExpr.h:823
struct JsonConstructorExprState::@105 * arg_type_cache
JsonReturning * returning
Definition: primnodes.h:1715
JsonConstructorType type
Definition: primnodes.h:1711
int jump_eval_coercion
Definition: execnodes.h:1101
NullableDatum empty
Definition: execnodes.h:1087
FunctionCallInfo input_fcinfo
Definition: execnodes.h:1115
JsonExpr * jsexpr
Definition: execnodes.h:1065
NullableDatum error
Definition: execnodes.h:1084
NullableDatum pathspec
Definition: execnodes.h:1071
ErrorSaveContext escontext
Definition: execnodes.h:1124
NullableDatum formatted_expr
Definition: execnodes.h:1068
char * column_name
Definition: primnodes.h:1824
JsonBehavior * on_empty
Definition: primnodes.h:1844
bool use_io_coercion
Definition: primnodes.h:1851
JsonReturning * returning
Definition: primnodes.h:1837
bool use_json_coercion
Definition: primnodes.h:1852
JsonWrapper wrapper
Definition: primnodes.h:1855
JsonExprOp op
Definition: primnodes.h:1822
JsonBehavior * on_error
Definition: primnodes.h:1845
JsonFormatType format_type
Definition: primnodes.h:1656
JsonValueType item_type
Definition: primnodes.h:1742
JsonFormat * format
Definition: primnodes.h:1668
enum jbvType type
Definition: jsonb.h:255
char * val
Definition: jsonb.h:264
Definition: jsonb.h:213
Definition: pg_list.h:54
MergeAction * mas_action
Definition: execnodes.h:444
CmdType commandType
Definition: primnodes.h:2012
MergeActionState * mt_merge_action
Definition: execnodes.h:1445
Definition: nodes.h:135
Datum value
Definition: postgres.h:80
bool isnull
Definition: postgres.h:82
bool isnull
Definition: params.h:150
Datum value
Definition: params.h:149
void * execPlan
Definition: params.h:148
bool isnull
Definition: params.h:93
Datum value
Definition: params.h:92
ParamExternData params[FLEXIBLE_ARRAY_MEMBER]
Definition: params.h:125
ParamFetchHook paramFetch
Definition: params.h:112
SQLValueFunctionOp op
Definition: primnodes.h:1561
FunctionCallInfoBaseData hash_fcinfo_data
struct ExprEvalStep * op
int32 tdtypmod
Definition: tupdesc.h:139
Oid tdtypeid
Definition: tupdesc.h:138
TupleDesc tts_tupleDescriptor
Definition: tuptable.h:123
const TupleTableSlotOps *const tts_ops
Definition: tuptable.h:121
AttrNumber tts_nvalid
Definition: tuptable.h:120
bool * tts_isnull
Definition: tuptable.h:127
Datum * tts_values
Definition: tuptable.h:125
uint64 tupDesc_identifier
Definition: typcache.h:91
TupleDesc tupDesc
Definition: typcache.h:90
Definition: primnodes.h:262
List * args
Definition: primnodes.h:1613
bool indent
Definition: primnodes.h:1617
List * named_args
Definition: primnodes.h:1609
XmlExprOp op
Definition: primnodes.h:1605
Definition: regguts.h:323
Definition: c.h:658
TupleConversionMap * convert_tuples_by_name(TupleDesc indesc, TupleDesc outdesc)
Definition: tupconvert.c:102
HeapTuple execute_attr_map_tuple(HeapTuple tuple, TupleConversionMap *map)
Definition: tupconvert.c:154
void DecrTupleDescRefCount(TupleDesc tupdesc)
Definition: tupdesc.c:570
void IncrTupleDescRefCount(TupleDesc tupdesc)
Definition: tupdesc.c:552
TupleDesc CreateTupleDescCopy(TupleDesc tupdesc)
Definition: tupdesc.c:245
#define ReleaseTupleDesc(tupdesc)
Definition: tupdesc.h:219
static FormData_pg_attribute * TupleDescAttr(TupleDesc tupdesc, int i)
Definition: tupdesc.h:160
static CompactAttribute * TupleDescCompactAttr(TupleDesc tupdesc, int i)
Definition: tupdesc.h:175
struct TupleDescData * TupleDesc
Definition: tupdesc.h:145
void tuplesort_putdatum(Tuplesortstate *state, Datum val, bool isNull)
void tuplesort_puttupleslot(Tuplesortstate *state, TupleTableSlot *slot)
#define att_align_nominal(cur_offset, attalign)
Definition: tupmacs.h:150
#define att_addlength_pointer(cur_offset, attlen, attptr)
Definition: tupmacs.h:185
static Datum fetch_att(const void *T, bool attbyval, int attlen)
Definition: tupmacs.h:53
#define TTS_IS_VIRTUAL(slot)
Definition: tuptable.h:238
static void slot_getsomeattrs(TupleTableSlot *slot, int attnum)
Definition: tuptable.h:359
static Datum slot_getsysattr(TupleTableSlot *slot, int attnum, bool *isnull)
Definition: tuptable.h:420
#define TTS_FIXED(slot)
Definition: tuptable.h:108
static Datum slot_getattr(TupleTableSlot *slot, int attnum, bool *isnull)
Definition: tuptable.h:399
static TupleTableSlot * ExecClearTuple(TupleTableSlot *slot)
Definition: tuptable.h:458
static void slot_getallattrs(TupleTableSlot *slot)
Definition: tuptable.h:372
static TupleTableSlot * ExecCopySlot(TupleTableSlot *dstslot, TupleTableSlot *srcslot)
Definition: tuptable.h:525
TupleDesc lookup_rowtype_tupdesc(Oid type_id, int32 typmod)
Definition: typcache.c:1922
TupleDesc lookup_rowtype_tupdesc_domain(Oid type_id, int32 typmod, bool noError)
Definition: typcache.c:1978
TypeCacheEntry * lookup_type_cache(Oid type_id, int flags)
Definition: typcache.c:386
#define TYPECACHE_TUPDESC
Definition: typcache.h:146
static Datum TimestampTzGetDatum(TimestampTz X)
Definition: timestamp.h:52
static Datum TimestampGetDatum(Timestamp X)
Definition: timestamp.h:46
#define strVal(v)
Definition: value.h:82
#define VARATT_IS_EXTERNAL_EXPANDED(PTR)
Definition: varatt.h:298
#define SET_VARSIZE(PTR, len)
Definition: varatt.h:305
text * cstring_to_text_with_len(const char *s, int len)
Definition: varlena.c:204
Datum textin(PG_FUNCTION_ARGS)
Definition: varlena.c:587
xmltype * xmlroot(xmltype *data, text *version, int standalone)
Definition: xml.c:1051
text * xmltotext_with_options(xmltype *data, XmlOptionType xmloption_arg, bool indent)
Definition: xml.c:656
char * map_sql_value_to_xml_value(Datum value, Oid type, bool xml_escape_strings)
Definition: xml.c:2476
xmltype * xmlconcat(List *args)
Definition: xml.c:553
bool xml_is_document(xmltype *arg)
Definition: xml.c:1117
xmltype * xmlparse(text *data, XmlOptionType xmloption_arg, bool preserve_whitespace)
Definition: xml.c:981
xmltype * xmlelement(XmlExpr *xexpr, Datum *named_argvalue, bool *named_argnull, Datum *argvalue, bool *argnull)
Definition: xml.c:857
xmltype * xmlpi(const char *target, text *arg, bool arg_is_null, bool *result_is_null)
Definition: xml.c:999
static xmltype * DatumGetXmlP(Datum X)
Definition: xml.h:51