-
Notifications
You must be signed in to change notification settings - Fork 67
/
Copy pathpartition_creation.c
2057 lines (1693 loc) · 59.4 KB
/
partition_creation.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*-------------------------------------------------------------------------
*
* partition_creation.c
* Various functions for partition creation.
*
* Copyright (c) 2016-2020, Postgres Professional
*
*-------------------------------------------------------------------------
*/
#include "init.h"
#include "partition_creation.h"
#include "partition_filter.h"
#include "pathman.h"
#include "pathman_workers.h"
#include "compat/pg_compat.h"
#include "xact_handling.h"
#include "access/htup_details.h"
#include "access/reloptions.h"
#include "access/sysattr.h"
#if PG_VERSION_NUM >= 120000
#include "access/table.h"
#endif
#include "access/xact.h"
#include "catalog/heap.h"
#include "catalog/pg_authid.h"
#include "catalog/pg_proc.h"
#include "catalog/pg_trigger.h"
#include "catalog/pg_type.h"
#include "catalog/toasting.h"
#include "commands/defrem.h"
#include "commands/event_trigger.h"
#include "commands/sequence.h"
#include "commands/tablecmds.h"
#include "commands/tablespace.h"
#include "commands/trigger.h"
#include "executor/spi.h"
#include "miscadmin.h"
#include "nodes/nodeFuncs.h"
#include "parser/parse_func.h"
#include "parser/parse_utilcmd.h"
#include "parser/parse_relation.h"
#include "tcop/utility.h"
#if PG_VERSION_NUM >= 130000
#include "utils/acl.h"
#endif
#include "utils/builtins.h"
#include "utils/datum.h"
#include "utils/fmgroids.h"
#include "utils/inval.h"
#include "utils/jsonb.h"
#include "utils/snapmgr.h"
#include "utils/lsyscache.h"
#include "utils/syscache.h"
#include "utils/typcache.h"
#if PG_VERSION_NUM >= 100000
#include "utils/regproc.h"
#endif
static Oid spawn_partitions_val(Oid parent_relid,
const Bound *range_bound_min,
const Bound *range_bound_max,
Oid range_bound_type,
Datum interval_binary,
Oid interval_type,
Datum value,
Oid value_type,
Oid collid);
static void create_single_partition_common(Oid parent_relid,
Oid partition_relid,
Constraint *check_constraint,
init_callback_params *callback_params,
List *trigger_columns);
static Oid create_single_partition_internal(Oid parent_relid,
RangeVar *partition_rv,
char *tablespace);
static char *choose_range_partition_name(Oid parent_relid, Oid parent_nsp);
static char *choose_hash_partition_name(Oid parent_relid, uint32 part_idx);
static ObjectAddress create_table_using_stmt(CreateStmt *create_stmt,
Oid relowner);
static void copy_foreign_keys(Oid parent_relid, Oid partition_oid);
static void copy_rel_options(Oid parent_relid, Oid partition_relid);
static void postprocess_child_table_and_atts(Oid parent_relid, Oid partition_relid);
static Oid text_to_regprocedure(text *proname_args);
static Constraint *make_constraint_common(char *name, Node *raw_expr);
#if PG_VERSION_NUM >= 150000 /* for commit 639a86e36aae */
static String make_string_value_struct(char *str);
static Integer make_int_value_struct(int int_val);
#else
static Value make_string_value_struct(char* str);
static Value make_int_value_struct(int int_val);
#endif
static Node *build_partitioning_expression(Oid parent_relid,
Oid *expr_type,
List **columns);
/*
* ---------------------------------------
* Public interface (partition creation)
* ---------------------------------------
*/
/* Create one RANGE partition [start_value, end_value) */
Oid
create_single_range_partition_internal(Oid parent_relid,
const Bound *start_value,
const Bound *end_value,
Oid value_type,
RangeVar *partition_rv,
char *tablespace)
{
Oid partition_relid;
Constraint *check_constr;
init_callback_params callback_params;
List *trigger_columns = NIL;
Node *expr;
Datum values[Natts_pathman_config];
bool isnull[Natts_pathman_config];
/*
* Sanity check. Probably needed only if some absurd init_callback
* decides to drop the table while we are creating partitions.
* It seems much better to use prel cache here, but this doesn't work
* because it regards tables with no partitions as not partitioned at all
* (build_pathman_relation_info returns NULL), and if I comment out that,
* tests fail for not immediately obvious reasons. Don't want to dig
* into this now.
*/
if (!pathman_config_contains_relation(parent_relid, values, isnull, NULL, NULL))
{
elog(ERROR, "Can't create range partition: relid %u doesn't exist or not partitioned", parent_relid);
}
/* Generate a name if asked to */
if (!partition_rv)
{
Oid parent_nsp = get_rel_namespace(parent_relid);
char *parent_nsp_name = get_namespace_name(parent_nsp);
char *partition_name;
partition_name = choose_range_partition_name(parent_relid, parent_nsp);
partition_rv = makeRangeVar(parent_nsp_name, partition_name, -1);
}
/* Check pathman config anld fill variables */
expr = build_partitioning_expression(parent_relid, NULL, &trigger_columns);
/* Create a partition & get 'partitioning expression' */
partition_relid = create_single_partition_internal(parent_relid,
partition_rv,
tablespace);
/* Build check constraint for RANGE partition */
check_constr = build_range_check_constraint(partition_relid,
expr,
start_value,
end_value,
value_type);
/* Cook args for init_callback */
MakeInitCallbackRangeParams(&callback_params,
DEFAULT_PATHMAN_INIT_CALLBACK,
parent_relid, partition_relid,
*start_value, *end_value, value_type);
/* Add constraint & execute init_callback */
create_single_partition_common(parent_relid,
partition_relid,
check_constr,
&callback_params,
trigger_columns);
/* Return the Oid */
return partition_relid;
}
/* Create one HASH partition */
Oid
create_single_hash_partition_internal(Oid parent_relid,
uint32 part_idx,
uint32 part_count,
RangeVar *partition_rv,
char *tablespace)
{
Oid partition_relid,
expr_type;
Constraint *check_constr;
init_callback_params callback_params;
List *trigger_columns = NIL;
Node *expr;
/* Generate a name if asked to */
if (!partition_rv)
{
Oid parent_nsp = get_rel_namespace(parent_relid);
char *parent_nsp_name = get_namespace_name(parent_nsp);
char *partition_name;
partition_name = choose_hash_partition_name(parent_relid, part_idx);
partition_rv = makeRangeVar(parent_nsp_name, partition_name, -1);
}
/* Create a partition & get 'partitionining expression' */
partition_relid = create_single_partition_internal(parent_relid,
partition_rv,
tablespace);
/* check pathman config and fill variables */
expr = build_partitioning_expression(parent_relid, &expr_type, &trigger_columns);
/* Build check constraint for HASH partition */
check_constr = build_hash_check_constraint(partition_relid,
expr,
part_idx,
part_count,
expr_type);
/* Cook args for init_callback */
MakeInitCallbackHashParams(&callback_params,
DEFAULT_PATHMAN_INIT_CALLBACK,
parent_relid, partition_relid);
/* Add constraint & execute init_callback */
create_single_partition_common(parent_relid,
partition_relid,
check_constr,
&callback_params,
trigger_columns);
/* Return the Oid */
return partition_relid;
}
/* Add constraint & execute init_callback */
void
create_single_partition_common(Oid parent_relid,
Oid partition_relid,
Constraint *check_constraint,
init_callback_params *callback_params,
List *trigger_columns)
{
Relation child_relation;
/* Open the relation and add new check constraint & fkeys */
child_relation = heap_open_compat(partition_relid, AccessExclusiveLock);
AddRelationNewConstraintsCompat(child_relation, NIL,
list_make1(check_constraint),
false, true, true);
heap_close_compat(child_relation, NoLock);
/* Make constraint visible */
CommandCounterIncrement();
/* Make trigger visible */
CommandCounterIncrement();
/* Finally invoke 'init_callback' */
invoke_part_callback(callback_params);
/* Make possible changes visible */
CommandCounterIncrement();
}
/*
* Create RANGE partitions (if needed) using either BGW or current backend.
*
* Returns Oid of the partition to store 'value'.
*/
Oid
create_partitions_for_value(Oid relid, Datum value, Oid value_type)
{
TransactionId rel_xmin;
Oid last_partition = InvalidOid;
/* Check that table is partitioned and fetch xmin */
if (pathman_config_contains_relation(relid, NULL, NULL, &rel_xmin, NULL))
{
/* Take default values */
bool spawn_using_bgw = DEFAULT_PATHMAN_SPAWN_USING_BGW,
enable_auto = DEFAULT_PATHMAN_AUTO;
/* Values to be extracted from PATHMAN_CONFIG_PARAMS */
Datum values[Natts_pathman_config_params];
bool isnull[Natts_pathman_config_params];
/* Try fetching options from PATHMAN_CONFIG_PARAMS */
if (read_pathman_params(relid, values, isnull))
{
enable_auto = values[Anum_pathman_config_params_auto - 1];
spawn_using_bgw = values[Anum_pathman_config_params_spawn_using_bgw - 1];
}
/* Emit ERROR if automatic partition creation is disabled */
if (!enable_auto || !IsAutoPartitionEnabled())
elog(ERROR, ERR_PART_ATTR_NO_PART, datum_to_cstring(value, value_type));
/*
* If table has been partitioned in some previous xact AND
* we don't hold any conflicting locks, run BGWorker.
*/
if (spawn_using_bgw &&
xact_object_is_visible(rel_xmin) &&
!xact_bgw_conflicting_lock_exists(relid))
{
elog(DEBUG2, "create_partitions(): chose BGWorker [%u]", MyProcPid);
last_partition = create_partitions_for_value_bg_worker(relid,
value,
value_type);
}
/* Else it'd be better for the current backend to create partitions */
else
{
elog(DEBUG2, "create_partitions(): chose backend [%u]", MyProcPid);
last_partition = create_partitions_for_value_internal(relid,
value,
value_type);
}
}
else
elog(ERROR, "table \"%s\" is not partitioned",
get_rel_name_or_relid(relid));
/* Check that 'last_partition' is valid */
if (last_partition == InvalidOid)
elog(ERROR, "could not create new partitions for relation \"%s\"",
get_rel_name_or_relid(relid));
/* Make changes visible */
AcceptInvalidationMessages();
return last_partition;
}
/*
* --------------------
* Partition creation
* --------------------
*/
/*
* Create partitions (if needed) and return Oid of the partition to store 'value'.
*
* NB: This function should not be called directly,
* use create_partitions_for_value() instead.
*/
Oid
create_partitions_for_value_internal(Oid relid, Datum value, Oid value_type)
{
Oid partid = InvalidOid; /* last created partition (or InvalidOid) */
Datum values[Natts_pathman_config];
bool isnull[Natts_pathman_config];
/* Get both PartRelationInfo & PATHMAN_CONFIG contents for this relation */
if (pathman_config_contains_relation(relid, values, isnull, NULL, NULL))
{
PartRelationInfo *prel;
LockAcquireResult lock_result; /* could we lock the parent? */
Oid base_bound_type; /* base type of prel->ev_type */
Oid base_value_type; /* base type of value_type */
/* Prevent modifications of partitioning scheme */
lock_result = xact_lock_rel(relid, ShareUpdateExclusiveLock, false);
/* Fetch PartRelationInfo by 'relid' */
prel = get_pathman_relation_info(relid);
shout_if_prel_is_invalid(relid, prel, PT_RANGE);
/* Fetch base types of prel->ev_type & value_type */
base_bound_type = getBaseType(prel->ev_type);
base_value_type = getBaseType(value_type);
/*
* Search for a suitable partition if we didn't hold it,
* since somebody might have just created it for us.
*
* If the table is locked, it means that we've
* already failed to find a suitable partition
* and called this function to do the job.
*/
Assert(lock_result != LOCKACQUIRE_NOT_AVAIL);
if (lock_result == LOCKACQUIRE_OK)
{
Oid *parts;
int nparts;
/* Search for matching partitions */
parts = find_partitions_for_value(value, value_type, prel, &nparts);
/* Shout if there's more than one */
if (nparts > 1)
elog(ERROR, ERR_PART_ATTR_MULTIPLE);
/* It seems that we got a partition! */
else if (nparts == 1)
{
/* Unlock the parent (we're not going to spawn) */
UnlockRelationOid(relid, ShareUpdateExclusiveLock);
/* Simply return the suitable partition */
partid = parts[0];
}
/* Don't forget to free */
pfree(parts);
}
/* Else spawn a new one (we hold a lock on the parent) */
if (partid == InvalidOid)
{
RangeEntry *ranges = PrelGetRangesArray(prel);
Bound bound_min, /* absolute MIN */
bound_max; /* absolute MAX */
Oid interval_type = InvalidOid;
Datum interval_binary, /* assigned 'width' of one partition */
interval_text;
/* Copy datums in order to protect them from cache invalidation */
bound_min = CopyBound(&ranges[0].min,
prel->ev_byval,
prel->ev_len);
bound_max = CopyBound(&ranges[PrelLastChild(prel)].max,
prel->ev_byval,
prel->ev_len);
/* Check if interval is set */
if (isnull[Anum_pathman_config_range_interval - 1])
{
ereport(ERROR,
(errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
errmsg("cannot spawn new partition for key '%s'",
datum_to_cstring(value, value_type)),
errdetail("default range interval is NULL")));
}
/* Retrieve interval as TEXT from tuple */
interval_text = values[Anum_pathman_config_range_interval - 1];
/* Convert interval to binary representation */
interval_binary = extract_binary_interval_from_text(interval_text,
base_bound_type,
&interval_type);
/* At last, spawn partitions to store the value */
partid = spawn_partitions_val(PrelParentRelid(prel),
&bound_min, &bound_max, base_bound_type,
interval_binary, interval_type,
value, base_value_type,
prel->ev_collid);
}
/* Don't forget to close 'prel'! */
close_pathman_relation_info(prel);
}
else
elog(ERROR, "table \"%s\" is not partitioned",
get_rel_name_or_relid(relid));
return partid;
}
/*
* Append\prepend partitions if there's no partition to store 'value'.
* NOTE: Used by create_partitions_for_value_internal().
*/
static Oid
spawn_partitions_val(Oid parent_relid, /* parent's Oid */
const Bound *range_bound_min, /* parent's MIN boundary */
const Bound *range_bound_max, /* parent's MAX boundary */
Oid range_bound_type, /* type of boundary's value */
Datum interval_binary, /* interval in binary form */
Oid interval_type, /* INTERVALOID or prel->ev_type */
Datum value, /* value to be INSERTed */
Oid value_type, /* type of value */
Oid collid) /* collation id */
{
bool should_append; /* append or prepend? */
Oid move_bound_op_func, /* operator's function */
move_bound_op_ret_type; /* operator's ret type */
FmgrInfo cmp_value_bound_finfo, /* exec 'value (>=|<) bound' */
move_bound_finfo; /* exec 'bound + interval' */
Datum cur_leading_bound, /* boundaries of a new partition */
cur_following_bound;
Bound value_bound = MakeBound(value);
Oid last_partition = InvalidOid;
fill_type_cmp_fmgr_info(&cmp_value_bound_finfo, value_type, range_bound_type);
/* Is it possible to append\prepend a partition? */
if (IsInfinite(range_bound_min) && IsInfinite(range_bound_max))
ereport(ERROR, (errmsg("cannot spawn a partition"),
errdetail("both bounds are infinite")));
/* value >= MAX_BOUNDARY */
else if (cmp_bounds(&cmp_value_bound_finfo, collid,
&value_bound, range_bound_max) >= 0)
{
should_append = true;
cur_leading_bound = BoundGetValue(range_bound_max);
}
/* value < MIN_BOUNDARY */
else if (cmp_bounds(&cmp_value_bound_finfo, collid,
&value_bound, range_bound_min) < 0)
{
should_append = false;
cur_leading_bound = BoundGetValue(range_bound_min);
}
/* There's a gap, halt and emit ERROR */
else ereport(ERROR, (errmsg("cannot spawn a partition"),
errdetail("there is a gap")));
/* Fetch operator's underlying function and ret type */
extract_op_func_and_ret_type(should_append ? "+" : "-",
range_bound_type,
interval_type,
&move_bound_op_func,
&move_bound_op_ret_type);
/* Perform casts if types don't match (e.g. date + interval = timestamp) */
if (move_bound_op_ret_type != range_bound_type)
{
/* Cast 'cur_leading_bound' to 'move_bound_op_ret_type' */
cur_leading_bound = perform_type_cast(cur_leading_bound,
range_bound_type,
move_bound_op_ret_type,
NULL); /* might emit ERROR */
/* Update 'range_bound_type' */
range_bound_type = move_bound_op_ret_type;
/* Fetch new comparison function */
fill_type_cmp_fmgr_info(&cmp_value_bound_finfo,
value_type,
range_bound_type);
/* Since type has changed, fetch another operator */
extract_op_func_and_ret_type(should_append ? "+" : "-",
range_bound_type,
interval_type,
&move_bound_op_func,
&move_bound_op_ret_type);
/* What, again? Don't want to deal with this nightmare */
if (move_bound_op_ret_type != range_bound_type)
elog(ERROR, "error in function " CppAsString(spawn_partitions_val));
}
/* Get operator's underlying function */
fmgr_info(move_bound_op_func, &move_bound_finfo);
/* Execute comparison function cmp(value, cur_leading_bound) */
while (should_append ?
check_ge(&cmp_value_bound_finfo, collid, value, cur_leading_bound) :
check_lt(&cmp_value_bound_finfo, collid, value, cur_leading_bound))
{
Bound bounds[2];
int rc;
bool isnull;
char *create_sql;
HeapTuple typeTuple;
char *typname;
Oid parent_nsp = get_rel_namespace(parent_relid);
char *parent_nsp_name = get_namespace_name(parent_nsp);
char *partition_name = choose_range_partition_name(parent_relid, parent_nsp);
char *pathman_schema;
/* Assign the 'following' boundary to current 'leading' value */
cur_following_bound = cur_leading_bound;
/* Move leading bound by interval (exec 'leading (+|-) INTERVAL') */
cur_leading_bound = FunctionCall2(&move_bound_finfo,
cur_leading_bound,
interval_binary);
bounds[0] = MakeBound(should_append ? cur_following_bound : cur_leading_bound);
bounds[1] = MakeBound(should_append ? cur_leading_bound : cur_following_bound);
/*
* Instead of directly calling create_single_range_partition_internal()
* we are going to call it through SPI, to make it possible for various
* DDL-replicating extensions to catch that call and do something about
* it. --sk
*/
/* Get typname of range_bound_type to perform cast */
typeTuple = SearchSysCache1(TYPEOID, ObjectIdGetDatum(range_bound_type));
if (!HeapTupleIsValid(typeTuple))
elog(ERROR, "cache lookup failed for type %u", range_bound_type);
typname = pstrdup(NameStr(((Form_pg_type) GETSTRUCT(typeTuple))->typname));
ReleaseSysCache(typeTuple);
pathman_schema = get_namespace_name(get_pathman_schema());
if (pathman_schema == NULL)
elog(ERROR, "pg_pathman schema not initialized");
/* Construct call to create_single_range_partition() */
create_sql = psprintf(
"select %s.create_single_range_partition('%s.%s'::regclass, '%s'::%s, '%s'::%s, '%s.%s', NULL::text)",
quote_identifier(pathman_schema),
quote_identifier(parent_nsp_name),
quote_identifier(get_rel_name(parent_relid)),
IsInfinite(&bounds[0]) ? "NULL" : datum_to_cstring(bounds[0].value, range_bound_type),
typname,
IsInfinite(&bounds[1]) ? "NULL" : datum_to_cstring(bounds[1].value, range_bound_type),
typname,
quote_identifier(parent_nsp_name),
quote_identifier(partition_name)
);
/* ...and call it. */
SPI_connect();
PushActiveSnapshot(GetTransactionSnapshot());
rc = SPI_execute(create_sql, false, 0);
if (rc <= 0 || SPI_processed != 1)
elog(ERROR, "Failed to create range partition");
last_partition = DatumGetObjectId(SPI_getbinval(SPI_tuptable->vals[0],
SPI_tuptable->tupdesc,
1, &isnull));
Assert(!isnull);
SPI_finish();
PopActiveSnapshot();
#ifdef USE_ASSERT_CHECKING
elog(DEBUG2, "%s partition with following='%s' & leading='%s' [%u]",
(should_append ? "Appending" : "Prepending"),
DebugPrintDatum(cur_following_bound, range_bound_type),
DebugPrintDatum(cur_leading_bound, range_bound_type),
MyProcPid);
#endif
}
return last_partition;
}
/* Choose a good name for a RANGE partition */
static char *
choose_range_partition_name(Oid parent_relid, Oid parent_nsp)
{
Datum part_num;
Oid part_seq_relid;
char *part_seq_nspname,
*part_seq_relname;
RangeVar *part_seq_rv;
Oid save_userid;
int save_sec_context;
bool need_priv_escalation = !superuser(); /* we might be a SU */
char *relname;
int attempts_cnt = 1000;
/* Dispatch sequence and lock it using AccessShareLock */
part_seq_nspname = get_namespace_name(get_rel_namespace(parent_relid));
part_seq_relname = build_sequence_name_relid_internal(parent_relid);
part_seq_rv = makeRangeVar(part_seq_nspname, part_seq_relname, -1);
part_seq_relid = RangeVarGetRelid(part_seq_rv, AccessShareLock, true);
/* Could not find part number generating sequence */
if (!OidIsValid(part_seq_relid))
elog(ERROR, "auto naming sequence \"%s\" does not exist", part_seq_relname);
pfree(part_seq_nspname);
pfree(part_seq_relname);
pfree(part_seq_rv);
/* Do we have to escalate privileges? */
if (need_priv_escalation)
{
/* Get current user's Oid and security context */
GetUserIdAndSecContext(&save_userid, &save_sec_context);
/* Become superuser in order to bypass sequence ACL checks */
SetUserIdAndSecContext(BOOTSTRAP_SUPERUSERID,
save_sec_context | SECURITY_LOCAL_USERID_CHANGE);
}
/* Generate unique name */
while (true)
{
/* Get next integer for partition name */
part_num = DirectFunctionCall1(nextval_oid, ObjectIdGetDatum(part_seq_relid));
relname = psprintf("%s_" UINT64_FORMAT,
get_rel_name(parent_relid),
(uint64) DatumGetInt64(part_num)); /* can't use UInt64 on 9.5 */
/*
* If we found a unique name or attempts number exceeds some reasonable
* value then we quit
*
* XXX Should we throw an exception if max attempts number is reached?
*/
if (get_relname_relid(relname, parent_nsp) == InvalidOid || attempts_cnt < 0)
break;
pfree(relname);
attempts_cnt--;
}
/* Restore user's privileges */
if (need_priv_escalation)
SetUserIdAndSecContext(save_userid, save_sec_context);
return relname;
}
/* Choose a good name for a HASH partition */
static char *
choose_hash_partition_name(Oid parent_relid, uint32 part_idx)
{
return psprintf("%s_%u", get_rel_name(parent_relid), part_idx);
}
/* Create a partition-like table (no constraints yet) */
static Oid
create_single_partition_internal(Oid parent_relid,
RangeVar *partition_rv,
char *tablespace)
{
/* Value to be returned */
Oid partition_relid = InvalidOid; /* safety */
/* Parent's namespace and name */
Oid parent_nsp;
char *parent_name,
*parent_nsp_name;
/* Elements of the "CREATE TABLE" query tree */
RangeVar *parent_rv;
TableLikeClause like_clause;
CreateStmt create_stmt;
List *create_stmts;
ListCell *lc;
/* Current user and security context */
Oid save_userid;
int save_sec_context;
bool need_priv_escalation = !superuser(); /* we might be a SU */
/* Lock parent and check if it exists */
LockRelationOid(parent_relid, ShareUpdateExclusiveLock);
if (!SearchSysCacheExists1(RELOID, ObjectIdGetDatum(parent_relid)))
elog(ERROR, "relation %u does not exist", parent_relid);
/* Check that table is registered in PATHMAN_CONFIG */
if (!pathman_config_contains_relation(parent_relid, NULL, NULL, NULL, NULL))
elog(ERROR, "table \"%s\" is not partitioned",
get_rel_name_or_relid(parent_relid));
/* Do we have to escalate privileges? */
if (need_priv_escalation)
{
/* Get current user's Oid and security context */
GetUserIdAndSecContext(&save_userid, &save_sec_context);
/* Check that user's allowed to spawn partitions */
if (ACLCHECK_OK != pg_class_aclcheck(parent_relid, save_userid,
ACL_SPAWN_PARTITIONS))
ereport(ERROR,
(errcode(ERRCODE_INSUFFICIENT_PRIVILEGE),
errmsg("permission denied for parent relation \"%s\"",
get_rel_name_or_relid(parent_relid)),
errdetail("user is not allowed to create new partitions"),
errhint("consider granting INSERT privilege")));
/* Become superuser in order to bypass various ACL checks */
SetUserIdAndSecContext(BOOTSTRAP_SUPERUSERID,
save_sec_context | SECURITY_LOCAL_USERID_CHANGE);
}
/* Cache parent's namespace and name */
parent_name = get_rel_name(parent_relid);
parent_nsp = get_rel_namespace(parent_relid);
parent_nsp_name = get_namespace_name(parent_nsp);
/* Make up parent's RangeVar */
parent_rv = makeRangeVar(parent_nsp_name, parent_name, -1);
/* If no 'tablespace' is provided, get parent's tablespace */
if (!tablespace)
tablespace = get_tablespace_name(get_rel_tablespace(parent_relid));
/* Initialize TableLikeClause structure */
NodeSetTag(&like_clause, T_TableLikeClause);
like_clause.relation = copyObject(parent_rv);
like_clause.options = CREATE_TABLE_LIKE_DEFAULTS |
CREATE_TABLE_LIKE_INDEXES |
CREATE_TABLE_LIKE_STORAGE;
/* Initialize CreateStmt structure */
NodeSetTag(&create_stmt, T_CreateStmt);
create_stmt.relation = copyObject(partition_rv);
create_stmt.tableElts = list_make1(copyObject(&like_clause));
create_stmt.inhRelations = list_make1(copyObject(parent_rv));
create_stmt.ofTypename = NULL;
create_stmt.constraints = NIL;
create_stmt.options = NIL;
create_stmt.oncommit = ONCOMMIT_NOOP;
create_stmt.tablespacename = tablespace;
create_stmt.if_not_exists = false;
#if PG_VERSION_NUM >= 100000
create_stmt.partbound = NULL;
create_stmt.partspec = NULL;
#endif
#if defined(PGPRO_EE) && PG_VERSION_NUM < 100000
create_stmt.partition_info = NULL;
#endif
#if PG_VERSION_NUM >= 120000
create_stmt.accessMethod = NULL;
#endif
/* Obtain the sequence of Stmts to create partition and link it to parent */
create_stmts = transformCreateStmt(&create_stmt, NULL);
/* Create the partition and all required relations */
foreach (lc, create_stmts)
{
Node *cur_stmt;
/* Fetch current CreateStmt */
cur_stmt = (Node *) lfirst(lc);
if (IsA(cur_stmt, CreateStmt))
{
Oid child_relowner;
/* Partition should have the same owner as the parent */
child_relowner = get_rel_owner(parent_relid);
/* Create a partition and save its Oid */
partition_relid = create_table_using_stmt((CreateStmt *) cur_stmt,
child_relowner).objectId;
/* Copy attributes to partition */
copy_rel_options(parent_relid, partition_relid);
/* Copy FOREIGN KEYS of the parent table */
copy_foreign_keys(parent_relid, partition_relid);
/* Make changes visible */
CommandCounterIncrement();
/* Copy ACL privileges of the parent table and set "attislocal" */
postprocess_child_table_and_atts(parent_relid, partition_relid);
}
else if (IsA(cur_stmt, CreateForeignTableStmt))
{
elog(ERROR, "FDW partition creation is not implemented yet");
}
/*
* 3737965249cd fix (since 12.5, 11.10, etc) reworked LIKE handling
* to process it after DefineRelation.
*/
#if (PG_VERSION_NUM >= 130000) || \
((PG_VERSION_NUM < 130000) && (PG_VERSION_NUM >= 120005)) || \
((PG_VERSION_NUM < 120000) && (PG_VERSION_NUM >= 110010)) || \
((PG_VERSION_NUM < 110000) && (PG_VERSION_NUM >= 100015)) || \
((PG_VERSION_NUM < 100000) && (PG_VERSION_NUM >= 90620)) || \
((PG_VERSION_NUM < 90600) && (PG_VERSION_NUM >= 90524))
else if (IsA(cur_stmt, TableLikeClause))
{
/*
* Do delayed processing of LIKE options. This
* will result in additional sub-statements for us
* to process. We can just tack those onto the
* to-do list.
*/
TableLikeClause *like = (TableLikeClause *) cur_stmt;
RangeVar *rv = create_stmt.relation;
List *morestmts;
morestmts = expandTableLikeClause(rv, like);
create_stmts = list_concat(create_stmts, morestmts);
/*
* We don't need a CCI now
*/
continue;
}
#endif
else
{
/*
* Recurse for anything else. Note the recursive
* call will stash the objects so created into our
* event trigger context.
*/
ProcessUtilityCompat(cur_stmt,
"we have to provide a query string",
PROCESS_UTILITY_SUBCOMMAND,
NULL,
None_Receiver,
NULL);
}
/* Update config one more time */
CommandCounterIncrement();
}
/* Restore user's privileges */
if (need_priv_escalation)
SetUserIdAndSecContext(save_userid, save_sec_context);
return partition_relid;
}
/* Create a new table using cooked CreateStmt */
static ObjectAddress
create_table_using_stmt(CreateStmt *create_stmt, Oid relowner)
{
ObjectAddress table_addr;
Datum toast_options;
static char *validnsps[] = HEAP_RELOPT_NAMESPACES;
int guc_level;
/* Create new GUC level... */
guc_level = NewGUCNestLevel();
/* ... and set client_min_messages = warning */
(void) set_config_option(CppAsString(client_min_messages), "WARNING",
PGC_USERSET, PGC_S_SESSION,
GUC_ACTION_SAVE, true, 0, false);
/* Create new partition owned by parent's posessor */
table_addr = DefineRelationCompat(create_stmt, RELKIND_RELATION, relowner,
NULL);
/* Save data about a simple DDL command that was just executed */
EventTriggerCollectSimpleCommand(table_addr,
InvalidObjectAddress,
(Node *) create_stmt);
/*
* Let NewRelationCreateToastTable decide if this
* one needs a secondary relation too.
*/
CommandCounterIncrement();
/* Parse and validate reloptions for the toast table */
toast_options = transformRelOptions((Datum) 0, create_stmt->options,
"toast", validnsps, true, false);
/* Parse options for a new toast table */
(void) heap_reloptions(RELKIND_TOASTVALUE, toast_options, true);
/* Now create the toast table if needed */
NewRelationCreateToastTable(table_addr.objectId, toast_options);
/* Restore original GUC values */
AtEOXact_GUC(true, guc_level);
/* Return the address */
return table_addr;
}
/* Copy ACL privileges of parent table and set "attislocal" = true */
static void
postprocess_child_table_and_atts(Oid parent_relid, Oid partition_relid)
{
Relation parent_rel,
partition_rel,
pg_class_rel,
pg_attribute_rel;
TupleDesc pg_class_desc,
pg_attribute_desc;
List *translated_vars;
HeapTuple htup;
ScanKeyData skey[2];
SysScanDesc scan;
Datum acl_datum;
bool acl_null;
Snapshot snapshot;
/* Both parent & partition have already been locked */