mirror of
https://github.com/postgres/postgres.git
synced 2025-04-21 12:05:57 +03:00
Remove WITH OIDS support, change oid catalog column visibility.
Previously tables declared WITH OIDS, including a significant fraction of the catalog tables, stored the oid column not as a normal column, but as part of the tuple header. This special column was not shown by default, which was somewhat odd, as it's often (consider e.g. pg_class.oid) one of the more important parts of a row. Neither pg_dump nor COPY included the contents of the oid column by default. The fact that the oid column was not an ordinary column necessitated a significant amount of special case code to support oid columns. That already was painful for the existing, but upcoming work aiming to make table storage pluggable, would have required expanding and duplicating that "specialness" significantly. WITH OIDS has been deprecated since 2005 (commit ff02d0a05280e0). Remove it. Removing includes: - CREATE TABLE and ALTER TABLE syntax for declaring the table to be WITH OIDS has been removed (WITH (oids[ = true]) will error out) - pg_dump does not support dumping tables declared WITH OIDS and will issue a warning when dumping one (and ignore the oid column). - restoring an pg_dump archive with pg_restore will warn when restoring a table with oid contents (and ignore the oid column) - COPY will refuse to load binary dump that includes oids. - pg_upgrade will error out when encountering tables declared WITH OIDS, they have to be altered to remove the oid column first. - Functionality to access the oid of the last inserted row (like plpgsql's RESULT_OID, spi's SPI_lastoid, ...) has been removed. The syntax for declaring a table WITHOUT OIDS (or WITH (oids = false) for CREATE TABLE) is still supported. While that requires a bit of support code, it seems unnecessary to break applications / dumps that do not use oids, and are explicit about not using them. The biggest user of WITH OID columns was postgres' catalog. This commit changes all 'magic' oid columns to be columns that are normally declared and stored. To reduce unnecessary query breakage all the newly added columns are still named 'oid', even if a table's column naming scheme would indicate 'reloid' or such. This obviously requires adapting a lot code, mostly replacing oid access via HeapTupleGetOid() with access to the underlying Form_pg_*->oid column. The bootstrap process now assigns oids for all oid columns in genbki.pl that do not have an explicit value (starting at the largest oid previously used), only oids assigned later by oids will be above FirstBootstrapObjectId. As the oid column now is a normal column the special bootstrap syntax for oids has been removed. Oids are not automatically assigned during insertion anymore, all backend code explicitly assigns oids with GetNewOidWithIndex(). For the rare case that insertions into the catalog via SQL are called for the new pg_nextoid() function can be used (which only works on catalog tables). The fact that oid columns on system tables are now normal columns means that they will be included in the set of columns expanded by * (i.e. SELECT * FROM pg_class will now include the table's oid, previously it did not). It'd not technically be hard to hide oid column by default, but that'd mean confusing behavior would either have to be carried forward forever, or it'd cause breakage down the line. While it's not unlikely that further adjustments are needed, the scope/invasiveness of the patch makes it worthwhile to get merge this now. It's painful to maintain externally, too complicated to commit after the code code freeze, and a dependency of a number of other patches. Catversion bump, for obvious reasons. Author: Andres Freund, with contributions by John Naylor Discussion: https://postgr.es/m/20180930034810.ywp2c7awz7opzcfr@alap3.anarazel.de
This commit is contained in:
parent
0999ac4792
commit
578b229718
@ -502,7 +502,7 @@ pg_logdir_ls_internal(FunctionCallInfo fcinfo)
|
|||||||
|
|
||||||
fctx = palloc(sizeof(directory_fctx));
|
fctx = palloc(sizeof(directory_fctx));
|
||||||
|
|
||||||
tupdesc = CreateTemplateTupleDesc(2, false);
|
tupdesc = CreateTemplateTupleDesc(2);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "starttime",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "starttime",
|
||||||
TIMESTAMPOID, -1, 0);
|
TIMESTAMPOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "filename",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "filename",
|
||||||
|
@ -1,5 +1,5 @@
|
|||||||
-- money check
|
-- money check
|
||||||
CREATE TABLE moneytmp (a money) WITH OIDS;
|
CREATE TABLE moneytmp (a money);
|
||||||
\copy moneytmp from 'data/cash.data'
|
\copy moneytmp from 'data/cash.data'
|
||||||
SET enable_seqscan=on;
|
SET enable_seqscan=on;
|
||||||
SELECT count(*) FROM moneytmp WHERE a < '22649.64';
|
SELECT count(*) FROM moneytmp WHERE a < '22649.64';
|
||||||
|
@ -1,64 +1,66 @@
|
|||||||
-- oid check
|
-- oid check
|
||||||
SET enable_seqscan=on;
|
SET enable_seqscan=on;
|
||||||
SELECT count(*) FROM moneytmp WHERE oid < ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
CREATE TEMPORARY TABLE oidtmp (oid oid);
|
||||||
|
INSERT INTO oidtmp SELECT g.i::oid FROM generate_series(1, 1000) g(i);
|
||||||
|
SELECT count(*) FROM oidtmp WHERE oid < 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
372
|
16
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid <= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid <= 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
373
|
17
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid = ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid = 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
1
|
1
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid >= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid >= 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
228
|
984
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid > ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid > 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
227
|
983
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
CREATE INDEX oididx ON moneytmp USING gist ( oid );
|
CREATE INDEX oididx ON oidtmp USING gist ( oid );
|
||||||
SET enable_seqscan=off;
|
SET enable_seqscan=off;
|
||||||
SELECT count(*) FROM moneytmp WHERE oid < ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid < 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
372
|
16
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid <= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid <= 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
373
|
17
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid = ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid = 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
1
|
1
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid >= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid >= 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
228
|
984
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid > ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid > 17;
|
||||||
count
|
count
|
||||||
-------
|
-------
|
||||||
227
|
983
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
|
@ -1,6 +1,6 @@
|
|||||||
-- money check
|
-- money check
|
||||||
|
|
||||||
CREATE TABLE moneytmp (a money) WITH OIDS;
|
CREATE TABLE moneytmp (a money);
|
||||||
|
|
||||||
\copy moneytmp from 'data/cash.data'
|
\copy moneytmp from 'data/cash.data'
|
||||||
|
|
||||||
|
@ -2,26 +2,29 @@
|
|||||||
|
|
||||||
SET enable_seqscan=on;
|
SET enable_seqscan=on;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid < ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
CREATE TEMPORARY TABLE oidtmp (oid oid);
|
||||||
|
INSERT INTO oidtmp SELECT g.i::oid FROM generate_series(1, 1000) g(i);
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid <= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid < 17;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid = ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid <= 17;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid >= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid = 17;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid > ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid >= 17;
|
||||||
|
|
||||||
CREATE INDEX oididx ON moneytmp USING gist ( oid );
|
SELECT count(*) FROM oidtmp WHERE oid > 17;
|
||||||
|
|
||||||
|
CREATE INDEX oididx ON oidtmp USING gist ( oid );
|
||||||
|
|
||||||
SET enable_seqscan=off;
|
SET enable_seqscan=off;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid < ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid < 17;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid <= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid <= 17;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid = ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid = 17;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid >= ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid >= 17;
|
||||||
|
|
||||||
SELECT count(*) FROM moneytmp WHERE oid > ( SELECT oid FROM moneytmp WHERE a = '22649.64' );
|
SELECT count(*) FROM oidtmp WHERE oid > 17;
|
||||||
|
@ -849,7 +849,7 @@ materializeResult(FunctionCallInfo fcinfo, PGconn *conn, PGresult *res)
|
|||||||
* need a tuple descriptor representing one TEXT column to return
|
* need a tuple descriptor representing one TEXT column to return
|
||||||
* the command status string as our result tuple
|
* the command status string as our result tuple
|
||||||
*/
|
*/
|
||||||
tupdesc = CreateTemplateTupleDesc(1, false);
|
tupdesc = CreateTemplateTupleDesc(1);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "status",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "status",
|
||||||
TEXTOID, -1, 0);
|
TEXTOID, -1, 0);
|
||||||
ntuples = 1;
|
ntuples = 1;
|
||||||
@ -1032,7 +1032,7 @@ materializeQueryResult(FunctionCallInfo fcinfo,
|
|||||||
* need a tuple descriptor representing one TEXT column to return
|
* need a tuple descriptor representing one TEXT column to return
|
||||||
* the command status string as our result tuple
|
* the command status string as our result tuple
|
||||||
*/
|
*/
|
||||||
tupdesc = CreateTemplateTupleDesc(1, false);
|
tupdesc = CreateTemplateTupleDesc(1);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "status",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "status",
|
||||||
TEXTOID, -1, 0);
|
TEXTOID, -1, 0);
|
||||||
attinmeta = TupleDescGetAttInMetadata(tupdesc);
|
attinmeta = TupleDescGetAttInMetadata(tupdesc);
|
||||||
@ -1526,7 +1526,7 @@ dblink_get_pkey(PG_FUNCTION_ARGS)
|
|||||||
/*
|
/*
|
||||||
* need a tuple descriptor representing one INT and one TEXT column
|
* need a tuple descriptor representing one INT and one TEXT column
|
||||||
*/
|
*/
|
||||||
tupdesc = CreateTemplateTupleDesc(2, false);
|
tupdesc = CreateTemplateTupleDesc(2);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "position",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "position",
|
||||||
INT4OID, -1, 0);
|
INT4OID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "colname",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "colname",
|
||||||
@ -1904,7 +1904,7 @@ dblink_get_notify(PG_FUNCTION_ARGS)
|
|||||||
per_query_ctx = rsinfo->econtext->ecxt_per_query_memory;
|
per_query_ctx = rsinfo->econtext->ecxt_per_query_memory;
|
||||||
oldcontext = MemoryContextSwitchTo(per_query_ctx);
|
oldcontext = MemoryContextSwitchTo(per_query_ctx);
|
||||||
|
|
||||||
tupdesc = CreateTemplateTupleDesc(DBLINK_NOTIFY_COLS, false);
|
tupdesc = CreateTemplateTupleDesc(DBLINK_NOTIFY_COLS);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "notify_name",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "notify_name",
|
||||||
TEXTOID, -1, 0);
|
TEXTOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "be_pid",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "be_pid",
|
||||||
|
@ -727,8 +727,7 @@ fileIterateForeignScan(ForeignScanState *node)
|
|||||||
*/
|
*/
|
||||||
ExecClearTuple(slot);
|
ExecClearTuple(slot);
|
||||||
found = NextCopyFrom(festate->cstate, NULL,
|
found = NextCopyFrom(festate->cstate, NULL,
|
||||||
slot->tts_values, slot->tts_isnull,
|
slot->tts_values, slot->tts_isnull);
|
||||||
NULL);
|
|
||||||
if (found)
|
if (found)
|
||||||
ExecStoreVirtualTuple(slot);
|
ExecStoreVirtualTuple(slot);
|
||||||
|
|
||||||
@ -1148,7 +1147,7 @@ file_acquire_sample_rows(Relation onerel, int elevel,
|
|||||||
MemoryContextReset(tupcontext);
|
MemoryContextReset(tupcontext);
|
||||||
MemoryContextSwitchTo(tupcontext);
|
MemoryContextSwitchTo(tupcontext);
|
||||||
|
|
||||||
found = NextCopyFrom(cstate, NULL, values, nulls, NULL);
|
found = NextCopyFrom(cstate, NULL, values, nulls);
|
||||||
|
|
||||||
MemoryContextSwitchTo(oldcontext);
|
MemoryContextSwitchTo(oldcontext);
|
||||||
|
|
||||||
|
@ -35,6 +35,19 @@
|
|||||||
#include "utils/builtins.h"
|
#include "utils/builtins.h"
|
||||||
#include "utils/rel.h"
|
#include "utils/rel.h"
|
||||||
|
|
||||||
|
/*
|
||||||
|
* It's not supported to create tuples with oids anymore, but when pg_upgrade
|
||||||
|
* was used to upgrade from an older version, tuples might still have an
|
||||||
|
* oid. Seems worthwhile to display that.
|
||||||
|
*/
|
||||||
|
#define HeapTupleHeaderGetOidOld(tup) \
|
||||||
|
( \
|
||||||
|
((tup)->t_infomask & HEAP_HASOID_OLD) ? \
|
||||||
|
*((Oid *) ((char *)(tup) + (tup)->t_hoff - sizeof(Oid))) \
|
||||||
|
: \
|
||||||
|
InvalidOid \
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* bits_to_text
|
* bits_to_text
|
||||||
@ -241,8 +254,8 @@ heap_page_items(PG_FUNCTION_ARGS)
|
|||||||
else
|
else
|
||||||
nulls[11] = true;
|
nulls[11] = true;
|
||||||
|
|
||||||
if (tuphdr->t_infomask & HEAP_HASOID)
|
if (tuphdr->t_infomask & HEAP_HASOID_OLD)
|
||||||
values[12] = HeapTupleHeaderGetOid(tuphdr);
|
values[12] = HeapTupleHeaderGetOidOld(tuphdr);
|
||||||
else
|
else
|
||||||
nulls[12] = true;
|
nulls[12] = true;
|
||||||
}
|
}
|
||||||
|
@ -99,7 +99,7 @@ pg_buffercache_pages(PG_FUNCTION_ARGS)
|
|||||||
elog(ERROR, "incorrect number of output arguments");
|
elog(ERROR, "incorrect number of output arguments");
|
||||||
|
|
||||||
/* Construct a tuple descriptor for the result rows. */
|
/* Construct a tuple descriptor for the result rows. */
|
||||||
tupledesc = CreateTemplateTupleDesc(expected_tupledesc->natts, false);
|
tupledesc = CreateTemplateTupleDesc(expected_tupledesc->natts);
|
||||||
TupleDescInitEntry(tupledesc, (AttrNumber) 1, "bufferid",
|
TupleDescInitEntry(tupledesc, (AttrNumber) 1, "bufferid",
|
||||||
INT4OID, -1, 0);
|
INT4OID, -1, 0);
|
||||||
TupleDescInitEntry(tupledesc, (AttrNumber) 2, "relfilenode",
|
TupleDescInitEntry(tupledesc, (AttrNumber) 2, "relfilenode",
|
||||||
|
@ -292,7 +292,7 @@ pg_visibility_map_summary(PG_FUNCTION_ARGS)
|
|||||||
ReleaseBuffer(vmbuffer);
|
ReleaseBuffer(vmbuffer);
|
||||||
relation_close(rel, AccessShareLock);
|
relation_close(rel, AccessShareLock);
|
||||||
|
|
||||||
tupdesc = CreateTemplateTupleDesc(2, false);
|
tupdesc = CreateTemplateTupleDesc(2);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "all_visible", INT8OID, -1, 0);
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "all_visible", INT8OID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "all_frozen", INT8OID, -1, 0);
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "all_frozen", INT8OID, -1, 0);
|
||||||
tupdesc = BlessTupleDesc(tupdesc);
|
tupdesc = BlessTupleDesc(tupdesc);
|
||||||
@ -447,7 +447,7 @@ pg_visibility_tupdesc(bool include_blkno, bool include_pd)
|
|||||||
++maxattr;
|
++maxattr;
|
||||||
if (include_pd)
|
if (include_pd)
|
||||||
++maxattr;
|
++maxattr;
|
||||||
tupdesc = CreateTemplateTupleDesc(maxattr, false);
|
tupdesc = CreateTemplateTupleDesc(maxattr);
|
||||||
if (include_blkno)
|
if (include_blkno)
|
||||||
TupleDescInitEntry(tupdesc, ++a, "blkno", INT8OID, -1, 0);
|
TupleDescInitEntry(tupdesc, ++a, "blkno", INT8OID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, ++a, "all_visible", BOOLOID, -1, 0);
|
TupleDescInitEntry(tupdesc, ++a, "all_visible", BOOLOID, -1, 0);
|
||||||
|
@ -332,14 +332,13 @@ foreign_expr_walker(Node *node,
|
|||||||
/* Var belongs to foreign table */
|
/* Var belongs to foreign table */
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* System columns other than ctid and oid should not be
|
* System columns other than ctid should not be sent to
|
||||||
* sent to the remote, since we don't make any effort to
|
* the remote, since we don't make any effort to ensure
|
||||||
* ensure that local and remote values match (tableoid, in
|
* that local and remote values match (tableoid, in
|
||||||
* particular, almost certainly doesn't match).
|
* particular, almost certainly doesn't match).
|
||||||
*/
|
*/
|
||||||
if (var->varattno < 0 &&
|
if (var->varattno < 0 &&
|
||||||
var->varattno != SelfItemPointerAttributeNumber &&
|
var->varattno != SelfItemPointerAttributeNumber)
|
||||||
var->varattno != ObjectIdAttributeNumber)
|
|
||||||
return false;
|
return false;
|
||||||
|
|
||||||
/* Else check the collation */
|
/* Else check the collation */
|
||||||
@ -1145,8 +1144,8 @@ deparseTargetList(StringInfo buf,
|
|||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Add ctid and oid if needed. We currently don't support retrieving any
|
* Add ctid if needed. We currently don't support retrieving any other
|
||||||
* other system columns.
|
* system columns.
|
||||||
*/
|
*/
|
||||||
if (bms_is_member(SelfItemPointerAttributeNumber - FirstLowInvalidHeapAttributeNumber,
|
if (bms_is_member(SelfItemPointerAttributeNumber - FirstLowInvalidHeapAttributeNumber,
|
||||||
attrs_used))
|
attrs_used))
|
||||||
@ -1164,22 +1163,6 @@ deparseTargetList(StringInfo buf,
|
|||||||
*retrieved_attrs = lappend_int(*retrieved_attrs,
|
*retrieved_attrs = lappend_int(*retrieved_attrs,
|
||||||
SelfItemPointerAttributeNumber);
|
SelfItemPointerAttributeNumber);
|
||||||
}
|
}
|
||||||
if (bms_is_member(ObjectIdAttributeNumber - FirstLowInvalidHeapAttributeNumber,
|
|
||||||
attrs_used))
|
|
||||||
{
|
|
||||||
if (!first)
|
|
||||||
appendStringInfoString(buf, ", ");
|
|
||||||
else if (is_returning)
|
|
||||||
appendStringInfoString(buf, " RETURNING ");
|
|
||||||
first = false;
|
|
||||||
|
|
||||||
if (qualify_col)
|
|
||||||
ADD_REL_QUALIFIER(buf, rtindex);
|
|
||||||
appendStringInfoString(buf, "oid");
|
|
||||||
|
|
||||||
*retrieved_attrs = lappend_int(*retrieved_attrs,
|
|
||||||
ObjectIdAttributeNumber);
|
|
||||||
}
|
|
||||||
|
|
||||||
/* Don't generate bad syntax if no undropped columns */
|
/* Don't generate bad syntax if no undropped columns */
|
||||||
if (first && !is_returning)
|
if (first && !is_returning)
|
||||||
@ -2079,12 +2062,6 @@ deparseColumnRef(StringInfo buf, int varno, int varattno, RangeTblEntry *rte,
|
|||||||
ADD_REL_QUALIFIER(buf, varno);
|
ADD_REL_QUALIFIER(buf, varno);
|
||||||
appendStringInfoString(buf, "ctid");
|
appendStringInfoString(buf, "ctid");
|
||||||
}
|
}
|
||||||
else if (varattno == ObjectIdAttributeNumber)
|
|
||||||
{
|
|
||||||
if (qualify_col)
|
|
||||||
ADD_REL_QUALIFIER(buf, varno);
|
|
||||||
appendStringInfoString(buf, "oid");
|
|
||||||
}
|
|
||||||
else if (varattno < 0)
|
else if (varattno < 0)
|
||||||
{
|
{
|
||||||
/*
|
/*
|
||||||
|
@ -129,13 +129,6 @@ CREATE FOREIGN TABLE ft6 (
|
|||||||
c2 int NOT NULL,
|
c2 int NOT NULL,
|
||||||
c3 text
|
c3 text
|
||||||
) SERVER loopback2 OPTIONS (schema_name 'S 1', table_name 'T 4');
|
) SERVER loopback2 OPTIONS (schema_name 'S 1', table_name 'T 4');
|
||||||
-- A table with oids. CREATE FOREIGN TABLE doesn't support the
|
|
||||||
-- WITH OIDS option, but ALTER does.
|
|
||||||
CREATE FOREIGN TABLE ft_pg_type (
|
|
||||||
typname name,
|
|
||||||
typlen smallint
|
|
||||||
) SERVER loopback OPTIONS (schema_name 'pg_catalog', table_name 'pg_type');
|
|
||||||
ALTER TABLE ft_pg_type SET WITH OIDS;
|
|
||||||
-- ===================================================================
|
-- ===================================================================
|
||||||
-- tests for validator
|
-- tests for validator
|
||||||
-- ===================================================================
|
-- ===================================================================
|
||||||
@ -187,14 +180,13 @@ ALTER FOREIGN TABLE ft2 ALTER COLUMN c1 OPTIONS (column_name 'C 1');
|
|||||||
\det+
|
\det+
|
||||||
List of foreign tables
|
List of foreign tables
|
||||||
Schema | Table | Server | FDW options | Description
|
Schema | Table | Server | FDW options | Description
|
||||||
--------+------------+-----------+--------------------------------------------------+-------------
|
--------+-------+-----------+---------------------------------------+-------------
|
||||||
public | ft1 | loopback | (schema_name 'S 1', table_name 'T 1') |
|
public | ft1 | loopback | (schema_name 'S 1', table_name 'T 1') |
|
||||||
public | ft2 | loopback | (schema_name 'S 1', table_name 'T 1') |
|
public | ft2 | loopback | (schema_name 'S 1', table_name 'T 1') |
|
||||||
public | ft4 | loopback | (schema_name 'S 1', table_name 'T 3') |
|
public | ft4 | loopback | (schema_name 'S 1', table_name 'T 3') |
|
||||||
public | ft5 | loopback | (schema_name 'S 1', table_name 'T 4') |
|
public | ft5 | loopback | (schema_name 'S 1', table_name 'T 4') |
|
||||||
public | ft6 | loopback2 | (schema_name 'S 1', table_name 'T 4') |
|
public | ft6 | loopback2 | (schema_name 'S 1', table_name 'T 4') |
|
||||||
public | ft_pg_type | loopback | (schema_name 'pg_catalog', table_name 'pg_type') |
|
(5 rows)
|
||||||
(6 rows)
|
|
||||||
|
|
||||||
-- Test that alteration of server options causes reconnection
|
-- Test that alteration of server options causes reconnection
|
||||||
-- Remote's errors might be non-English, so hide them to ensure stable results
|
-- Remote's errors might be non-English, so hide them to ensure stable results
|
||||||
@ -4048,21 +4040,6 @@ SELECT ctid, * FROM ft1 t1 LIMIT 1;
|
|||||||
(0,1) | 1 | 1 | 00001 | Fri Jan 02 00:00:00 1970 PST | Fri Jan 02 00:00:00 1970 | 1 | 1 | foo
|
(0,1) | 1 | 1 | 00001 | Fri Jan 02 00:00:00 1970 PST | Fri Jan 02 00:00:00 1970 | 1 | 1 | foo
|
||||||
(1 row)
|
(1 row)
|
||||||
|
|
||||||
EXPLAIN (VERBOSE, COSTS OFF)
|
|
||||||
SELECT oid, * FROM ft_pg_type WHERE typname = 'int4';
|
|
||||||
QUERY PLAN
|
|
||||||
----------------------------------------------------------------------------------------------------
|
|
||||||
Foreign Scan on public.ft_pg_type
|
|
||||||
Output: oid, typname, typlen
|
|
||||||
Remote SQL: SELECT typname, typlen, oid FROM pg_catalog.pg_type WHERE ((typname = 'int4'::name))
|
|
||||||
(3 rows)
|
|
||||||
|
|
||||||
SELECT oid, * FROM ft_pg_type WHERE typname = 'int4';
|
|
||||||
oid | typname | typlen
|
|
||||||
-----+---------+--------
|
|
||||||
23 | int4 | 4
|
|
||||||
(1 row)
|
|
||||||
|
|
||||||
-- ===================================================================
|
-- ===================================================================
|
||||||
-- used in PL/pgSQL function
|
-- used in PL/pgSQL function
|
||||||
-- ===================================================================
|
-- ===================================================================
|
||||||
|
@ -3632,8 +3632,7 @@ build_remote_returning(Index rtindex, Relation rel, List *returningList)
|
|||||||
if (IsA(var, Var) &&
|
if (IsA(var, Var) &&
|
||||||
var->varno == rtindex &&
|
var->varno == rtindex &&
|
||||||
var->varattno <= InvalidAttrNumber &&
|
var->varattno <= InvalidAttrNumber &&
|
||||||
var->varattno != SelfItemPointerAttributeNumber &&
|
var->varattno != SelfItemPointerAttributeNumber)
|
||||||
var->varattno != ObjectIdAttributeNumber)
|
|
||||||
continue; /* don't need it */
|
continue; /* don't need it */
|
||||||
|
|
||||||
if (tlist_member((Expr *) var, tlist))
|
if (tlist_member((Expr *) var, tlist))
|
||||||
@ -3864,8 +3863,6 @@ init_returning_filter(PgFdwDirectModifyState *dmstate,
|
|||||||
*/
|
*/
|
||||||
if (attrno == SelfItemPointerAttributeNumber)
|
if (attrno == SelfItemPointerAttributeNumber)
|
||||||
dmstate->ctidAttno = i;
|
dmstate->ctidAttno = i;
|
||||||
else if (attrno == ObjectIdAttributeNumber)
|
|
||||||
dmstate->oidAttno = i;
|
|
||||||
else
|
else
|
||||||
Assert(false);
|
Assert(false);
|
||||||
dmstate->hasSystemCols = true;
|
dmstate->hasSystemCols = true;
|
||||||
@ -3963,15 +3960,6 @@ apply_returning_filter(PgFdwDirectModifyState *dmstate,
|
|||||||
resultTup->t_self = *ctid;
|
resultTup->t_self = *ctid;
|
||||||
}
|
}
|
||||||
|
|
||||||
/* oid */
|
|
||||||
if (dmstate->oidAttno)
|
|
||||||
{
|
|
||||||
Oid oid = InvalidOid;
|
|
||||||
|
|
||||||
oid = DatumGetObjectId(old_values[dmstate->oidAttno - 1]);
|
|
||||||
HeapTupleSetOid(resultTup, oid);
|
|
||||||
}
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* And remaining columns
|
* And remaining columns
|
||||||
*
|
*
|
||||||
@ -5556,7 +5544,6 @@ make_tuple_from_result_row(PGresult *res,
|
|||||||
Datum *values;
|
Datum *values;
|
||||||
bool *nulls;
|
bool *nulls;
|
||||||
ItemPointer ctid = NULL;
|
ItemPointer ctid = NULL;
|
||||||
Oid oid = InvalidOid;
|
|
||||||
ConversionLocation errpos;
|
ConversionLocation errpos;
|
||||||
ErrorContextCallback errcallback;
|
ErrorContextCallback errcallback;
|
||||||
MemoryContext oldcontext;
|
MemoryContext oldcontext;
|
||||||
@ -5639,17 +5626,6 @@ make_tuple_from_result_row(PGresult *res,
|
|||||||
ctid = (ItemPointer) DatumGetPointer(datum);
|
ctid = (ItemPointer) DatumGetPointer(datum);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
else if (i == ObjectIdAttributeNumber)
|
|
||||||
{
|
|
||||||
/* oid */
|
|
||||||
if (valstr != NULL)
|
|
||||||
{
|
|
||||||
Datum datum;
|
|
||||||
|
|
||||||
datum = DirectFunctionCall1(oidin, CStringGetDatum(valstr));
|
|
||||||
oid = DatumGetObjectId(datum);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
errpos.cur_attno = 0;
|
errpos.cur_attno = 0;
|
||||||
|
|
||||||
j++;
|
j++;
|
||||||
@ -5693,12 +5669,6 @@ make_tuple_from_result_row(PGresult *res,
|
|||||||
HeapTupleHeaderSetXmin(tuple->t_data, InvalidTransactionId);
|
HeapTupleHeaderSetXmin(tuple->t_data, InvalidTransactionId);
|
||||||
HeapTupleHeaderSetCmin(tuple->t_data, InvalidTransactionId);
|
HeapTupleHeaderSetCmin(tuple->t_data, InvalidTransactionId);
|
||||||
|
|
||||||
/*
|
|
||||||
* If we have an OID to return, install it.
|
|
||||||
*/
|
|
||||||
if (OidIsValid(oid))
|
|
||||||
HeapTupleSetOid(tuple, oid);
|
|
||||||
|
|
||||||
/* Clean up */
|
/* Clean up */
|
||||||
MemoryContextReset(temp_context);
|
MemoryContextReset(temp_context);
|
||||||
|
|
||||||
@ -5727,8 +5697,6 @@ conversion_error_callback(void *arg)
|
|||||||
attname = NameStr(attr->attname);
|
attname = NameStr(attr->attname);
|
||||||
else if (errpos->cur_attno == SelfItemPointerAttributeNumber)
|
else if (errpos->cur_attno == SelfItemPointerAttributeNumber)
|
||||||
attname = "ctid";
|
attname = "ctid";
|
||||||
else if (errpos->cur_attno == ObjectIdAttributeNumber)
|
|
||||||
attname = "oid";
|
|
||||||
|
|
||||||
relname = RelationGetRelationName(errpos->rel);
|
relname = RelationGetRelationName(errpos->rel);
|
||||||
}
|
}
|
||||||
|
@ -142,14 +142,6 @@ CREATE FOREIGN TABLE ft6 (
|
|||||||
c3 text
|
c3 text
|
||||||
) SERVER loopback2 OPTIONS (schema_name 'S 1', table_name 'T 4');
|
) SERVER loopback2 OPTIONS (schema_name 'S 1', table_name 'T 4');
|
||||||
|
|
||||||
-- A table with oids. CREATE FOREIGN TABLE doesn't support the
|
|
||||||
-- WITH OIDS option, but ALTER does.
|
|
||||||
CREATE FOREIGN TABLE ft_pg_type (
|
|
||||||
typname name,
|
|
||||||
typlen smallint
|
|
||||||
) SERVER loopback OPTIONS (schema_name 'pg_catalog', table_name 'pg_type');
|
|
||||||
ALTER TABLE ft_pg_type SET WITH OIDS;
|
|
||||||
|
|
||||||
-- ===================================================================
|
-- ===================================================================
|
||||||
-- tests for validator
|
-- tests for validator
|
||||||
-- ===================================================================
|
-- ===================================================================
|
||||||
@ -1002,9 +994,6 @@ SELECT * FROM ft1 t1 WHERE t1.ctid = '(0,2)';
|
|||||||
EXPLAIN (VERBOSE, COSTS OFF)
|
EXPLAIN (VERBOSE, COSTS OFF)
|
||||||
SELECT ctid, * FROM ft1 t1 LIMIT 1;
|
SELECT ctid, * FROM ft1 t1 LIMIT 1;
|
||||||
SELECT ctid, * FROM ft1 t1 LIMIT 1;
|
SELECT ctid, * FROM ft1 t1 LIMIT 1;
|
||||||
EXPLAIN (VERBOSE, COSTS OFF)
|
|
||||||
SELECT oid, * FROM ft_pg_type WHERE typname = 'int4';
|
|
||||||
SELECT oid, * FROM ft_pg_type WHERE typname = 'int4';
|
|
||||||
|
|
||||||
-- ===================================================================
|
-- ===================================================================
|
||||||
-- used in PL/pgSQL function
|
-- used in PL/pgSQL function
|
||||||
|
@ -212,16 +212,6 @@ ALTER TABLE regtest_table ENABLE TRIGGER regtest_test_trig; -- not supported
|
|||||||
CREATE RULE regtest_test_rule AS ON INSERT TO regtest_table_3 DO ALSO NOTHING;
|
CREATE RULE regtest_test_rule AS ON INSERT TO regtest_table_3 DO ALSO NOTHING;
|
||||||
ALTER TABLE regtest_table_3 DISABLE RULE regtest_test_rule; -- not supported
|
ALTER TABLE regtest_table_3 DISABLE RULE regtest_test_rule; -- not supported
|
||||||
ALTER TABLE regtest_table_3 ENABLE RULE regtest_test_rule; -- not supported
|
ALTER TABLE regtest_table_3 ENABLE RULE regtest_test_rule; -- not supported
|
||||||
ALTER TABLE regtest_table SET WITH OIDS;
|
|
||||||
LOG: SELinux: allowed { create } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema_2.regtest_table.oid"
|
|
||||||
LOG: SELinux: allowed { create } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_table_2.oid"
|
|
||||||
ALTER TABLE regtest_table SET WITHOUT OIDS;
|
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_table_2.oid"
|
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema_2.regtest_table.oid"
|
|
||||||
ALTER TABLE regtest_table SET (fillfactor = 75);
|
|
||||||
LOG: SELinux: allowed { setattr } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_table name="regtest_schema_2.regtest_table"
|
|
||||||
ALTER TABLE regtest_table RESET (fillfactor);
|
|
||||||
LOG: SELinux: allowed { setattr } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_table name="regtest_schema_2.regtest_table"
|
|
||||||
ALTER TABLE regtest_table_2 NO INHERIT regtest_table; -- not supported
|
ALTER TABLE regtest_table_2 NO INHERIT regtest_table; -- not supported
|
||||||
ALTER TABLE regtest_table_2 INHERIT regtest_table; -- not supported
|
ALTER TABLE regtest_table_2 INHERIT regtest_table; -- not supported
|
||||||
ALTER TABLE regtest_table SET TABLESPACE pg_default;
|
ALTER TABLE regtest_table SET TABLESPACE pg_default;
|
||||||
@ -265,14 +255,6 @@ LOG: SELinux: allowed { setattr } scontext=unconfined_u:unconfined_r:sepgsql_re
|
|||||||
LOG: SELinux: allowed { setattr } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_1_tens.p"
|
LOG: SELinux: allowed { setattr } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_1_tens.p"
|
||||||
ALTER TABLE regtest_ptable ADD CONSTRAINT test_ck CHECK (p like '%abc%') NOT VALID; -- not supported by sepgsql
|
ALTER TABLE regtest_ptable ADD CONSTRAINT test_ck CHECK (p like '%abc%') NOT VALID; -- not supported by sepgsql
|
||||||
ALTER TABLE regtest_ptable DROP CONSTRAINT test_ck; -- not supported by sepgsql
|
ALTER TABLE regtest_ptable DROP CONSTRAINT test_ck; -- not supported by sepgsql
|
||||||
ALTER TABLE regtest_ptable SET WITH OIDS;
|
|
||||||
LOG: SELinux: allowed { create } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema_2.regtest_ptable.oid"
|
|
||||||
LOG: SELinux: allowed { create } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema_2.regtest_table_part.oid"
|
|
||||||
LOG: SELinux: allowed { create } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_1_tens.oid"
|
|
||||||
ALTER TABLE regtest_ptable SET WITHOUT OIDS;
|
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema_2.regtest_table_part.oid"
|
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_1_tens.oid"
|
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema_2.regtest_ptable.oid"
|
|
||||||
ALTER TABLE regtest_ptable SET TABLESPACE pg_default;
|
ALTER TABLE regtest_ptable SET TABLESPACE pg_default;
|
||||||
-- partitioned table child
|
-- partitioned table child
|
||||||
ALTER TABLE regtest_table_part ALTER p SET DEFAULT 'abcd'; -- not supported by sepgsql
|
ALTER TABLE regtest_table_part ALTER p SET DEFAULT 'abcd'; -- not supported by sepgsql
|
||||||
|
@ -61,9 +61,9 @@ LINE 1: ALTER TABLE regtest_table ADD COLUMN z int;
|
|||||||
^
|
^
|
||||||
LOG: SELinux: allowed { search } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=system_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="pg_catalog"
|
LOG: SELinux: allowed { search } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=system_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="pg_catalog"
|
||||||
LOG: SELinux: allowed { create } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_table.z"
|
LOG: SELinux: allowed { create } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_table.z"
|
||||||
CREATE TABLE regtest_table_2 (a int) WITH OIDS;
|
CREATE TABLE regtest_table_2 (a int);
|
||||||
LOG: SELinux: allowed { search } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=system_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="pg_catalog"
|
LOG: SELinux: allowed { search } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=system_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="pg_catalog"
|
||||||
LINE 1: CREATE TABLE regtest_table_2 (a int) WITH OIDS;
|
LINE 1: CREATE TABLE regtest_table_2 (a int);
|
||||||
^
|
^
|
||||||
LOG: SELinux: allowed { search } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=system_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="pg_catalog"
|
LOG: SELinux: allowed { search } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=system_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="pg_catalog"
|
||||||
LOG: SELinux: allowed { add_name } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="regtest_schema"
|
LOG: SELinux: allowed { add_name } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_schema_t:s0 tclass=db_schema name="regtest_schema"
|
||||||
@ -413,8 +413,6 @@ LOG: SELinux: allowed { remove_name } scontext=unconfined_u:unconfined_r:sepgsq
|
|||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_view_t:s0 tclass=db_view name="regtest_schema.regtest_view"
|
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_view_t:s0 tclass=db_view name="regtest_schema.regtest_view"
|
||||||
ALTER TABLE regtest_table DROP COLUMN y;
|
ALTER TABLE regtest_table DROP COLUMN y;
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_table.y"
|
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_table.y"
|
||||||
ALTER TABLE regtest_table_2 SET WITHOUT OIDS;
|
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_table_2.oid"
|
|
||||||
ALTER TABLE regtest_ptable DROP COLUMN q CASCADE;
|
ALTER TABLE regtest_ptable DROP COLUMN q CASCADE;
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_ones.q"
|
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_ones.q"
|
||||||
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_tens.q"
|
LOG: SELinux: allowed { drop } scontext=unconfined_u:unconfined_r:sepgsql_regtest_superuser_t:s0 tcontext=unconfined_u:object_r:sepgsql_table_t:s0 tclass=db_column name="regtest_schema.regtest_ptable_tens.q"
|
||||||
|
@ -758,7 +758,7 @@ exec_object_restorecon(struct selabel_handle *sehnd, Oid catalogId)
|
|||||||
NULL, NULL, NULL);
|
NULL, NULL, NULL);
|
||||||
|
|
||||||
object.classId = DatabaseRelationId;
|
object.classId = DatabaseRelationId;
|
||||||
object.objectId = HeapTupleGetOid(tuple);
|
object.objectId = datForm->oid;
|
||||||
object.objectSubId = 0;
|
object.objectSubId = 0;
|
||||||
break;
|
break;
|
||||||
|
|
||||||
@ -772,7 +772,7 @@ exec_object_restorecon(struct selabel_handle *sehnd, Oid catalogId)
|
|||||||
NULL, NULL);
|
NULL, NULL);
|
||||||
|
|
||||||
object.classId = NamespaceRelationId;
|
object.classId = NamespaceRelationId;
|
||||||
object.objectId = HeapTupleGetOid(tuple);
|
object.objectId = nspForm->oid;
|
||||||
object.objectSubId = 0;
|
object.objectSubId = 0;
|
||||||
break;
|
break;
|
||||||
|
|
||||||
@ -797,7 +797,7 @@ exec_object_restorecon(struct selabel_handle *sehnd, Oid catalogId)
|
|||||||
pfree(namespace_name);
|
pfree(namespace_name);
|
||||||
|
|
||||||
object.classId = RelationRelationId;
|
object.classId = RelationRelationId;
|
||||||
object.objectId = HeapTupleGetOid(tuple);
|
object.objectId = relForm->oid;
|
||||||
object.objectSubId = 0;
|
object.objectSubId = 0;
|
||||||
break;
|
break;
|
||||||
|
|
||||||
@ -838,7 +838,7 @@ exec_object_restorecon(struct selabel_handle *sehnd, Oid catalogId)
|
|||||||
pfree(namespace_name);
|
pfree(namespace_name);
|
||||||
|
|
||||||
object.classId = ProcedureRelationId;
|
object.classId = ProcedureRelationId;
|
||||||
object.objectId = HeapTupleGetOid(tuple);
|
object.objectId = proForm->oid;
|
||||||
object.objectSubId = 0;
|
object.objectSubId = 0;
|
||||||
break;
|
break;
|
||||||
|
|
||||||
|
@ -134,8 +134,6 @@ CREATE RULE regtest_test_rule AS ON INSERT TO regtest_table_3 DO ALSO NOTHING;
|
|||||||
ALTER TABLE regtest_table_3 DISABLE RULE regtest_test_rule; -- not supported
|
ALTER TABLE regtest_table_3 DISABLE RULE regtest_test_rule; -- not supported
|
||||||
ALTER TABLE regtest_table_3 ENABLE RULE regtest_test_rule; -- not supported
|
ALTER TABLE regtest_table_3 ENABLE RULE regtest_test_rule; -- not supported
|
||||||
|
|
||||||
ALTER TABLE regtest_table SET WITH OIDS;
|
|
||||||
ALTER TABLE regtest_table SET WITHOUT OIDS;
|
|
||||||
ALTER TABLE regtest_table SET (fillfactor = 75);
|
ALTER TABLE regtest_table SET (fillfactor = 75);
|
||||||
ALTER TABLE regtest_table RESET (fillfactor);
|
ALTER TABLE regtest_table RESET (fillfactor);
|
||||||
ALTER TABLE regtest_table_2 NO INHERIT regtest_table; -- not supported
|
ALTER TABLE regtest_table_2 NO INHERIT regtest_table; -- not supported
|
||||||
@ -157,8 +155,6 @@ ALTER TABLE regtest_ptable ALTER p SET STORAGE PLAIN;
|
|||||||
ALTER TABLE regtest_ptable ADD CONSTRAINT test_ck CHECK (p like '%abc%') NOT VALID; -- not supported by sepgsql
|
ALTER TABLE regtest_ptable ADD CONSTRAINT test_ck CHECK (p like '%abc%') NOT VALID; -- not supported by sepgsql
|
||||||
ALTER TABLE regtest_ptable DROP CONSTRAINT test_ck; -- not supported by sepgsql
|
ALTER TABLE regtest_ptable DROP CONSTRAINT test_ck; -- not supported by sepgsql
|
||||||
|
|
||||||
ALTER TABLE regtest_ptable SET WITH OIDS;
|
|
||||||
ALTER TABLE regtest_ptable SET WITHOUT OIDS;
|
|
||||||
ALTER TABLE regtest_ptable SET TABLESPACE pg_default;
|
ALTER TABLE regtest_ptable SET TABLESPACE pg_default;
|
||||||
|
|
||||||
-- partitioned table child
|
-- partitioned table child
|
||||||
|
@ -30,7 +30,7 @@ CREATE TABLE regtest_table (x serial primary key, y text);
|
|||||||
|
|
||||||
ALTER TABLE regtest_table ADD COLUMN z int;
|
ALTER TABLE regtest_table ADD COLUMN z int;
|
||||||
|
|
||||||
CREATE TABLE regtest_table_2 (a int) WITH OIDS;
|
CREATE TABLE regtest_table_2 (a int);
|
||||||
|
|
||||||
CREATE TABLE regtest_ptable (a int) PARTITION BY RANGE (a);
|
CREATE TABLE regtest_ptable (a int) PARTITION BY RANGE (a);
|
||||||
CREATE TABLE regtest_ptable_ones PARTITION OF regtest_ptable FOR VALUES FROM ('0') TO ('10');
|
CREATE TABLE regtest_ptable_ones PARTITION OF regtest_ptable FOR VALUES FROM ('0') TO ('10');
|
||||||
@ -112,7 +112,6 @@ DROP SEQUENCE regtest_seq;
|
|||||||
DROP VIEW regtest_view;
|
DROP VIEW regtest_view;
|
||||||
|
|
||||||
ALTER TABLE regtest_table DROP COLUMN y;
|
ALTER TABLE regtest_table DROP COLUMN y;
|
||||||
ALTER TABLE regtest_table_2 SET WITHOUT OIDS;
|
|
||||||
|
|
||||||
ALTER TABLE regtest_ptable DROP COLUMN q CASCADE;
|
ALTER TABLE regtest_ptable DROP COLUMN q CASCADE;
|
||||||
|
|
||||||
|
@ -319,13 +319,6 @@ static void
|
|||||||
tuple_to_stringinfo(StringInfo s, TupleDesc tupdesc, HeapTuple tuple, bool skip_nulls)
|
tuple_to_stringinfo(StringInfo s, TupleDesc tupdesc, HeapTuple tuple, bool skip_nulls)
|
||||||
{
|
{
|
||||||
int natt;
|
int natt;
|
||||||
Oid oid;
|
|
||||||
|
|
||||||
/* print oid of tuple, it's not included in the TupleDesc */
|
|
||||||
if ((oid = HeapTupleHeaderGetOid(tuple->t_data)) != InvalidOid)
|
|
||||||
{
|
|
||||||
appendStringInfo(s, " oid[oid]:%u", oid);
|
|
||||||
}
|
|
||||||
|
|
||||||
/* print all columns individually */
|
/* print all columns individually */
|
||||||
for (natt = 0; natt < tupdesc->natts; natt++)
|
for (natt = 0; natt < tupdesc->natts; natt++)
|
||||||
|
@ -14,6 +14,7 @@
|
|||||||
#include "postgres.h"
|
#include "postgres.h"
|
||||||
|
|
||||||
#include "catalog/namespace.h"
|
#include "catalog/namespace.h"
|
||||||
|
#include "catalog/pg_ts_dict.h"
|
||||||
#include "commands/defrem.h"
|
#include "commands/defrem.h"
|
||||||
#include "lib/stringinfo.h"
|
#include "lib/stringinfo.h"
|
||||||
#include "tsearch/ts_cache.h"
|
#include "tsearch/ts_cache.h"
|
||||||
@ -385,7 +386,7 @@ unaccent_dict(PG_FUNCTION_ARGS)
|
|||||||
Oid procnspid = get_func_namespace(fcinfo->flinfo->fn_oid);
|
Oid procnspid = get_func_namespace(fcinfo->flinfo->fn_oid);
|
||||||
const char *dictname = "unaccent";
|
const char *dictname = "unaccent";
|
||||||
|
|
||||||
dictOid = GetSysCacheOid2(TSDICTNAMENSP,
|
dictOid = GetSysCacheOid2(TSDICTNAMENSP, Anum_pg_ts_dict_oid,
|
||||||
PointerGetDatum(dictname),
|
PointerGetDatum(dictname),
|
||||||
ObjectIdGetDatum(procnspid));
|
ObjectIdGetDatum(procnspid));
|
||||||
if (!OidIsValid(dictOid))
|
if (!OidIsValid(dictOid))
|
||||||
|
@ -89,7 +89,7 @@
|
|||||||
The <literal>CATALOG</literal> line can also be annotated, with some
|
The <literal>CATALOG</literal> line can also be annotated, with some
|
||||||
other BKI property macros described in <filename>genbki.h</filename>, to
|
other BKI property macros described in <filename>genbki.h</filename>, to
|
||||||
define other properties of the catalog as a whole, such as whether
|
define other properties of the catalog as a whole, such as whether
|
||||||
it has OIDs (by default, it does).
|
it is a shared relation.
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
@ -354,7 +354,7 @@
|
|||||||
also needed if the row's OID must be referenced from C code.
|
also needed if the row's OID must be referenced from C code.
|
||||||
If neither case applies, the <literal>oid</literal> metadata field can
|
If neither case applies, the <literal>oid</literal> metadata field can
|
||||||
be omitted, in which case the bootstrap code assigns an OID
|
be omitted, in which case the bootstrap code assigns an OID
|
||||||
automatically, or leaves it zero in a catalog that has no OIDs.
|
automatically.
|
||||||
In practice we usually preassign OIDs for all or none of the pre-loaded
|
In practice we usually preassign OIDs for all or none of the pre-loaded
|
||||||
rows in a given catalog, even if only some of them are actually
|
rows in a given catalog, even if only some of them are actually
|
||||||
cross-referenced.
|
cross-referenced.
|
||||||
@ -387,15 +387,16 @@
|
|||||||
through the catalog headers and <filename>.dat</filename> files
|
through the catalog headers and <filename>.dat</filename> files
|
||||||
to see which ones do not appear. You can also use
|
to see which ones do not appear. You can also use
|
||||||
the <filename>duplicate_oids</filename> script to check for mistakes.
|
the <filename>duplicate_oids</filename> script to check for mistakes.
|
||||||
(<filename>genbki.pl</filename> will also detect duplicate OIDs
|
(<filename>genbki.pl</filename> will assign OIDs for any rows that
|
||||||
|
didn't get one hand-assigned to them and also detect duplicate OIDs
|
||||||
at compile time.)
|
at compile time.)
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
The OID counter starts at 10000 at the beginning of a bootstrap run.
|
The OID counter starts at 10000 at the beginning of a bootstrap run.
|
||||||
If a catalog row is in a table that requires OIDs, but no OID was
|
If a row from a source other than <filename>postgres.bki</filename>
|
||||||
preassigned by an <literal>oid</literal> field, then it will
|
is inserted into a table that requires OIDs, then it will receive an
|
||||||
receive an OID of 10000 or above.
|
OID of 10000 or above.
|
||||||
</para>
|
</para>
|
||||||
</sect2>
|
</sect2>
|
||||||
|
|
||||||
@ -714,7 +715,6 @@ $ perl rewrite_dat_with_prokind.pl pg_proc.dat
|
|||||||
<replaceable class="parameter">tableoid</replaceable>
|
<replaceable class="parameter">tableoid</replaceable>
|
||||||
<optional><literal>bootstrap</literal></optional>
|
<optional><literal>bootstrap</literal></optional>
|
||||||
<optional><literal>shared_relation</literal></optional>
|
<optional><literal>shared_relation</literal></optional>
|
||||||
<optional><literal>without_oids</literal></optional>
|
|
||||||
<optional><literal>rowtype_oid</literal> <replaceable>oid</replaceable></optional>
|
<optional><literal>rowtype_oid</literal> <replaceable>oid</replaceable></optional>
|
||||||
(<replaceable class="parameter">name1</replaceable> =
|
(<replaceable class="parameter">name1</replaceable> =
|
||||||
<replaceable class="parameter">type1</replaceable>
|
<replaceable class="parameter">type1</replaceable>
|
||||||
@ -766,7 +766,6 @@ $ perl rewrite_dat_with_prokind.pl pg_proc.dat
|
|||||||
<para>
|
<para>
|
||||||
The table is created as shared if <literal>shared_relation</literal> is
|
The table is created as shared if <literal>shared_relation</literal> is
|
||||||
specified.
|
specified.
|
||||||
It will have OIDs unless <literal>without_oids</literal> is specified.
|
|
||||||
The table's row type OID (<structname>pg_type</structname> OID) can optionally
|
The table's row type OID (<structname>pg_type</structname> OID) can optionally
|
||||||
be specified via the <literal>rowtype_oid</literal> clause; if not specified,
|
be specified via the <literal>rowtype_oid</literal> clause; if not specified,
|
||||||
an OID is automatically generated for it. (The <literal>rowtype_oid</literal>
|
an OID is automatically generated for it. (The <literal>rowtype_oid</literal>
|
||||||
@ -805,7 +804,7 @@ $ perl rewrite_dat_with_prokind.pl pg_proc.dat
|
|||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term>
|
<term>
|
||||||
<literal>insert</literal> <optional><literal>OID =</literal> <replaceable class="parameter">oid_value</replaceable></optional> <literal>(</literal> <replaceable class="parameter">value1</replaceable> <replaceable class="parameter">value2</replaceable> ... <literal>)</literal>
|
<literal>insert</literal> <literal>(</literal> <optional><replaceable class="parameter">oid_value</replaceable></optional> <replaceable class="parameter">value1</replaceable> <replaceable class="parameter">value2</replaceable> ... <literal>)</literal>
|
||||||
</term>
|
</term>
|
||||||
|
|
||||||
<listitem>
|
<listitem>
|
||||||
@ -813,11 +812,7 @@ $ perl rewrite_dat_with_prokind.pl pg_proc.dat
|
|||||||
Insert a new row into the open table using <replaceable
|
Insert a new row into the open table using <replaceable
|
||||||
class="parameter">value1</replaceable>, <replaceable
|
class="parameter">value1</replaceable>, <replaceable
|
||||||
class="parameter">value2</replaceable>, etc., for its column
|
class="parameter">value2</replaceable>, etc., for its column
|
||||||
values and <replaceable
|
values.
|
||||||
class="parameter">oid_value</replaceable> for its OID. If
|
|
||||||
<replaceable class="parameter">oid_value</replaceable> is zero
|
|
||||||
(0) or the clause is omitted, and the table has OIDs, then the
|
|
||||||
next available OID is assigned.
|
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
@ -985,16 +980,16 @@ $ perl rewrite_dat_with_prokind.pl pg_proc.dat
|
|||||||
<title>BKI Example</title>
|
<title>BKI Example</title>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
The following sequence of commands will create the
|
The following sequence of commands will create the table
|
||||||
table <literal>test_table</literal> with OID 420, having two columns
|
<literal>test_table</literal> with OID 420, having three columns
|
||||||
<literal>cola</literal> and <literal>colb</literal> of type
|
<literal>oid</literal>, <literal>cola</literal> and <literal>colb</literal>
|
||||||
<type>int4</type> and <type>text</type>, respectively, and insert
|
of type <type>oid</type>, <type>int4</type> and <type>text</type>,
|
||||||
two rows into the table:
|
respectively, and insert two rows into the table:
|
||||||
<programlisting>
|
<programlisting>
|
||||||
create test_table 420 (cola = int4, colb = text)
|
create test_table 420 (oid = oid, cola = int4, colb = text)
|
||||||
open test_table
|
open test_table
|
||||||
insert OID=421 ( 1 "value1" )
|
insert ( 421 1 "value1" )
|
||||||
insert OID=422 ( 2 _null_ )
|
insert ( 422 2 _null_ )
|
||||||
close test_table
|
close test_table
|
||||||
</programlisting>
|
</programlisting>
|
||||||
</para>
|
</para>
|
||||||
|
@ -693,7 +693,7 @@
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -836,7 +836,7 @@
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -926,7 +926,7 @@
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -1312,7 +1312,7 @@
|
|||||||
<row>
|
<row>
|
||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -1538,7 +1538,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -1661,7 +1661,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -1853,15 +1853,6 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
</entry>
|
</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
|
||||||
<entry><structfield>relhasoids</structfield></entry>
|
|
||||||
<entry><type>bool</type></entry>
|
|
||||||
<entry></entry>
|
|
||||||
<entry>
|
|
||||||
True if we generate an OID for each row of the relation
|
|
||||||
</entry>
|
|
||||||
</row>
|
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
<entry><structfield>relhasrules</structfield></entry>
|
<entry><structfield>relhasrules</structfield></entry>
|
||||||
<entry><type>bool</type></entry>
|
<entry><type>bool</type></entry>
|
||||||
@ -2055,7 +2046,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -2193,7 +2184,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -2460,7 +2451,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -2560,7 +2551,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -2790,7 +2781,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -3188,7 +3179,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -3351,7 +3342,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -3454,7 +3445,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -3553,7 +3544,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -4106,7 +4097,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -4313,7 +4304,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -4373,7 +4364,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -4448,7 +4439,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -4553,7 +4544,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -4710,7 +4701,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -5120,7 +5111,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -5458,7 +5449,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -5734,7 +5725,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -6616,7 +6607,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -6797,7 +6788,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -6940,7 +6931,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -7149,7 +7140,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -7295,7 +7286,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -7378,7 +7369,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -7475,7 +7466,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -7549,7 +7540,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
@ -8061,7 +8052,7 @@ SCRAM-SHA-256$<replaceable><iteration count></replaceable>:<replaceable>&l
|
|||||||
<entry><structfield>oid</structfield></entry>
|
<entry><structfield>oid</structfield></entry>
|
||||||
<entry><type>oid</type></entry>
|
<entry><type>oid</type></entry>
|
||||||
<entry></entry>
|
<entry></entry>
|
||||||
<entry>Row identifier (hidden attribute; must be explicitly selected)</entry>
|
<entry>Row identifier</entry>
|
||||||
</row>
|
</row>
|
||||||
|
|
||||||
<row>
|
<row>
|
||||||
|
@ -7942,35 +7942,6 @@ dynamic_library_path = 'C:\tools\postgresql;H:\my_project\lib;$libdir'
|
|||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry id="guc-default-with-oids" xreflabel="default_with_oids">
|
|
||||||
<term><varname>default_with_oids</varname> (<type>boolean</type>)
|
|
||||||
<indexterm>
|
|
||||||
<primary><varname>default_with_oids</varname> configuration parameter</primary>
|
|
||||||
</indexterm>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
This controls whether <command>CREATE TABLE</command> and
|
|
||||||
<command>CREATE TABLE AS</command> include an OID column in
|
|
||||||
newly-created tables, if neither <literal>WITH OIDS</literal>
|
|
||||||
nor <literal>WITHOUT OIDS</literal> is specified. It also
|
|
||||||
determines whether OIDs will be included in tables created by
|
|
||||||
<command>SELECT INTO</command>. The parameter is <literal>off</literal>
|
|
||||||
by default; in <productname>PostgreSQL</productname> 8.0 and earlier, it
|
|
||||||
was <literal>on</literal> by default.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
The use of OIDs in user tables is considered deprecated, so
|
|
||||||
most installations should leave this variable disabled.
|
|
||||||
Applications that require OIDs for a particular table should
|
|
||||||
specify <literal>WITH OIDS</literal> when creating the
|
|
||||||
table. This variable can be enabled for compatibility with old
|
|
||||||
applications that do not follow this behavior.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
|
|
||||||
<varlistentry id="guc-escape-string-warning" xreflabel="escape_string_warning">
|
<varlistentry id="guc-escape-string-warning" xreflabel="escape_string_warning">
|
||||||
<term><varname>escape_string_warning</varname> (<type>boolean</type>)
|
<term><varname>escape_string_warning</varname> (<type>boolean</type>)
|
||||||
<indexterm><primary>strings</primary><secondary>escape warning</secondary></indexterm>
|
<indexterm><primary>strings</primary><secondary>escape warning</secondary></indexterm>
|
||||||
|
@ -4497,25 +4497,22 @@ INSERT INTO mytable VALUES(-1); -- fails
|
|||||||
<para>
|
<para>
|
||||||
Object identifiers (OIDs) are used internally by
|
Object identifiers (OIDs) are used internally by
|
||||||
<productname>PostgreSQL</productname> as primary keys for various
|
<productname>PostgreSQL</productname> as primary keys for various
|
||||||
system tables. OIDs are not added to user-created tables, unless
|
system tables.
|
||||||
<literal>WITH OIDS</literal> is specified when the table is
|
|
||||||
created, or the <xref linkend="guc-default-with-oids"/>
|
Type <type>oid</type> represents an object identifier. There are also
|
||||||
configuration variable is enabled. Type <type>oid</type> represents
|
several alias types for <type>oid</type>: <type>regproc</type>,
|
||||||
an object identifier. There are also several alias types for
|
<type>regprocedure</type>, <type>regoper</type>, <type>regoperator</type>,
|
||||||
<type>oid</type>: <type>regproc</type>, <type>regprocedure</type>,
|
<type>regclass</type>, <type>regtype</type>, <type>regrole</type>,
|
||||||
<type>regoper</type>, <type>regoperator</type>, <type>regclass</type>,
|
<type>regnamespace</type>, <type>regconfig</type>, and
|
||||||
<type>regtype</type>, <type>regrole</type>, <type>regnamespace</type>,
|
<type>regdictionary</type>. <xref linkend="datatype-oid-table"/> shows an
|
||||||
<type>regconfig</type>, and <type>regdictionary</type>.
|
overview.
|
||||||
<xref linkend="datatype-oid-table"/> shows an overview.
|
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
The <type>oid</type> type is currently implemented as an unsigned
|
The <type>oid</type> type is currently implemented as an unsigned
|
||||||
four-byte integer. Therefore, it is not large enough to provide
|
four-byte integer. Therefore, it is not large enough to provide
|
||||||
database-wide uniqueness in large databases, or even in large
|
database-wide uniqueness in large databases, or even in large
|
||||||
individual tables. So, using a user-created table's OID column as
|
individual tables.
|
||||||
a primary key is discouraged. OIDs are best used only for
|
|
||||||
references to system tables.
|
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
|
@ -938,24 +938,6 @@ CREATE TABLE circles (
|
|||||||
</indexterm>
|
</indexterm>
|
||||||
|
|
||||||
<variablelist>
|
<variablelist>
|
||||||
<varlistentry>
|
|
||||||
<term><structfield>oid</structfield></term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
<indexterm>
|
|
||||||
<primary>OID</primary>
|
|
||||||
<secondary>column</secondary>
|
|
||||||
</indexterm>
|
|
||||||
The object identifier (object ID) of a row. This column is only
|
|
||||||
present if the table was created using <literal>WITH
|
|
||||||
OIDS</literal>, or if the <xref linkend="guc-default-with-oids"/>
|
|
||||||
configuration variable was set at the time. This column is of type
|
|
||||||
<type>oid</type> (same name as the column); see <xref
|
|
||||||
linkend="datatype-oid"/> for more information about the type.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><structfield>tableoid</structfield></term>
|
<term><structfield>tableoid</structfield></term>
|
||||||
<listitem>
|
<listitem>
|
||||||
@ -1056,46 +1038,6 @@ CREATE TABLE circles (
|
|||||||
</varlistentry>
|
</varlistentry>
|
||||||
</variablelist>
|
</variablelist>
|
||||||
|
|
||||||
<para>
|
|
||||||
OIDs are 32-bit quantities and are assigned from a single
|
|
||||||
cluster-wide counter. In a large or long-lived database, it is
|
|
||||||
possible for the counter to wrap around. Hence, it is bad
|
|
||||||
practice to assume that OIDs are unique, unless you take steps to
|
|
||||||
ensure that this is the case. If you need to identify the rows in
|
|
||||||
a table, using a sequence generator is strongly recommended.
|
|
||||||
However, OIDs can be used as well, provided that a few additional
|
|
||||||
precautions are taken:
|
|
||||||
|
|
||||||
<itemizedlist>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
A unique constraint should be created on the OID column of each
|
|
||||||
table for which the OID will be used to identify rows. When such
|
|
||||||
a unique constraint (or unique index) exists, the system takes
|
|
||||||
care not to generate an OID matching an already-existing row.
|
|
||||||
(Of course, this is only possible if the table contains fewer
|
|
||||||
than 2<superscript>32</superscript> (4 billion) rows, and in practice the
|
|
||||||
table size had better be much less than that, or performance
|
|
||||||
might suffer.)
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
OIDs should never be assumed to be unique across tables; use
|
|
||||||
the combination of <structfield>tableoid</structfield> and row OID if you
|
|
||||||
need a database-wide identifier.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Of course, the tables in question must be created <literal>WITH
|
|
||||||
OIDS</literal>. As of <productname>PostgreSQL</productname> 8.1,
|
|
||||||
<literal>WITHOUT OIDS</literal> is the default.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</itemizedlist>
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
Transaction identifiers are also 32-bit quantities. In a
|
Transaction identifiers are also 32-bit quantities. In a
|
||||||
long-lived database it is possible for transaction IDs to wrap
|
long-lived database it is possible for transaction IDs to wrap
|
||||||
|
@ -174,9 +174,8 @@
|
|||||||
</variablelist>
|
</variablelist>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
<command>COPY</command>'s <literal>OIDS</literal> and
|
<command>COPY</command>'s <literal>FORCE_QUOTE</literal> options is
|
||||||
<literal>FORCE_QUOTE</literal> options are currently not supported by
|
currently not supported by <literal>file_fdw</literal>.
|
||||||
<literal>file_fdw</literal>.
|
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
|
@ -1485,14 +1485,6 @@ GET DIAGNOSTICS integer_var = ROW_COUNT;
|
|||||||
<entry>the number of rows processed by the most
|
<entry>the number of rows processed by the most
|
||||||
recent <acronym>SQL</acronym> command</entry>
|
recent <acronym>SQL</acronym> command</entry>
|
||||||
</row>
|
</row>
|
||||||
<row>
|
|
||||||
<entry><varname>RESULT_OID</varname></entry>
|
|
||||||
<entry><type>oid</type></entry>
|
|
||||||
<entry>the OID of the last row inserted by the most
|
|
||||||
recent <acronym>SQL</acronym> command (only useful after
|
|
||||||
an <command>INSERT</command> command into a table having
|
|
||||||
OIDs)</entry>
|
|
||||||
</row>
|
|
||||||
<row>
|
<row>
|
||||||
<entry><literal>PG_CONTEXT</literal></entry>
|
<entry><literal>PG_CONTEXT</literal></entry>
|
||||||
<entry><type>text</type></entry>
|
<entry><type>text</type></entry>
|
||||||
|
@ -470,24 +470,6 @@ $$ LANGUAGE pltcl;
|
|||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry>
|
|
||||||
<term>
|
|
||||||
<function>spi_lastoid</function>
|
|
||||||
<indexterm>
|
|
||||||
<primary>spi_lastoid</primary>
|
|
||||||
<secondary>in PL/Tcl</secondary>
|
|
||||||
</indexterm>
|
|
||||||
</term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Returns the OID of the row inserted by the last
|
|
||||||
<function>spi_exec</function> or <function>spi_execp</function>, if the
|
|
||||||
command was a single-row <command>INSERT</command> and the modified
|
|
||||||
table contained OIDs. (If not, you get zero.)
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><function>subtransaction</function> <replaceable>command</replaceable></term>
|
<term><function>subtransaction</function> <replaceable>command</replaceable></term>
|
||||||
<listitem>
|
<listitem>
|
||||||
|
@ -3837,10 +3837,11 @@ CommandComplete (B)
|
|||||||
<literal>INSERT <replaceable>oid</replaceable>
|
<literal>INSERT <replaceable>oid</replaceable>
|
||||||
<replaceable>rows</replaceable></literal>, where
|
<replaceable>rows</replaceable></literal>, where
|
||||||
<replaceable>rows</replaceable> is the number of rows
|
<replaceable>rows</replaceable> is the number of rows
|
||||||
inserted. <replaceable>oid</replaceable> is the object ID
|
inserted. <replaceable>oid</replaceable> used to be the object ID
|
||||||
of the inserted row if <replaceable>rows</replaceable> is 1
|
of the inserted row if <replaceable>rows</replaceable> was 1
|
||||||
and the target table has OIDs;
|
and the target table had OIDs, but OIDs system columns are
|
||||||
otherwise <replaceable>oid</replaceable> is 0.
|
not supported anymore; therefore <replaceable>oid</replaceable>
|
||||||
|
is always 0.
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
|
@ -50,7 +50,6 @@ ALTER FOREIGN TABLE [ IF EXISTS ] <replaceable class="parameter">name</replaceab
|
|||||||
ENABLE TRIGGER [ <replaceable class="parameter">trigger_name</replaceable> | ALL | USER ]
|
ENABLE TRIGGER [ <replaceable class="parameter">trigger_name</replaceable> | ALL | USER ]
|
||||||
ENABLE REPLICA TRIGGER <replaceable class="parameter">trigger_name</replaceable>
|
ENABLE REPLICA TRIGGER <replaceable class="parameter">trigger_name</replaceable>
|
||||||
ENABLE ALWAYS TRIGGER <replaceable class="parameter">trigger_name</replaceable>
|
ENABLE ALWAYS TRIGGER <replaceable class="parameter">trigger_name</replaceable>
|
||||||
SET WITH OIDS
|
|
||||||
SET WITHOUT OIDS
|
SET WITHOUT OIDS
|
||||||
INHERIT <replaceable class="parameter">parent_table</replaceable>
|
INHERIT <replaceable class="parameter">parent_table</replaceable>
|
||||||
NO INHERIT <replaceable class="parameter">parent_table</replaceable>
|
NO INHERIT <replaceable class="parameter">parent_table</replaceable>
|
||||||
@ -223,34 +222,13 @@ ALTER FOREIGN TABLE [ IF EXISTS ] <replaceable class="parameter">name</replaceab
|
|||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry>
|
|
||||||
<term><literal>SET WITH OIDS</literal></term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
This form adds an <literal>oid</literal> system column to the
|
|
||||||
table (see <xref linkend="ddl-system-columns"/>).
|
|
||||||
It does nothing if the table already has OIDs.
|
|
||||||
Unless the table's foreign-data wrapper supports OIDs, this column
|
|
||||||
will simply read as zeroes.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Note that this is not equivalent to <literal>ADD COLUMN oid oid</literal>;
|
|
||||||
that would add a normal column that happened to be named
|
|
||||||
<literal>oid</literal>, not a system column.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><literal>SET WITHOUT OIDS</literal></term>
|
<term><literal>SET WITHOUT OIDS</literal></term>
|
||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
This form removes the <literal>oid</literal> system column from the
|
Backward compatibility syntax for removing the <literal>oid</literal>
|
||||||
table. This is exactly equivalent to
|
system column. As oid system columns cannot be added anymore, this never
|
||||||
<literal>DROP COLUMN oid RESTRICT</literal>,
|
has an effect.
|
||||||
except that it will not complain if there is already no
|
|
||||||
<literal>oid</literal> column.
|
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
@ -72,7 +72,6 @@ ALTER TABLE [ IF EXISTS ] <replaceable class="parameter">name</replaceable>
|
|||||||
NO FORCE ROW LEVEL SECURITY
|
NO FORCE ROW LEVEL SECURITY
|
||||||
CLUSTER ON <replaceable class="parameter">index_name</replaceable>
|
CLUSTER ON <replaceable class="parameter">index_name</replaceable>
|
||||||
SET WITHOUT CLUSTER
|
SET WITHOUT CLUSTER
|
||||||
SET WITH OIDS
|
|
||||||
SET WITHOUT OIDS
|
SET WITHOUT OIDS
|
||||||
SET TABLESPACE <replaceable class="parameter">new_tablespace</replaceable>
|
SET TABLESPACE <replaceable class="parameter">new_tablespace</replaceable>
|
||||||
SET { LOGGED | UNLOGGED }
|
SET { LOGGED | UNLOGGED }
|
||||||
@ -613,32 +612,13 @@ WITH ( MODULUS <replaceable class="parameter">numeric_literal</replaceable>, REM
|
|||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry>
|
|
||||||
<term><literal>SET WITH OIDS</literal></term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
This form adds an <literal>oid</literal> system column to the
|
|
||||||
table (see <xref linkend="ddl-system-columns"/>).
|
|
||||||
It does nothing if the table already has OIDs.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
Note that this is not equivalent to <literal>ADD COLUMN oid oid</literal>;
|
|
||||||
that would add a normal column that happened to be named
|
|
||||||
<literal>oid</literal>, not a system column.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><literal>SET WITHOUT OIDS</literal></term>
|
<term><literal>SET WITHOUT OIDS</literal></term>
|
||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
This form removes the <literal>oid</literal> system column from the
|
Backward compatibility syntax for removing the <literal>oid</literal>
|
||||||
table. This is exactly equivalent to
|
system column. As oid system columns cannot be added anymore, this never
|
||||||
<literal>DROP COLUMN oid RESTRICT</literal>,
|
has an effect.
|
||||||
except that it will not complain if there is already no
|
|
||||||
<literal>oid</literal> column.
|
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
@ -704,17 +684,6 @@ WITH ( MODULUS <replaceable class="parameter">numeric_literal</replaceable>, REM
|
|||||||
<varname>effective_io_concurrency</varname>, <varname>parallel_workers</varname>, <varname>seq_page_cost</varname>,
|
<varname>effective_io_concurrency</varname>, <varname>parallel_workers</varname>, <varname>seq_page_cost</varname>,
|
||||||
<varname>random_page_cost</varname>, <varname>n_distinct</varname> and <varname>n_distinct_inherited</varname>.
|
<varname>random_page_cost</varname>, <varname>n_distinct</varname> and <varname>n_distinct_inherited</varname>.
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<note>
|
|
||||||
<para>
|
|
||||||
While <command>CREATE TABLE</command> allows <literal>OIDS</literal> to be specified
|
|
||||||
in the <literal>WITH (<replaceable
|
|
||||||
class="parameter">storage_parameter</replaceable>)</literal> syntax,
|
|
||||||
<command>ALTER TABLE</command> does not treat <literal>OIDS</literal> as a
|
|
||||||
storage parameter. Instead use the <literal>SET WITH OIDS</literal>
|
|
||||||
and <literal>SET WITHOUT OIDS</literal> forms to change OID status.
|
|
||||||
</para>
|
|
||||||
</note>
|
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
|
@ -33,7 +33,6 @@ COPY { <replaceable class="parameter">table_name</replaceable> [ ( <replaceable
|
|||||||
<phrase>where <replaceable class="parameter">option</replaceable> can be one of:</phrase>
|
<phrase>where <replaceable class="parameter">option</replaceable> can be one of:</phrase>
|
||||||
|
|
||||||
FORMAT <replaceable class="parameter">format_name</replaceable>
|
FORMAT <replaceable class="parameter">format_name</replaceable>
|
||||||
OIDS [ <replaceable class="parameter">boolean</replaceable> ]
|
|
||||||
FREEZE [ <replaceable class="parameter">boolean</replaceable> ]
|
FREEZE [ <replaceable class="parameter">boolean</replaceable> ]
|
||||||
DELIMITER '<replaceable class="parameter">delimiter_character</replaceable>'
|
DELIMITER '<replaceable class="parameter">delimiter_character</replaceable>'
|
||||||
NULL '<replaceable class="parameter">null_string</replaceable>'
|
NULL '<replaceable class="parameter">null_string</replaceable>'
|
||||||
@ -203,18 +202,6 @@ COPY { <replaceable class="parameter">table_name</replaceable> [ ( <replaceable
|
|||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry>
|
|
||||||
<term><literal>OIDS</literal></term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Specifies copying the OID for each row. (An error is raised if
|
|
||||||
<literal>OIDS</literal> is specified for a table that does not
|
|
||||||
have OIDs, or in the case of copying a <replaceable
|
|
||||||
class="parameter">query</replaceable>.)
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><literal>FREEZE</literal></term>
|
<term><literal>FREEZE</literal></term>
|
||||||
<listitem>
|
<listitem>
|
||||||
@ -549,8 +536,6 @@ COPY <replaceable class="parameter">count</replaceable>
|
|||||||
place of columns that are null.
|
place of columns that are null.
|
||||||
<command>COPY FROM</command> will raise an error if any line of the
|
<command>COPY FROM</command> will raise an error if any line of the
|
||||||
input file contains more or fewer columns than are expected.
|
input file contains more or fewer columns than are expected.
|
||||||
If <literal>OIDS</literal> is specified, the OID is read or written as the first column,
|
|
||||||
preceding the user data columns.
|
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
@ -824,7 +809,9 @@ only one flag bit is defined, and the rest must be zero:
|
|||||||
<term>Bit 16</term>
|
<term>Bit 16</term>
|
||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
if 1, OIDs are included in the data; if 0, not
|
If 1, OIDs are included in the data; if 0, not. Oid system columns
|
||||||
|
are not supported in <productname>PostgreSQL</productname>
|
||||||
|
anymore, but the format still contains the indicator.
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
@ -895,10 +882,9 @@ distribution).
|
|||||||
|
|
||||||
<para>
|
<para>
|
||||||
If OIDs are included in the file, the OID field immediately follows the
|
If OIDs are included in the file, the OID field immediately follows the
|
||||||
field-count word. It is a normal field except that it's not included
|
field-count word. It is a normal field except that it's not included in the
|
||||||
in the field-count. In particular it has a length word — this will allow
|
field-count. Note that oid system columns are not supported in current
|
||||||
handling of 4-byte vs. 8-byte OIDs without too much pain, and will allow
|
versions of <productname>PostgreSQL</productname>.
|
||||||
OIDs to be shown as null if that ever proves desirable.
|
|
||||||
</para>
|
</para>
|
||||||
</refsect3>
|
</refsect3>
|
||||||
|
|
||||||
@ -1001,7 +987,6 @@ COPY <replaceable class="parameter">table_name</replaceable> [ ( <replaceable cl
|
|||||||
FROM { '<replaceable class="parameter">filename</replaceable>' | STDIN }
|
FROM { '<replaceable class="parameter">filename</replaceable>' | STDIN }
|
||||||
[ [ WITH ]
|
[ [ WITH ]
|
||||||
[ BINARY ]
|
[ BINARY ]
|
||||||
[ OIDS ]
|
|
||||||
[ DELIMITER [ AS ] '<replaceable class="parameter">delimiter</replaceable>' ]
|
[ DELIMITER [ AS ] '<replaceable class="parameter">delimiter</replaceable>' ]
|
||||||
[ NULL [ AS ] '<replaceable class="parameter">null string</replaceable>' ]
|
[ NULL [ AS ] '<replaceable class="parameter">null string</replaceable>' ]
|
||||||
[ CSV [ HEADER ]
|
[ CSV [ HEADER ]
|
||||||
@ -1013,7 +998,6 @@ COPY { <replaceable class="parameter">table_name</replaceable> [ ( <replaceable
|
|||||||
TO { '<replaceable class="parameter">filename</replaceable>' | STDOUT }
|
TO { '<replaceable class="parameter">filename</replaceable>' | STDOUT }
|
||||||
[ [ WITH ]
|
[ [ WITH ]
|
||||||
[ BINARY ]
|
[ BINARY ]
|
||||||
[ OIDS ]
|
|
||||||
[ DELIMITER [ AS ] '<replaceable class="parameter">delimiter</replaceable>' ]
|
[ DELIMITER [ AS ] '<replaceable class="parameter">delimiter</replaceable>' ]
|
||||||
[ NULL [ AS ] '<replaceable class="parameter">null string</replaceable>' ]
|
[ NULL [ AS ] '<replaceable class="parameter">null string</replaceable>' ]
|
||||||
[ CSV [ HEADER ]
|
[ CSV [ HEADER ]
|
||||||
@ -1032,12 +1016,12 @@ COPY { <replaceable class="parameter">table_name</replaceable> [ ( <replaceable
|
|||||||
version 7.3 and is still supported:
|
version 7.3 and is still supported:
|
||||||
|
|
||||||
<synopsis>
|
<synopsis>
|
||||||
COPY [ BINARY ] <replaceable class="parameter">table_name</replaceable> [ WITH OIDS ]
|
COPY [ BINARY ] <replaceable class="parameter">table_name</replaceable>
|
||||||
FROM { '<replaceable class="parameter">filename</replaceable>' | STDIN }
|
FROM { '<replaceable class="parameter">filename</replaceable>' | STDIN }
|
||||||
[ [USING] DELIMITERS '<replaceable class="parameter">delimiter</replaceable>' ]
|
[ [USING] DELIMITERS '<replaceable class="parameter">delimiter</replaceable>' ]
|
||||||
[ WITH NULL AS '<replaceable class="parameter">null string</replaceable>' ]
|
[ WITH NULL AS '<replaceable class="parameter">null string</replaceable>' ]
|
||||||
|
|
||||||
COPY [ BINARY ] <replaceable class="parameter">table_name</replaceable> [ WITH OIDS ]
|
COPY [ BINARY ] <replaceable class="parameter">table_name</replaceable>
|
||||||
TO { '<replaceable class="parameter">filename</replaceable>' | STDOUT }
|
TO { '<replaceable class="parameter">filename</replaceable>' | STDOUT }
|
||||||
[ [USING] DELIMITERS '<replaceable class="parameter">delimiter</replaceable>' ]
|
[ [USING] DELIMITERS '<replaceable class="parameter">delimiter</replaceable>' ]
|
||||||
[ WITH NULL AS '<replaceable class="parameter">null string</replaceable>' ]
|
[ WITH NULL AS '<replaceable class="parameter">null string</replaceable>' ]
|
||||||
|
@ -45,8 +45,7 @@ CREATE MATERIALIZED VIEW [ IF NOT EXISTS ] <replaceable>table_name</replaceable>
|
|||||||
<command>CREATE TABLE AS</command>, except that it also remembers the query used
|
<command>CREATE TABLE AS</command>, except that it also remembers the query used
|
||||||
to initialize the view, so that it can be refreshed later upon demand.
|
to initialize the view, so that it can be refreshed later upon demand.
|
||||||
A materialized view has many of the same properties as a table, but there
|
A materialized view has many of the same properties as a table, but there
|
||||||
is no support for temporary materialized views or automatic generation of
|
is no support for temporary materialized views.
|
||||||
OIDs.
|
|
||||||
</para>
|
</para>
|
||||||
</refsect1>
|
</refsect1>
|
||||||
|
|
||||||
@ -95,7 +94,7 @@ CREATE MATERIALIZED VIEW [ IF NOT EXISTS ] <replaceable>table_name</replaceable>
|
|||||||
endterm="sql-createtable-storage-parameters-title"/> for more
|
endterm="sql-createtable-storage-parameters-title"/> for more
|
||||||
information. All parameters supported for <literal>CREATE
|
information. All parameters supported for <literal>CREATE
|
||||||
TABLE</literal> are also supported for <literal>CREATE MATERIALIZED
|
TABLE</literal> are also supported for <literal>CREATE MATERIALIZED
|
||||||
VIEW</literal> with the exception of <literal>OIDS</literal>.
|
VIEW</literal>.
|
||||||
See <xref linkend="sql-createtable"/> for more information.
|
See <xref linkend="sql-createtable"/> for more information.
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
|
@ -29,7 +29,7 @@ CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } | UNLOGGED ] TABLE [ IF NOT EXI
|
|||||||
] )
|
] )
|
||||||
[ INHERITS ( <replaceable>parent_table</replaceable> [, ... ] ) ]
|
[ INHERITS ( <replaceable>parent_table</replaceable> [, ... ] ) ]
|
||||||
[ PARTITION BY { RANGE | LIST | HASH } ( { <replaceable class="parameter">column_name</replaceable> | ( <replaceable class="parameter">expression</replaceable> ) } [ COLLATE <replaceable class="parameter">collation</replaceable> ] [ <replaceable class="parameter">opclass</replaceable> ] [, ... ] ) ]
|
[ PARTITION BY { RANGE | LIST | HASH } ( { <replaceable class="parameter">column_name</replaceable> | ( <replaceable class="parameter">expression</replaceable> ) } [ COLLATE <replaceable class="parameter">collation</replaceable> ] [ <replaceable class="parameter">opclass</replaceable> ] [, ... ] ) ]
|
||||||
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITH OIDS | WITHOUT OIDS ]
|
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITHOUT OIDS ]
|
||||||
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
||||||
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
||||||
|
|
||||||
@ -40,7 +40,7 @@ CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } | UNLOGGED ] TABLE [ IF NOT EXI
|
|||||||
[, ... ]
|
[, ... ]
|
||||||
) ]
|
) ]
|
||||||
[ PARTITION BY { RANGE | LIST | HASH } ( { <replaceable class="parameter">column_name</replaceable> | ( <replaceable class="parameter">expression</replaceable> ) } [ COLLATE <replaceable class="parameter">collation</replaceable> ] [ <replaceable class="parameter">opclass</replaceable> ] [, ... ] ) ]
|
[ PARTITION BY { RANGE | LIST | HASH } ( { <replaceable class="parameter">column_name</replaceable> | ( <replaceable class="parameter">expression</replaceable> ) } [ COLLATE <replaceable class="parameter">collation</replaceable> ] [ <replaceable class="parameter">opclass</replaceable> ] [, ... ] ) ]
|
||||||
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITH OIDS | WITHOUT OIDS ]
|
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITHOUT OIDS ]
|
||||||
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
||||||
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
||||||
|
|
||||||
@ -51,7 +51,7 @@ CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } | UNLOGGED ] TABLE [ IF NOT EXI
|
|||||||
[, ... ]
|
[, ... ]
|
||||||
) ] { FOR VALUES <replaceable class="parameter">partition_bound_spec</replaceable> | DEFAULT }
|
) ] { FOR VALUES <replaceable class="parameter">partition_bound_spec</replaceable> | DEFAULT }
|
||||||
[ PARTITION BY { RANGE | LIST | HASH } ( { <replaceable class="parameter">column_name</replaceable> | ( <replaceable class="parameter">expression</replaceable> ) } [ COLLATE <replaceable class="parameter">collation</replaceable> ] [ <replaceable class="parameter">opclass</replaceable> ] [, ... ] ) ]
|
[ PARTITION BY { RANGE | LIST | HASH } ( { <replaceable class="parameter">column_name</replaceable> | ( <replaceable class="parameter">expression</replaceable> ) } [ COLLATE <replaceable class="parameter">collation</replaceable> ] [ <replaceable class="parameter">opclass</replaceable> ] [, ... ] ) ]
|
||||||
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITH OIDS | WITHOUT OIDS ]
|
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITHOUT OIDS ]
|
||||||
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
||||||
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
||||||
|
|
||||||
@ -531,17 +531,13 @@ WITH ( MODULUS <replaceable class="parameter">numeric_literal</replaceable>, REM
|
|||||||
|
|
||||||
<para>
|
<para>
|
||||||
A partition must have the same column names and types as the partitioned
|
A partition must have the same column names and types as the partitioned
|
||||||
table to which it belongs. If the parent is specified <literal>WITH
|
table to which it belongs. Modifications to the column names or types of
|
||||||
OIDS</literal> then all partitions must have OIDs; the parent's OID
|
a partitioned table will automatically propagate to all partitions.
|
||||||
column will be inherited by all partitions just like any other column.
|
<literal>CHECK</literal> constraints will be inherited automatically by
|
||||||
Modifications to the column names or types of a partitioned table, or
|
every partition, but an individual partition may specify additional
|
||||||
the addition or removal of an OID column, will automatically propagate
|
<literal>CHECK</literal> constraints; additional constraints with the
|
||||||
to all partitions. <literal>CHECK</literal> constraints will be inherited
|
same name and condition as in the parent will be merged with the parent
|
||||||
automatically by every partition, but an individual partition may specify
|
constraint. Defaults may be specified separately for each partition.
|
||||||
additional <literal>CHECK</literal> constraints; additional constraints with
|
|
||||||
the same name and condition as in the parent will be merged with the
|
|
||||||
parent constraint. Defaults may be specified separately for each
|
|
||||||
partition.
|
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
@ -1145,46 +1141,21 @@ WITH ( MODULUS <replaceable class="parameter">numeric_literal</replaceable>, REM
|
|||||||
This clause specifies optional storage parameters for a table or index;
|
This clause specifies optional storage parameters for a table or index;
|
||||||
see <xref linkend="sql-createtable-storage-parameters"
|
see <xref linkend="sql-createtable-storage-parameters"
|
||||||
endterm="sql-createtable-storage-parameters-title"/> for more
|
endterm="sql-createtable-storage-parameters-title"/> for more
|
||||||
information. The <literal>WITH</literal> clause for a
|
information. For backward-compatibility the <literal>WITH</literal>
|
||||||
table can also include <literal>OIDS=TRUE</literal> (or just <literal>OIDS</literal>)
|
clause for a table can also include <literal>OIDS=FALSE</literal> to
|
||||||
to specify that rows of the new table
|
specify that rows of the new table should not contain OIDs (object
|
||||||
should have OIDs (object identifiers) assigned to them, or
|
identifiers), <literal>OIDS=TRUE</literal> is not supported anymore.
|
||||||
<literal>OIDS=FALSE</literal> to specify that the rows should not have OIDs.
|
|
||||||
If <literal>OIDS</literal> is not specified, the default setting depends upon
|
|
||||||
the <xref linkend="guc-default-with-oids"/> configuration parameter.
|
|
||||||
(If the new table inherits from any tables that have OIDs, then
|
|
||||||
<literal>OIDS=TRUE</literal> is forced even if the command says
|
|
||||||
<literal>OIDS=FALSE</literal>.)
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
If <literal>OIDS=FALSE</literal> is specified or implied, the new
|
|
||||||
table does not store OIDs and no OID will be assigned for a row inserted
|
|
||||||
into it. This is generally considered worthwhile, since it
|
|
||||||
will reduce OID consumption and thereby postpone the wraparound
|
|
||||||
of the 32-bit OID counter. Once the counter wraps around, OIDs
|
|
||||||
can no longer be assumed to be unique, which makes them
|
|
||||||
considerably less useful. In addition, excluding OIDs from a
|
|
||||||
table reduces the space required to store the table on disk by
|
|
||||||
4 bytes per row (on most machines), slightly improving performance.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<para>
|
|
||||||
To remove OIDs from a table after it has been created, use <xref
|
|
||||||
linkend="sql-altertable"/>.
|
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><literal>WITH OIDS</literal></term>
|
|
||||||
<term><literal>WITHOUT OIDS</literal></term>
|
<term><literal>WITHOUT OIDS</literal></term>
|
||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
These are obsolescent syntaxes equivalent to <literal>WITH (OIDS)</literal>
|
This is backward-compatible syntax for declaring a table
|
||||||
and <literal>WITH (OIDS=FALSE)</literal>, respectively. If you wish to give
|
<literal>WITHOUT OIDS</literal>, creating a table <literal>WITH
|
||||||
both an <literal>OIDS</literal> setting and storage parameters, you must use
|
OIDS</literal> is not supported anymore.
|
||||||
the <literal>WITH ( ... )</literal> syntax; see above.
|
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
@ -1528,29 +1499,6 @@ WITH ( MODULUS <replaceable class="parameter">numeric_literal</replaceable>, REM
|
|||||||
|
|
||||||
<refsect1 id="sql-createtable-notes">
|
<refsect1 id="sql-createtable-notes">
|
||||||
<title>Notes</title>
|
<title>Notes</title>
|
||||||
|
|
||||||
<para>
|
|
||||||
Using OIDs in new applications is not recommended: where
|
|
||||||
possible, using an identity column or other sequence
|
|
||||||
generator as the table's primary key is preferred. However, if
|
|
||||||
your application does make use of OIDs to identify specific
|
|
||||||
rows of a table, it is recommended to create a unique constraint
|
|
||||||
on the <structfield>oid</structfield> column of that table, to ensure that
|
|
||||||
OIDs in the table will indeed uniquely identify rows even after
|
|
||||||
counter wraparound. Avoid assuming that OIDs are unique across
|
|
||||||
tables; if you need a database-wide unique identifier, use the
|
|
||||||
combination of <structfield>tableoid</structfield> and row OID for the
|
|
||||||
purpose.
|
|
||||||
</para>
|
|
||||||
|
|
||||||
<tip>
|
|
||||||
<para>
|
|
||||||
The use of <literal>OIDS=FALSE</literal> is not recommended
|
|
||||||
for tables with no primary key, since without either an OID or a
|
|
||||||
unique data key, it is difficult to identify specific rows.
|
|
||||||
</para>
|
|
||||||
</tip>
|
|
||||||
|
|
||||||
<para>
|
<para>
|
||||||
<productname>PostgreSQL</productname> automatically creates an
|
<productname>PostgreSQL</productname> automatically creates an
|
||||||
index for each unique constraint and primary key constraint to
|
index for each unique constraint and primary key constraint to
|
||||||
@ -2089,7 +2037,7 @@ CREATE TABLE cities_partdef
|
|||||||
|
|
||||||
<para>
|
<para>
|
||||||
The <literal>WITH</literal> clause is a <productname>PostgreSQL</productname>
|
The <literal>WITH</literal> clause is a <productname>PostgreSQL</productname>
|
||||||
extension; neither storage parameters nor OIDs are in the standard.
|
extension; storage parameters are not in the standard.
|
||||||
</para>
|
</para>
|
||||||
</refsect2>
|
</refsect2>
|
||||||
|
|
||||||
|
@ -23,7 +23,7 @@ PostgreSQL documentation
|
|||||||
<synopsis>
|
<synopsis>
|
||||||
CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } | UNLOGGED ] TABLE [ IF NOT EXISTS ] <replaceable>table_name</replaceable>
|
CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } | UNLOGGED ] TABLE [ IF NOT EXISTS ] <replaceable>table_name</replaceable>
|
||||||
[ (<replaceable>column_name</replaceable> [, ...] ) ]
|
[ (<replaceable>column_name</replaceable> [, ...] ) ]
|
||||||
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITH OIDS | WITHOUT OIDS ]
|
[ WITH ( <replaceable class="parameter">storage_parameter</replaceable> [= <replaceable class="parameter">value</replaceable>] [, ... ] ) | WITHOUT OIDS ]
|
||||||
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
[ ON COMMIT { PRESERVE ROWS | DELETE ROWS | DROP } ]
|
||||||
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
[ TABLESPACE <replaceable class="parameter">tablespace_name</replaceable> ]
|
||||||
AS <replaceable>query</replaceable>
|
AS <replaceable>query</replaceable>
|
||||||
@ -127,25 +127,22 @@ CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } | UNLOGGED ] TABLE [ IF NOT EXI
|
|||||||
This clause specifies optional storage parameters for the new table;
|
This clause specifies optional storage parameters for the new table;
|
||||||
see <xref linkend="sql-createtable-storage-parameters"
|
see <xref linkend="sql-createtable-storage-parameters"
|
||||||
endterm="sql-createtable-storage-parameters-title"/> for more
|
endterm="sql-createtable-storage-parameters-title"/> for more
|
||||||
information. The <literal>WITH</literal> clause
|
information. For backward-compatibility the <literal>WITH</literal>
|
||||||
can also include <literal>OIDS=TRUE</literal> (or just <literal>OIDS</literal>)
|
clause for a table can also include <literal>OIDS=FALSE</literal> to
|
||||||
to specify that rows of the new table
|
specify that rows of the new table should contain no OIDs (object
|
||||||
should have OIDs (object identifiers) assigned to them, or
|
identifiers), <literal>OIDS=TRUE</literal> is not supported anymore.
|
||||||
<literal>OIDS=FALSE</literal> to specify that the rows should not have OIDs.
|
OIDs.
|
||||||
See <xref linkend="sql-createtable"/> for more information.
|
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><literal>WITH OIDS</literal></term>
|
|
||||||
<term><literal>WITHOUT OIDS</literal></term>
|
<term><literal>WITHOUT OIDS</literal></term>
|
||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
These are obsolescent syntaxes equivalent to <literal>WITH (OIDS)</literal>
|
This is backward-compatible syntax for declaring a table
|
||||||
and <literal>WITH (OIDS=FALSE)</literal>, respectively. If you wish to give
|
<literal>WITHOUT OIDS</literal>, creating a table <literal>WITH
|
||||||
both an <literal>OIDS</literal> setting and storage parameters, you must use
|
OIDS</literal> is not supported anymore.
|
||||||
the <literal>WITH ( ... )</literal> syntax; see above.
|
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
@ -245,14 +242,6 @@ CREATE [ [ GLOBAL | LOCAL ] { TEMPORARY | TEMP } | UNLOGGED ] TABLE [ IF NOT EXI
|
|||||||
TABLE AS</command> offers a superset of the functionality offered
|
TABLE AS</command> offers a superset of the functionality offered
|
||||||
by <command>SELECT INTO</command>.
|
by <command>SELECT INTO</command>.
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
|
||||||
The <command>CREATE TABLE AS</command> command allows the user to
|
|
||||||
explicitly specify whether OIDs should be included. If the
|
|
||||||
presence of OIDs is not explicitly specified,
|
|
||||||
the <xref linkend="guc-default-with-oids"/> configuration variable is
|
|
||||||
used.
|
|
||||||
</para>
|
|
||||||
</refsect1>
|
</refsect1>
|
||||||
|
|
||||||
<refsect1>
|
<refsect1>
|
||||||
@ -281,12 +270,12 @@ CREATE TABLE films2 AS
|
|||||||
<para>
|
<para>
|
||||||
Create a new temporary table <literal>films_recent</literal>, consisting of
|
Create a new temporary table <literal>films_recent</literal>, consisting of
|
||||||
only recent entries from the table <literal>films</literal>, using a
|
only recent entries from the table <literal>films</literal>, using a
|
||||||
prepared statement. The new table has OIDs and will be dropped at commit:
|
prepared statement. The new table will be dropped at commit:
|
||||||
|
|
||||||
<programlisting>
|
<programlisting>
|
||||||
PREPARE recentfilms(date) AS
|
PREPARE recentfilms(date) AS
|
||||||
SELECT * FROM films WHERE date_prod > $1;
|
SELECT * FROM films WHERE date_prod > $1;
|
||||||
CREATE TEMP TABLE films_recent WITH (OIDS) ON COMMIT DROP AS
|
CREATE TEMP TABLE films_recent ON COMMIT DROP AS
|
||||||
EXECUTE recentfilms('2002-01-01');
|
EXECUTE recentfilms('2002-01-01');
|
||||||
</programlisting></para>
|
</programlisting></para>
|
||||||
</refsect1>
|
</refsect1>
|
||||||
@ -325,7 +314,7 @@ CREATE TEMP TABLE films_recent WITH (OIDS) ON COMMIT DROP AS
|
|||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
The <literal>WITH</literal> clause is a <productname>PostgreSQL</productname>
|
The <literal>WITH</literal> clause is a <productname>PostgreSQL</productname>
|
||||||
extension; neither storage parameters nor OIDs are in the standard.
|
extension; storage parameters are not in the standard.
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
|
|
||||||
|
@ -438,20 +438,6 @@ PostgreSQL documentation
|
|||||||
</listitem>
|
</listitem>
|
||||||
</varlistentry>
|
</varlistentry>
|
||||||
|
|
||||||
<varlistentry>
|
|
||||||
<term><option>-o</option></term>
|
|
||||||
<term><option>--oids</option></term>
|
|
||||||
<listitem>
|
|
||||||
<para>
|
|
||||||
Dump object identifiers (<acronym>OID</acronym>s) as part of the
|
|
||||||
data for every table. Use this option if your application references
|
|
||||||
the <acronym>OID</acronym>
|
|
||||||
columns in some way (e.g., in a foreign key constraint).
|
|
||||||
Otherwise, this option should not be used.
|
|
||||||
</para>
|
|
||||||
</listitem>
|
|
||||||
</varlistentry>
|
|
||||||
|
|
||||||
<varlistentry>
|
<varlistentry>
|
||||||
<term><option>-O</option></term>
|
<term><option>-O</option></term>
|
||||||
<term><option>--no-owner</option></term>
|
<term><option>--no-owner</option></term>
|
||||||
|
@ -104,13 +104,6 @@ SELECT [ ALL | DISTINCT [ ON ( <replaceable class="parameter">expression</replac
|
|||||||
<command>CREATE TABLE AS</command> offers a superset of the
|
<command>CREATE TABLE AS</command> offers a superset of the
|
||||||
functionality provided by <command>SELECT INTO</command>.
|
functionality provided by <command>SELECT INTO</command>.
|
||||||
</para>
|
</para>
|
||||||
|
|
||||||
<para>
|
|
||||||
To add OIDs to the table created by <command>SELECT INTO</command>,
|
|
||||||
enable the <xref linkend="guc-default-with-oids"/> configuration
|
|
||||||
variable. Alternatively, <command>CREATE TABLE AS</command> can be
|
|
||||||
used with the <literal>WITH OIDS</literal> clause.
|
|
||||||
</para>
|
|
||||||
</refsect1>
|
</refsect1>
|
||||||
|
|
||||||
<refsect1>
|
<refsect1>
|
||||||
|
@ -3654,7 +3654,7 @@ Branch: REL9_0_STABLE [9d6af7367] 2015-08-15 11:02:34 -0400
|
|||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
Prevent foreign tables from being created with OIDS
|
Prevent foreign tables from being created with OIDS
|
||||||
when <xref linkend="guc-default-with-oids"/> is true
|
when <literal>default_with_oids"</literal> is true
|
||||||
(Etsuro Fujita)
|
(Etsuro Fujita)
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
|
@ -5650,7 +5650,7 @@ Branch: REL9_2_STABLE [6b700301c] 2015-02-17 16:03:00 +0100
|
|||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
Prevent foreign tables from being created with OIDS
|
Prevent foreign tables from being created with OIDS
|
||||||
when <xref linkend="guc-default-with-oids"/> is true
|
when <literal>default_with_oids"</literal> is true
|
||||||
(Etsuro Fujita)
|
(Etsuro Fujita)
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
|
@ -9237,7 +9237,7 @@ Branch: REL9_1_STABLE [dd1a5b09b] 2014-06-24 13:30:41 +0300
|
|||||||
<listitem>
|
<listitem>
|
||||||
<para>
|
<para>
|
||||||
Prevent foreign tables from being created with OIDS
|
Prevent foreign tables from being created with OIDS
|
||||||
when <xref linkend="guc-default-with-oids"/> is true
|
when <literal>default_with_oids"</literal> is true
|
||||||
(Etsuro Fujita)
|
(Etsuro Fujita)
|
||||||
</para>
|
</para>
|
||||||
</listitem>
|
</listitem>
|
||||||
|
@ -62,7 +62,7 @@ brtuple_disk_tupdesc(BrinDesc *brdesc)
|
|||||||
/* make sure it's in the bdesc's context */
|
/* make sure it's in the bdesc's context */
|
||||||
oldcxt = MemoryContextSwitchTo(brdesc->bd_context);
|
oldcxt = MemoryContextSwitchTo(brdesc->bd_context);
|
||||||
|
|
||||||
tupdesc = CreateTemplateTupleDesc(brdesc->bd_totalstored, false);
|
tupdesc = CreateTemplateTupleDesc(brdesc->bd_totalstored);
|
||||||
|
|
||||||
for (i = 0; i < brdesc->bd_tupdesc->natts; i++)
|
for (i = 0; i < brdesc->bd_tupdesc->natts; i++)
|
||||||
{
|
{
|
||||||
|
@ -384,7 +384,6 @@ heap_attisnull(HeapTuple tup, int attnum, TupleDesc tupleDesc)
|
|||||||
{
|
{
|
||||||
case TableOidAttributeNumber:
|
case TableOidAttributeNumber:
|
||||||
case SelfItemPointerAttributeNumber:
|
case SelfItemPointerAttributeNumber:
|
||||||
case ObjectIdAttributeNumber:
|
|
||||||
case MinTransactionIdAttributeNumber:
|
case MinTransactionIdAttributeNumber:
|
||||||
case MinCommandIdAttributeNumber:
|
case MinCommandIdAttributeNumber:
|
||||||
case MaxTransactionIdAttributeNumber:
|
case MaxTransactionIdAttributeNumber:
|
||||||
@ -642,9 +641,6 @@ heap_getsysattr(HeapTuple tup, int attnum, TupleDesc tupleDesc, bool *isnull)
|
|||||||
/* pass-by-reference datatype */
|
/* pass-by-reference datatype */
|
||||||
result = PointerGetDatum(&(tup->t_self));
|
result = PointerGetDatum(&(tup->t_self));
|
||||||
break;
|
break;
|
||||||
case ObjectIdAttributeNumber:
|
|
||||||
result = ObjectIdGetDatum(HeapTupleGetOid(tup));
|
|
||||||
break;
|
|
||||||
case MinTransactionIdAttributeNumber:
|
case MinTransactionIdAttributeNumber:
|
||||||
result = TransactionIdGetDatum(HeapTupleHeaderGetRawXmin(tup->t_data));
|
result = TransactionIdGetDatum(HeapTupleHeaderGetRawXmin(tup->t_data));
|
||||||
break;
|
break;
|
||||||
@ -839,9 +835,6 @@ expand_tuple(HeapTuple *targetHeapTuple,
|
|||||||
else
|
else
|
||||||
targetNullLen = 0;
|
targetNullLen = 0;
|
||||||
|
|
||||||
if (tupleDesc->tdhasoid)
|
|
||||||
len += sizeof(Oid);
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Allocate and zero the space needed. Note that the tuple body and
|
* Allocate and zero the space needed. Note that the tuple body and
|
||||||
* HeapTupleData management structure are allocated in one chunk.
|
* HeapTupleData management structure are allocated in one chunk.
|
||||||
@ -1065,9 +1058,6 @@ heap_form_tuple(TupleDesc tupleDescriptor,
|
|||||||
if (hasnull)
|
if (hasnull)
|
||||||
len += BITMAPLEN(numberOfAttributes);
|
len += BITMAPLEN(numberOfAttributes);
|
||||||
|
|
||||||
if (tupleDescriptor->tdhasoid)
|
|
||||||
len += sizeof(Oid);
|
|
||||||
|
|
||||||
hoff = len = MAXALIGN(len); /* align user data safely */
|
hoff = len = MAXALIGN(len); /* align user data safely */
|
||||||
|
|
||||||
data_len = heap_compute_data_size(tupleDescriptor, values, isnull);
|
data_len = heap_compute_data_size(tupleDescriptor, values, isnull);
|
||||||
@ -1099,9 +1089,6 @@ heap_form_tuple(TupleDesc tupleDescriptor,
|
|||||||
HeapTupleHeaderSetNatts(td, numberOfAttributes);
|
HeapTupleHeaderSetNatts(td, numberOfAttributes);
|
||||||
td->t_hoff = hoff;
|
td->t_hoff = hoff;
|
||||||
|
|
||||||
if (tupleDescriptor->tdhasoid) /* else leave infomask = 0 */
|
|
||||||
td->t_infomask = HEAP_HASOID;
|
|
||||||
|
|
||||||
heap_fill_tuple(tupleDescriptor,
|
heap_fill_tuple(tupleDescriptor,
|
||||||
values,
|
values,
|
||||||
isnull,
|
isnull,
|
||||||
@ -1171,14 +1158,11 @@ heap_modify_tuple(HeapTuple tuple,
|
|||||||
pfree(isnull);
|
pfree(isnull);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* copy the identification info of the old tuple: t_ctid, t_self, and OID
|
* copy the identification info of the old tuple: t_ctid, t_self
|
||||||
* (if any)
|
|
||||||
*/
|
*/
|
||||||
newTuple->t_data->t_ctid = tuple->t_data->t_ctid;
|
newTuple->t_data->t_ctid = tuple->t_data->t_ctid;
|
||||||
newTuple->t_self = tuple->t_self;
|
newTuple->t_self = tuple->t_self;
|
||||||
newTuple->t_tableOid = tuple->t_tableOid;
|
newTuple->t_tableOid = tuple->t_tableOid;
|
||||||
if (tupleDesc->tdhasoid)
|
|
||||||
HeapTupleSetOid(newTuple, HeapTupleGetOid(tuple));
|
|
||||||
|
|
||||||
return newTuple;
|
return newTuple;
|
||||||
}
|
}
|
||||||
@ -1237,14 +1221,11 @@ heap_modify_tuple_by_cols(HeapTuple tuple,
|
|||||||
pfree(isnull);
|
pfree(isnull);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* copy the identification info of the old tuple: t_ctid, t_self, and OID
|
* copy the identification info of the old tuple: t_ctid, t_self
|
||||||
* (if any)
|
|
||||||
*/
|
*/
|
||||||
newTuple->t_data->t_ctid = tuple->t_data->t_ctid;
|
newTuple->t_data->t_ctid = tuple->t_data->t_ctid;
|
||||||
newTuple->t_self = tuple->t_self;
|
newTuple->t_self = tuple->t_self;
|
||||||
newTuple->t_tableOid = tuple->t_tableOid;
|
newTuple->t_tableOid = tuple->t_tableOid;
|
||||||
if (tupleDesc->tdhasoid)
|
|
||||||
HeapTupleSetOid(newTuple, HeapTupleGetOid(tuple));
|
|
||||||
|
|
||||||
return newTuple;
|
return newTuple;
|
||||||
}
|
}
|
||||||
@ -1412,9 +1393,6 @@ heap_form_minimal_tuple(TupleDesc tupleDescriptor,
|
|||||||
if (hasnull)
|
if (hasnull)
|
||||||
len += BITMAPLEN(numberOfAttributes);
|
len += BITMAPLEN(numberOfAttributes);
|
||||||
|
|
||||||
if (tupleDescriptor->tdhasoid)
|
|
||||||
len += sizeof(Oid);
|
|
||||||
|
|
||||||
hoff = len = MAXALIGN(len); /* align user data safely */
|
hoff = len = MAXALIGN(len); /* align user data safely */
|
||||||
|
|
||||||
data_len = heap_compute_data_size(tupleDescriptor, values, isnull);
|
data_len = heap_compute_data_size(tupleDescriptor, values, isnull);
|
||||||
@ -1433,9 +1411,6 @@ heap_form_minimal_tuple(TupleDesc tupleDescriptor,
|
|||||||
HeapTupleHeaderSetNatts(tuple, numberOfAttributes);
|
HeapTupleHeaderSetNatts(tuple, numberOfAttributes);
|
||||||
tuple->t_hoff = hoff + MINIMAL_TUPLE_OFFSET;
|
tuple->t_hoff = hoff + MINIMAL_TUPLE_OFFSET;
|
||||||
|
|
||||||
if (tupleDescriptor->tdhasoid) /* else leave infomask = 0 */
|
|
||||||
tuple->t_infomask = HEAP_HASOID;
|
|
||||||
|
|
||||||
heap_fill_tuple(tupleDescriptor,
|
heap_fill_tuple(tupleDescriptor,
|
||||||
values,
|
values,
|
||||||
isnull,
|
isnull,
|
||||||
|
@ -757,8 +757,8 @@ add_string_reloption(bits32 kinds, const char *name, const char *desc, const cha
|
|||||||
* reloptions value (possibly NULL), and we replace or remove entries
|
* reloptions value (possibly NULL), and we replace or remove entries
|
||||||
* as needed.
|
* as needed.
|
||||||
*
|
*
|
||||||
* If ignoreOids is true, then we should ignore any occurrence of "oids"
|
* If acceptOidsOff is true, then we allow oids = false, but throw error when
|
||||||
* in the list (it will be or has been handled by interpretOidsOption()).
|
* on. This is solely needed for backwards compatibility.
|
||||||
*
|
*
|
||||||
* Note that this is not responsible for determining whether the options
|
* Note that this is not responsible for determining whether the options
|
||||||
* are valid, but it does check that namespaces for all the options given are
|
* are valid, but it does check that namespaces for all the options given are
|
||||||
@ -771,7 +771,7 @@ add_string_reloption(bits32 kinds, const char *name, const char *desc, const cha
|
|||||||
*/
|
*/
|
||||||
Datum
|
Datum
|
||||||
transformRelOptions(Datum oldOptions, List *defList, const char *namspace,
|
transformRelOptions(Datum oldOptions, List *defList, const char *namspace,
|
||||||
char *validnsps[], bool ignoreOids, bool isReset)
|
char *validnsps[], bool acceptOidsOff, bool isReset)
|
||||||
{
|
{
|
||||||
Datum result;
|
Datum result;
|
||||||
ArrayBuildState *astate;
|
ArrayBuildState *astate;
|
||||||
@ -882,9 +882,6 @@ transformRelOptions(Datum oldOptions, List *defList, const char *namspace,
|
|||||||
def->defnamespace)));
|
def->defnamespace)));
|
||||||
}
|
}
|
||||||
|
|
||||||
if (ignoreOids && strcmp(def->defname, "oids") == 0)
|
|
||||||
continue;
|
|
||||||
|
|
||||||
/* ignore if not in the same namespace */
|
/* ignore if not in the same namespace */
|
||||||
if (namspace == NULL)
|
if (namspace == NULL)
|
||||||
{
|
{
|
||||||
@ -905,6 +902,24 @@ transformRelOptions(Datum oldOptions, List *defList, const char *namspace,
|
|||||||
value = defGetString(def);
|
value = defGetString(def);
|
||||||
else
|
else
|
||||||
value = "true";
|
value = "true";
|
||||||
|
|
||||||
|
/*
|
||||||
|
* This is not a great place for this test, but there's no other
|
||||||
|
* convenient place to filter the option out. As WITH (oids =
|
||||||
|
* false) will be removed someday, this seems like an acceptable
|
||||||
|
* amount of ugly.
|
||||||
|
*/
|
||||||
|
if (acceptOidsOff && def->defnamespace == NULL &&
|
||||||
|
strcmp(def->defname, "oids") == 0)
|
||||||
|
{
|
||||||
|
if (defGetBoolean(def))
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
|
||||||
|
errmsg("tables declared WITH OIDS are not supported")));
|
||||||
|
/* skip over option, reloptions machinery doesn't know it */
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
len = VARHDRSZ + strlen(def->defname) + 1 + strlen(value);
|
len = VARHDRSZ + strlen(def->defname) + 1 + strlen(value);
|
||||||
/* +1 leaves room for sprintf's trailing null */
|
/* +1 leaves room for sprintf's trailing null */
|
||||||
t = (text *) palloc(len + 1);
|
t = (text *) palloc(len + 1);
|
||||||
|
@ -138,13 +138,9 @@ convert_tuples_by_position(TupleDesc indesc,
|
|||||||
|
|
||||||
/*
|
/*
|
||||||
* Check to see if the map is one-to-one, in which case we need not do a
|
* Check to see if the map is one-to-one, in which case we need not do a
|
||||||
* tuple conversion. We must also insist that both tupdescs either
|
* tuple conversion.
|
||||||
* specify or don't specify an OID column, else we need a conversion to
|
|
||||||
* add/remove space for that. (For some callers, presence or absence of
|
|
||||||
* an OID column perhaps would not really matter, but let's be safe.)
|
|
||||||
*/
|
*/
|
||||||
if (indesc->natts == outdesc->natts &&
|
if (indesc->natts == outdesc->natts)
|
||||||
indesc->tdhasoid == outdesc->tdhasoid)
|
|
||||||
{
|
{
|
||||||
for (i = 0; i < n; i++)
|
for (i = 0; i < n; i++)
|
||||||
{
|
{
|
||||||
@ -344,13 +340,9 @@ convert_tuples_by_name_map_if_req(TupleDesc indesc,
|
|||||||
|
|
||||||
/*
|
/*
|
||||||
* Check to see if the map is one-to-one, in which case we need not do a
|
* Check to see if the map is one-to-one, in which case we need not do a
|
||||||
* tuple conversion. We must also insist that both tupdescs either
|
* tuple conversion.
|
||||||
* specify or don't specify an OID column, else we need a conversion to
|
|
||||||
* add/remove space for that. (For some callers, presence or absence of
|
|
||||||
* an OID column perhaps would not really matter, but let's be safe.)
|
|
||||||
*/
|
*/
|
||||||
if (indesc->natts == outdesc->natts &&
|
if (indesc->natts == outdesc->natts)
|
||||||
indesc->tdhasoid == outdesc->tdhasoid)
|
|
||||||
{
|
{
|
||||||
same = true;
|
same = true;
|
||||||
for (i = 0; i < n; i++)
|
for (i = 0; i < n; i++)
|
||||||
|
@ -42,7 +42,7 @@
|
|||||||
* caller can overwrite this if needed.
|
* caller can overwrite this if needed.
|
||||||
*/
|
*/
|
||||||
TupleDesc
|
TupleDesc
|
||||||
CreateTemplateTupleDesc(int natts, bool hasoid)
|
CreateTemplateTupleDesc(int natts)
|
||||||
{
|
{
|
||||||
TupleDesc desc;
|
TupleDesc desc;
|
||||||
|
|
||||||
@ -73,7 +73,6 @@ CreateTemplateTupleDesc(int natts, bool hasoid)
|
|||||||
desc->constr = NULL;
|
desc->constr = NULL;
|
||||||
desc->tdtypeid = RECORDOID;
|
desc->tdtypeid = RECORDOID;
|
||||||
desc->tdtypmod = -1;
|
desc->tdtypmod = -1;
|
||||||
desc->tdhasoid = hasoid;
|
|
||||||
desc->tdrefcount = -1; /* assume not reference-counted */
|
desc->tdrefcount = -1; /* assume not reference-counted */
|
||||||
|
|
||||||
return desc;
|
return desc;
|
||||||
@ -88,12 +87,12 @@ CreateTemplateTupleDesc(int natts, bool hasoid)
|
|||||||
* caller can overwrite this if needed.
|
* caller can overwrite this if needed.
|
||||||
*/
|
*/
|
||||||
TupleDesc
|
TupleDesc
|
||||||
CreateTupleDesc(int natts, bool hasoid, Form_pg_attribute *attrs)
|
CreateTupleDesc(int natts, Form_pg_attribute *attrs)
|
||||||
{
|
{
|
||||||
TupleDesc desc;
|
TupleDesc desc;
|
||||||
int i;
|
int i;
|
||||||
|
|
||||||
desc = CreateTemplateTupleDesc(natts, hasoid);
|
desc = CreateTemplateTupleDesc(natts);
|
||||||
|
|
||||||
for (i = 0; i < natts; ++i)
|
for (i = 0; i < natts; ++i)
|
||||||
memcpy(TupleDescAttr(desc, i), attrs[i], ATTRIBUTE_FIXED_PART_SIZE);
|
memcpy(TupleDescAttr(desc, i), attrs[i], ATTRIBUTE_FIXED_PART_SIZE);
|
||||||
@ -114,7 +113,7 @@ CreateTupleDescCopy(TupleDesc tupdesc)
|
|||||||
TupleDesc desc;
|
TupleDesc desc;
|
||||||
int i;
|
int i;
|
||||||
|
|
||||||
desc = CreateTemplateTupleDesc(tupdesc->natts, tupdesc->tdhasoid);
|
desc = CreateTemplateTupleDesc(tupdesc->natts);
|
||||||
|
|
||||||
/* Flat-copy the attribute array */
|
/* Flat-copy the attribute array */
|
||||||
memcpy(TupleDescAttr(desc, 0),
|
memcpy(TupleDescAttr(desc, 0),
|
||||||
@ -154,7 +153,7 @@ CreateTupleDescCopyConstr(TupleDesc tupdesc)
|
|||||||
TupleConstr *constr = tupdesc->constr;
|
TupleConstr *constr = tupdesc->constr;
|
||||||
int i;
|
int i;
|
||||||
|
|
||||||
desc = CreateTemplateTupleDesc(tupdesc->natts, tupdesc->tdhasoid);
|
desc = CreateTemplateTupleDesc(tupdesc->natts);
|
||||||
|
|
||||||
/* Flat-copy the attribute array */
|
/* Flat-copy the attribute array */
|
||||||
memcpy(TupleDescAttr(desc, 0),
|
memcpy(TupleDescAttr(desc, 0),
|
||||||
@ -416,8 +415,6 @@ equalTupleDescs(TupleDesc tupdesc1, TupleDesc tupdesc2)
|
|||||||
return false;
|
return false;
|
||||||
if (tupdesc1->tdtypeid != tupdesc2->tdtypeid)
|
if (tupdesc1->tdtypeid != tupdesc2->tdtypeid)
|
||||||
return false;
|
return false;
|
||||||
if (tupdesc1->tdhasoid != tupdesc2->tdhasoid)
|
|
||||||
return false;
|
|
||||||
|
|
||||||
for (i = 0; i < tupdesc1->natts; i++)
|
for (i = 0; i < tupdesc1->natts; i++)
|
||||||
{
|
{
|
||||||
@ -574,7 +571,6 @@ hashTupleDesc(TupleDesc desc)
|
|||||||
|
|
||||||
s = hash_combine(0, hash_uint32(desc->natts));
|
s = hash_combine(0, hash_uint32(desc->natts));
|
||||||
s = hash_combine(s, hash_uint32(desc->tdtypeid));
|
s = hash_combine(s, hash_uint32(desc->tdtypeid));
|
||||||
s = hash_combine(s, hash_uint32(desc->tdhasoid));
|
|
||||||
for (i = 0; i < desc->natts; ++i)
|
for (i = 0; i < desc->natts; ++i)
|
||||||
s = hash_combine(s, hash_uint32(TupleDescAttr(desc, i)->atttypid));
|
s = hash_combine(s, hash_uint32(TupleDescAttr(desc, i)->atttypid));
|
||||||
|
|
||||||
@ -800,7 +796,7 @@ BuildDescForRelation(List *schema)
|
|||||||
* allocate a new tuple descriptor
|
* allocate a new tuple descriptor
|
||||||
*/
|
*/
|
||||||
natts = list_length(schema);
|
natts = list_length(schema);
|
||||||
desc = CreateTemplateTupleDesc(natts, false);
|
desc = CreateTemplateTupleDesc(natts);
|
||||||
has_not_null = false;
|
has_not_null = false;
|
||||||
|
|
||||||
attnum = 0;
|
attnum = 0;
|
||||||
@ -900,7 +896,7 @@ BuildDescFromLists(List *names, List *types, List *typmods, List *collations)
|
|||||||
/*
|
/*
|
||||||
* allocate a new tuple descriptor
|
* allocate a new tuple descriptor
|
||||||
*/
|
*/
|
||||||
desc = CreateTemplateTupleDesc(natts, false);
|
desc = CreateTemplateTupleDesc(natts);
|
||||||
|
|
||||||
attnum = 0;
|
attnum = 0;
|
||||||
|
|
||||||
|
@ -104,7 +104,7 @@ initGinState(GinState *state, Relation index)
|
|||||||
state->tupdesc[i] = state->origTupdesc;
|
state->tupdesc[i] = state->origTupdesc;
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
state->tupdesc[i] = CreateTemplateTupleDesc(2, false);
|
state->tupdesc[i] = CreateTemplateTupleDesc(2);
|
||||||
|
|
||||||
TupleDescInitEntry(state->tupdesc[i], (AttrNumber) 1, NULL,
|
TupleDescInitEntry(state->tupdesc[i], (AttrNumber) 1, NULL,
|
||||||
INT2OID, -1, 0);
|
INT2OID, -1, 0);
|
||||||
|
@ -167,7 +167,7 @@ gistrescan(IndexScanDesc scan, ScanKey key, int nkeys,
|
|||||||
* types.
|
* types.
|
||||||
*/
|
*/
|
||||||
natts = RelationGetNumberOfAttributes(scan->indexRelation);
|
natts = RelationGetNumberOfAttributes(scan->indexRelation);
|
||||||
so->giststate->fetchTupdesc = CreateTemplateTupleDesc(natts, false);
|
so->giststate->fetchTupdesc = CreateTemplateTupleDesc(natts);
|
||||||
for (attno = 1; attno <= natts; attno++)
|
for (attno = 1; attno <= natts; attno++)
|
||||||
{
|
{
|
||||||
TupleDescInitEntry(so->giststate->fetchTupdesc, attno, NULL,
|
TupleDescInitEntry(so->giststate->fetchTupdesc, attno, NULL,
|
||||||
|
@ -2454,7 +2454,7 @@ ReleaseBulkInsertStatePin(BulkInsertState bistate)
|
|||||||
* TID where the tuple was stored. But note that any toasting of fields
|
* TID where the tuple was stored. But note that any toasting of fields
|
||||||
* within the tuple data is NOT reflected into *tup.
|
* within the tuple data is NOT reflected into *tup.
|
||||||
*/
|
*/
|
||||||
Oid
|
void
|
||||||
heap_insert(Relation relation, HeapTuple tup, CommandId cid,
|
heap_insert(Relation relation, HeapTuple tup, CommandId cid,
|
||||||
int options, BulkInsertState bistate)
|
int options, BulkInsertState bistate)
|
||||||
{
|
{
|
||||||
@ -2628,8 +2628,6 @@ heap_insert(Relation relation, HeapTuple tup, CommandId cid,
|
|||||||
tup->t_self = heaptup->t_self;
|
tup->t_self = heaptup->t_self;
|
||||||
heap_freetuple(heaptup);
|
heap_freetuple(heaptup);
|
||||||
}
|
}
|
||||||
|
|
||||||
return HeapTupleGetOid(tup);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -2656,30 +2654,6 @@ heap_prepare_insert(Relation relation, HeapTuple tup, TransactionId xid,
|
|||||||
(errcode(ERRCODE_INVALID_TRANSACTION_STATE),
|
(errcode(ERRCODE_INVALID_TRANSACTION_STATE),
|
||||||
errmsg("cannot insert tuples in a parallel worker")));
|
errmsg("cannot insert tuples in a parallel worker")));
|
||||||
|
|
||||||
if (relation->rd_rel->relhasoids)
|
|
||||||
{
|
|
||||||
#ifdef NOT_USED
|
|
||||||
/* this is redundant with an Assert in HeapTupleSetOid */
|
|
||||||
Assert(tup->t_data->t_infomask & HEAP_HASOID);
|
|
||||||
#endif
|
|
||||||
|
|
||||||
/*
|
|
||||||
* If the object id of this tuple has already been assigned, trust the
|
|
||||||
* caller. There are a couple of ways this can happen. At initial db
|
|
||||||
* creation, the backend program sets oids for tuples. When we define
|
|
||||||
* an index, we set the oid. Finally, in the future, we may allow
|
|
||||||
* users to set their own object ids in order to support a persistent
|
|
||||||
* object store (objects need to contain pointers to one another).
|
|
||||||
*/
|
|
||||||
if (!OidIsValid(HeapTupleGetOid(tup)))
|
|
||||||
HeapTupleSetOid(tup, GetNewOid(relation));
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
/* check there is not space for an OID */
|
|
||||||
Assert(!(tup->t_data->t_infomask & HEAP_HASOID));
|
|
||||||
}
|
|
||||||
|
|
||||||
tup->t_data->t_infomask &= ~(HEAP_XACT_MASK);
|
tup->t_data->t_infomask &= ~(HEAP_XACT_MASK);
|
||||||
tup->t_data->t_infomask2 &= ~(HEAP2_XACT_MASK);
|
tup->t_data->t_infomask2 &= ~(HEAP2_XACT_MASK);
|
||||||
tup->t_data->t_infomask |= HEAP_XMAX_INVALID;
|
tup->t_data->t_infomask |= HEAP_XMAX_INVALID;
|
||||||
@ -2995,10 +2969,10 @@ heap_multi_insert(Relation relation, HeapTuple *tuples, int ntuples,
|
|||||||
* This should be used rather than using heap_insert directly in most places
|
* This should be used rather than using heap_insert directly in most places
|
||||||
* where we are modifying system catalogs.
|
* where we are modifying system catalogs.
|
||||||
*/
|
*/
|
||||||
Oid
|
void
|
||||||
simple_heap_insert(Relation relation, HeapTuple tup)
|
simple_heap_insert(Relation relation, HeapTuple tup)
|
||||||
{
|
{
|
||||||
return heap_insert(relation, tup, GetCurrentCommandId(true), 0, NULL);
|
heap_insert(relation, tup, GetCurrentCommandId(true), 0, NULL);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -3656,21 +3630,6 @@ heap_update(Relation relation, ItemPointer otid, HeapTuple newtup,
|
|||||||
/* the new tuple is ready, except for this: */
|
/* the new tuple is ready, except for this: */
|
||||||
newtup->t_tableOid = RelationGetRelid(relation);
|
newtup->t_tableOid = RelationGetRelid(relation);
|
||||||
|
|
||||||
/* Fill in OID for newtup */
|
|
||||||
if (relation->rd_rel->relhasoids)
|
|
||||||
{
|
|
||||||
#ifdef NOT_USED
|
|
||||||
/* this is redundant with an Assert in HeapTupleSetOid */
|
|
||||||
Assert(newtup->t_data->t_infomask & HEAP_HASOID);
|
|
||||||
#endif
|
|
||||||
HeapTupleSetOid(newtup, HeapTupleGetOid(&oldtup));
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
/* check there is not space for an OID */
|
|
||||||
Assert(!(newtup->t_data->t_infomask & HEAP_HASOID));
|
|
||||||
}
|
|
||||||
|
|
||||||
/* Determine columns modified by the update. */
|
/* Determine columns modified by the update. */
|
||||||
modified_attrs = HeapDetermineModifiedColumns(relation, interesting_attrs,
|
modified_attrs = HeapDetermineModifiedColumns(relation, interesting_attrs,
|
||||||
&oldtup, newtup);
|
&oldtup, newtup);
|
||||||
@ -4437,13 +4396,12 @@ heap_tuple_attr_equals(TupleDesc tupdesc, int attrnum,
|
|||||||
|
|
||||||
/*
|
/*
|
||||||
* Likewise, automatically say "not equal" for any system attribute other
|
* Likewise, automatically say "not equal" for any system attribute other
|
||||||
* than OID and tableOID; we cannot expect these to be consistent in a HOT
|
* than tableOID; we cannot expect these to be consistent in a HOT chain,
|
||||||
* chain, or even to be set correctly yet in the new tuple.
|
* or even to be set correctly yet in the new tuple.
|
||||||
*/
|
*/
|
||||||
if (attrnum < 0)
|
if (attrnum < 0)
|
||||||
{
|
{
|
||||||
if (attrnum != ObjectIdAttributeNumber &&
|
if (attrnum != TableOidAttributeNumber)
|
||||||
attrnum != TableOidAttributeNumber)
|
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -8123,16 +8081,7 @@ ExtractReplicaIdentity(Relation relation, HeapTuple tp, bool key_changed, bool *
|
|||||||
int attno = idx_rel->rd_index->indkey.values[natt];
|
int attno = idx_rel->rd_index->indkey.values[natt];
|
||||||
|
|
||||||
if (attno < 0)
|
if (attno < 0)
|
||||||
{
|
|
||||||
/*
|
|
||||||
* The OID column can appear in an index definition, but that's
|
|
||||||
* OK, because we always copy the OID if present (see below).
|
|
||||||
* Other system columns may not.
|
|
||||||
*/
|
|
||||||
if (attno == ObjectIdAttributeNumber)
|
|
||||||
continue;
|
|
||||||
elog(ERROR, "system column in index");
|
elog(ERROR, "system column in index");
|
||||||
}
|
|
||||||
nulls[attno - 1] = false;
|
nulls[attno - 1] = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -8140,14 +8089,6 @@ ExtractReplicaIdentity(Relation relation, HeapTuple tp, bool key_changed, bool *
|
|||||||
*copy = true;
|
*copy = true;
|
||||||
RelationClose(idx_rel);
|
RelationClose(idx_rel);
|
||||||
|
|
||||||
/*
|
|
||||||
* Always copy oids if the table has them, even if not included in the
|
|
||||||
* index. The space in the logged tuple is used anyway, so there's little
|
|
||||||
* point in not including the information.
|
|
||||||
*/
|
|
||||||
if (relation->rd_rel->relhasoids)
|
|
||||||
HeapTupleSetOid(key_tuple, HeapTupleGetOid(tp));
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* If the tuple, which by here only contains indexed columns, still has
|
* If the tuple, which by here only contains indexed columns, still has
|
||||||
* toasted columns, force them to be inlined. This is somewhat unlikely
|
* toasted columns, force them to be inlined. This is somewhat unlikely
|
||||||
|
@ -723,8 +723,6 @@ toast_insert_or_update(Relation rel, HeapTuple newtup, HeapTuple oldtup,
|
|||||||
hoff = SizeofHeapTupleHeader;
|
hoff = SizeofHeapTupleHeader;
|
||||||
if (has_nulls)
|
if (has_nulls)
|
||||||
hoff += BITMAPLEN(numAttrs);
|
hoff += BITMAPLEN(numAttrs);
|
||||||
if (newtup->t_data->t_infomask & HEAP_HASOID)
|
|
||||||
hoff += sizeof(Oid);
|
|
||||||
hoff = MAXALIGN(hoff);
|
hoff = MAXALIGN(hoff);
|
||||||
/* now convert to a limit on the tuple data size */
|
/* now convert to a limit on the tuple data size */
|
||||||
maxDataLen = RelationGetToastTupleTarget(rel, TOAST_TUPLE_TARGET) - hoff;
|
maxDataLen = RelationGetToastTupleTarget(rel, TOAST_TUPLE_TARGET) - hoff;
|
||||||
@ -1013,8 +1011,6 @@ toast_insert_or_update(Relation rel, HeapTuple newtup, HeapTuple oldtup,
|
|||||||
new_header_len = SizeofHeapTupleHeader;
|
new_header_len = SizeofHeapTupleHeader;
|
||||||
if (has_nulls)
|
if (has_nulls)
|
||||||
new_header_len += BITMAPLEN(numAttrs);
|
new_header_len += BITMAPLEN(numAttrs);
|
||||||
if (olddata->t_infomask & HEAP_HASOID)
|
|
||||||
new_header_len += sizeof(Oid);
|
|
||||||
new_header_len = MAXALIGN(new_header_len);
|
new_header_len = MAXALIGN(new_header_len);
|
||||||
new_data_len = heap_compute_data_size(tupleDesc,
|
new_data_len = heap_compute_data_size(tupleDesc,
|
||||||
toast_values, toast_isnull);
|
toast_values, toast_isnull);
|
||||||
@ -1036,8 +1032,6 @@ toast_insert_or_update(Relation rel, HeapTuple newtup, HeapTuple oldtup,
|
|||||||
memcpy(new_data, olddata, SizeofHeapTupleHeader);
|
memcpy(new_data, olddata, SizeofHeapTupleHeader);
|
||||||
HeapTupleHeaderSetNatts(new_data, numAttrs);
|
HeapTupleHeaderSetNatts(new_data, numAttrs);
|
||||||
new_data->t_hoff = new_header_len;
|
new_data->t_hoff = new_header_len;
|
||||||
if (olddata->t_infomask & HEAP_HASOID)
|
|
||||||
HeapTupleHeaderSetOid(new_data, HeapTupleHeaderGetOid(olddata));
|
|
||||||
|
|
||||||
/* Copy over the data, and fill the null bitmap if needed */
|
/* Copy over the data, and fill the null bitmap if needed */
|
||||||
heap_fill_tuple(tupleDesc,
|
heap_fill_tuple(tupleDesc,
|
||||||
@ -1124,13 +1118,10 @@ toast_flatten_tuple(HeapTuple tup, TupleDesc tupleDesc)
|
|||||||
new_tuple = heap_form_tuple(tupleDesc, toast_values, toast_isnull);
|
new_tuple = heap_form_tuple(tupleDesc, toast_values, toast_isnull);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Be sure to copy the tuple's OID and identity fields. We also make a
|
* Be sure to copy the tuple's identity fields. We also make a point of
|
||||||
* point of copying visibility info, just in case anybody looks at those
|
* copying visibility info, just in case anybody looks at those fields in
|
||||||
* fields in a syscache entry.
|
* a syscache entry.
|
||||||
*/
|
*/
|
||||||
if (tupleDesc->tdhasoid)
|
|
||||||
HeapTupleSetOid(new_tuple, HeapTupleGetOid(tup));
|
|
||||||
|
|
||||||
new_tuple->t_self = tup->t_self;
|
new_tuple->t_self = tup->t_self;
|
||||||
new_tuple->t_tableOid = tup->t_tableOid;
|
new_tuple->t_tableOid = tup->t_tableOid;
|
||||||
|
|
||||||
@ -1244,8 +1235,6 @@ toast_flatten_tuple_to_datum(HeapTupleHeader tup,
|
|||||||
new_header_len = SizeofHeapTupleHeader;
|
new_header_len = SizeofHeapTupleHeader;
|
||||||
if (has_nulls)
|
if (has_nulls)
|
||||||
new_header_len += BITMAPLEN(numAttrs);
|
new_header_len += BITMAPLEN(numAttrs);
|
||||||
if (tup->t_infomask & HEAP_HASOID)
|
|
||||||
new_header_len += sizeof(Oid);
|
|
||||||
new_header_len = MAXALIGN(new_header_len);
|
new_header_len = MAXALIGN(new_header_len);
|
||||||
new_data_len = heap_compute_data_size(tupleDesc,
|
new_data_len = heap_compute_data_size(tupleDesc,
|
||||||
toast_values, toast_isnull);
|
toast_values, toast_isnull);
|
||||||
@ -1259,8 +1248,6 @@ toast_flatten_tuple_to_datum(HeapTupleHeader tup,
|
|||||||
memcpy(new_data, tup, SizeofHeapTupleHeader);
|
memcpy(new_data, tup, SizeofHeapTupleHeader);
|
||||||
HeapTupleHeaderSetNatts(new_data, numAttrs);
|
HeapTupleHeaderSetNatts(new_data, numAttrs);
|
||||||
new_data->t_hoff = new_header_len;
|
new_data->t_hoff = new_header_len;
|
||||||
if (tup->t_infomask & HEAP_HASOID)
|
|
||||||
HeapTupleHeaderSetOid(new_data, HeapTupleHeaderGetOid(tup));
|
|
||||||
|
|
||||||
/* Set the composite-Datum header fields correctly */
|
/* Set the composite-Datum header fields correctly */
|
||||||
HeapTupleHeaderSetDatumLength(new_data, new_tuple_len);
|
HeapTupleHeaderSetDatumLength(new_data, new_tuple_len);
|
||||||
@ -1796,7 +1783,7 @@ toast_delete_datum(Relation rel, Datum value, bool is_speculative)
|
|||||||
*
|
*
|
||||||
* Test whether a toast value with the given ID exists in the toast relation.
|
* Test whether a toast value with the given ID exists in the toast relation.
|
||||||
* For safety, we consider a value to exist if there are either live or dead
|
* For safety, we consider a value to exist if there are either live or dead
|
||||||
* toast rows with that ID; see notes for GetNewOid().
|
* toast rows with that ID; see notes for GetNewOidWithIndex().
|
||||||
* ----------
|
* ----------
|
||||||
*/
|
*/
|
||||||
static bool
|
static bool
|
||||||
|
@ -434,7 +434,7 @@ pg_last_committed_xact(PG_FUNCTION_ARGS)
|
|||||||
* Construct a tuple descriptor for the result row. This must match this
|
* Construct a tuple descriptor for the result row. This must match this
|
||||||
* function's pg_proc entry!
|
* function's pg_proc entry!
|
||||||
*/
|
*/
|
||||||
tupdesc = CreateTemplateTupleDesc(2, false);
|
tupdesc = CreateTemplateTupleDesc(2);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "xid",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "xid",
|
||||||
XIDOID, -1, 0);
|
XIDOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "timestamp",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "timestamp",
|
||||||
|
@ -3368,7 +3368,7 @@ pg_get_multixact_members(PG_FUNCTION_ARGS)
|
|||||||
false);
|
false);
|
||||||
multi->iter = 0;
|
multi->iter = 0;
|
||||||
|
|
||||||
tupdesc = CreateTemplateTupleDesc(2, false);
|
tupdesc = CreateTemplateTupleDesc(2);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "xid",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "xid",
|
||||||
XIDOID, -1, 0);
|
XIDOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "mode",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "mode",
|
||||||
|
@ -734,7 +734,7 @@ pg_prepared_xact(PG_FUNCTION_ARGS)
|
|||||||
|
|
||||||
/* build tupdesc for result tuples */
|
/* build tupdesc for result tuples */
|
||||||
/* this had better match pg_prepared_xacts view in system_views.sql */
|
/* this had better match pg_prepared_xacts view in system_views.sql */
|
||||||
tupdesc = CreateTemplateTupleDesc(5, false);
|
tupdesc = CreateTemplateTupleDesc(5);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "transaction",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "transaction",
|
||||||
XIDOID, -1, 0);
|
XIDOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "gid",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "gid",
|
||||||
|
@ -451,8 +451,8 @@ ForceTransactionIdLimitUpdate(void)
|
|||||||
* OIDs are generated by a cluster-wide counter. Since they are only 32 bits
|
* OIDs are generated by a cluster-wide counter. Since they are only 32 bits
|
||||||
* wide, counter wraparound will occur eventually, and therefore it is unwise
|
* wide, counter wraparound will occur eventually, and therefore it is unwise
|
||||||
* to assume they are unique unless precautions are taken to make them so.
|
* to assume they are unique unless precautions are taken to make them so.
|
||||||
* Hence, this routine should generally not be used directly. The only
|
* Hence, this routine should generally not be used directly. The only direct
|
||||||
* direct callers should be GetNewOid() and GetNewRelFileNode() in
|
* callers should be GetNewOidWithIndex() and GetNewRelFileNode() in
|
||||||
* catalog/catalog.c.
|
* catalog/catalog.c.
|
||||||
*/
|
*/
|
||||||
Oid
|
Oid
|
||||||
|
@ -471,7 +471,7 @@ pg_walfile_name_offset(PG_FUNCTION_ARGS)
|
|||||||
* Construct a tuple descriptor for the result row. This must match this
|
* Construct a tuple descriptor for the result row. This must match this
|
||||||
* function's pg_proc entry!
|
* function's pg_proc entry!
|
||||||
*/
|
*/
|
||||||
resultTupleDesc = CreateTemplateTupleDesc(2, false);
|
resultTupleDesc = CreateTemplateTupleDesc(2);
|
||||||
TupleDescInitEntry(resultTupleDesc, (AttrNumber) 1, "file_name",
|
TupleDescInitEntry(resultTupleDesc, (AttrNumber) 1, "file_name",
|
||||||
TEXTOID, -1, 0);
|
TEXTOID, -1, 0);
|
||||||
TupleDescInitEntry(resultTupleDesc, (AttrNumber) 2, "file_offset",
|
TupleDescInitEntry(resultTupleDesc, (AttrNumber) 2, "file_offset",
|
||||||
|
@ -113,8 +113,8 @@ static int num_columns_read = 0;
|
|||||||
%type <list> boot_index_params
|
%type <list> boot_index_params
|
||||||
%type <ielem> boot_index_param
|
%type <ielem> boot_index_param
|
||||||
%type <str> boot_ident
|
%type <str> boot_ident
|
||||||
%type <ival> optbootstrap optsharedrelation optwithoutoids boot_column_nullness
|
%type <ival> optbootstrap optsharedrelation boot_column_nullness
|
||||||
%type <oidval> oidspec optoideq optrowtypeoid
|
%type <oidval> oidspec optrowtypeoid
|
||||||
|
|
||||||
%token <str> ID
|
%token <str> ID
|
||||||
%token COMMA EQUALS LPAREN RPAREN
|
%token COMMA EQUALS LPAREN RPAREN
|
||||||
@ -123,7 +123,7 @@ static int num_columns_read = 0;
|
|||||||
/* All the rest are unreserved, and should be handled in boot_ident! */
|
/* All the rest are unreserved, and should be handled in boot_ident! */
|
||||||
%token <kw> OPEN XCLOSE XCREATE INSERT_TUPLE
|
%token <kw> OPEN XCLOSE XCREATE INSERT_TUPLE
|
||||||
%token <kw> XDECLARE INDEX ON USING XBUILD INDICES UNIQUE XTOAST
|
%token <kw> XDECLARE INDEX ON USING XBUILD INDICES UNIQUE XTOAST
|
||||||
%token <kw> OBJ_ID XBOOTSTRAP XSHARED_RELATION XWITHOUT_OIDS XROWTYPE_OID
|
%token <kw> OBJ_ID XBOOTSTRAP XSHARED_RELATION XROWTYPE_OID
|
||||||
%token <kw> XFORCE XNOT XNULL
|
%token <kw> XFORCE XNOT XNULL
|
||||||
|
|
||||||
%start TopLevel
|
%start TopLevel
|
||||||
@ -170,7 +170,7 @@ Boot_CloseStmt:
|
|||||||
;
|
;
|
||||||
|
|
||||||
Boot_CreateStmt:
|
Boot_CreateStmt:
|
||||||
XCREATE boot_ident oidspec optbootstrap optsharedrelation optwithoutoids optrowtypeoid LPAREN
|
XCREATE boot_ident oidspec optbootstrap optsharedrelation optrowtypeoid LPAREN
|
||||||
{
|
{
|
||||||
do_start();
|
do_start();
|
||||||
numattr = 0;
|
numattr = 0;
|
||||||
@ -192,7 +192,7 @@ Boot_CreateStmt:
|
|||||||
|
|
||||||
do_start();
|
do_start();
|
||||||
|
|
||||||
tupdesc = CreateTupleDesc(numattr, !($6), attrtypes);
|
tupdesc = CreateTupleDesc(numattr, attrtypes);
|
||||||
|
|
||||||
shared_relation = $5;
|
shared_relation = $5;
|
||||||
|
|
||||||
@ -236,7 +236,7 @@ Boot_CreateStmt:
|
|||||||
PG_CATALOG_NAMESPACE,
|
PG_CATALOG_NAMESPACE,
|
||||||
shared_relation ? GLOBALTABLESPACE_OID : 0,
|
shared_relation ? GLOBALTABLESPACE_OID : 0,
|
||||||
$3,
|
$3,
|
||||||
$7,
|
$6,
|
||||||
InvalidOid,
|
InvalidOid,
|
||||||
BOOTSTRAP_SUPERUSERID,
|
BOOTSTRAP_SUPERUSERID,
|
||||||
tupdesc,
|
tupdesc,
|
||||||
@ -245,8 +245,6 @@ Boot_CreateStmt:
|
|||||||
RELPERSISTENCE_PERMANENT,
|
RELPERSISTENCE_PERMANENT,
|
||||||
shared_relation,
|
shared_relation,
|
||||||
mapped_relation,
|
mapped_relation,
|
||||||
true,
|
|
||||||
0,
|
|
||||||
ONCOMMIT_NOOP,
|
ONCOMMIT_NOOP,
|
||||||
(Datum) 0,
|
(Datum) 0,
|
||||||
false,
|
false,
|
||||||
@ -261,12 +259,9 @@ Boot_CreateStmt:
|
|||||||
;
|
;
|
||||||
|
|
||||||
Boot_InsertStmt:
|
Boot_InsertStmt:
|
||||||
INSERT_TUPLE optoideq
|
INSERT_TUPLE
|
||||||
{
|
{
|
||||||
do_start();
|
do_start();
|
||||||
if ($2)
|
|
||||||
elog(DEBUG4, "inserting row with oid %u", $2);
|
|
||||||
else
|
|
||||||
elog(DEBUG4, "inserting row");
|
elog(DEBUG4, "inserting row");
|
||||||
num_columns_read = 0;
|
num_columns_read = 0;
|
||||||
}
|
}
|
||||||
@ -277,7 +272,7 @@ Boot_InsertStmt:
|
|||||||
numattr, num_columns_read);
|
numattr, num_columns_read);
|
||||||
if (boot_reldesc == NULL)
|
if (boot_reldesc == NULL)
|
||||||
elog(FATAL, "relation not open");
|
elog(FATAL, "relation not open");
|
||||||
InsertOneTuple($2);
|
InsertOneTuple();
|
||||||
do_end();
|
do_end();
|
||||||
}
|
}
|
||||||
;
|
;
|
||||||
@ -432,11 +427,6 @@ optsharedrelation:
|
|||||||
| { $$ = 0; }
|
| { $$ = 0; }
|
||||||
;
|
;
|
||||||
|
|
||||||
optwithoutoids:
|
|
||||||
XWITHOUT_OIDS { $$ = 1; }
|
|
||||||
| { $$ = 0; }
|
|
||||||
;
|
|
||||||
|
|
||||||
optrowtypeoid:
|
optrowtypeoid:
|
||||||
XROWTYPE_OID oidspec { $$ = $2; }
|
XROWTYPE_OID oidspec { $$ = $2; }
|
||||||
| { $$ = InvalidOid; }
|
| { $$ = InvalidOid; }
|
||||||
@ -466,11 +456,6 @@ oidspec:
|
|||||||
boot_ident { $$ = atooid($1); }
|
boot_ident { $$ = atooid($1); }
|
||||||
;
|
;
|
||||||
|
|
||||||
optoideq:
|
|
||||||
OBJ_ID EQUALS oidspec { $$ = $3; }
|
|
||||||
| { $$ = InvalidOid; }
|
|
||||||
;
|
|
||||||
|
|
||||||
boot_column_val_list:
|
boot_column_val_list:
|
||||||
boot_column_val
|
boot_column_val
|
||||||
| boot_column_val_list boot_column_val
|
| boot_column_val_list boot_column_val
|
||||||
@ -501,7 +486,6 @@ boot_ident:
|
|||||||
| OBJ_ID { $$ = pstrdup($1); }
|
| OBJ_ID { $$ = pstrdup($1); }
|
||||||
| XBOOTSTRAP { $$ = pstrdup($1); }
|
| XBOOTSTRAP { $$ = pstrdup($1); }
|
||||||
| XSHARED_RELATION { $$ = pstrdup($1); }
|
| XSHARED_RELATION { $$ = pstrdup($1); }
|
||||||
| XWITHOUT_OIDS { $$ = pstrdup($1); }
|
|
||||||
| XROWTYPE_OID { $$ = pstrdup($1); }
|
| XROWTYPE_OID { $$ = pstrdup($1); }
|
||||||
| XFORCE { $$ = pstrdup($1); }
|
| XFORCE { $$ = pstrdup($1); }
|
||||||
| XNOT { $$ = pstrdup($1); }
|
| XNOT { $$ = pstrdup($1); }
|
||||||
|
@ -91,7 +91,6 @@ create { yylval.kw = "create"; return XCREATE; }
|
|||||||
OID { yylval.kw = "OID"; return OBJ_ID; }
|
OID { yylval.kw = "OID"; return OBJ_ID; }
|
||||||
bootstrap { yylval.kw = "bootstrap"; return XBOOTSTRAP; }
|
bootstrap { yylval.kw = "bootstrap"; return XBOOTSTRAP; }
|
||||||
shared_relation { yylval.kw = "shared_relation"; return XSHARED_RELATION; }
|
shared_relation { yylval.kw = "shared_relation"; return XSHARED_RELATION; }
|
||||||
without_oids { yylval.kw = "without_oids"; return XWITHOUT_OIDS; }
|
|
||||||
rowtype_oid { yylval.kw = "rowtype_oid"; return XROWTYPE_OID; }
|
rowtype_oid { yylval.kw = "rowtype_oid"; return XROWTYPE_OID; }
|
||||||
|
|
||||||
insert { yylval.kw = "insert"; return INSERT_TUPLE; }
|
insert { yylval.kw = "insert"; return INSERT_TUPLE; }
|
||||||
|
@ -616,7 +616,7 @@ boot_openrel(char *relname)
|
|||||||
app = Typ;
|
app = Typ;
|
||||||
while ((tup = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tup = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
(*app)->am_oid = HeapTupleGetOid(tup);
|
(*app)->am_oid = ((Form_pg_type) GETSTRUCT(tup))->oid;
|
||||||
memcpy((char *) &(*app)->am_typ,
|
memcpy((char *) &(*app)->am_typ,
|
||||||
(char *) GETSTRUCT(tup),
|
(char *) GETSTRUCT(tup),
|
||||||
sizeof((*app)->am_typ));
|
sizeof((*app)->am_typ));
|
||||||
@ -799,20 +799,16 @@ DefineAttr(char *name, char *type, int attnum, int nullness)
|
|||||||
* ----------------
|
* ----------------
|
||||||
*/
|
*/
|
||||||
void
|
void
|
||||||
InsertOneTuple(Oid objectid)
|
InsertOneTuple(void)
|
||||||
{
|
{
|
||||||
HeapTuple tuple;
|
HeapTuple tuple;
|
||||||
TupleDesc tupDesc;
|
TupleDesc tupDesc;
|
||||||
int i;
|
int i;
|
||||||
|
|
||||||
elog(DEBUG4, "inserting row oid %u, %d columns", objectid, numattr);
|
elog(DEBUG4, "inserting row with %d columns", numattr);
|
||||||
|
|
||||||
tupDesc = CreateTupleDesc(numattr,
|
tupDesc = CreateTupleDesc(numattr, attrtypes);
|
||||||
RelationGetForm(boot_reldesc)->relhasoids,
|
|
||||||
attrtypes);
|
|
||||||
tuple = heap_form_tuple(tupDesc, values, Nulls);
|
tuple = heap_form_tuple(tupDesc, values, Nulls);
|
||||||
if (objectid != (Oid) 0)
|
|
||||||
HeapTupleSetOid(tuple, objectid);
|
|
||||||
pfree(tupDesc); /* just free's tupDesc, not the attrtypes */
|
pfree(tupDesc); /* just free's tupDesc, not the attrtypes */
|
||||||
|
|
||||||
simple_heap_insert(boot_reldesc, tuple);
|
simple_heap_insert(boot_reldesc, tuple);
|
||||||
@ -946,7 +942,7 @@ gettype(char *type)
|
|||||||
app = Typ;
|
app = Typ;
|
||||||
while ((tup = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tup = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
(*app)->am_oid = HeapTupleGetOid(tup);
|
(*app)->am_oid = ((Form_pg_type) GETSTRUCT(tup))->oid;
|
||||||
memmove((char *) &(*app++)->am_typ,
|
memmove((char *) &(*app++)->am_typ,
|
||||||
(char *) GETSTRUCT(tup),
|
(char *) GETSTRUCT(tup),
|
||||||
sizeof((*app)->am_typ));
|
sizeof((*app)->am_typ));
|
||||||
|
@ -111,8 +111,6 @@ sub ParseHeader
|
|||||||
$catalog{bootstrap} = /BKI_BOOTSTRAP/ ? ' bootstrap' : '';
|
$catalog{bootstrap} = /BKI_BOOTSTRAP/ ? ' bootstrap' : '';
|
||||||
$catalog{shared_relation} =
|
$catalog{shared_relation} =
|
||||||
/BKI_SHARED_RELATION/ ? ' shared_relation' : '';
|
/BKI_SHARED_RELATION/ ? ' shared_relation' : '';
|
||||||
$catalog{without_oids} =
|
|
||||||
/BKI_WITHOUT_OIDS/ ? ' without_oids' : '';
|
|
||||||
if (/BKI_ROWTYPE_OID\((\d+),(\w+)\)/)
|
if (/BKI_ROWTYPE_OID\((\d+),(\w+)\)/)
|
||||||
{
|
{
|
||||||
$catalog{rowtype_oid} = $1;
|
$catalog{rowtype_oid} = $1;
|
||||||
@ -337,6 +335,10 @@ sub AddDefaultValues
|
|||||||
{
|
{
|
||||||
;
|
;
|
||||||
}
|
}
|
||||||
|
elsif ($attname eq 'oid')
|
||||||
|
{
|
||||||
|
;
|
||||||
|
}
|
||||||
elsif (defined $column->{default})
|
elsif (defined $column->{default})
|
||||||
{
|
{
|
||||||
$row->{$attname} = $column->{default};
|
$row->{$attname} = $column->{default};
|
||||||
|
@ -848,7 +848,9 @@ objectsInSchemaToOids(ObjectType objtype, List *nspnames)
|
|||||||
|
|
||||||
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
objects = lappend_oid(objects, HeapTupleGetOid(tuple));
|
Oid oid = ((Form_pg_proc) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
|
objects = lappend_oid(objects, oid);
|
||||||
}
|
}
|
||||||
|
|
||||||
heap_endscan(scan);
|
heap_endscan(scan);
|
||||||
@ -893,7 +895,9 @@ getRelationsInNamespace(Oid namespaceId, char relkind)
|
|||||||
|
|
||||||
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
relations = lappend_oid(relations, HeapTupleGetOid(tuple));
|
Oid oid = ((Form_pg_class) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
|
relations = lappend_oid(relations, oid);
|
||||||
}
|
}
|
||||||
|
|
||||||
heap_endscan(scan);
|
heap_endscan(scan);
|
||||||
@ -1299,7 +1303,7 @@ SetDefaultACL(InternalDefaultACL *iacls)
|
|||||||
* there shouldn't be anything depending on this entry.
|
* there shouldn't be anything depending on this entry.
|
||||||
*/
|
*/
|
||||||
myself.classId = DefaultAclRelationId;
|
myself.classId = DefaultAclRelationId;
|
||||||
myself.objectId = HeapTupleGetOid(tuple);
|
myself.objectId = ((Form_pg_default_acl) GETSTRUCT(tuple))->oid;
|
||||||
myself.objectSubId = 0;
|
myself.objectSubId = 0;
|
||||||
|
|
||||||
performDeletion(&myself, DROP_RESTRICT, 0);
|
performDeletion(&myself, DROP_RESTRICT, 0);
|
||||||
@ -1307,6 +1311,8 @@ SetDefaultACL(InternalDefaultACL *iacls)
|
|||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
|
Oid defAclOid;
|
||||||
|
|
||||||
/* Prepare to insert or update pg_default_acl entry */
|
/* Prepare to insert or update pg_default_acl entry */
|
||||||
MemSet(values, 0, sizeof(values));
|
MemSet(values, 0, sizeof(values));
|
||||||
MemSet(nulls, false, sizeof(nulls));
|
MemSet(nulls, false, sizeof(nulls));
|
||||||
@ -1315,6 +1321,9 @@ SetDefaultACL(InternalDefaultACL *iacls)
|
|||||||
if (isNew)
|
if (isNew)
|
||||||
{
|
{
|
||||||
/* insert new entry */
|
/* insert new entry */
|
||||||
|
defAclOid = GetNewOidWithIndex(rel, DefaultAclOidIndexId,
|
||||||
|
Anum_pg_default_acl_oid);
|
||||||
|
values[Anum_pg_default_acl_oid - 1] = ObjectIdGetDatum(defAclOid);
|
||||||
values[Anum_pg_default_acl_defaclrole - 1] = ObjectIdGetDatum(iacls->roleid);
|
values[Anum_pg_default_acl_defaclrole - 1] = ObjectIdGetDatum(iacls->roleid);
|
||||||
values[Anum_pg_default_acl_defaclnamespace - 1] = ObjectIdGetDatum(iacls->nspid);
|
values[Anum_pg_default_acl_defaclnamespace - 1] = ObjectIdGetDatum(iacls->nspid);
|
||||||
values[Anum_pg_default_acl_defaclobjtype - 1] = CharGetDatum(objtype);
|
values[Anum_pg_default_acl_defaclobjtype - 1] = CharGetDatum(objtype);
|
||||||
@ -1325,6 +1334,8 @@ SetDefaultACL(InternalDefaultACL *iacls)
|
|||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
|
defAclOid = ((Form_pg_default_acl) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
/* update existing entry */
|
/* update existing entry */
|
||||||
values[Anum_pg_default_acl_defaclacl - 1] = PointerGetDatum(new_acl);
|
values[Anum_pg_default_acl_defaclacl - 1] = PointerGetDatum(new_acl);
|
||||||
replaces[Anum_pg_default_acl_defaclacl - 1] = true;
|
replaces[Anum_pg_default_acl_defaclacl - 1] = true;
|
||||||
@ -1338,8 +1349,7 @@ SetDefaultACL(InternalDefaultACL *iacls)
|
|||||||
if (isNew)
|
if (isNew)
|
||||||
{
|
{
|
||||||
/* dependency on role */
|
/* dependency on role */
|
||||||
recordDependencyOnOwner(DefaultAclRelationId,
|
recordDependencyOnOwner(DefaultAclRelationId, defAclOid,
|
||||||
HeapTupleGetOid(newtuple),
|
|
||||||
iacls->roleid);
|
iacls->roleid);
|
||||||
|
|
||||||
/* dependency on namespace */
|
/* dependency on namespace */
|
||||||
@ -1349,7 +1359,7 @@ SetDefaultACL(InternalDefaultACL *iacls)
|
|||||||
referenced;
|
referenced;
|
||||||
|
|
||||||
myself.classId = DefaultAclRelationId;
|
myself.classId = DefaultAclRelationId;
|
||||||
myself.objectId = HeapTupleGetOid(newtuple);
|
myself.objectId = defAclOid;
|
||||||
myself.objectSubId = 0;
|
myself.objectSubId = 0;
|
||||||
|
|
||||||
referenced.classId = NamespaceRelationId;
|
referenced.classId = NamespaceRelationId;
|
||||||
@ -1366,17 +1376,15 @@ SetDefaultACL(InternalDefaultACL *iacls)
|
|||||||
nnewmembers = aclmembers(new_acl, &newmembers);
|
nnewmembers = aclmembers(new_acl, &newmembers);
|
||||||
|
|
||||||
updateAclDependencies(DefaultAclRelationId,
|
updateAclDependencies(DefaultAclRelationId,
|
||||||
HeapTupleGetOid(newtuple), 0,
|
defAclOid, 0,
|
||||||
iacls->roleid,
|
iacls->roleid,
|
||||||
noldmembers, oldmembers,
|
noldmembers, oldmembers,
|
||||||
nnewmembers, newmembers);
|
nnewmembers, newmembers);
|
||||||
|
|
||||||
if (isNew)
|
if (isNew)
|
||||||
InvokeObjectPostCreateHook(DefaultAclRelationId,
|
InvokeObjectPostCreateHook(DefaultAclRelationId, defAclOid, 0);
|
||||||
HeapTupleGetOid(newtuple), 0);
|
|
||||||
else
|
else
|
||||||
InvokeObjectPostAlterHook(DefaultAclRelationId,
|
InvokeObjectPostAlterHook(DefaultAclRelationId, defAclOid, 0);
|
||||||
HeapTupleGetOid(newtuple), 0);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
if (HeapTupleIsValid(tuple))
|
if (HeapTupleIsValid(tuple))
|
||||||
@ -1407,7 +1415,7 @@ RemoveRoleFromObjectACL(Oid roleid, Oid classid, Oid objid)
|
|||||||
rel = heap_open(DefaultAclRelationId, AccessShareLock);
|
rel = heap_open(DefaultAclRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_default_acl_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(objid));
|
ObjectIdGetDatum(objid));
|
||||||
|
|
||||||
@ -1530,7 +1538,7 @@ RemoveDefaultACLById(Oid defaclOid)
|
|||||||
rel = heap_open(DefaultAclRelationId, RowExclusiveLock);
|
rel = heap_open(DefaultAclRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_default_acl_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(defaclOid));
|
ObjectIdGetDatum(defaclOid));
|
||||||
|
|
||||||
@ -1608,10 +1616,6 @@ expand_all_col_privileges(Oid table_oid, Form_pg_class classForm,
|
|||||||
if (curr_att == InvalidAttrNumber)
|
if (curr_att == InvalidAttrNumber)
|
||||||
continue;
|
continue;
|
||||||
|
|
||||||
/* Skip OID column if it doesn't exist */
|
|
||||||
if (curr_att == ObjectIdAttributeNumber && !classForm->relhasoids)
|
|
||||||
continue;
|
|
||||||
|
|
||||||
/* Views don't have any system columns at all */
|
/* Views don't have any system columns at all */
|
||||||
if (classForm->relkind == RELKIND_VIEW && curr_att < 0)
|
if (classForm->relkind == RELKIND_VIEW && curr_att < 0)
|
||||||
continue;
|
continue;
|
||||||
@ -2223,7 +2227,7 @@ ExecGrant_Database(InternalGrant *istmt)
|
|||||||
CatalogTupleUpdate(relation, &newtuple->t_self, newtuple);
|
CatalogTupleUpdate(relation, &newtuple->t_self, newtuple);
|
||||||
|
|
||||||
/* Update the shared dependency ACL info */
|
/* Update the shared dependency ACL info */
|
||||||
updateAclDependencies(DatabaseRelationId, HeapTupleGetOid(tuple), 0,
|
updateAclDependencies(DatabaseRelationId, pg_database_tuple->oid, 0,
|
||||||
ownerId,
|
ownerId,
|
||||||
noldmembers, oldmembers,
|
noldmembers, oldmembers,
|
||||||
nnewmembers, newmembers);
|
nnewmembers, newmembers);
|
||||||
@ -2350,7 +2354,7 @@ ExecGrant_Fdw(InternalGrant *istmt)
|
|||||||
|
|
||||||
/* Update the shared dependency ACL info */
|
/* Update the shared dependency ACL info */
|
||||||
updateAclDependencies(ForeignDataWrapperRelationId,
|
updateAclDependencies(ForeignDataWrapperRelationId,
|
||||||
HeapTupleGetOid(tuple), 0,
|
pg_fdw_tuple->oid, 0,
|
||||||
ownerId,
|
ownerId,
|
||||||
noldmembers, oldmembers,
|
noldmembers, oldmembers,
|
||||||
nnewmembers, newmembers);
|
nnewmembers, newmembers);
|
||||||
@ -2475,7 +2479,7 @@ ExecGrant_ForeignServer(InternalGrant *istmt)
|
|||||||
|
|
||||||
/* Update the shared dependency ACL info */
|
/* Update the shared dependency ACL info */
|
||||||
updateAclDependencies(ForeignServerRelationId,
|
updateAclDependencies(ForeignServerRelationId,
|
||||||
HeapTupleGetOid(tuple), 0,
|
pg_server_tuple->oid, 0,
|
||||||
ownerId,
|
ownerId,
|
||||||
noldmembers, oldmembers,
|
noldmembers, oldmembers,
|
||||||
nnewmembers, newmembers);
|
nnewmembers, newmembers);
|
||||||
@ -2729,7 +2733,7 @@ ExecGrant_Language(InternalGrant *istmt)
|
|||||||
recordExtensionInitPriv(langId, LanguageRelationId, 0, new_acl);
|
recordExtensionInitPriv(langId, LanguageRelationId, 0, new_acl);
|
||||||
|
|
||||||
/* Update the shared dependency ACL info */
|
/* Update the shared dependency ACL info */
|
||||||
updateAclDependencies(LanguageRelationId, HeapTupleGetOid(tuple), 0,
|
updateAclDependencies(LanguageRelationId, pg_language_tuple->oid, 0,
|
||||||
ownerId,
|
ownerId,
|
||||||
noldmembers, oldmembers,
|
noldmembers, oldmembers,
|
||||||
nnewmembers, newmembers);
|
nnewmembers, newmembers);
|
||||||
@ -2784,7 +2788,7 @@ ExecGrant_Largeobject(InternalGrant *istmt)
|
|||||||
|
|
||||||
/* There's no syscache for pg_largeobject_metadata */
|
/* There's no syscache for pg_largeobject_metadata */
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_largeobject_metadata_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(loid));
|
ObjectIdGetDatum(loid));
|
||||||
|
|
||||||
@ -2869,7 +2873,7 @@ ExecGrant_Largeobject(InternalGrant *istmt)
|
|||||||
|
|
||||||
/* Update the shared dependency ACL info */
|
/* Update the shared dependency ACL info */
|
||||||
updateAclDependencies(LargeObjectRelationId,
|
updateAclDependencies(LargeObjectRelationId,
|
||||||
HeapTupleGetOid(tuple), 0,
|
form_lo_meta->oid, 0,
|
||||||
ownerId,
|
ownerId,
|
||||||
noldmembers, oldmembers,
|
noldmembers, oldmembers,
|
||||||
nnewmembers, newmembers);
|
nnewmembers, newmembers);
|
||||||
@ -2993,7 +2997,7 @@ ExecGrant_Namespace(InternalGrant *istmt)
|
|||||||
recordExtensionInitPriv(nspid, NamespaceRelationId, 0, new_acl);
|
recordExtensionInitPriv(nspid, NamespaceRelationId, 0, new_acl);
|
||||||
|
|
||||||
/* Update the shared dependency ACL info */
|
/* Update the shared dependency ACL info */
|
||||||
updateAclDependencies(NamespaceRelationId, HeapTupleGetOid(tuple), 0,
|
updateAclDependencies(NamespaceRelationId, pg_namespace_tuple->oid, 0,
|
||||||
ownerId,
|
ownerId,
|
||||||
noldmembers, oldmembers,
|
noldmembers, oldmembers,
|
||||||
nnewmembers, newmembers);
|
nnewmembers, newmembers);
|
||||||
@ -4116,7 +4120,7 @@ pg_largeobject_aclmask_snapshot(Oid lobj_oid, Oid roleid,
|
|||||||
AccessShareLock);
|
AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_largeobject_metadata_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(lobj_oid));
|
ObjectIdGetDatum(lobj_oid));
|
||||||
|
|
||||||
@ -4898,7 +4902,7 @@ pg_largeobject_ownercheck(Oid lobj_oid, Oid roleid)
|
|||||||
AccessShareLock);
|
AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_largeobject_metadata_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(lobj_oid));
|
ObjectIdGetDatum(lobj_oid));
|
||||||
|
|
||||||
@ -5260,7 +5264,7 @@ pg_extension_ownercheck(Oid ext_oid, Oid roleid)
|
|||||||
pg_extension = heap_open(ExtensionRelationId, AccessShareLock);
|
pg_extension = heap_open(ExtensionRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(ext_oid));
|
ObjectIdGetDatum(ext_oid));
|
||||||
|
|
||||||
@ -5726,7 +5730,7 @@ recordExtObjInitPriv(Oid objoid, Oid classoid)
|
|||||||
|
|
||||||
/* There's no syscache for pg_largeobject_metadata */
|
/* There's no syscache for pg_largeobject_metadata */
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_largeobject_metadata_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(objoid));
|
ObjectIdGetDatum(objoid));
|
||||||
|
|
||||||
|
@ -21,6 +21,8 @@
|
|||||||
#include <unistd.h>
|
#include <unistd.h>
|
||||||
|
|
||||||
#include "access/genam.h"
|
#include "access/genam.h"
|
||||||
|
#include "access/heapam.h"
|
||||||
|
#include "access/htup_details.h"
|
||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
#include "access/transam.h"
|
#include "access/transam.h"
|
||||||
#include "catalog/catalog.h"
|
#include "catalog/catalog.h"
|
||||||
@ -43,7 +45,9 @@
|
|||||||
#include "miscadmin.h"
|
#include "miscadmin.h"
|
||||||
#include "storage/fd.h"
|
#include "storage/fd.h"
|
||||||
#include "utils/fmgroids.h"
|
#include "utils/fmgroids.h"
|
||||||
|
#include "utils/fmgrprotos.h"
|
||||||
#include "utils/rel.h"
|
#include "utils/rel.h"
|
||||||
|
#include "utils/syscache.h"
|
||||||
#include "utils/tqual.h"
|
#include "utils/tqual.h"
|
||||||
|
|
||||||
|
|
||||||
@ -277,17 +281,8 @@ IsSharedRelation(Oid relationId)
|
|||||||
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* GetNewOid
|
* GetNewOidWithIndex
|
||||||
* Generate a new OID that is unique within the given relation.
|
* Generate a new OID that is unique within the system relation.
|
||||||
*
|
|
||||||
* Caller must have a suitable lock on the relation.
|
|
||||||
*
|
|
||||||
* Uniqueness is promised only if the relation has a unique index on OID.
|
|
||||||
* This is true for all system catalogs that have OIDs, but might not be
|
|
||||||
* true for user tables. Note that we are effectively assuming that the
|
|
||||||
* table has a relatively small number of entries (much less than 2^32)
|
|
||||||
* and there aren't very long runs of consecutive existing OIDs. Again,
|
|
||||||
* this is reasonable for system catalogs but less so for user tables.
|
|
||||||
*
|
*
|
||||||
* Since the OID is not immediately inserted into the table, there is a
|
* Since the OID is not immediately inserted into the table, there is a
|
||||||
* race condition here; but a problem could occur only if someone else
|
* race condition here; but a problem could occur only if someone else
|
||||||
@ -300,44 +295,11 @@ IsSharedRelation(Oid relationId)
|
|||||||
* of transient conflicts for as long as our own MVCC snapshots think a
|
* of transient conflicts for as long as our own MVCC snapshots think a
|
||||||
* recently-deleted row is live. The risk is far higher when selecting TOAST
|
* recently-deleted row is live. The risk is far higher when selecting TOAST
|
||||||
* OIDs, because SnapshotToast considers dead rows as active indefinitely.)
|
* OIDs, because SnapshotToast considers dead rows as active indefinitely.)
|
||||||
*/
|
*
|
||||||
Oid
|
* Note that we are effectively assuming that the table has a relatively small
|
||||||
GetNewOid(Relation relation)
|
* number of entries (much less than 2^32) and there aren't very long runs of
|
||||||
{
|
* consecutive existing OIDs. This is a mostly reasonable assumption for
|
||||||
Oid oidIndex;
|
* system catalogs.
|
||||||
|
|
||||||
/* If relation doesn't have OIDs at all, caller is confused */
|
|
||||||
Assert(relation->rd_rel->relhasoids);
|
|
||||||
|
|
||||||
/* In bootstrap mode, we don't have any indexes to use */
|
|
||||||
if (IsBootstrapProcessingMode())
|
|
||||||
return GetNewObjectId();
|
|
||||||
|
|
||||||
/* The relcache will cache the identity of the OID index for us */
|
|
||||||
oidIndex = RelationGetOidIndex(relation);
|
|
||||||
|
|
||||||
/* If no OID index, just hand back the next OID counter value */
|
|
||||||
if (!OidIsValid(oidIndex))
|
|
||||||
{
|
|
||||||
/*
|
|
||||||
* System catalogs that have OIDs should *always* have a unique OID
|
|
||||||
* index; we should only take this path for user tables. Give a
|
|
||||||
* warning if it looks like somebody forgot an index.
|
|
||||||
*/
|
|
||||||
if (IsSystemRelation(relation))
|
|
||||||
elog(WARNING, "generating possibly-non-unique OID for \"%s\"",
|
|
||||||
RelationGetRelationName(relation));
|
|
||||||
|
|
||||||
return GetNewObjectId();
|
|
||||||
}
|
|
||||||
|
|
||||||
/* Otherwise, use the index to find a nonconflicting OID */
|
|
||||||
return GetNewOidWithIndex(relation, oidIndex, ObjectIdAttributeNumber);
|
|
||||||
}
|
|
||||||
|
|
||||||
/*
|
|
||||||
* GetNewOidWithIndex
|
|
||||||
* Guts of GetNewOid: use the supplied index
|
|
||||||
*
|
*
|
||||||
* This is exported separately because there are cases where we want to use
|
* This is exported separately because there are cases where we want to use
|
||||||
* an index that will not be recognized by RelationGetOidIndex: TOAST tables
|
* an index that will not be recognized by RelationGetOidIndex: TOAST tables
|
||||||
@ -356,6 +318,13 @@ GetNewOidWithIndex(Relation relation, Oid indexId, AttrNumber oidcolumn)
|
|||||||
ScanKeyData key;
|
ScanKeyData key;
|
||||||
bool collides;
|
bool collides;
|
||||||
|
|
||||||
|
/* Only system relations are supported */
|
||||||
|
Assert(IsSystemRelation(relation));
|
||||||
|
|
||||||
|
/* In bootstrap mode, we don't have any indexes to use */
|
||||||
|
if (IsBootstrapProcessingMode())
|
||||||
|
return GetNewObjectId();
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* We should never be asked to generate a new pg_type OID during
|
* We should never be asked to generate a new pg_type OID during
|
||||||
* pg_upgrade; doing so would risk collisions with the OIDs it wants to
|
* pg_upgrade; doing so would risk collisions with the OIDs it wants to
|
||||||
@ -398,8 +367,8 @@ GetNewOidWithIndex(Relation relation, Oid indexId, AttrNumber oidcolumn)
|
|||||||
* is also an unused OID within pg_class. If the result is to be used only
|
* is also an unused OID within pg_class. If the result is to be used only
|
||||||
* as a relfilenode for an existing relation, pass NULL for pg_class.
|
* as a relfilenode for an existing relation, pass NULL for pg_class.
|
||||||
*
|
*
|
||||||
* As with GetNewOid, there is some theoretical risk of a race condition,
|
* As with GetNewObjectIdWithIndex(), there is some theoretical risk of a race
|
||||||
* but it doesn't seem worth worrying about.
|
* condition, but it doesn't seem worth worrying about.
|
||||||
*
|
*
|
||||||
* Note: we don't support using this in bootstrap mode. All relations
|
* Note: we don't support using this in bootstrap mode. All relations
|
||||||
* created by bootstrap have preassigned OIDs, so there's no need.
|
* created by bootstrap have preassigned OIDs, so there's no need.
|
||||||
@ -450,7 +419,8 @@ GetNewRelFileNode(Oid reltablespace, Relation pg_class, char relpersistence)
|
|||||||
|
|
||||||
/* Generate the OID */
|
/* Generate the OID */
|
||||||
if (pg_class)
|
if (pg_class)
|
||||||
rnode.node.relNode = GetNewOid(pg_class);
|
rnode.node.relNode = GetNewOidWithIndex(pg_class, ClassOidIndexId,
|
||||||
|
Anum_pg_class_oid);
|
||||||
else
|
else
|
||||||
rnode.node.relNode = GetNewObjectId();
|
rnode.node.relNode = GetNewObjectId();
|
||||||
|
|
||||||
@ -479,3 +449,82 @@ GetNewRelFileNode(Oid reltablespace, Relation pg_class, char relpersistence)
|
|||||||
|
|
||||||
return rnode.node.relNode;
|
return rnode.node.relNode;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/*
|
||||||
|
* SQL callable interface for GetNewOidWithIndex(). Outside of initdb's
|
||||||
|
* direct insertions into catalog tables, and recovering from corruption, this
|
||||||
|
* should rarely be needed.
|
||||||
|
*
|
||||||
|
* Function is intentionally not documented in the user facing docs.
|
||||||
|
*/
|
||||||
|
Datum
|
||||||
|
pg_nextoid(PG_FUNCTION_ARGS)
|
||||||
|
{
|
||||||
|
Oid reloid = PG_GETARG_OID(0);
|
||||||
|
Name attname = PG_GETARG_NAME(1);
|
||||||
|
Oid idxoid = PG_GETARG_OID(2);
|
||||||
|
Relation rel;
|
||||||
|
Relation idx;
|
||||||
|
HeapTuple atttuple;
|
||||||
|
Form_pg_attribute attform;
|
||||||
|
AttrNumber attno;
|
||||||
|
Oid newoid;
|
||||||
|
|
||||||
|
/*
|
||||||
|
* As this function is not intended to be used during normal running, and
|
||||||
|
* only supports system catalogs (which require superuser permissions to
|
||||||
|
* modify), just checking for superuser ought to not obstruct valid
|
||||||
|
* usecases.
|
||||||
|
*/
|
||||||
|
if (!superuser())
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_INSUFFICIENT_PRIVILEGE),
|
||||||
|
errmsg("must be superuser to call pg_nextoid")));
|
||||||
|
|
||||||
|
rel = heap_open(reloid, RowExclusiveLock);
|
||||||
|
idx = index_open(idxoid, RowExclusiveLock);
|
||||||
|
|
||||||
|
if (!IsSystemRelation(rel))
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
||||||
|
errmsg("pg_nextoid() can only be used on system relation")));
|
||||||
|
|
||||||
|
if (idx->rd_index->indrelid != RelationGetRelid(rel))
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
||||||
|
errmsg("index %s does not belong to table %s",
|
||||||
|
RelationGetRelationName(idx),
|
||||||
|
RelationGetRelationName(rel))));
|
||||||
|
|
||||||
|
atttuple = SearchSysCacheAttName(reloid, NameStr(*attname));
|
||||||
|
if (!HeapTupleIsValid(atttuple))
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
||||||
|
errmsg("attribute %s does not exists",
|
||||||
|
NameStr(*attname))));
|
||||||
|
|
||||||
|
attform = ((Form_pg_attribute) GETSTRUCT(atttuple));
|
||||||
|
attno = attform->attnum;
|
||||||
|
|
||||||
|
if (attform->atttypid != OIDOID)
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
||||||
|
errmsg("attribute %s is not of type oid",
|
||||||
|
NameStr(*attname))));
|
||||||
|
|
||||||
|
if (IndexRelationGetNumberOfKeyAttributes(idx) != 1 ||
|
||||||
|
idx->rd_index->indkey.values[0] != attno)
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
||||||
|
errmsg("index %s is not the index for attribute %s",
|
||||||
|
RelationGetRelationName(idx),
|
||||||
|
NameStr(*attname))));
|
||||||
|
|
||||||
|
newoid = GetNewOidWithIndex(rel, idxoid, attno);
|
||||||
|
|
||||||
|
ReleaseSysCache(atttuple);
|
||||||
|
heap_close(rel, RowExclusiveLock);
|
||||||
|
index_close(idx, RowExclusiveLock);
|
||||||
|
|
||||||
|
return newoid;
|
||||||
|
}
|
||||||
|
@ -133,9 +133,17 @@ foreach my $header (@input_files)
|
|||||||
# While duplicate OIDs would only cause a failure if they appear in
|
# While duplicate OIDs would only cause a failure if they appear in
|
||||||
# the same catalog, our project policy is that manually assigned OIDs
|
# the same catalog, our project policy is that manually assigned OIDs
|
||||||
# should be globally unique, to avoid confusion.
|
# should be globally unique, to avoid confusion.
|
||||||
|
#
|
||||||
|
# Also use the loop to determine the maximum explicitly assigned oid
|
||||||
|
# found in the data file, we'll use that for default oid assignments.
|
||||||
my $found = 0;
|
my $found = 0;
|
||||||
|
my $maxoid = 0;
|
||||||
foreach my $oid (keys %oidcounts)
|
foreach my $oid (keys %oidcounts)
|
||||||
{
|
{
|
||||||
|
if ($oid > $maxoid)
|
||||||
|
{
|
||||||
|
$maxoid = $oid;
|
||||||
|
}
|
||||||
next unless $oidcounts{$oid} > 1;
|
next unless $oidcounts{$oid} > 1;
|
||||||
print STDERR "Duplicate OIDs detected:\n" if !$found;
|
print STDERR "Duplicate OIDs detected:\n" if !$found;
|
||||||
print STDERR "$oid\n";
|
print STDERR "$oid\n";
|
||||||
@ -320,7 +328,6 @@ EOM
|
|||||||
print $bki "create $catname $catalog->{relation_oid}"
|
print $bki "create $catname $catalog->{relation_oid}"
|
||||||
. $catalog->{shared_relation}
|
. $catalog->{shared_relation}
|
||||||
. $catalog->{bootstrap}
|
. $catalog->{bootstrap}
|
||||||
. $catalog->{without_oids}
|
|
||||||
. $catalog->{rowtype_oid_clause};
|
. $catalog->{rowtype_oid_clause};
|
||||||
|
|
||||||
my $first = 1;
|
my $first = 1;
|
||||||
@ -392,8 +399,7 @@ EOM
|
|||||||
foreach my $key (keys %bki_values)
|
foreach my $key (keys %bki_values)
|
||||||
{
|
{
|
||||||
next
|
next
|
||||||
if $key eq "oid"
|
if $key eq "oid_symbol"
|
||||||
|| $key eq "oid_symbol"
|
|
||||||
|| $key eq "array_type_oid"
|
|| $key eq "array_type_oid"
|
||||||
|| $key eq "descr"
|
|| $key eq "descr"
|
||||||
|| $key eq "autogenerated"
|
|| $key eq "autogenerated"
|
||||||
@ -409,6 +415,13 @@ EOM
|
|||||||
my $attname = $column->{name};
|
my $attname = $column->{name};
|
||||||
my $atttype = $column->{type};
|
my $atttype = $column->{type};
|
||||||
|
|
||||||
|
# Assign oid if oid column exists and no explicit assignment in row
|
||||||
|
if ($attname eq "oid" and not defined $bki_values{$attname})
|
||||||
|
{
|
||||||
|
$bki_values{$attname} = $maxoid;
|
||||||
|
$maxoid++;
|
||||||
|
}
|
||||||
|
|
||||||
# Substitute constant values we acquired above.
|
# Substitute constant values we acquired above.
|
||||||
# (It's intentional that this can apply to parts of a field).
|
# (It's intentional that this can apply to parts of a field).
|
||||||
$bki_values{$attname} =~ s/\bPGUID\b/$BOOTSTRAP_SUPERUSERID/g;
|
$bki_values{$attname} =~ s/\bPGUID\b/$BOOTSTRAP_SUPERUSERID/g;
|
||||||
@ -627,7 +640,6 @@ sub gen_pg_attribute
|
|||||||
$attnum = 0;
|
$attnum = 0;
|
||||||
my @SYS_ATTRS = (
|
my @SYS_ATTRS = (
|
||||||
{ name => 'ctid', type => 'tid' },
|
{ name => 'ctid', type => 'tid' },
|
||||||
{ name => 'oid', type => 'oid' },
|
|
||||||
{ name => 'xmin', type => 'xid' },
|
{ name => 'xmin', type => 'xid' },
|
||||||
{ name => 'cmin', type => 'cid' },
|
{ name => 'cmin', type => 'cid' },
|
||||||
{ name => 'xmax', type => 'xid' },
|
{ name => 'xmax', type => 'xid' },
|
||||||
@ -641,11 +653,6 @@ sub gen_pg_attribute
|
|||||||
$row{attrelid} = $table->{relation_oid};
|
$row{attrelid} = $table->{relation_oid};
|
||||||
$row{attstattarget} = '0';
|
$row{attstattarget} = '0';
|
||||||
|
|
||||||
# Omit the oid column if the catalog doesn't have them
|
|
||||||
next
|
|
||||||
if $table->{without_oids}
|
|
||||||
&& $attr->{name} eq 'oid';
|
|
||||||
|
|
||||||
morph_row_for_pgattr(\%row, $schema, $attr, 1);
|
morph_row_for_pgattr(\%row, $schema, $attr, 1);
|
||||||
print_bki_insert(\%row, $schema);
|
print_bki_insert(\%row, $schema);
|
||||||
}
|
}
|
||||||
@ -719,7 +726,6 @@ sub print_bki_insert
|
|||||||
my $schema = shift;
|
my $schema = shift;
|
||||||
|
|
||||||
my @bki_values;
|
my @bki_values;
|
||||||
my $oid = $row->{oid} ? "OID = $row->{oid} " : '';
|
|
||||||
|
|
||||||
foreach my $column (@$schema)
|
foreach my $column (@$schema)
|
||||||
{
|
{
|
||||||
@ -747,7 +753,7 @@ sub print_bki_insert
|
|||||||
|
|
||||||
push @bki_values, $bki_value;
|
push @bki_values, $bki_value;
|
||||||
}
|
}
|
||||||
printf $bki "insert %s( %s )\n", $oid, join(' ', @bki_values);
|
printf $bki "insert ( %s )\n", join(' ', @bki_values);
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -159,20 +159,6 @@ static const FormData_pg_attribute a1 = {
|
|||||||
};
|
};
|
||||||
|
|
||||||
static const FormData_pg_attribute a2 = {
|
static const FormData_pg_attribute a2 = {
|
||||||
.attname = {"oid"},
|
|
||||||
.atttypid = OIDOID,
|
|
||||||
.attlen = sizeof(Oid),
|
|
||||||
.attnum = ObjectIdAttributeNumber,
|
|
||||||
.attcacheoff = -1,
|
|
||||||
.atttypmod = -1,
|
|
||||||
.attbyval = true,
|
|
||||||
.attstorage = 'p',
|
|
||||||
.attalign = 'i',
|
|
||||||
.attnotnull = true,
|
|
||||||
.attislocal = true,
|
|
||||||
};
|
|
||||||
|
|
||||||
static const FormData_pg_attribute a3 = {
|
|
||||||
.attname = {"xmin"},
|
.attname = {"xmin"},
|
||||||
.atttypid = XIDOID,
|
.atttypid = XIDOID,
|
||||||
.attlen = sizeof(TransactionId),
|
.attlen = sizeof(TransactionId),
|
||||||
@ -186,7 +172,7 @@ static const FormData_pg_attribute a3 = {
|
|||||||
.attislocal = true,
|
.attislocal = true,
|
||||||
};
|
};
|
||||||
|
|
||||||
static const FormData_pg_attribute a4 = {
|
static const FormData_pg_attribute a3 = {
|
||||||
.attname = {"cmin"},
|
.attname = {"cmin"},
|
||||||
.atttypid = CIDOID,
|
.atttypid = CIDOID,
|
||||||
.attlen = sizeof(CommandId),
|
.attlen = sizeof(CommandId),
|
||||||
@ -200,7 +186,7 @@ static const FormData_pg_attribute a4 = {
|
|||||||
.attislocal = true,
|
.attislocal = true,
|
||||||
};
|
};
|
||||||
|
|
||||||
static const FormData_pg_attribute a5 = {
|
static const FormData_pg_attribute a4 = {
|
||||||
.attname = {"xmax"},
|
.attname = {"xmax"},
|
||||||
.atttypid = XIDOID,
|
.atttypid = XIDOID,
|
||||||
.attlen = sizeof(TransactionId),
|
.attlen = sizeof(TransactionId),
|
||||||
@ -214,7 +200,7 @@ static const FormData_pg_attribute a5 = {
|
|||||||
.attislocal = true,
|
.attislocal = true,
|
||||||
};
|
};
|
||||||
|
|
||||||
static const FormData_pg_attribute a6 = {
|
static const FormData_pg_attribute a5 = {
|
||||||
.attname = {"cmax"},
|
.attname = {"cmax"},
|
||||||
.atttypid = CIDOID,
|
.atttypid = CIDOID,
|
||||||
.attlen = sizeof(CommandId),
|
.attlen = sizeof(CommandId),
|
||||||
@ -234,7 +220,7 @@ static const FormData_pg_attribute a6 = {
|
|||||||
* table of a particular class/type. In any case table is still the word
|
* table of a particular class/type. In any case table is still the word
|
||||||
* used in SQL.
|
* used in SQL.
|
||||||
*/
|
*/
|
||||||
static const FormData_pg_attribute a7 = {
|
static const FormData_pg_attribute a6 = {
|
||||||
.attname = {"tableoid"},
|
.attname = {"tableoid"},
|
||||||
.atttypid = OIDOID,
|
.atttypid = OIDOID,
|
||||||
.attlen = sizeof(Oid),
|
.attlen = sizeof(Oid),
|
||||||
@ -248,7 +234,7 @@ static const FormData_pg_attribute a7 = {
|
|||||||
.attislocal = true,
|
.attislocal = true,
|
||||||
};
|
};
|
||||||
|
|
||||||
static const FormData_pg_attribute *SysAtt[] = {&a1, &a2, &a3, &a4, &a5, &a6, &a7};
|
static const FormData_pg_attribute *SysAtt[] = {&a1, &a2, &a3, &a4, &a5, &a6};
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* This function returns a Form_pg_attribute pointer for a system attribute.
|
* This function returns a Form_pg_attribute pointer for a system attribute.
|
||||||
@ -256,12 +242,10 @@ static const FormData_pg_attribute *SysAtt[] = {&a1, &a2, &a3, &a4, &a5, &a6, &a
|
|||||||
* happen if there's a problem upstream.
|
* happen if there's a problem upstream.
|
||||||
*/
|
*/
|
||||||
const FormData_pg_attribute *
|
const FormData_pg_attribute *
|
||||||
SystemAttributeDefinition(AttrNumber attno, bool relhasoids)
|
SystemAttributeDefinition(AttrNumber attno)
|
||||||
{
|
{
|
||||||
if (attno >= 0 || attno < -(int) lengthof(SysAtt))
|
if (attno >= 0 || attno < -(int) lengthof(SysAtt))
|
||||||
elog(ERROR, "invalid system attribute number %d", attno);
|
elog(ERROR, "invalid system attribute number %d", attno);
|
||||||
if (attno == ObjectIdAttributeNumber && !relhasoids)
|
|
||||||
elog(ERROR, "invalid system attribute number %d", attno);
|
|
||||||
return SysAtt[-attno - 1];
|
return SysAtt[-attno - 1];
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -270,7 +254,7 @@ SystemAttributeDefinition(AttrNumber attno, bool relhasoids)
|
|||||||
* pointer for a prototype definition. If not, return NULL.
|
* pointer for a prototype definition. If not, return NULL.
|
||||||
*/
|
*/
|
||||||
const FormData_pg_attribute *
|
const FormData_pg_attribute *
|
||||||
SystemAttributeByName(const char *attname, bool relhasoids)
|
SystemAttributeByName(const char *attname)
|
||||||
{
|
{
|
||||||
int j;
|
int j;
|
||||||
|
|
||||||
@ -278,12 +262,9 @@ SystemAttributeByName(const char *attname, bool relhasoids)
|
|||||||
{
|
{
|
||||||
const FormData_pg_attribute *att = SysAtt[j];
|
const FormData_pg_attribute *att = SysAtt[j];
|
||||||
|
|
||||||
if (relhasoids || att->attnum != ObjectIdAttributeNumber)
|
|
||||||
{
|
|
||||||
if (strcmp(NameStr(att->attname), attname) == 0)
|
if (strcmp(NameStr(att->attname), attname) == 0)
|
||||||
return att;
|
return att;
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
||||||
return NULL;
|
return NULL;
|
||||||
}
|
}
|
||||||
@ -501,8 +482,7 @@ CheckAttributeNamesTypes(TupleDesc tupdesc, char relkind,
|
|||||||
{
|
{
|
||||||
Form_pg_attribute attr = TupleDescAttr(tupdesc, i);
|
Form_pg_attribute attr = TupleDescAttr(tupdesc, i);
|
||||||
|
|
||||||
if (SystemAttributeByName(NameStr(attr->attname),
|
if (SystemAttributeByName(NameStr(attr->attname)) != NULL)
|
||||||
tupdesc->tdhasoid) != NULL)
|
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_DUPLICATE_COLUMN),
|
(errcode(ERRCODE_DUPLICATE_COLUMN),
|
||||||
errmsg("column name \"%s\" conflicts with a system column name",
|
errmsg("column name \"%s\" conflicts with a system column name",
|
||||||
@ -725,9 +705,7 @@ InsertPgAttributeTuple(Relation pg_attribute_rel,
|
|||||||
static void
|
static void
|
||||||
AddNewAttributeTuples(Oid new_rel_oid,
|
AddNewAttributeTuples(Oid new_rel_oid,
|
||||||
TupleDesc tupdesc,
|
TupleDesc tupdesc,
|
||||||
char relkind,
|
char relkind)
|
||||||
bool oidislocal,
|
|
||||||
int oidinhcount)
|
|
||||||
{
|
{
|
||||||
Form_pg_attribute attr;
|
Form_pg_attribute attr;
|
||||||
int i;
|
int i;
|
||||||
@ -789,23 +767,11 @@ AddNewAttributeTuples(Oid new_rel_oid,
|
|||||||
{
|
{
|
||||||
FormData_pg_attribute attStruct;
|
FormData_pg_attribute attStruct;
|
||||||
|
|
||||||
/* skip OID where appropriate */
|
|
||||||
if (!tupdesc->tdhasoid &&
|
|
||||||
SysAtt[i]->attnum == ObjectIdAttributeNumber)
|
|
||||||
continue;
|
|
||||||
|
|
||||||
memcpy(&attStruct, (char *) SysAtt[i], sizeof(FormData_pg_attribute));
|
memcpy(&attStruct, (char *) SysAtt[i], sizeof(FormData_pg_attribute));
|
||||||
|
|
||||||
/* Fill in the correct relation OID in the copied tuple */
|
/* Fill in the correct relation OID in the copied tuple */
|
||||||
attStruct.attrelid = new_rel_oid;
|
attStruct.attrelid = new_rel_oid;
|
||||||
|
|
||||||
/* Fill in correct inheritance info for the OID column */
|
|
||||||
if (attStruct.attnum == ObjectIdAttributeNumber)
|
|
||||||
{
|
|
||||||
attStruct.attislocal = oidislocal;
|
|
||||||
attStruct.attinhcount = oidinhcount;
|
|
||||||
}
|
|
||||||
|
|
||||||
InsertPgAttributeTuple(rel, &attStruct, indstate);
|
InsertPgAttributeTuple(rel, &attStruct, indstate);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -847,6 +813,7 @@ InsertPgClassTuple(Relation pg_class_desc,
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
values[Anum_pg_class_oid - 1] = ObjectIdGetDatum(new_rel_oid);
|
||||||
values[Anum_pg_class_relname - 1] = NameGetDatum(&rd_rel->relname);
|
values[Anum_pg_class_relname - 1] = NameGetDatum(&rd_rel->relname);
|
||||||
values[Anum_pg_class_relnamespace - 1] = ObjectIdGetDatum(rd_rel->relnamespace);
|
values[Anum_pg_class_relnamespace - 1] = ObjectIdGetDatum(rd_rel->relnamespace);
|
||||||
values[Anum_pg_class_reltype - 1] = ObjectIdGetDatum(rd_rel->reltype);
|
values[Anum_pg_class_reltype - 1] = ObjectIdGetDatum(rd_rel->reltype);
|
||||||
@ -865,7 +832,6 @@ InsertPgClassTuple(Relation pg_class_desc,
|
|||||||
values[Anum_pg_class_relkind - 1] = CharGetDatum(rd_rel->relkind);
|
values[Anum_pg_class_relkind - 1] = CharGetDatum(rd_rel->relkind);
|
||||||
values[Anum_pg_class_relnatts - 1] = Int16GetDatum(rd_rel->relnatts);
|
values[Anum_pg_class_relnatts - 1] = Int16GetDatum(rd_rel->relnatts);
|
||||||
values[Anum_pg_class_relchecks - 1] = Int16GetDatum(rd_rel->relchecks);
|
values[Anum_pg_class_relchecks - 1] = Int16GetDatum(rd_rel->relchecks);
|
||||||
values[Anum_pg_class_relhasoids - 1] = BoolGetDatum(rd_rel->relhasoids);
|
|
||||||
values[Anum_pg_class_relhasrules - 1] = BoolGetDatum(rd_rel->relhasrules);
|
values[Anum_pg_class_relhasrules - 1] = BoolGetDatum(rd_rel->relhasrules);
|
||||||
values[Anum_pg_class_relhastriggers - 1] = BoolGetDatum(rd_rel->relhastriggers);
|
values[Anum_pg_class_relhastriggers - 1] = BoolGetDatum(rd_rel->relhastriggers);
|
||||||
values[Anum_pg_class_relrowsecurity - 1] = BoolGetDatum(rd_rel->relrowsecurity);
|
values[Anum_pg_class_relrowsecurity - 1] = BoolGetDatum(rd_rel->relrowsecurity);
|
||||||
@ -891,12 +857,6 @@ InsertPgClassTuple(Relation pg_class_desc,
|
|||||||
|
|
||||||
tup = heap_form_tuple(RelationGetDescr(pg_class_desc), values, nulls);
|
tup = heap_form_tuple(RelationGetDescr(pg_class_desc), values, nulls);
|
||||||
|
|
||||||
/*
|
|
||||||
* The new tuple must have the oid already chosen for the rel. Sure would
|
|
||||||
* be embarrassing to do this sort of thing in polite company.
|
|
||||||
*/
|
|
||||||
HeapTupleSetOid(tup, new_rel_oid);
|
|
||||||
|
|
||||||
/* finally insert the new tuple, update the indexes, and clean up */
|
/* finally insert the new tuple, update the indexes, and clean up */
|
||||||
CatalogTupleInsert(pg_class_desc, tup);
|
CatalogTupleInsert(pg_class_desc, tup);
|
||||||
|
|
||||||
@ -1071,8 +1031,6 @@ AddNewRelationType(const char *typeName,
|
|||||||
* relpersistence: rel's persistence status (permanent, temp, or unlogged)
|
* relpersistence: rel's persistence status (permanent, temp, or unlogged)
|
||||||
* shared_relation: true if it's to be a shared relation
|
* shared_relation: true if it's to be a shared relation
|
||||||
* mapped_relation: true if the relation will use the relfilenode map
|
* mapped_relation: true if the relation will use the relfilenode map
|
||||||
* oidislocal: true if oid column (if any) should be marked attislocal
|
|
||||||
* oidinhcount: attinhcount to assign to oid column (if any)
|
|
||||||
* oncommit: ON COMMIT marking (only relevant if it's a temp table)
|
* oncommit: ON COMMIT marking (only relevant if it's a temp table)
|
||||||
* reloptions: reloptions in Datum form, or (Datum) 0 if none
|
* reloptions: reloptions in Datum form, or (Datum) 0 if none
|
||||||
* use_user_acl: true if should look for user-defined default permissions;
|
* use_user_acl: true if should look for user-defined default permissions;
|
||||||
@ -1100,8 +1058,6 @@ heap_create_with_catalog(const char *relname,
|
|||||||
char relpersistence,
|
char relpersistence,
|
||||||
bool shared_relation,
|
bool shared_relation,
|
||||||
bool mapped_relation,
|
bool mapped_relation,
|
||||||
bool oidislocal,
|
|
||||||
int oidinhcount,
|
|
||||||
OnCommitAction oncommit,
|
OnCommitAction oncommit,
|
||||||
Datum reloptions,
|
Datum reloptions,
|
||||||
bool use_user_acl,
|
bool use_user_acl,
|
||||||
@ -1144,7 +1100,7 @@ heap_create_with_catalog(const char *relname,
|
|||||||
* autogenerated array, we can rename it out of the way; otherwise we can
|
* autogenerated array, we can rename it out of the way; otherwise we can
|
||||||
* at least give a good error message.
|
* at least give a good error message.
|
||||||
*/
|
*/
|
||||||
old_type_oid = GetSysCacheOid2(TYPENAMENSP,
|
old_type_oid = GetSysCacheOid2(TYPENAMENSP, Anum_pg_type_oid,
|
||||||
CStringGetDatum(relname),
|
CStringGetDatum(relname),
|
||||||
ObjectIdGetDatum(relnamespace));
|
ObjectIdGetDatum(relnamespace));
|
||||||
if (OidIsValid(old_type_oid))
|
if (OidIsValid(old_type_oid))
|
||||||
@ -1347,8 +1303,7 @@ heap_create_with_catalog(const char *relname,
|
|||||||
/*
|
/*
|
||||||
* now add tuples to pg_attribute for the attributes in our new relation.
|
* now add tuples to pg_attribute for the attributes in our new relation.
|
||||||
*/
|
*/
|
||||||
AddNewAttributeTuples(relid, new_rel_desc->rd_att, relkind,
|
AddNewAttributeTuples(relid, new_rel_desc->rd_att, relkind);
|
||||||
oidislocal, oidinhcount);
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Make a dependency link to force the relation to be deleted if its
|
* Make a dependency link to force the relation to be deleted if its
|
||||||
@ -1741,9 +1696,10 @@ RemoveAttrDefault(Oid relid, AttrNumber attnum,
|
|||||||
while (HeapTupleIsValid(tuple = systable_getnext(scan)))
|
while (HeapTupleIsValid(tuple = systable_getnext(scan)))
|
||||||
{
|
{
|
||||||
ObjectAddress object;
|
ObjectAddress object;
|
||||||
|
Form_pg_attrdef attrtuple = (Form_pg_attrdef) GETSTRUCT(tuple);
|
||||||
|
|
||||||
object.classId = AttrDefaultRelationId;
|
object.classId = AttrDefaultRelationId;
|
||||||
object.objectId = HeapTupleGetOid(tuple);
|
object.objectId = attrtuple->oid;
|
||||||
object.objectSubId = 0;
|
object.objectSubId = 0;
|
||||||
|
|
||||||
performDeletion(&object, behavior,
|
performDeletion(&object, behavior,
|
||||||
@ -1784,7 +1740,7 @@ RemoveAttrDefaultById(Oid attrdefId)
|
|||||||
|
|
||||||
/* Find the pg_attrdef tuple */
|
/* Find the pg_attrdef tuple */
|
||||||
ScanKeyInit(&scankeys[0],
|
ScanKeyInit(&scankeys[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_attrdef_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(attrdefId));
|
ObjectIdGetDatum(attrdefId));
|
||||||
|
|
||||||
@ -2162,6 +2118,8 @@ StoreAttrDefault(Relation rel, AttrNumber attnum,
|
|||||||
ObjectAddress colobject,
|
ObjectAddress colobject,
|
||||||
defobject;
|
defobject;
|
||||||
|
|
||||||
|
adrel = heap_open(AttrDefaultRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Flatten expression to string form for storage.
|
* Flatten expression to string form for storage.
|
||||||
*/
|
*/
|
||||||
@ -2170,14 +2128,15 @@ StoreAttrDefault(Relation rel, AttrNumber attnum,
|
|||||||
/*
|
/*
|
||||||
* Make the pg_attrdef entry.
|
* Make the pg_attrdef entry.
|
||||||
*/
|
*/
|
||||||
|
attrdefOid = GetNewOidWithIndex(adrel, AttrDefaultOidIndexId,
|
||||||
|
Anum_pg_attrdef_oid);
|
||||||
|
values[Anum_pg_attrdef_oid - 1] = ObjectIdGetDatum(attrdefOid);
|
||||||
values[Anum_pg_attrdef_adrelid - 1] = RelationGetRelid(rel);
|
values[Anum_pg_attrdef_adrelid - 1] = RelationGetRelid(rel);
|
||||||
values[Anum_pg_attrdef_adnum - 1] = attnum;
|
values[Anum_pg_attrdef_adnum - 1] = attnum;
|
||||||
values[Anum_pg_attrdef_adbin - 1] = CStringGetTextDatum(adbin);
|
values[Anum_pg_attrdef_adbin - 1] = CStringGetTextDatum(adbin);
|
||||||
|
|
||||||
adrel = heap_open(AttrDefaultRelationId, RowExclusiveLock);
|
|
||||||
|
|
||||||
tuple = heap_form_tuple(adrel->rd_att, values, nulls);
|
tuple = heap_form_tuple(adrel->rd_att, values, nulls);
|
||||||
attrdefOid = CatalogTupleInsert(adrel, tuple);
|
CatalogTupleInsert(adrel, tuple);
|
||||||
|
|
||||||
defobject.classId = AttrDefaultRelationId;
|
defobject.classId = AttrDefaultRelationId;
|
||||||
defobject.objectId = attrdefOid;
|
defobject.objectId = attrdefOid;
|
||||||
|
@ -322,7 +322,7 @@ ConstructTupleDescriptor(Relation heapRelation,
|
|||||||
/*
|
/*
|
||||||
* allocate the new tuple descriptor
|
* allocate the new tuple descriptor
|
||||||
*/
|
*/
|
||||||
indexTupDesc = CreateTemplateTupleDesc(numatts, false);
|
indexTupDesc = CreateTemplateTupleDesc(numatts);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Fill in the pg_attribute row.
|
* Fill in the pg_attribute row.
|
||||||
@ -354,24 +354,12 @@ ConstructTupleDescriptor(Relation heapRelation,
|
|||||||
/* Simple index column */
|
/* Simple index column */
|
||||||
const FormData_pg_attribute *from;
|
const FormData_pg_attribute *from;
|
||||||
|
|
||||||
if (atnum < 0)
|
Assert(atnum > 0); /* should've been caught above */
|
||||||
{
|
|
||||||
/*
|
|
||||||
* here we are indexing on a system attribute (-1...-n)
|
|
||||||
*/
|
|
||||||
from = SystemAttributeDefinition(atnum,
|
|
||||||
heapRelation->rd_rel->relhasoids);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
/*
|
|
||||||
* here we are indexing on a normal attribute (1...n)
|
|
||||||
*/
|
|
||||||
if (atnum > natts) /* safety check */
|
if (atnum > natts) /* safety check */
|
||||||
elog(ERROR, "invalid column number %d", atnum);
|
elog(ERROR, "invalid column number %d", atnum);
|
||||||
from = TupleDescAttr(heapTupDesc,
|
from = TupleDescAttr(heapTupDesc,
|
||||||
AttrNumberGetAttrOffset(atnum));
|
AttrNumberGetAttrOffset(atnum));
|
||||||
}
|
|
||||||
|
|
||||||
namecpy(&to->attname, &from->attname);
|
namecpy(&to->attname, &from->attname);
|
||||||
to->atttypid = from->atttypid;
|
to->atttypid = from->atttypid;
|
||||||
@ -945,7 +933,6 @@ index_create(Relation heapRelation,
|
|||||||
*/
|
*/
|
||||||
indexRelation->rd_rel->relowner = heapRelation->rd_rel->relowner;
|
indexRelation->rd_rel->relowner = heapRelation->rd_rel->relowner;
|
||||||
indexRelation->rd_rel->relam = accessMethodObjectId;
|
indexRelation->rd_rel->relam = accessMethodObjectId;
|
||||||
indexRelation->rd_rel->relhasoids = false;
|
|
||||||
indexRelation->rd_rel->relispartition = OidIsValid(parentIndexRelid);
|
indexRelation->rd_rel->relispartition = OidIsValid(parentIndexRelid);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -2147,7 +2134,7 @@ index_update_stats(Relation rel,
|
|||||||
ScanKeyData key[1];
|
ScanKeyData key[1];
|
||||||
|
|
||||||
ScanKeyInit(&key[0],
|
ScanKeyInit(&key[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_class_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(relid));
|
ObjectIdGetDatum(relid));
|
||||||
|
|
||||||
@ -3910,11 +3897,6 @@ reindex_relation(Oid relid, int flags, int options)
|
|||||||
* have index entries. Also, a new pg_class index will be created with a
|
* have index entries. Also, a new pg_class index will be created with a
|
||||||
* correct entry for its own pg_class row because we do
|
* correct entry for its own pg_class row because we do
|
||||||
* RelationSetNewRelfilenode() before we do index_build().
|
* RelationSetNewRelfilenode() before we do index_build().
|
||||||
*
|
|
||||||
* Note that we also clear pg_class's rd_oidindex until the loop is done,
|
|
||||||
* so that that index can't be accessed either. This means we cannot
|
|
||||||
* safely generate new relation OIDs while in the loop; shouldn't be a
|
|
||||||
* problem.
|
|
||||||
*/
|
*/
|
||||||
is_pg_class = (RelationGetRelid(rel) == RelationRelationId);
|
is_pg_class = (RelationGetRelid(rel) == RelationRelationId);
|
||||||
|
|
||||||
@ -3958,7 +3940,7 @@ reindex_relation(Oid relid, int flags, int options)
|
|||||||
Oid indexOid = lfirst_oid(indexId);
|
Oid indexOid = lfirst_oid(indexId);
|
||||||
|
|
||||||
if (is_pg_class)
|
if (is_pg_class)
|
||||||
RelationSetIndexList(rel, doneIndexes, InvalidOid);
|
RelationSetIndexList(rel, doneIndexes);
|
||||||
|
|
||||||
reindex_index(indexOid, !(flags & REINDEX_REL_CHECK_CONSTRAINTS),
|
reindex_index(indexOid, !(flags & REINDEX_REL_CHECK_CONSTRAINTS),
|
||||||
persistence, options);
|
persistence, options);
|
||||||
@ -3982,7 +3964,7 @@ reindex_relation(Oid relid, int flags, int options)
|
|||||||
ResetReindexPending();
|
ResetReindexPending();
|
||||||
|
|
||||||
if (is_pg_class)
|
if (is_pg_class)
|
||||||
RelationSetIndexList(rel, indexIds, ClassOidIndexId);
|
RelationSetIndexList(rel, indexIds);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Close rel, but continue to hold the lock.
|
* Close rel, but continue to hold the lock.
|
||||||
|
@ -160,20 +160,17 @@ CatalogIndexInsert(CatalogIndexState indstate, HeapTuple heapTuple)
|
|||||||
* and building the index info structures is moderately expensive.
|
* and building the index info structures is moderately expensive.
|
||||||
* (Use CatalogTupleInsertWithInfo in such cases.)
|
* (Use CatalogTupleInsertWithInfo in such cases.)
|
||||||
*/
|
*/
|
||||||
Oid
|
void
|
||||||
CatalogTupleInsert(Relation heapRel, HeapTuple tup)
|
CatalogTupleInsert(Relation heapRel, HeapTuple tup)
|
||||||
{
|
{
|
||||||
CatalogIndexState indstate;
|
CatalogIndexState indstate;
|
||||||
Oid oid;
|
|
||||||
|
|
||||||
indstate = CatalogOpenIndexes(heapRel);
|
indstate = CatalogOpenIndexes(heapRel);
|
||||||
|
|
||||||
oid = simple_heap_insert(heapRel, tup);
|
simple_heap_insert(heapRel, tup);
|
||||||
|
|
||||||
CatalogIndexInsert(indstate, tup);
|
CatalogIndexInsert(indstate, tup);
|
||||||
CatalogCloseIndexes(indstate);
|
CatalogCloseIndexes(indstate);
|
||||||
|
|
||||||
return oid;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -184,17 +181,13 @@ CatalogTupleInsert(Relation heapRel, HeapTuple tup)
|
|||||||
* might cache the CatalogIndexState data somewhere (perhaps in the relcache)
|
* might cache the CatalogIndexState data somewhere (perhaps in the relcache)
|
||||||
* so that callers needn't trouble over this ... but we don't do so today.
|
* so that callers needn't trouble over this ... but we don't do so today.
|
||||||
*/
|
*/
|
||||||
Oid
|
void
|
||||||
CatalogTupleInsertWithInfo(Relation heapRel, HeapTuple tup,
|
CatalogTupleInsertWithInfo(Relation heapRel, HeapTuple tup,
|
||||||
CatalogIndexState indstate)
|
CatalogIndexState indstate)
|
||||||
{
|
{
|
||||||
Oid oid;
|
simple_heap_insert(heapRel, tup);
|
||||||
|
|
||||||
oid = simple_heap_insert(heapRel, tup);
|
|
||||||
|
|
||||||
CatalogIndexInsert(indstate, tup);
|
CatalogIndexInsert(indstate, tup);
|
||||||
|
|
||||||
return oid;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
|
@ -1583,7 +1583,7 @@ CREATE TABLE sql_features (
|
|||||||
is_supported yes_or_no,
|
is_supported yes_or_no,
|
||||||
is_verified_by character_data,
|
is_verified_by character_data,
|
||||||
comments character_data
|
comments character_data
|
||||||
) WITHOUT OIDS;
|
);
|
||||||
|
|
||||||
-- Will be filled with external data by initdb.
|
-- Will be filled with external data by initdb.
|
||||||
|
|
||||||
@ -1604,7 +1604,7 @@ CREATE TABLE sql_implementation_info (
|
|||||||
integer_value cardinal_number,
|
integer_value cardinal_number,
|
||||||
character_value character_data,
|
character_value character_data,
|
||||||
comments character_data
|
comments character_data
|
||||||
) WITHOUT OIDS;
|
);
|
||||||
|
|
||||||
INSERT INTO sql_implementation_info VALUES ('10003', 'CATALOG NAME', NULL, 'Y', NULL);
|
INSERT INTO sql_implementation_info VALUES ('10003', 'CATALOG NAME', NULL, 'Y', NULL);
|
||||||
INSERT INTO sql_implementation_info VALUES ('10004', 'COLLATING SEQUENCE', NULL, (SELECT default_collate_name FROM character_sets), NULL);
|
INSERT INTO sql_implementation_info VALUES ('10004', 'COLLATING SEQUENCE', NULL, (SELECT default_collate_name FROM character_sets), NULL);
|
||||||
@ -1635,7 +1635,7 @@ CREATE TABLE sql_languages (
|
|||||||
sql_language_implementation character_data,
|
sql_language_implementation character_data,
|
||||||
sql_language_binding_style character_data,
|
sql_language_binding_style character_data,
|
||||||
sql_language_programming_language character_data
|
sql_language_programming_language character_data
|
||||||
) WITHOUT OIDS;
|
);
|
||||||
|
|
||||||
INSERT INTO sql_languages VALUES ('ISO 9075', '1999', 'CORE', NULL, NULL, 'DIRECT', NULL);
|
INSERT INTO sql_languages VALUES ('ISO 9075', '1999', 'CORE', NULL, NULL, 'DIRECT', NULL);
|
||||||
INSERT INTO sql_languages VALUES ('ISO 9075', '1999', 'CORE', NULL, NULL, 'EMBEDDED', 'C');
|
INSERT INTO sql_languages VALUES ('ISO 9075', '1999', 'CORE', NULL, NULL, 'EMBEDDED', 'C');
|
||||||
@ -1656,7 +1656,7 @@ CREATE TABLE sql_packages (
|
|||||||
is_supported yes_or_no,
|
is_supported yes_or_no,
|
||||||
is_verified_by character_data,
|
is_verified_by character_data,
|
||||||
comments character_data
|
comments character_data
|
||||||
) WITHOUT OIDS;
|
);
|
||||||
|
|
||||||
INSERT INTO sql_packages VALUES ('PKG000', 'Core', 'NO', NULL, '');
|
INSERT INTO sql_packages VALUES ('PKG000', 'Core', 'NO', NULL, '');
|
||||||
INSERT INTO sql_packages VALUES ('PKG001', 'Enhanced datetime facilities', 'YES', NULL, '');
|
INSERT INTO sql_packages VALUES ('PKG001', 'Enhanced datetime facilities', 'YES', NULL, '');
|
||||||
@ -1683,7 +1683,7 @@ CREATE TABLE sql_parts (
|
|||||||
is_supported yes_or_no,
|
is_supported yes_or_no,
|
||||||
is_verified_by character_data,
|
is_verified_by character_data,
|
||||||
comments character_data
|
comments character_data
|
||||||
) WITHOUT OIDS;
|
);
|
||||||
|
|
||||||
INSERT INTO sql_parts VALUES ('1', 'Framework (SQL/Framework)', 'NO', NULL, '');
|
INSERT INTO sql_parts VALUES ('1', 'Framework (SQL/Framework)', 'NO', NULL, '');
|
||||||
INSERT INTO sql_parts VALUES ('2', 'Foundation (SQL/Foundation)', 'NO', NULL, '');
|
INSERT INTO sql_parts VALUES ('2', 'Foundation (SQL/Foundation)', 'NO', NULL, '');
|
||||||
@ -1708,7 +1708,7 @@ CREATE TABLE sql_sizing (
|
|||||||
sizing_name character_data,
|
sizing_name character_data,
|
||||||
supported_value cardinal_number,
|
supported_value cardinal_number,
|
||||||
comments character_data
|
comments character_data
|
||||||
) WITHOUT OIDS;
|
);
|
||||||
|
|
||||||
INSERT INTO sql_sizing VALUES (34, 'MAXIMUM CATALOG NAME LENGTH', 63, NULL);
|
INSERT INTO sql_sizing VALUES (34, 'MAXIMUM CATALOG NAME LENGTH', 63, NULL);
|
||||||
INSERT INTO sql_sizing VALUES (30, 'MAXIMUM COLUMN NAME LENGTH', 63, NULL);
|
INSERT INTO sql_sizing VALUES (30, 'MAXIMUM COLUMN NAME LENGTH', 63, NULL);
|
||||||
@ -1757,7 +1757,7 @@ CREATE TABLE sql_sizing_profiles (
|
|||||||
profile_id character_data,
|
profile_id character_data,
|
||||||
required_value cardinal_number,
|
required_value cardinal_number,
|
||||||
comments character_data
|
comments character_data
|
||||||
) WITHOUT OIDS;
|
);
|
||||||
|
|
||||||
GRANT SELECT ON sql_sizing_profiles TO PUBLIC;
|
GRANT SELECT ON sql_sizing_profiles TO PUBLIC;
|
||||||
|
|
||||||
|
@ -775,7 +775,7 @@ TypenameGetTypid(const char *typname)
|
|||||||
{
|
{
|
||||||
Oid namespaceId = lfirst_oid(l);
|
Oid namespaceId = lfirst_oid(l);
|
||||||
|
|
||||||
typid = GetSysCacheOid2(TYPENAMENSP,
|
typid = GetSysCacheOid2(TYPENAMENSP, Anum_pg_type_oid,
|
||||||
PointerGetDatum(typname),
|
PointerGetDatum(typname),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(typid))
|
if (OidIsValid(typid))
|
||||||
@ -1084,7 +1084,7 @@ FuncnameGetCandidates(List *names, int nargs, List *argnames,
|
|||||||
palloc(offsetof(struct _FuncCandidateList, args) +
|
palloc(offsetof(struct _FuncCandidateList, args) +
|
||||||
effective_nargs * sizeof(Oid));
|
effective_nargs * sizeof(Oid));
|
||||||
newResult->pathpos = pathpos;
|
newResult->pathpos = pathpos;
|
||||||
newResult->oid = HeapTupleGetOid(proctup);
|
newResult->oid = procform->oid;
|
||||||
newResult->nargs = effective_nargs;
|
newResult->nargs = effective_nargs;
|
||||||
newResult->argnumbers = argnumbers;
|
newResult->argnumbers = argnumbers;
|
||||||
if (argnumbers)
|
if (argnumbers)
|
||||||
@ -1488,7 +1488,8 @@ OpernameGetOprid(List *names, Oid oprleft, Oid oprright)
|
|||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (HeapTupleIsValid(opertup))
|
if (HeapTupleIsValid(opertup))
|
||||||
{
|
{
|
||||||
Oid result = HeapTupleGetOid(opertup);
|
Form_pg_operator operclass = (Form_pg_operator) GETSTRUCT(opertup);
|
||||||
|
Oid result = operclass->oid;
|
||||||
|
|
||||||
ReleaseSysCache(opertup);
|
ReleaseSysCache(opertup);
|
||||||
return result;
|
return result;
|
||||||
@ -1533,7 +1534,7 @@ OpernameGetOprid(List *names, Oid oprleft, Oid oprright)
|
|||||||
|
|
||||||
if (operform->oprnamespace == namespaceId)
|
if (operform->oprnamespace == namespaceId)
|
||||||
{
|
{
|
||||||
Oid result = HeapTupleGetOid(opertup);
|
Oid result = operform->oid;
|
||||||
|
|
||||||
ReleaseSysCacheList(catlist);
|
ReleaseSysCacheList(catlist);
|
||||||
return result;
|
return result;
|
||||||
@ -1687,7 +1688,7 @@ OpernameGetCandidates(List *names, char oprkind, bool missing_schema_ok)
|
|||||||
continue; /* keep previous result */
|
continue; /* keep previous result */
|
||||||
/* replace previous result */
|
/* replace previous result */
|
||||||
prevResult->pathpos = pathpos;
|
prevResult->pathpos = pathpos;
|
||||||
prevResult->oid = HeapTupleGetOid(opertup);
|
prevResult->oid = operform->oid;
|
||||||
continue; /* args are same, of course */
|
continue; /* args are same, of course */
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1700,7 +1701,7 @@ OpernameGetCandidates(List *names, char oprkind, bool missing_schema_ok)
|
|||||||
nextResult += SPACE_PER_OP;
|
nextResult += SPACE_PER_OP;
|
||||||
|
|
||||||
newResult->pathpos = pathpos;
|
newResult->pathpos = pathpos;
|
||||||
newResult->oid = HeapTupleGetOid(opertup);
|
newResult->oid = operform->oid;
|
||||||
newResult->nargs = 2;
|
newResult->nargs = 2;
|
||||||
newResult->nvargs = 0;
|
newResult->nvargs = 0;
|
||||||
newResult->ndargs = 0;
|
newResult->ndargs = 0;
|
||||||
@ -1790,7 +1791,7 @@ OpclassnameGetOpcid(Oid amid, const char *opcname)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
opcid = GetSysCacheOid3(CLAAMNAMENSP,
|
opcid = GetSysCacheOid3(CLAAMNAMENSP, Anum_pg_opclass_oid,
|
||||||
ObjectIdGetDatum(amid),
|
ObjectIdGetDatum(amid),
|
||||||
PointerGetDatum(opcname),
|
PointerGetDatum(opcname),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
@ -1873,7 +1874,7 @@ OpfamilynameGetOpfid(Oid amid, const char *opfname)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
opfid = GetSysCacheOid3(OPFAMILYAMNAMENSP,
|
opfid = GetSysCacheOid3(OPFAMILYAMNAMENSP, Anum_pg_opfamily_oid,
|
||||||
ObjectIdGetDatum(amid),
|
ObjectIdGetDatum(amid),
|
||||||
PointerGetDatum(opfname),
|
PointerGetDatum(opfname),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
@ -1946,7 +1947,7 @@ lookup_collation(const char *collname, Oid collnamespace, int32 encoding)
|
|||||||
Form_pg_collation collform;
|
Form_pg_collation collform;
|
||||||
|
|
||||||
/* Check for encoding-specific entry (exact match) */
|
/* Check for encoding-specific entry (exact match) */
|
||||||
collid = GetSysCacheOid3(COLLNAMEENCNSP,
|
collid = GetSysCacheOid3(COLLNAMEENCNSP, Anum_pg_collation_oid,
|
||||||
PointerGetDatum(collname),
|
PointerGetDatum(collname),
|
||||||
Int32GetDatum(encoding),
|
Int32GetDatum(encoding),
|
||||||
ObjectIdGetDatum(collnamespace));
|
ObjectIdGetDatum(collnamespace));
|
||||||
@ -1969,13 +1970,13 @@ lookup_collation(const char *collname, Oid collnamespace, int32 encoding)
|
|||||||
if (collform->collprovider == COLLPROVIDER_ICU)
|
if (collform->collprovider == COLLPROVIDER_ICU)
|
||||||
{
|
{
|
||||||
if (is_encoding_supported_by_icu(encoding))
|
if (is_encoding_supported_by_icu(encoding))
|
||||||
collid = HeapTupleGetOid(colltup);
|
collid = collform->oid;
|
||||||
else
|
else
|
||||||
collid = InvalidOid;
|
collid = InvalidOid;
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
collid = HeapTupleGetOid(colltup);
|
collid = collform->oid;
|
||||||
}
|
}
|
||||||
ReleaseSysCache(colltup);
|
ReleaseSysCache(colltup);
|
||||||
return collid;
|
return collid;
|
||||||
@ -2089,7 +2090,7 @@ ConversionGetConid(const char *conname)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
conid = GetSysCacheOid2(CONNAMENSP,
|
conid = GetSysCacheOid2(CONNAMENSP, Anum_pg_conversion_oid,
|
||||||
PointerGetDatum(conname),
|
PointerGetDatum(conname),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(conid))
|
if (OidIsValid(conid))
|
||||||
@ -2172,7 +2173,7 @@ get_statistics_object_oid(List *names, bool missing_ok)
|
|||||||
if (missing_ok && !OidIsValid(namespaceId))
|
if (missing_ok && !OidIsValid(namespaceId))
|
||||||
stats_oid = InvalidOid;
|
stats_oid = InvalidOid;
|
||||||
else
|
else
|
||||||
stats_oid = GetSysCacheOid2(STATEXTNAMENSP,
|
stats_oid = GetSysCacheOid2(STATEXTNAMENSP, Anum_pg_statistic_ext_oid,
|
||||||
PointerGetDatum(stats_name),
|
PointerGetDatum(stats_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
}
|
}
|
||||||
@ -2187,7 +2188,7 @@ get_statistics_object_oid(List *names, bool missing_ok)
|
|||||||
|
|
||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
stats_oid = GetSysCacheOid2(STATEXTNAMENSP,
|
stats_oid = GetSysCacheOid2(STATEXTNAMENSP, Anum_pg_statistic_ext_oid,
|
||||||
PointerGetDatum(stats_name),
|
PointerGetDatum(stats_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(stats_oid))
|
if (OidIsValid(stats_oid))
|
||||||
@ -2294,7 +2295,7 @@ get_ts_parser_oid(List *names, bool missing_ok)
|
|||||||
if (missing_ok && !OidIsValid(namespaceId))
|
if (missing_ok && !OidIsValid(namespaceId))
|
||||||
prsoid = InvalidOid;
|
prsoid = InvalidOid;
|
||||||
else
|
else
|
||||||
prsoid = GetSysCacheOid2(TSPARSERNAMENSP,
|
prsoid = GetSysCacheOid2(TSPARSERNAMENSP, Anum_pg_ts_parser_oid,
|
||||||
PointerGetDatum(parser_name),
|
PointerGetDatum(parser_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
}
|
}
|
||||||
@ -2310,7 +2311,7 @@ get_ts_parser_oid(List *names, bool missing_ok)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
prsoid = GetSysCacheOid2(TSPARSERNAMENSP,
|
prsoid = GetSysCacheOid2(TSPARSERNAMENSP, Anum_pg_ts_parser_oid,
|
||||||
PointerGetDatum(parser_name),
|
PointerGetDatum(parser_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(prsoid))
|
if (OidIsValid(prsoid))
|
||||||
@ -2420,7 +2421,7 @@ get_ts_dict_oid(List *names, bool missing_ok)
|
|||||||
if (missing_ok && !OidIsValid(namespaceId))
|
if (missing_ok && !OidIsValid(namespaceId))
|
||||||
dictoid = InvalidOid;
|
dictoid = InvalidOid;
|
||||||
else
|
else
|
||||||
dictoid = GetSysCacheOid2(TSDICTNAMENSP,
|
dictoid = GetSysCacheOid2(TSDICTNAMENSP, Anum_pg_ts_dict_oid,
|
||||||
PointerGetDatum(dict_name),
|
PointerGetDatum(dict_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
}
|
}
|
||||||
@ -2436,7 +2437,7 @@ get_ts_dict_oid(List *names, bool missing_ok)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
dictoid = GetSysCacheOid2(TSDICTNAMENSP,
|
dictoid = GetSysCacheOid2(TSDICTNAMENSP, Anum_pg_ts_dict_oid,
|
||||||
PointerGetDatum(dict_name),
|
PointerGetDatum(dict_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(dictoid))
|
if (OidIsValid(dictoid))
|
||||||
@ -2547,7 +2548,7 @@ get_ts_template_oid(List *names, bool missing_ok)
|
|||||||
if (missing_ok && !OidIsValid(namespaceId))
|
if (missing_ok && !OidIsValid(namespaceId))
|
||||||
tmploid = InvalidOid;
|
tmploid = InvalidOid;
|
||||||
else
|
else
|
||||||
tmploid = GetSysCacheOid2(TSTEMPLATENAMENSP,
|
tmploid = GetSysCacheOid2(TSTEMPLATENAMENSP, Anum_pg_ts_template_oid,
|
||||||
PointerGetDatum(template_name),
|
PointerGetDatum(template_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
}
|
}
|
||||||
@ -2563,7 +2564,7 @@ get_ts_template_oid(List *names, bool missing_ok)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
tmploid = GetSysCacheOid2(TSTEMPLATENAMENSP,
|
tmploid = GetSysCacheOid2(TSTEMPLATENAMENSP, Anum_pg_ts_template_oid,
|
||||||
PointerGetDatum(template_name),
|
PointerGetDatum(template_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(tmploid))
|
if (OidIsValid(tmploid))
|
||||||
@ -2673,7 +2674,7 @@ get_ts_config_oid(List *names, bool missing_ok)
|
|||||||
if (missing_ok && !OidIsValid(namespaceId))
|
if (missing_ok && !OidIsValid(namespaceId))
|
||||||
cfgoid = InvalidOid;
|
cfgoid = InvalidOid;
|
||||||
else
|
else
|
||||||
cfgoid = GetSysCacheOid2(TSCONFIGNAMENSP,
|
cfgoid = GetSysCacheOid2(TSCONFIGNAMENSP, Anum_pg_ts_config_oid,
|
||||||
PointerGetDatum(config_name),
|
PointerGetDatum(config_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
}
|
}
|
||||||
@ -2689,7 +2690,7 @@ get_ts_config_oid(List *names, bool missing_ok)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
cfgoid = GetSysCacheOid2(TSCONFIGNAMENSP,
|
cfgoid = GetSysCacheOid2(TSCONFIGNAMENSP, Anum_pg_ts_config_oid,
|
||||||
PointerGetDatum(config_name),
|
PointerGetDatum(config_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(cfgoid))
|
if (OidIsValid(cfgoid))
|
||||||
@ -3025,7 +3026,8 @@ get_namespace_oid(const char *nspname, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid1(NAMESPACENAME, CStringGetDatum(nspname));
|
oid = GetSysCacheOid1(NAMESPACENAME, Anum_pg_namespace_oid,
|
||||||
|
CStringGetDatum(nspname));
|
||||||
if (!OidIsValid(oid) && !missing_ok)
|
if (!OidIsValid(oid) && !missing_ok)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_UNDEFINED_SCHEMA),
|
(errcode(ERRCODE_UNDEFINED_SCHEMA),
|
||||||
@ -3621,7 +3623,7 @@ get_conversion_oid(List *name, bool missing_ok)
|
|||||||
if (missing_ok && !OidIsValid(namespaceId))
|
if (missing_ok && !OidIsValid(namespaceId))
|
||||||
conoid = InvalidOid;
|
conoid = InvalidOid;
|
||||||
else
|
else
|
||||||
conoid = GetSysCacheOid2(CONNAMENSP,
|
conoid = GetSysCacheOid2(CONNAMENSP, Anum_pg_conversion_oid,
|
||||||
PointerGetDatum(conversion_name),
|
PointerGetDatum(conversion_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
}
|
}
|
||||||
@ -3637,7 +3639,7 @@ get_conversion_oid(List *name, bool missing_ok)
|
|||||||
if (namespaceId == myTempNamespace)
|
if (namespaceId == myTempNamespace)
|
||||||
continue; /* do not look in temp namespace */
|
continue; /* do not look in temp namespace */
|
||||||
|
|
||||||
conoid = GetSysCacheOid2(CONNAMENSP,
|
conoid = GetSysCacheOid2(CONNAMENSP, Anum_pg_conversion_oid,
|
||||||
PointerGetDatum(conversion_name),
|
PointerGetDatum(conversion_name),
|
||||||
ObjectIdGetDatum(namespaceId));
|
ObjectIdGetDatum(namespaceId));
|
||||||
if (OidIsValid(conoid))
|
if (OidIsValid(conoid))
|
||||||
|
@ -27,6 +27,7 @@
|
|||||||
#include "catalog/pg_authid.h"
|
#include "catalog/pg_authid.h"
|
||||||
#include "catalog/pg_cast.h"
|
#include "catalog/pg_cast.h"
|
||||||
#include "catalog/pg_default_acl.h"
|
#include "catalog/pg_default_acl.h"
|
||||||
|
#include "catalog/pg_enum.h"
|
||||||
#include "catalog/pg_event_trigger.h"
|
#include "catalog/pg_event_trigger.h"
|
||||||
#include "catalog/pg_collation.h"
|
#include "catalog/pg_collation.h"
|
||||||
#include "catalog/pg_constraint.h"
|
#include "catalog/pg_constraint.h"
|
||||||
@ -99,6 +100,7 @@ typedef struct
|
|||||||
int name_catcache_id; /* id of catcache on (name,namespace), or
|
int name_catcache_id; /* id of catcache on (name,namespace), or
|
||||||
* (name) if the object does not live in a
|
* (name) if the object does not live in a
|
||||||
* namespace */
|
* namespace */
|
||||||
|
AttrNumber attnum_oid; /* attribute number of oid column */
|
||||||
AttrNumber attnum_name; /* attnum of name field */
|
AttrNumber attnum_name; /* attnum of name field */
|
||||||
AttrNumber attnum_namespace; /* attnum of namespace field */
|
AttrNumber attnum_namespace; /* attnum of namespace field */
|
||||||
AttrNumber attnum_owner; /* attnum of owner field */
|
AttrNumber attnum_owner; /* attnum of owner field */
|
||||||
@ -117,6 +119,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
AmOidIndexId,
|
AmOidIndexId,
|
||||||
AMOID,
|
AMOID,
|
||||||
AMNAME,
|
AMNAME,
|
||||||
|
Anum_pg_am_oid,
|
||||||
Anum_pg_am_amname,
|
Anum_pg_am_amname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -129,6 +132,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
CastOidIndexId,
|
CastOidIndexId,
|
||||||
-1,
|
-1,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_cast_oid,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -141,6 +145,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
CollationOidIndexId,
|
CollationOidIndexId,
|
||||||
COLLOID,
|
COLLOID,
|
||||||
-1, /* COLLNAMEENCNSP also takes encoding */
|
-1, /* COLLNAMEENCNSP also takes encoding */
|
||||||
|
Anum_pg_collation_oid,
|
||||||
Anum_pg_collation_collname,
|
Anum_pg_collation_collname,
|
||||||
Anum_pg_collation_collnamespace,
|
Anum_pg_collation_collnamespace,
|
||||||
Anum_pg_collation_collowner,
|
Anum_pg_collation_collowner,
|
||||||
@ -153,6 +158,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
ConstraintOidIndexId,
|
ConstraintOidIndexId,
|
||||||
CONSTROID,
|
CONSTROID,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_constraint_oid,
|
||||||
Anum_pg_constraint_conname,
|
Anum_pg_constraint_conname,
|
||||||
Anum_pg_constraint_connamespace,
|
Anum_pg_constraint_connamespace,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -165,6 +171,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
ConversionOidIndexId,
|
ConversionOidIndexId,
|
||||||
CONVOID,
|
CONVOID,
|
||||||
CONNAMENSP,
|
CONNAMENSP,
|
||||||
|
Anum_pg_conversion_oid,
|
||||||
Anum_pg_conversion_conname,
|
Anum_pg_conversion_conname,
|
||||||
Anum_pg_conversion_connamespace,
|
Anum_pg_conversion_connamespace,
|
||||||
Anum_pg_conversion_conowner,
|
Anum_pg_conversion_conowner,
|
||||||
@ -177,6 +184,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
DatabaseOidIndexId,
|
DatabaseOidIndexId,
|
||||||
DATABASEOID,
|
DATABASEOID,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_database_oid,
|
||||||
Anum_pg_database_datname,
|
Anum_pg_database_datname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_database_datdba,
|
Anum_pg_database_datdba,
|
||||||
@ -189,6 +197,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
ExtensionOidIndexId,
|
ExtensionOidIndexId,
|
||||||
-1,
|
-1,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_extension_oid,
|
||||||
Anum_pg_extension_extname,
|
Anum_pg_extension_extname,
|
||||||
InvalidAttrNumber, /* extension doesn't belong to extnamespace */
|
InvalidAttrNumber, /* extension doesn't belong to extnamespace */
|
||||||
Anum_pg_extension_extowner,
|
Anum_pg_extension_extowner,
|
||||||
@ -201,6 +210,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
ForeignDataWrapperOidIndexId,
|
ForeignDataWrapperOidIndexId,
|
||||||
FOREIGNDATAWRAPPEROID,
|
FOREIGNDATAWRAPPEROID,
|
||||||
FOREIGNDATAWRAPPERNAME,
|
FOREIGNDATAWRAPPERNAME,
|
||||||
|
Anum_pg_foreign_data_wrapper_oid,
|
||||||
Anum_pg_foreign_data_wrapper_fdwname,
|
Anum_pg_foreign_data_wrapper_fdwname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_foreign_data_wrapper_fdwowner,
|
Anum_pg_foreign_data_wrapper_fdwowner,
|
||||||
@ -213,6 +223,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
ForeignServerOidIndexId,
|
ForeignServerOidIndexId,
|
||||||
FOREIGNSERVEROID,
|
FOREIGNSERVEROID,
|
||||||
FOREIGNSERVERNAME,
|
FOREIGNSERVERNAME,
|
||||||
|
Anum_pg_foreign_server_oid,
|
||||||
Anum_pg_foreign_server_srvname,
|
Anum_pg_foreign_server_srvname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_foreign_server_srvowner,
|
Anum_pg_foreign_server_srvowner,
|
||||||
@ -225,6 +236,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
ProcedureOidIndexId,
|
ProcedureOidIndexId,
|
||||||
PROCOID,
|
PROCOID,
|
||||||
-1, /* PROCNAMEARGSNSP also takes argument types */
|
-1, /* PROCNAMEARGSNSP also takes argument types */
|
||||||
|
Anum_pg_proc_oid,
|
||||||
Anum_pg_proc_proname,
|
Anum_pg_proc_proname,
|
||||||
Anum_pg_proc_pronamespace,
|
Anum_pg_proc_pronamespace,
|
||||||
Anum_pg_proc_proowner,
|
Anum_pg_proc_proowner,
|
||||||
@ -237,6 +249,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
LanguageOidIndexId,
|
LanguageOidIndexId,
|
||||||
LANGOID,
|
LANGOID,
|
||||||
LANGNAME,
|
LANGNAME,
|
||||||
|
Anum_pg_language_oid,
|
||||||
Anum_pg_language_lanname,
|
Anum_pg_language_lanname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_language_lanowner,
|
Anum_pg_language_lanowner,
|
||||||
@ -249,6 +262,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
LargeObjectMetadataOidIndexId,
|
LargeObjectMetadataOidIndexId,
|
||||||
-1,
|
-1,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_largeobject_metadata_oid,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_largeobject_metadata_lomowner,
|
Anum_pg_largeobject_metadata_lomowner,
|
||||||
@ -261,6 +275,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
OpclassOidIndexId,
|
OpclassOidIndexId,
|
||||||
CLAOID,
|
CLAOID,
|
||||||
-1, /* CLAAMNAMENSP also takes opcmethod */
|
-1, /* CLAAMNAMENSP also takes opcmethod */
|
||||||
|
Anum_pg_opclass_oid,
|
||||||
Anum_pg_opclass_opcname,
|
Anum_pg_opclass_opcname,
|
||||||
Anum_pg_opclass_opcnamespace,
|
Anum_pg_opclass_opcnamespace,
|
||||||
Anum_pg_opclass_opcowner,
|
Anum_pg_opclass_opcowner,
|
||||||
@ -273,6 +288,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
OperatorOidIndexId,
|
OperatorOidIndexId,
|
||||||
OPEROID,
|
OPEROID,
|
||||||
-1, /* OPERNAMENSP also takes left and right type */
|
-1, /* OPERNAMENSP also takes left and right type */
|
||||||
|
Anum_pg_operator_oid,
|
||||||
Anum_pg_operator_oprname,
|
Anum_pg_operator_oprname,
|
||||||
Anum_pg_operator_oprnamespace,
|
Anum_pg_operator_oprnamespace,
|
||||||
Anum_pg_operator_oprowner,
|
Anum_pg_operator_oprowner,
|
||||||
@ -285,6 +301,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
OpfamilyOidIndexId,
|
OpfamilyOidIndexId,
|
||||||
OPFAMILYOID,
|
OPFAMILYOID,
|
||||||
-1, /* OPFAMILYAMNAMENSP also takes opfmethod */
|
-1, /* OPFAMILYAMNAMENSP also takes opfmethod */
|
||||||
|
Anum_pg_opfamily_oid,
|
||||||
Anum_pg_opfamily_opfname,
|
Anum_pg_opfamily_opfname,
|
||||||
Anum_pg_opfamily_opfnamespace,
|
Anum_pg_opfamily_opfnamespace,
|
||||||
Anum_pg_opfamily_opfowner,
|
Anum_pg_opfamily_opfowner,
|
||||||
@ -297,6 +314,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
AuthIdOidIndexId,
|
AuthIdOidIndexId,
|
||||||
AUTHOID,
|
AUTHOID,
|
||||||
AUTHNAME,
|
AUTHNAME,
|
||||||
|
Anum_pg_authid_oid,
|
||||||
Anum_pg_authid_rolname,
|
Anum_pg_authid_rolname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -309,6 +327,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
RewriteOidIndexId,
|
RewriteOidIndexId,
|
||||||
-1,
|
-1,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_rewrite_oid,
|
||||||
Anum_pg_rewrite_rulename,
|
Anum_pg_rewrite_rulename,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -321,6 +340,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
NamespaceOidIndexId,
|
NamespaceOidIndexId,
|
||||||
NAMESPACEOID,
|
NAMESPACEOID,
|
||||||
NAMESPACENAME,
|
NAMESPACENAME,
|
||||||
|
Anum_pg_namespace_oid,
|
||||||
Anum_pg_namespace_nspname,
|
Anum_pg_namespace_nspname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_namespace_nspowner,
|
Anum_pg_namespace_nspowner,
|
||||||
@ -333,6 +353,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
ClassOidIndexId,
|
ClassOidIndexId,
|
||||||
RELOID,
|
RELOID,
|
||||||
RELNAMENSP,
|
RELNAMENSP,
|
||||||
|
Anum_pg_class_oid,
|
||||||
Anum_pg_class_relname,
|
Anum_pg_class_relname,
|
||||||
Anum_pg_class_relnamespace,
|
Anum_pg_class_relnamespace,
|
||||||
Anum_pg_class_relowner,
|
Anum_pg_class_relowner,
|
||||||
@ -345,6 +366,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
TablespaceOidIndexId,
|
TablespaceOidIndexId,
|
||||||
TABLESPACEOID,
|
TABLESPACEOID,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_tablespace_oid,
|
||||||
Anum_pg_tablespace_spcname,
|
Anum_pg_tablespace_spcname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_tablespace_spcowner,
|
Anum_pg_tablespace_spcowner,
|
||||||
@ -356,13 +378,15 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
TransformRelationId,
|
TransformRelationId,
|
||||||
TransformOidIndexId,
|
TransformOidIndexId,
|
||||||
TRFOID,
|
TRFOID,
|
||||||
InvalidAttrNumber
|
InvalidAttrNumber,
|
||||||
|
Anum_pg_transform_oid
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
TriggerRelationId,
|
TriggerRelationId,
|
||||||
TriggerOidIndexId,
|
TriggerOidIndexId,
|
||||||
-1,
|
-1,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_trigger_oid,
|
||||||
Anum_pg_trigger_tgname,
|
Anum_pg_trigger_tgname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -375,6 +399,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
PolicyOidIndexId,
|
PolicyOidIndexId,
|
||||||
-1,
|
-1,
|
||||||
-1,
|
-1,
|
||||||
|
Anum_pg_policy_oid,
|
||||||
Anum_pg_policy_polname,
|
Anum_pg_policy_polname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -387,6 +412,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
EventTriggerOidIndexId,
|
EventTriggerOidIndexId,
|
||||||
EVENTTRIGGEROID,
|
EVENTTRIGGEROID,
|
||||||
EVENTTRIGGERNAME,
|
EVENTTRIGGERNAME,
|
||||||
|
Anum_pg_event_trigger_oid,
|
||||||
Anum_pg_event_trigger_evtname,
|
Anum_pg_event_trigger_evtname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_event_trigger_evtowner,
|
Anum_pg_event_trigger_evtowner,
|
||||||
@ -399,6 +425,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
TSConfigOidIndexId,
|
TSConfigOidIndexId,
|
||||||
TSCONFIGOID,
|
TSCONFIGOID,
|
||||||
TSCONFIGNAMENSP,
|
TSCONFIGNAMENSP,
|
||||||
|
Anum_pg_ts_config_oid,
|
||||||
Anum_pg_ts_config_cfgname,
|
Anum_pg_ts_config_cfgname,
|
||||||
Anum_pg_ts_config_cfgnamespace,
|
Anum_pg_ts_config_cfgnamespace,
|
||||||
Anum_pg_ts_config_cfgowner,
|
Anum_pg_ts_config_cfgowner,
|
||||||
@ -411,6 +438,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
TSDictionaryOidIndexId,
|
TSDictionaryOidIndexId,
|
||||||
TSDICTOID,
|
TSDICTOID,
|
||||||
TSDICTNAMENSP,
|
TSDICTNAMENSP,
|
||||||
|
Anum_pg_ts_dict_oid,
|
||||||
Anum_pg_ts_dict_dictname,
|
Anum_pg_ts_dict_dictname,
|
||||||
Anum_pg_ts_dict_dictnamespace,
|
Anum_pg_ts_dict_dictnamespace,
|
||||||
Anum_pg_ts_dict_dictowner,
|
Anum_pg_ts_dict_dictowner,
|
||||||
@ -423,6 +451,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
TSParserOidIndexId,
|
TSParserOidIndexId,
|
||||||
TSPARSEROID,
|
TSPARSEROID,
|
||||||
TSPARSERNAMENSP,
|
TSPARSERNAMENSP,
|
||||||
|
Anum_pg_ts_parser_oid,
|
||||||
Anum_pg_ts_parser_prsname,
|
Anum_pg_ts_parser_prsname,
|
||||||
Anum_pg_ts_parser_prsnamespace,
|
Anum_pg_ts_parser_prsnamespace,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -435,6 +464,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
TSTemplateOidIndexId,
|
TSTemplateOidIndexId,
|
||||||
TSTEMPLATEOID,
|
TSTEMPLATEOID,
|
||||||
TSTEMPLATENAMENSP,
|
TSTEMPLATENAMENSP,
|
||||||
|
Anum_pg_ts_template_oid,
|
||||||
Anum_pg_ts_template_tmplname,
|
Anum_pg_ts_template_tmplname,
|
||||||
Anum_pg_ts_template_tmplnamespace,
|
Anum_pg_ts_template_tmplnamespace,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
@ -447,6 +477,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
TypeOidIndexId,
|
TypeOidIndexId,
|
||||||
TYPEOID,
|
TYPEOID,
|
||||||
TYPENAMENSP,
|
TYPENAMENSP,
|
||||||
|
Anum_pg_type_oid,
|
||||||
Anum_pg_type_typname,
|
Anum_pg_type_typname,
|
||||||
Anum_pg_type_typnamespace,
|
Anum_pg_type_typnamespace,
|
||||||
Anum_pg_type_typowner,
|
Anum_pg_type_typowner,
|
||||||
@ -459,6 +490,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
PublicationObjectIndexId,
|
PublicationObjectIndexId,
|
||||||
PUBLICATIONOID,
|
PUBLICATIONOID,
|
||||||
PUBLICATIONNAME,
|
PUBLICATIONNAME,
|
||||||
|
Anum_pg_publication_oid,
|
||||||
Anum_pg_publication_pubname,
|
Anum_pg_publication_pubname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_publication_pubowner,
|
Anum_pg_publication_pubowner,
|
||||||
@ -471,6 +503,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
SubscriptionObjectIndexId,
|
SubscriptionObjectIndexId,
|
||||||
SUBSCRIPTIONOID,
|
SUBSCRIPTIONOID,
|
||||||
SUBSCRIPTIONNAME,
|
SUBSCRIPTIONNAME,
|
||||||
|
Anum_pg_subscription_oid,
|
||||||
Anum_pg_subscription_subname,
|
Anum_pg_subscription_subname,
|
||||||
InvalidAttrNumber,
|
InvalidAttrNumber,
|
||||||
Anum_pg_subscription_subowner,
|
Anum_pg_subscription_subowner,
|
||||||
@ -483,6 +516,7 @@ static const ObjectPropertyType ObjectProperty[] =
|
|||||||
StatisticExtOidIndexId,
|
StatisticExtOidIndexId,
|
||||||
STATEXTOID,
|
STATEXTOID,
|
||||||
STATEXTNAMENSP,
|
STATEXTNAMENSP,
|
||||||
|
Anum_pg_statistic_ext_oid,
|
||||||
Anum_pg_statistic_ext_stxname,
|
Anum_pg_statistic_ext_stxname,
|
||||||
Anum_pg_statistic_ext_stxnamespace,
|
Anum_pg_statistic_ext_stxnamespace,
|
||||||
Anum_pg_statistic_ext_stxowner,
|
Anum_pg_statistic_ext_stxowner,
|
||||||
@ -1459,7 +1493,11 @@ get_object_address_attrdef(ObjectType objtype, List *object,
|
|||||||
scan = systable_beginscan(attrdef, AttrDefaultIndexId, true,
|
scan = systable_beginscan(attrdef, AttrDefaultIndexId, true,
|
||||||
NULL, 2, keys);
|
NULL, 2, keys);
|
||||||
if (HeapTupleIsValid(tup = systable_getnext(scan)))
|
if (HeapTupleIsValid(tup = systable_getnext(scan)))
|
||||||
defoid = HeapTupleGetOid(tup);
|
{
|
||||||
|
Form_pg_attrdef atdform = (Form_pg_attrdef) GETSTRUCT(tup);
|
||||||
|
|
||||||
|
defoid = atdform->oid;
|
||||||
|
}
|
||||||
|
|
||||||
systable_endscan(scan);
|
systable_endscan(scan);
|
||||||
relation_close(attrdef, AccessShareLock);
|
relation_close(attrdef, AccessShareLock);
|
||||||
@ -1633,7 +1671,7 @@ get_object_address_opf_member(ObjectType objtype,
|
|||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
address.objectId = HeapTupleGetOid(tp);
|
address.objectId = ((Form_pg_amop) GETSTRUCT(tp))->oid;
|
||||||
ReleaseSysCache(tp);
|
ReleaseSysCache(tp);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1664,7 +1702,7 @@ get_object_address_opf_member(ObjectType objtype,
|
|||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
address.objectId = HeapTupleGetOid(tp);
|
address.objectId = ((Form_pg_amproc) GETSTRUCT(tp))->oid;
|
||||||
ReleaseSysCache(tp);
|
ReleaseSysCache(tp);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1711,7 +1749,7 @@ get_object_address_usermapping(List *object, bool missing_ok)
|
|||||||
username, servername)));
|
username, servername)));
|
||||||
return address;
|
return address;
|
||||||
}
|
}
|
||||||
userid = HeapTupleGetOid(tp);
|
userid = ((Form_pg_authid) GETSTRUCT(tp))->oid;
|
||||||
ReleaseSysCache(tp);
|
ReleaseSysCache(tp);
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -1738,7 +1776,7 @@ get_object_address_usermapping(List *object, bool missing_ok)
|
|||||||
return address;
|
return address;
|
||||||
}
|
}
|
||||||
|
|
||||||
address.objectId = HeapTupleGetOid(tp);
|
address.objectId = ((Form_pg_user_mapping) GETSTRUCT(tp))->oid;
|
||||||
|
|
||||||
ReleaseSysCache(tp);
|
ReleaseSysCache(tp);
|
||||||
|
|
||||||
@ -1781,7 +1819,7 @@ get_object_address_publication_rel(List *object,
|
|||||||
|
|
||||||
/* Find the publication relation mapping in syscache. */
|
/* Find the publication relation mapping in syscache. */
|
||||||
address.objectId =
|
address.objectId =
|
||||||
GetSysCacheOid2(PUBLICATIONRELMAP,
|
GetSysCacheOid2(PUBLICATIONRELMAP, Anum_pg_publication_rel_oid,
|
||||||
ObjectIdGetDatum(RelationGetRelid(relation)),
|
ObjectIdGetDatum(RelationGetRelid(relation)),
|
||||||
ObjectIdGetDatum(pub->oid));
|
ObjectIdGetDatum(pub->oid));
|
||||||
if (!OidIsValid(address.objectId))
|
if (!OidIsValid(address.objectId))
|
||||||
@ -1868,7 +1906,7 @@ get_object_address_defacl(List *object, bool missing_ok)
|
|||||||
CStringGetDatum(username));
|
CStringGetDatum(username));
|
||||||
if (!HeapTupleIsValid(tp))
|
if (!HeapTupleIsValid(tp))
|
||||||
goto not_found;
|
goto not_found;
|
||||||
userid = HeapTupleGetOid(tp);
|
userid = ((Form_pg_authid) GETSTRUCT(tp))->oid;
|
||||||
ReleaseSysCache(tp);
|
ReleaseSysCache(tp);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -1892,7 +1930,7 @@ get_object_address_defacl(List *object, bool missing_ok)
|
|||||||
if (!HeapTupleIsValid(tp))
|
if (!HeapTupleIsValid(tp))
|
||||||
goto not_found;
|
goto not_found;
|
||||||
|
|
||||||
address.objectId = HeapTupleGetOid(tp);
|
address.objectId = ((Form_pg_default_acl) GETSTRUCT(tp))->oid;
|
||||||
ReleaseSysCache(tp);
|
ReleaseSysCache(tp);
|
||||||
|
|
||||||
return address;
|
return address;
|
||||||
@ -2202,7 +2240,7 @@ pg_get_object_address(PG_FUNCTION_ARGS)
|
|||||||
if (relation)
|
if (relation)
|
||||||
relation_close(relation, AccessShareLock);
|
relation_close(relation, AccessShareLock);
|
||||||
|
|
||||||
tupdesc = CreateTemplateTupleDesc(3, false);
|
tupdesc = CreateTemplateTupleDesc(3);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "classid",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "classid",
|
||||||
OIDOID, -1, 0);
|
OIDOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "objid",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "objid",
|
||||||
@ -2510,6 +2548,14 @@ get_object_catcache_name(Oid class_id)
|
|||||||
return prop->name_catcache_id;
|
return prop->name_catcache_id;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
AttrNumber
|
||||||
|
get_object_attnum_oid(Oid class_id)
|
||||||
|
{
|
||||||
|
const ObjectPropertyType *prop = get_object_property_data(class_id);
|
||||||
|
|
||||||
|
return prop->attnum_oid;
|
||||||
|
}
|
||||||
|
|
||||||
AttrNumber
|
AttrNumber
|
||||||
get_object_attnum_name(Oid class_id)
|
get_object_attnum_name(Oid class_id)
|
||||||
{
|
{
|
||||||
@ -2625,7 +2671,7 @@ get_object_property_data(Oid class_id)
|
|||||||
* We try a syscache first, if available.
|
* We try a syscache first, if available.
|
||||||
*/
|
*/
|
||||||
HeapTuple
|
HeapTuple
|
||||||
get_catalog_object_by_oid(Relation catalog, Oid objectId)
|
get_catalog_object_by_oid(Relation catalog, AttrNumber oidcol, Oid objectId)
|
||||||
{
|
{
|
||||||
HeapTuple tuple;
|
HeapTuple tuple;
|
||||||
Oid classId = RelationGetRelid(catalog);
|
Oid classId = RelationGetRelid(catalog);
|
||||||
@ -2646,7 +2692,7 @@ get_catalog_object_by_oid(Relation catalog, Oid objectId)
|
|||||||
Assert(OidIsValid(oidIndexId));
|
Assert(OidIsValid(oidIndexId));
|
||||||
|
|
||||||
ScanKeyInit(&skey,
|
ScanKeyInit(&skey,
|
||||||
ObjectIdAttributeNumber,
|
oidcol,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(objectId));
|
ObjectIdGetDatum(objectId));
|
||||||
|
|
||||||
@ -2721,7 +2767,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
castDesc = heap_open(CastRelationId, AccessShareLock);
|
castDesc = heap_open(CastRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_cast_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -2842,7 +2888,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
attrdefDesc = heap_open(AttrDefaultRelationId, AccessShareLock);
|
attrdefDesc = heap_open(AttrDefaultRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_attrdef_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -2955,7 +3001,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
AccessShareLock);
|
AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_amop_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -3005,7 +3051,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
AccessShareLock);
|
AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_amproc_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -3054,7 +3100,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
ruleDesc = heap_open(RewriteRelationId, AccessShareLock);
|
ruleDesc = heap_open(RewriteRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_rewrite_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -3092,7 +3138,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
trigDesc = heap_open(TriggerRelationId, AccessShareLock);
|
trigDesc = heap_open(TriggerRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_trigger_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -3352,7 +3398,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
defaclrel = heap_open(DefaultAclRelationId, AccessShareLock);
|
defaclrel = heap_open(DefaultAclRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_default_acl_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -3479,7 +3525,7 @@ getObjectDescription(const ObjectAddress *object)
|
|||||||
policy_rel = heap_open(PolicyRelationId, AccessShareLock);
|
policy_rel = heap_open(PolicyRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_policy_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -3753,7 +3799,7 @@ pg_identify_object(PG_FUNCTION_ARGS)
|
|||||||
* Construct a tuple descriptor for the result row. This must match this
|
* Construct a tuple descriptor for the result row. This must match this
|
||||||
* function's pg_proc entry!
|
* function's pg_proc entry!
|
||||||
*/
|
*/
|
||||||
tupdesc = CreateTemplateTupleDesc(4, false);
|
tupdesc = CreateTemplateTupleDesc(4);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "type",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "type",
|
||||||
TEXTOID, -1, 0);
|
TEXTOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "schema",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "schema",
|
||||||
@ -3770,7 +3816,9 @@ pg_identify_object(PG_FUNCTION_ARGS)
|
|||||||
HeapTuple objtup;
|
HeapTuple objtup;
|
||||||
Relation catalog = heap_open(address.classId, AccessShareLock);
|
Relation catalog = heap_open(address.classId, AccessShareLock);
|
||||||
|
|
||||||
objtup = get_catalog_object_by_oid(catalog, address.objectId);
|
objtup = get_catalog_object_by_oid(catalog,
|
||||||
|
get_object_attnum_oid(address.classId),
|
||||||
|
address.objectId);
|
||||||
if (objtup != NULL)
|
if (objtup != NULL)
|
||||||
{
|
{
|
||||||
bool isnull;
|
bool isnull;
|
||||||
@ -3870,7 +3918,7 @@ pg_identify_object_as_address(PG_FUNCTION_ARGS)
|
|||||||
* Construct a tuple descriptor for the result row. This must match this
|
* Construct a tuple descriptor for the result row. This must match this
|
||||||
* function's pg_proc entry!
|
* function's pg_proc entry!
|
||||||
*/
|
*/
|
||||||
tupdesc = CreateTemplateTupleDesc(3, false);
|
tupdesc = CreateTemplateTupleDesc(3);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "type",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "type",
|
||||||
TEXTOID, -1, 0);
|
TEXTOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "object_names",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "object_names",
|
||||||
@ -4147,7 +4195,8 @@ getConstraintTypeDescription(StringInfo buffer, Oid constroid)
|
|||||||
Form_pg_constraint constrForm;
|
Form_pg_constraint constrForm;
|
||||||
|
|
||||||
constrRel = heap_open(ConstraintRelationId, AccessShareLock);
|
constrRel = heap_open(ConstraintRelationId, AccessShareLock);
|
||||||
constrTup = get_catalog_object_by_oid(constrRel, constroid);
|
constrTup = get_catalog_object_by_oid(constrRel, Anum_pg_constraint_oid,
|
||||||
|
constroid);
|
||||||
if (!HeapTupleIsValid(constrTup))
|
if (!HeapTupleIsValid(constrTup))
|
||||||
elog(ERROR, "cache lookup failed for constraint %u", constroid);
|
elog(ERROR, "cache lookup failed for constraint %u", constroid);
|
||||||
|
|
||||||
@ -4158,7 +4207,7 @@ getConstraintTypeDescription(StringInfo buffer, Oid constroid)
|
|||||||
else if (OidIsValid(constrForm->contypid))
|
else if (OidIsValid(constrForm->contypid))
|
||||||
appendStringInfoString(buffer, "domain constraint");
|
appendStringInfoString(buffer, "domain constraint");
|
||||||
else
|
else
|
||||||
elog(ERROR, "invalid constraint %u", HeapTupleGetOid(constrTup));
|
elog(ERROR, "invalid constraint %u", constrForm->oid);
|
||||||
|
|
||||||
heap_close(constrRel, AccessShareLock);
|
heap_close(constrRel, AccessShareLock);
|
||||||
}
|
}
|
||||||
@ -4271,7 +4320,8 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
|
|
||||||
castRel = heap_open(CastRelationId, AccessShareLock);
|
castRel = heap_open(CastRelationId, AccessShareLock);
|
||||||
|
|
||||||
tup = get_catalog_object_by_oid(castRel, object->objectId);
|
tup = get_catalog_object_by_oid(castRel, Anum_pg_cast_oid,
|
||||||
|
object->objectId);
|
||||||
|
|
||||||
if (!HeapTupleIsValid(tup))
|
if (!HeapTupleIsValid(tup))
|
||||||
elog(ERROR, "could not find tuple for cast %u",
|
elog(ERROR, "could not find tuple for cast %u",
|
||||||
@ -4393,7 +4443,7 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
attrdefDesc = heap_open(AttrDefaultRelationId, AccessShareLock);
|
attrdefDesc = heap_open(AttrDefaultRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_attrdef_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -4523,7 +4573,7 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
AccessShareLock);
|
AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_amop_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -4577,7 +4627,7 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
AccessShareLock);
|
AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_amproc_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -4624,7 +4674,8 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
|
|
||||||
ruleDesc = heap_open(RewriteRelationId, AccessShareLock);
|
ruleDesc = heap_open(RewriteRelationId, AccessShareLock);
|
||||||
|
|
||||||
tup = get_catalog_object_by_oid(ruleDesc, object->objectId);
|
tup = get_catalog_object_by_oid(ruleDesc, Anum_pg_rewrite_oid,
|
||||||
|
object->objectId);
|
||||||
|
|
||||||
if (!HeapTupleIsValid(tup))
|
if (!HeapTupleIsValid(tup))
|
||||||
elog(ERROR, "could not find tuple for rule %u",
|
elog(ERROR, "could not find tuple for rule %u",
|
||||||
@ -4650,7 +4701,8 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
|
|
||||||
trigDesc = heap_open(TriggerRelationId, AccessShareLock);
|
trigDesc = heap_open(TriggerRelationId, AccessShareLock);
|
||||||
|
|
||||||
tup = get_catalog_object_by_oid(trigDesc, object->objectId);
|
tup = get_catalog_object_by_oid(trigDesc, Anum_pg_trigger_oid,
|
||||||
|
object->objectId);
|
||||||
|
|
||||||
if (!HeapTupleIsValid(tup))
|
if (!HeapTupleIsValid(tup))
|
||||||
elog(ERROR, "could not find tuple for trigger %u",
|
elog(ERROR, "could not find tuple for trigger %u",
|
||||||
@ -4912,7 +4964,7 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
defaclrel = heap_open(DefaultAclRelationId, AccessShareLock);
|
defaclrel = heap_open(DefaultAclRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_default_acl_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(object->objectId));
|
ObjectIdGetDatum(object->objectId));
|
||||||
|
|
||||||
@ -5022,7 +5074,8 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
|
|
||||||
polDesc = heap_open(PolicyRelationId, AccessShareLock);
|
polDesc = heap_open(PolicyRelationId, AccessShareLock);
|
||||||
|
|
||||||
tup = get_catalog_object_by_oid(polDesc, object->objectId);
|
tup = get_catalog_object_by_oid(polDesc, Anum_pg_policy_oid,
|
||||||
|
object->objectId);
|
||||||
|
|
||||||
if (!HeapTupleIsValid(tup))
|
if (!HeapTupleIsValid(tup))
|
||||||
elog(ERROR, "could not find tuple for policy %u",
|
elog(ERROR, "could not find tuple for policy %u",
|
||||||
@ -5099,7 +5152,9 @@ getObjectIdentityParts(const ObjectAddress *object,
|
|||||||
|
|
||||||
transformDesc = heap_open(TransformRelationId, AccessShareLock);
|
transformDesc = heap_open(TransformRelationId, AccessShareLock);
|
||||||
|
|
||||||
tup = get_catalog_object_by_oid(transformDesc, object->objectId);
|
tup = get_catalog_object_by_oid(transformDesc,
|
||||||
|
Anum_pg_transform_oid,
|
||||||
|
object->objectId);
|
||||||
|
|
||||||
if (!HeapTupleIsValid(tup))
|
if (!HeapTupleIsValid(tup))
|
||||||
elog(ERROR, "could not find tuple for transform %u",
|
elog(ERROR, "could not find tuple for transform %u",
|
||||||
|
@ -639,6 +639,8 @@ AggregateCreate(const char *aggName,
|
|||||||
/*
|
/*
|
||||||
* Okay to create the pg_aggregate entry.
|
* Okay to create the pg_aggregate entry.
|
||||||
*/
|
*/
|
||||||
|
aggdesc = heap_open(AggregateRelationId, RowExclusiveLock);
|
||||||
|
tupDesc = aggdesc->rd_att;
|
||||||
|
|
||||||
/* initialize nulls and values */
|
/* initialize nulls and values */
|
||||||
for (i = 0; i < Natts_pg_aggregate; i++)
|
for (i = 0; i < Natts_pg_aggregate; i++)
|
||||||
@ -675,9 +677,6 @@ AggregateCreate(const char *aggName,
|
|||||||
else
|
else
|
||||||
nulls[Anum_pg_aggregate_aggminitval - 1] = true;
|
nulls[Anum_pg_aggregate_aggminitval - 1] = true;
|
||||||
|
|
||||||
aggdesc = heap_open(AggregateRelationId, RowExclusiveLock);
|
|
||||||
tupDesc = aggdesc->rd_att;
|
|
||||||
|
|
||||||
tup = heap_form_tuple(tupDesc, values, nulls);
|
tup = heap_form_tuple(tupDesc, values, nulls);
|
||||||
CatalogTupleInsert(aggdesc, tup);
|
CatalogTupleInsert(aggdesc, tup);
|
||||||
|
|
||||||
|
@ -18,6 +18,7 @@
|
|||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -153,6 +154,9 @@ CollationCreate(const char *collname, Oid collnamespace,
|
|||||||
memset(nulls, 0, sizeof(nulls));
|
memset(nulls, 0, sizeof(nulls));
|
||||||
|
|
||||||
namestrcpy(&name_name, collname);
|
namestrcpy(&name_name, collname);
|
||||||
|
oid = GetNewOidWithIndex(rel, CollationOidIndexId,
|
||||||
|
Anum_pg_collation_oid);
|
||||||
|
values[Anum_pg_collation_oid - 1] = ObjectIdGetDatum(oid);
|
||||||
values[Anum_pg_collation_collname - 1] = NameGetDatum(&name_name);
|
values[Anum_pg_collation_collname - 1] = NameGetDatum(&name_name);
|
||||||
values[Anum_pg_collation_collnamespace - 1] = ObjectIdGetDatum(collnamespace);
|
values[Anum_pg_collation_collnamespace - 1] = ObjectIdGetDatum(collnamespace);
|
||||||
values[Anum_pg_collation_collowner - 1] = ObjectIdGetDatum(collowner);
|
values[Anum_pg_collation_collowner - 1] = ObjectIdGetDatum(collowner);
|
||||||
@ -170,7 +174,7 @@ CollationCreate(const char *collname, Oid collnamespace,
|
|||||||
tup = heap_form_tuple(tupDesc, values, nulls);
|
tup = heap_form_tuple(tupDesc, values, nulls);
|
||||||
|
|
||||||
/* insert a new tuple */
|
/* insert a new tuple */
|
||||||
oid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
Assert(OidIsValid(oid));
|
Assert(OidIsValid(oid));
|
||||||
|
|
||||||
/* set up dependencies for the new collation */
|
/* set up dependencies for the new collation */
|
||||||
@ -185,8 +189,7 @@ CollationCreate(const char *collname, Oid collnamespace,
|
|||||||
recordDependencyOn(&myself, &referenced, DEPENDENCY_NORMAL);
|
recordDependencyOn(&myself, &referenced, DEPENDENCY_NORMAL);
|
||||||
|
|
||||||
/* create dependency on owner */
|
/* create dependency on owner */
|
||||||
recordDependencyOnOwner(CollationRelationId, HeapTupleGetOid(tup),
|
recordDependencyOnOwner(CollationRelationId, oid, collowner);
|
||||||
collowner);
|
|
||||||
|
|
||||||
/* dependency on extension */
|
/* dependency on extension */
|
||||||
recordDependencyOnCurrentExtension(&myself, false);
|
recordDependencyOnCurrentExtension(&myself, false);
|
||||||
@ -217,7 +220,7 @@ RemoveCollationById(Oid collationOid)
|
|||||||
rel = heap_open(CollationRelationId, RowExclusiveLock);
|
rel = heap_open(CollationRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&scanKeyData,
|
ScanKeyInit(&scanKeyData,
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_collation_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(collationOid));
|
ObjectIdGetDatum(collationOid));
|
||||||
|
|
||||||
|
@ -20,6 +20,7 @@
|
|||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
#include "access/tupconvert.h"
|
#include "access/tupconvert.h"
|
||||||
#include "access/xact.h"
|
#include "access/xact.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -169,6 +170,9 @@ CreateConstraintEntry(const char *constraintName,
|
|||||||
values[i] = (Datum) NULL;
|
values[i] = (Datum) NULL;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
conOid = GetNewOidWithIndex(conDesc, ConstraintOidIndexId,
|
||||||
|
Anum_pg_constraint_oid);
|
||||||
|
values[Anum_pg_constraint_oid - 1] = ObjectIdGetDatum(conOid);
|
||||||
values[Anum_pg_constraint_conname - 1] = NameGetDatum(&cname);
|
values[Anum_pg_constraint_conname - 1] = NameGetDatum(&cname);
|
||||||
values[Anum_pg_constraint_connamespace - 1] = ObjectIdGetDatum(constraintNamespace);
|
values[Anum_pg_constraint_connamespace - 1] = ObjectIdGetDatum(constraintNamespace);
|
||||||
values[Anum_pg_constraint_contype - 1] = CharGetDatum(constraintType);
|
values[Anum_pg_constraint_contype - 1] = CharGetDatum(constraintType);
|
||||||
@ -224,7 +228,7 @@ CreateConstraintEntry(const char *constraintName,
|
|||||||
|
|
||||||
tup = heap_form_tuple(RelationGetDescr(conDesc), values, nulls);
|
tup = heap_form_tuple(RelationGetDescr(conDesc), values, nulls);
|
||||||
|
|
||||||
conOid = CatalogTupleInsert(conDesc, tup);
|
CatalogTupleInsert(conDesc, tup);
|
||||||
|
|
||||||
conobject.classId = ConstraintRelationId;
|
conobject.classId = ConstraintRelationId;
|
||||||
conobject.objectId = conOid;
|
conobject.objectId = conOid;
|
||||||
@ -408,7 +412,11 @@ CloneForeignKeyConstraints(Oid parentId, Oid relationId, List **cloned)
|
|||||||
scan = systable_beginscan(pg_constraint, ConstraintRelidTypidNameIndexId, true,
|
scan = systable_beginscan(pg_constraint, ConstraintRelidTypidNameIndexId, true,
|
||||||
NULL, 1, &key);
|
NULL, 1, &key);
|
||||||
while ((tuple = systable_getnext(scan)) != NULL)
|
while ((tuple = systable_getnext(scan)) != NULL)
|
||||||
clone = lappend_oid(clone, HeapTupleGetOid(tuple));
|
{
|
||||||
|
Oid oid = ((Form_pg_constraint) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
|
clone = lappend_oid(clone, oid);
|
||||||
|
}
|
||||||
systable_endscan(scan);
|
systable_endscan(scan);
|
||||||
|
|
||||||
/* Do the actual work, recursing to partitions as needed */
|
/* Do the actual work, recursing to partitions as needed */
|
||||||
@ -647,8 +655,7 @@ clone_fk_constraints(Relation pg_constraint, Relation parentRel,
|
|||||||
ReleaseSysCache(partcontup);
|
ReleaseSysCache(partcontup);
|
||||||
|
|
||||||
/* looks good! Attach this constraint */
|
/* looks good! Attach this constraint */
|
||||||
ConstraintSetParentConstraint(fk->conoid,
|
ConstraintSetParentConstraint(fk->conoid, constrForm->oid);
|
||||||
HeapTupleGetOid(tuple));
|
|
||||||
CommandCounterIncrement();
|
CommandCounterIncrement();
|
||||||
attach_it = true;
|
attach_it = true;
|
||||||
break;
|
break;
|
||||||
@ -672,7 +679,7 @@ clone_fk_constraints(Relation pg_constraint, Relation parentRel,
|
|||||||
constrForm->condeferrable,
|
constrForm->condeferrable,
|
||||||
constrForm->condeferred,
|
constrForm->condeferred,
|
||||||
constrForm->convalidated,
|
constrForm->convalidated,
|
||||||
HeapTupleGetOid(tuple),
|
constrForm->oid,
|
||||||
RelationGetRelid(partRel),
|
RelationGetRelid(partRel),
|
||||||
mapped_conkey,
|
mapped_conkey,
|
||||||
nelem,
|
nelem,
|
||||||
@ -1111,7 +1118,7 @@ AlterConstraintNamespaces(Oid ownerId, Oid oldNspId,
|
|||||||
ObjectAddress thisobj;
|
ObjectAddress thisobj;
|
||||||
|
|
||||||
thisobj.classId = ConstraintRelationId;
|
thisobj.classId = ConstraintRelationId;
|
||||||
thisobj.objectId = HeapTupleGetOid(tup);
|
thisobj.objectId = conform->oid;
|
||||||
thisobj.objectSubId = 0;
|
thisobj.objectSubId = 0;
|
||||||
|
|
||||||
if (object_address_present(&thisobj, objsMoved))
|
if (object_address_present(&thisobj, objsMoved))
|
||||||
@ -1232,7 +1239,7 @@ get_relation_constraint_oid(Oid relid, const char *conname, bool missing_ok)
|
|||||||
|
|
||||||
/* There can be at most one matching row */
|
/* There can be at most one matching row */
|
||||||
if (HeapTupleIsValid(tuple = systable_getnext(scan)))
|
if (HeapTupleIsValid(tuple = systable_getnext(scan)))
|
||||||
conOid = HeapTupleGetOid(tuple);
|
conOid = ((Form_pg_constraint) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
systable_endscan(scan);
|
systable_endscan(scan);
|
||||||
|
|
||||||
@ -1297,7 +1304,7 @@ get_relation_constraint_attnos(Oid relid, const char *conname,
|
|||||||
Datum adatum;
|
Datum adatum;
|
||||||
bool isNull;
|
bool isNull;
|
||||||
|
|
||||||
*constraintOid = HeapTupleGetOid(tuple);
|
*constraintOid = ((Form_pg_constraint) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
/* Extract the conkey array, ie, attnums of constrained columns */
|
/* Extract the conkey array, ie, attnums of constrained columns */
|
||||||
adatum = heap_getattr(tuple, Anum_pg_constraint_conkey,
|
adatum = heap_getattr(tuple, Anum_pg_constraint_conkey,
|
||||||
@ -1370,7 +1377,7 @@ get_relation_idx_constraint_oid(Oid relationId, Oid indexId)
|
|||||||
constrForm = (Form_pg_constraint) GETSTRUCT(tuple);
|
constrForm = (Form_pg_constraint) GETSTRUCT(tuple);
|
||||||
if (constrForm->conindid == indexId)
|
if (constrForm->conindid == indexId)
|
||||||
{
|
{
|
||||||
constraintId = HeapTupleGetOid(tuple);
|
constraintId = constrForm->oid;
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1414,7 +1421,7 @@ get_domain_constraint_oid(Oid typid, const char *conname, bool missing_ok)
|
|||||||
|
|
||||||
/* There can be at most one matching row */
|
/* There can be at most one matching row */
|
||||||
if (HeapTupleIsValid(tuple = systable_getnext(scan)))
|
if (HeapTupleIsValid(tuple = systable_getnext(scan)))
|
||||||
conOid = HeapTupleGetOid(tuple);
|
conOid = ((Form_pg_constraint) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
systable_endscan(scan);
|
systable_endscan(scan);
|
||||||
|
|
||||||
@ -1494,7 +1501,7 @@ get_primary_key_attnos(Oid relid, bool deferrableOk, Oid *constraintOid)
|
|||||||
RelationGetDescr(pg_constraint), &isNull);
|
RelationGetDescr(pg_constraint), &isNull);
|
||||||
if (isNull)
|
if (isNull)
|
||||||
elog(ERROR, "null conkey for constraint %u",
|
elog(ERROR, "null conkey for constraint %u",
|
||||||
HeapTupleGetOid(tuple));
|
((Form_pg_constraint) GETSTRUCT(tuple))->oid);
|
||||||
arr = DatumGetArrayTypeP(adatum); /* ensure not toasted */
|
arr = DatumGetArrayTypeP(adatum); /* ensure not toasted */
|
||||||
numkeys = ARR_DIMS(arr)[0];
|
numkeys = ARR_DIMS(arr)[0];
|
||||||
if (ARR_NDIM(arr) != 1 ||
|
if (ARR_NDIM(arr) != 1 ||
|
||||||
@ -1510,7 +1517,7 @@ get_primary_key_attnos(Oid relid, bool deferrableOk, Oid *constraintOid)
|
|||||||
pkattnos = bms_add_member(pkattnos,
|
pkattnos = bms_add_member(pkattnos,
|
||||||
attnums[i] - FirstLowInvalidHeapAttributeNumber);
|
attnums[i] - FirstLowInvalidHeapAttributeNumber);
|
||||||
}
|
}
|
||||||
*constraintOid = HeapTupleGetOid(tuple);
|
*constraintOid = ((Form_pg_constraint) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
/* No need to search further */
|
/* No need to search further */
|
||||||
break;
|
break;
|
||||||
|
@ -17,6 +17,7 @@
|
|||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -46,6 +47,7 @@ ConversionCreate(const char *conname, Oid connamespace,
|
|||||||
Relation rel;
|
Relation rel;
|
||||||
TupleDesc tupDesc;
|
TupleDesc tupDesc;
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
|
Oid oid;
|
||||||
bool nulls[Natts_pg_conversion];
|
bool nulls[Natts_pg_conversion];
|
||||||
Datum values[Natts_pg_conversion];
|
Datum values[Natts_pg_conversion];
|
||||||
NameData cname;
|
NameData cname;
|
||||||
@ -93,6 +95,9 @@ ConversionCreate(const char *conname, Oid connamespace,
|
|||||||
|
|
||||||
/* form a tuple */
|
/* form a tuple */
|
||||||
namestrcpy(&cname, conname);
|
namestrcpy(&cname, conname);
|
||||||
|
oid = GetNewOidWithIndex(rel, ConversionOidIndexId,
|
||||||
|
Anum_pg_conversion_oid);
|
||||||
|
values[Anum_pg_conversion_oid - 1] = ObjectIdGetDatum(oid);
|
||||||
values[Anum_pg_conversion_conname - 1] = NameGetDatum(&cname);
|
values[Anum_pg_conversion_conname - 1] = NameGetDatum(&cname);
|
||||||
values[Anum_pg_conversion_connamespace - 1] = ObjectIdGetDatum(connamespace);
|
values[Anum_pg_conversion_connamespace - 1] = ObjectIdGetDatum(connamespace);
|
||||||
values[Anum_pg_conversion_conowner - 1] = ObjectIdGetDatum(conowner);
|
values[Anum_pg_conversion_conowner - 1] = ObjectIdGetDatum(conowner);
|
||||||
@ -107,7 +112,7 @@ ConversionCreate(const char *conname, Oid connamespace,
|
|||||||
CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
|
|
||||||
myself.classId = ConversionRelationId;
|
myself.classId = ConversionRelationId;
|
||||||
myself.objectId = HeapTupleGetOid(tup);
|
myself.objectId = oid;
|
||||||
myself.objectSubId = 0;
|
myself.objectSubId = 0;
|
||||||
|
|
||||||
/* create dependency on conversion procedure */
|
/* create dependency on conversion procedure */
|
||||||
@ -123,14 +128,13 @@ ConversionCreate(const char *conname, Oid connamespace,
|
|||||||
recordDependencyOn(&myself, &referenced, DEPENDENCY_NORMAL);
|
recordDependencyOn(&myself, &referenced, DEPENDENCY_NORMAL);
|
||||||
|
|
||||||
/* create dependency on owner */
|
/* create dependency on owner */
|
||||||
recordDependencyOnOwner(ConversionRelationId, HeapTupleGetOid(tup),
|
recordDependencyOnOwner(ConversionRelationId, oid, conowner);
|
||||||
conowner);
|
|
||||||
|
|
||||||
/* dependency on extension */
|
/* dependency on extension */
|
||||||
recordDependencyOnCurrentExtension(&myself, false);
|
recordDependencyOnCurrentExtension(&myself, false);
|
||||||
|
|
||||||
/* Post creation hook for new conversion */
|
/* Post creation hook for new conversion */
|
||||||
InvokeObjectPostCreateHook(ConversionRelationId, HeapTupleGetOid(tup), 0);
|
InvokeObjectPostCreateHook(ConversionRelationId, oid, 0);
|
||||||
|
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
heap_close(rel, RowExclusiveLock);
|
heap_close(rel, RowExclusiveLock);
|
||||||
@ -153,7 +157,7 @@ RemoveConversionById(Oid conversionOid)
|
|||||||
ScanKeyData scanKeyData;
|
ScanKeyData scanKeyData;
|
||||||
|
|
||||||
ScanKeyInit(&scanKeyData,
|
ScanKeyInit(&scanKeyData,
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_conversion_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(conversionOid));
|
ObjectIdGetDatum(conversionOid));
|
||||||
|
|
||||||
|
@ -102,7 +102,8 @@ EnumValuesCreate(Oid enumTypeOid, List *vals)
|
|||||||
|
|
||||||
do
|
do
|
||||||
{
|
{
|
||||||
new_oid = GetNewOid(pg_enum);
|
new_oid = GetNewOidWithIndex(pg_enum, EnumOidIndexId,
|
||||||
|
Anum_pg_enum_oid);
|
||||||
} while (new_oid & 1);
|
} while (new_oid & 1);
|
||||||
oids[elemno] = new_oid;
|
oids[elemno] = new_oid;
|
||||||
}
|
}
|
||||||
@ -129,13 +130,13 @@ EnumValuesCreate(Oid enumTypeOid, List *vals)
|
|||||||
errdetail("Labels must be %d characters or less.",
|
errdetail("Labels must be %d characters or less.",
|
||||||
NAMEDATALEN - 1)));
|
NAMEDATALEN - 1)));
|
||||||
|
|
||||||
|
values[Anum_pg_enum_oid - 1] = ObjectIdGetDatum(oids[elemno]);
|
||||||
values[Anum_pg_enum_enumtypid - 1] = ObjectIdGetDatum(enumTypeOid);
|
values[Anum_pg_enum_enumtypid - 1] = ObjectIdGetDatum(enumTypeOid);
|
||||||
values[Anum_pg_enum_enumsortorder - 1] = Float4GetDatum(elemno + 1);
|
values[Anum_pg_enum_enumsortorder - 1] = Float4GetDatum(elemno + 1);
|
||||||
namestrcpy(&enumlabel, lab);
|
namestrcpy(&enumlabel, lab);
|
||||||
values[Anum_pg_enum_enumlabel - 1] = NameGetDatum(&enumlabel);
|
values[Anum_pg_enum_enumlabel - 1] = NameGetDatum(&enumlabel);
|
||||||
|
|
||||||
tup = heap_form_tuple(RelationGetDescr(pg_enum), values, nulls);
|
tup = heap_form_tuple(RelationGetDescr(pg_enum), values, nulls);
|
||||||
HeapTupleSetOid(tup, oids[elemno]);
|
|
||||||
|
|
||||||
CatalogTupleInsert(pg_enum, tup);
|
CatalogTupleInsert(pg_enum, tup);
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
@ -406,7 +407,8 @@ restart:
|
|||||||
bool sorts_ok;
|
bool sorts_ok;
|
||||||
|
|
||||||
/* Get a new OID (different from all existing pg_enum tuples) */
|
/* Get a new OID (different from all existing pg_enum tuples) */
|
||||||
newOid = GetNewOid(pg_enum);
|
newOid = GetNewOidWithIndex(pg_enum, EnumOidIndexId,
|
||||||
|
Anum_pg_enum_oid);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Detect whether it sorts correctly relative to existing
|
* Detect whether it sorts correctly relative to existing
|
||||||
@ -419,7 +421,7 @@ restart:
|
|||||||
{
|
{
|
||||||
HeapTuple exists_tup = existing[i];
|
HeapTuple exists_tup = existing[i];
|
||||||
Form_pg_enum exists_en = (Form_pg_enum) GETSTRUCT(exists_tup);
|
Form_pg_enum exists_en = (Form_pg_enum) GETSTRUCT(exists_tup);
|
||||||
Oid exists_oid = HeapTupleGetOid(exists_tup);
|
Oid exists_oid = exists_en->oid;
|
||||||
|
|
||||||
if (exists_oid & 1)
|
if (exists_oid & 1)
|
||||||
continue; /* ignore odd Oids */
|
continue; /* ignore odd Oids */
|
||||||
@ -480,12 +482,12 @@ restart:
|
|||||||
|
|
||||||
/* Create the new pg_enum entry */
|
/* Create the new pg_enum entry */
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
values[Anum_pg_enum_oid - 1] = ObjectIdGetDatum(newOid);
|
||||||
values[Anum_pg_enum_enumtypid - 1] = ObjectIdGetDatum(enumTypeOid);
|
values[Anum_pg_enum_enumtypid - 1] = ObjectIdGetDatum(enumTypeOid);
|
||||||
values[Anum_pg_enum_enumsortorder - 1] = Float4GetDatum(newelemorder);
|
values[Anum_pg_enum_enumsortorder - 1] = Float4GetDatum(newelemorder);
|
||||||
namestrcpy(&enumlabel, newVal);
|
namestrcpy(&enumlabel, newVal);
|
||||||
values[Anum_pg_enum_enumlabel - 1] = NameGetDatum(&enumlabel);
|
values[Anum_pg_enum_enumlabel - 1] = NameGetDatum(&enumlabel);
|
||||||
enum_tup = heap_form_tuple(RelationGetDescr(pg_enum), values, nulls);
|
enum_tup = heap_form_tuple(RelationGetDescr(pg_enum), values, nulls);
|
||||||
HeapTupleSetOid(enum_tup, newOid);
|
|
||||||
CatalogTupleInsert(pg_enum, enum_tup);
|
CatalogTupleInsert(pg_enum, enum_tup);
|
||||||
heap_freetuple(enum_tup);
|
heap_freetuple(enum_tup);
|
||||||
|
|
||||||
|
@ -18,6 +18,7 @@
|
|||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/pg_largeobject.h"
|
#include "catalog/pg_largeobject.h"
|
||||||
@ -54,17 +55,22 @@ LargeObjectCreate(Oid loid)
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
if (OidIsValid(loid))
|
||||||
|
loid_new = loid;
|
||||||
|
else
|
||||||
|
loid_new = GetNewOidWithIndex(pg_lo_meta,
|
||||||
|
LargeObjectMetadataOidIndexId,
|
||||||
|
Anum_pg_largeobject_metadata_oid);
|
||||||
|
|
||||||
|
values[Anum_pg_largeobject_metadata_oid - 1] = ObjectIdGetDatum(loid_new);
|
||||||
values[Anum_pg_largeobject_metadata_lomowner - 1]
|
values[Anum_pg_largeobject_metadata_lomowner - 1]
|
||||||
= ObjectIdGetDatum(GetUserId());
|
= ObjectIdGetDatum(GetUserId());
|
||||||
nulls[Anum_pg_largeobject_metadata_lomacl - 1] = true;
|
nulls[Anum_pg_largeobject_metadata_lomacl - 1] = true;
|
||||||
|
|
||||||
ntup = heap_form_tuple(RelationGetDescr(pg_lo_meta),
|
ntup = heap_form_tuple(RelationGetDescr(pg_lo_meta),
|
||||||
values, nulls);
|
values, nulls);
|
||||||
if (OidIsValid(loid))
|
|
||||||
HeapTupleSetOid(ntup, loid);
|
|
||||||
|
|
||||||
loid_new = CatalogTupleInsert(pg_lo_meta, ntup);
|
CatalogTupleInsert(pg_lo_meta, ntup);
|
||||||
Assert(!OidIsValid(loid) || loid == loid_new);
|
|
||||||
|
|
||||||
heap_freetuple(ntup);
|
heap_freetuple(ntup);
|
||||||
|
|
||||||
@ -96,7 +102,7 @@ LargeObjectDrop(Oid loid)
|
|||||||
* Delete an entry from pg_largeobject_metadata
|
* Delete an entry from pg_largeobject_metadata
|
||||||
*/
|
*/
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_largeobject_metadata_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(loid));
|
ObjectIdGetDatum(loid));
|
||||||
|
|
||||||
@ -159,7 +165,7 @@ LargeObjectExists(Oid loid)
|
|||||||
bool retval = false;
|
bool retval = false;
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_largeobject_metadata_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(loid));
|
ObjectIdGetDatum(loid));
|
||||||
|
|
||||||
|
@ -16,6 +16,7 @@
|
|||||||
|
|
||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -68,12 +69,19 @@ NamespaceCreate(const char *nspName, Oid ownerId, bool isTemp)
|
|||||||
else
|
else
|
||||||
nspacl = NULL;
|
nspacl = NULL;
|
||||||
|
|
||||||
|
nspdesc = heap_open(NamespaceRelationId, RowExclusiveLock);
|
||||||
|
tupDesc = nspdesc->rd_att;
|
||||||
|
|
||||||
/* initialize nulls and values */
|
/* initialize nulls and values */
|
||||||
for (i = 0; i < Natts_pg_namespace; i++)
|
for (i = 0; i < Natts_pg_namespace; i++)
|
||||||
{
|
{
|
||||||
nulls[i] = false;
|
nulls[i] = false;
|
||||||
values[i] = (Datum) NULL;
|
values[i] = (Datum) NULL;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
nspoid = GetNewOidWithIndex(nspdesc, NamespaceOidIndexId,
|
||||||
|
Anum_pg_namespace_oid);
|
||||||
|
values[Anum_pg_namespace_oid - 1] = ObjectIdGetDatum(nspoid);
|
||||||
namestrcpy(&nname, nspName);
|
namestrcpy(&nname, nspName);
|
||||||
values[Anum_pg_namespace_nspname - 1] = NameGetDatum(&nname);
|
values[Anum_pg_namespace_nspname - 1] = NameGetDatum(&nname);
|
||||||
values[Anum_pg_namespace_nspowner - 1] = ObjectIdGetDatum(ownerId);
|
values[Anum_pg_namespace_nspowner - 1] = ObjectIdGetDatum(ownerId);
|
||||||
@ -82,12 +90,10 @@ NamespaceCreate(const char *nspName, Oid ownerId, bool isTemp)
|
|||||||
else
|
else
|
||||||
nulls[Anum_pg_namespace_nspacl - 1] = true;
|
nulls[Anum_pg_namespace_nspacl - 1] = true;
|
||||||
|
|
||||||
nspdesc = heap_open(NamespaceRelationId, RowExclusiveLock);
|
|
||||||
tupDesc = nspdesc->rd_att;
|
|
||||||
|
|
||||||
tup = heap_form_tuple(tupDesc, values, nulls);
|
tup = heap_form_tuple(tupDesc, values, nulls);
|
||||||
|
|
||||||
nspoid = CatalogTupleInsert(nspdesc, tup);
|
CatalogTupleInsert(nspdesc, tup);
|
||||||
Assert(OidIsValid(nspoid));
|
Assert(OidIsValid(nspoid));
|
||||||
|
|
||||||
heap_close(nspdesc, RowExclusiveLock);
|
heap_close(nspdesc, RowExclusiveLock);
|
||||||
|
@ -20,6 +20,7 @@
|
|||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/xact.h"
|
#include "access/xact.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/namespace.h"
|
#include "catalog/namespace.h"
|
||||||
@ -142,10 +143,10 @@ OperatorGet(const char *operatorName,
|
|||||||
ObjectIdGetDatum(operatorNamespace));
|
ObjectIdGetDatum(operatorNamespace));
|
||||||
if (HeapTupleIsValid(tup))
|
if (HeapTupleIsValid(tup))
|
||||||
{
|
{
|
||||||
RegProcedure oprcode = ((Form_pg_operator) GETSTRUCT(tup))->oprcode;
|
Form_pg_operator oprform = (Form_pg_operator) GETSTRUCT(tup);
|
||||||
|
|
||||||
operatorObjectId = HeapTupleGetOid(tup);
|
operatorObjectId = oprform->oid;
|
||||||
*defined = RegProcedureIsValid(oprcode);
|
*defined = RegProcedureIsValid(oprform->oprcode);
|
||||||
ReleaseSysCache(tup);
|
ReleaseSysCache(tup);
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
@ -218,6 +219,12 @@ OperatorShellMake(const char *operatorName,
|
|||||||
errmsg("\"%s\" is not a valid operator name",
|
errmsg("\"%s\" is not a valid operator name",
|
||||||
operatorName)));
|
operatorName)));
|
||||||
|
|
||||||
|
/*
|
||||||
|
* open pg_operator
|
||||||
|
*/
|
||||||
|
pg_operator_desc = heap_open(OperatorRelationId, RowExclusiveLock);
|
||||||
|
tupDesc = pg_operator_desc->rd_att;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* initialize our *nulls and *values arrays
|
* initialize our *nulls and *values arrays
|
||||||
*/
|
*/
|
||||||
@ -231,6 +238,9 @@ OperatorShellMake(const char *operatorName,
|
|||||||
* initialize values[] with the operator name and input data types. Note
|
* initialize values[] with the operator name and input data types. Note
|
||||||
* that oprcode is set to InvalidOid, indicating it's a shell.
|
* that oprcode is set to InvalidOid, indicating it's a shell.
|
||||||
*/
|
*/
|
||||||
|
operatorObjectId = GetNewOidWithIndex(pg_operator_desc, OperatorOidIndexId,
|
||||||
|
Anum_pg_operator_oid);
|
||||||
|
values[Anum_pg_operator_oid - 1] = ObjectIdGetDatum(operatorObjectId);
|
||||||
namestrcpy(&oname, operatorName);
|
namestrcpy(&oname, operatorName);
|
||||||
values[Anum_pg_operator_oprname - 1] = NameGetDatum(&oname);
|
values[Anum_pg_operator_oprname - 1] = NameGetDatum(&oname);
|
||||||
values[Anum_pg_operator_oprnamespace - 1] = ObjectIdGetDatum(operatorNamespace);
|
values[Anum_pg_operator_oprnamespace - 1] = ObjectIdGetDatum(operatorNamespace);
|
||||||
@ -247,12 +257,6 @@ OperatorShellMake(const char *operatorName,
|
|||||||
values[Anum_pg_operator_oprrest - 1] = ObjectIdGetDatum(InvalidOid);
|
values[Anum_pg_operator_oprrest - 1] = ObjectIdGetDatum(InvalidOid);
|
||||||
values[Anum_pg_operator_oprjoin - 1] = ObjectIdGetDatum(InvalidOid);
|
values[Anum_pg_operator_oprjoin - 1] = ObjectIdGetDatum(InvalidOid);
|
||||||
|
|
||||||
/*
|
|
||||||
* open pg_operator
|
|
||||||
*/
|
|
||||||
pg_operator_desc = heap_open(OperatorRelationId, RowExclusiveLock);
|
|
||||||
tupDesc = pg_operator_desc->rd_att;
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* create a new operator tuple
|
* create a new operator tuple
|
||||||
*/
|
*/
|
||||||
@ -261,7 +265,7 @@ OperatorShellMake(const char *operatorName,
|
|||||||
/*
|
/*
|
||||||
* insert our "shell" operator tuple
|
* insert our "shell" operator tuple
|
||||||
*/
|
*/
|
||||||
operatorObjectId = CatalogTupleInsert(pg_operator_desc, tup);
|
CatalogTupleInsert(pg_operator_desc, tup);
|
||||||
|
|
||||||
/* Add dependencies for the entry */
|
/* Add dependencies for the entry */
|
||||||
makeOperatorDependencies(tup, false);
|
makeOperatorDependencies(tup, false);
|
||||||
@ -517,6 +521,7 @@ OperatorCreate(const char *operatorName,
|
|||||||
elog(ERROR, "cache lookup failed for operator %u",
|
elog(ERROR, "cache lookup failed for operator %u",
|
||||||
operatorObjectId);
|
operatorObjectId);
|
||||||
|
|
||||||
|
replaces[Anum_pg_operator_oid - 1] = false;
|
||||||
tup = heap_modify_tuple(tup,
|
tup = heap_modify_tuple(tup,
|
||||||
RelationGetDescr(pg_operator_desc),
|
RelationGetDescr(pg_operator_desc),
|
||||||
values,
|
values,
|
||||||
@ -529,10 +534,15 @@ OperatorCreate(const char *operatorName,
|
|||||||
{
|
{
|
||||||
isUpdate = false;
|
isUpdate = false;
|
||||||
|
|
||||||
|
operatorObjectId = GetNewOidWithIndex(pg_operator_desc,
|
||||||
|
OperatorOidIndexId,
|
||||||
|
Anum_pg_operator_oid);
|
||||||
|
values[Anum_pg_operator_oid - 1] = ObjectIdGetDatum(operatorObjectId);
|
||||||
|
|
||||||
tup = heap_form_tuple(RelationGetDescr(pg_operator_desc),
|
tup = heap_form_tuple(RelationGetDescr(pg_operator_desc),
|
||||||
values, nulls);
|
values, nulls);
|
||||||
|
|
||||||
operatorObjectId = CatalogTupleInsert(pg_operator_desc, tup);
|
CatalogTupleInsert(pg_operator_desc, tup);
|
||||||
}
|
}
|
||||||
|
|
||||||
/* Add dependencies for the entry */
|
/* Add dependencies for the entry */
|
||||||
@ -767,7 +777,7 @@ makeOperatorDependencies(HeapTuple tuple, bool isUpdate)
|
|||||||
referenced;
|
referenced;
|
||||||
|
|
||||||
myself.classId = OperatorRelationId;
|
myself.classId = OperatorRelationId;
|
||||||
myself.objectId = HeapTupleGetOid(tuple);
|
myself.objectId = oper->oid;
|
||||||
myself.objectSubId = 0;
|
myself.objectSubId = 0;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -853,7 +863,7 @@ makeOperatorDependencies(HeapTuple tuple, bool isUpdate)
|
|||||||
}
|
}
|
||||||
|
|
||||||
/* Dependency on owner */
|
/* Dependency on owner */
|
||||||
recordDependencyOnOwner(OperatorRelationId, HeapTupleGetOid(tuple),
|
recordDependencyOnOwner(OperatorRelationId, oper->oid,
|
||||||
oper->oprowner);
|
oper->oprowner);
|
||||||
|
|
||||||
/* Dependency on extension */
|
/* Dependency on extension */
|
||||||
|
@ -16,6 +16,7 @@
|
|||||||
|
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/xact.h"
|
#include "access/xact.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -382,7 +383,7 @@ ProcedureCreate(const char *procedureName,
|
|||||||
(errcode(ERRCODE_DUPLICATE_FUNCTION),
|
(errcode(ERRCODE_DUPLICATE_FUNCTION),
|
||||||
errmsg("function \"%s\" already exists with same argument types",
|
errmsg("function \"%s\" already exists with same argument types",
|
||||||
procedureName)));
|
procedureName)));
|
||||||
if (!pg_proc_ownercheck(HeapTupleGetOid(oldtup), proowner))
|
if (!pg_proc_ownercheck(oldproc->oid, proowner))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_FUNCTION,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_FUNCTION,
|
||||||
procedureName);
|
procedureName);
|
||||||
|
|
||||||
@ -421,7 +422,7 @@ ProcedureCreate(const char *procedureName,
|
|||||||
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
||||||
errhint("Use %s %s first.",
|
errhint("Use %s %s first.",
|
||||||
dropcmd,
|
dropcmd,
|
||||||
format_procedure(HeapTupleGetOid(oldtup)))));
|
format_procedure(oldproc->oid))));
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* If it returns RECORD, check for possible change of record type
|
* If it returns RECORD, check for possible change of record type
|
||||||
@ -448,7 +449,7 @@ ProcedureCreate(const char *procedureName,
|
|||||||
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
||||||
errhint("Use %s %s first.",
|
errhint("Use %s %s first.",
|
||||||
dropcmd,
|
dropcmd,
|
||||||
format_procedure(HeapTupleGetOid(oldtup)))));
|
format_procedure(oldproc->oid))));
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -493,7 +494,7 @@ ProcedureCreate(const char *procedureName,
|
|||||||
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
||||||
errhint("Use %s %s first.",
|
errhint("Use %s %s first.",
|
||||||
dropcmd,
|
dropcmd,
|
||||||
format_procedure(HeapTupleGetOid(oldtup)))));
|
format_procedure(oldproc->oid))));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -519,7 +520,7 @@ ProcedureCreate(const char *procedureName,
|
|||||||
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
||||||
errhint("Use %s %s first.",
|
errhint("Use %s %s first.",
|
||||||
dropcmd,
|
dropcmd,
|
||||||
format_procedure(HeapTupleGetOid(oldtup)))));
|
format_procedure(oldproc->oid))));
|
||||||
|
|
||||||
proargdefaults = SysCacheGetAttr(PROCNAMEARGSNSP, oldtup,
|
proargdefaults = SysCacheGetAttr(PROCNAMEARGSNSP, oldtup,
|
||||||
Anum_pg_proc_proargdefaults,
|
Anum_pg_proc_proargdefaults,
|
||||||
@ -547,15 +548,16 @@ ProcedureCreate(const char *procedureName,
|
|||||||
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
/* translator: first %s is DROP FUNCTION or DROP PROCEDURE */
|
||||||
errhint("Use %s %s first.",
|
errhint("Use %s %s first.",
|
||||||
dropcmd,
|
dropcmd,
|
||||||
format_procedure(HeapTupleGetOid(oldtup)))));
|
format_procedure(oldproc->oid))));
|
||||||
newlc = lnext(newlc);
|
newlc = lnext(newlc);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Do not change existing ownership or permissions, either. Note
|
* Do not change existing oid, ownership or permissions, either. Note
|
||||||
* dependency-update code below has to agree with this decision.
|
* dependency-update code below has to agree with this decision.
|
||||||
*/
|
*/
|
||||||
|
replaces[Anum_pg_proc_oid - 1] = false;
|
||||||
replaces[Anum_pg_proc_proowner - 1] = false;
|
replaces[Anum_pg_proc_proowner - 1] = false;
|
||||||
replaces[Anum_pg_proc_proacl - 1] = false;
|
replaces[Anum_pg_proc_proacl - 1] = false;
|
||||||
|
|
||||||
@ -569,6 +571,7 @@ ProcedureCreate(const char *procedureName,
|
|||||||
else
|
else
|
||||||
{
|
{
|
||||||
/* Creating a new procedure */
|
/* Creating a new procedure */
|
||||||
|
Oid newOid;
|
||||||
|
|
||||||
/* First, get default permissions and set up proacl */
|
/* First, get default permissions and set up proacl */
|
||||||
proacl = get_user_default_acl(OBJECT_FUNCTION, proowner,
|
proacl = get_user_default_acl(OBJECT_FUNCTION, proowner,
|
||||||
@ -578,13 +581,16 @@ ProcedureCreate(const char *procedureName,
|
|||||||
else
|
else
|
||||||
nulls[Anum_pg_proc_proacl - 1] = true;
|
nulls[Anum_pg_proc_proacl - 1] = true;
|
||||||
|
|
||||||
|
newOid = GetNewOidWithIndex(rel, ProcedureOidIndexId,
|
||||||
|
Anum_pg_proc_oid);
|
||||||
|
values[Anum_pg_proc_oid - 1] = ObjectIdGetDatum(newOid);
|
||||||
tup = heap_form_tuple(tupDesc, values, nulls);
|
tup = heap_form_tuple(tupDesc, values, nulls);
|
||||||
CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
is_update = false;
|
is_update = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
retval = HeapTupleGetOid(tup);
|
retval = ((Form_pg_proc) GETSTRUCT(tup))->oid;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Create dependencies for the new function. If we are updating an
|
* Create dependencies for the new function. If we are updating an
|
||||||
|
@ -182,6 +182,9 @@ publication_add_relation(Oid pubid, Relation targetrel,
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
prrelid = GetNewOidWithIndex(rel, PublicationRelObjectIndexId,
|
||||||
|
Anum_pg_publication_rel_oid);
|
||||||
|
values[Anum_pg_publication_rel_oid - 1] = ObjectIdGetDatum(prrelid);
|
||||||
values[Anum_pg_publication_rel_prpubid - 1] =
|
values[Anum_pg_publication_rel_prpubid - 1] =
|
||||||
ObjectIdGetDatum(pubid);
|
ObjectIdGetDatum(pubid);
|
||||||
values[Anum_pg_publication_rel_prrelid - 1] =
|
values[Anum_pg_publication_rel_prrelid - 1] =
|
||||||
@ -190,7 +193,7 @@ publication_add_relation(Oid pubid, Relation targetrel,
|
|||||||
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
||||||
|
|
||||||
/* Insert tuple into catalog. */
|
/* Insert tuple into catalog. */
|
||||||
prrelid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
ObjectAddressSet(myself, PublicationRelRelationId, prrelid);
|
ObjectAddressSet(myself, PublicationRelRelationId, prrelid);
|
||||||
@ -306,7 +309,11 @@ GetAllTablesPublications(void)
|
|||||||
|
|
||||||
result = NIL;
|
result = NIL;
|
||||||
while (HeapTupleIsValid(tup = systable_getnext(scan)))
|
while (HeapTupleIsValid(tup = systable_getnext(scan)))
|
||||||
result = lappend_oid(result, HeapTupleGetOid(tup));
|
{
|
||||||
|
Oid oid = ((Form_pg_publication) GETSTRUCT(tup))->oid;
|
||||||
|
|
||||||
|
result = lappend_oid(result, oid);
|
||||||
|
}
|
||||||
|
|
||||||
systable_endscan(scan);
|
systable_endscan(scan);
|
||||||
heap_close(rel, AccessShareLock);
|
heap_close(rel, AccessShareLock);
|
||||||
@ -337,8 +344,8 @@ GetAllTablesPublicationRelations(void)
|
|||||||
|
|
||||||
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
Oid relid = HeapTupleGetOid(tuple);
|
|
||||||
Form_pg_class relForm = (Form_pg_class) GETSTRUCT(tuple);
|
Form_pg_class relForm = (Form_pg_class) GETSTRUCT(tuple);
|
||||||
|
Oid relid = relForm->oid;
|
||||||
|
|
||||||
if (is_publishable_class(relid, relForm))
|
if (is_publishable_class(relid, relForm))
|
||||||
result = lappend_oid(result, relid);
|
result = lappend_oid(result, relid);
|
||||||
@ -392,7 +399,8 @@ GetPublicationByName(const char *pubname, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid1(PUBLICATIONNAME, CStringGetDatum(pubname));
|
oid = GetSysCacheOid1(PUBLICATIONNAME, Anum_pg_publication_oid,
|
||||||
|
CStringGetDatum(pubname));
|
||||||
if (!OidIsValid(oid))
|
if (!OidIsValid(oid))
|
||||||
{
|
{
|
||||||
if (missing_ok)
|
if (missing_ok)
|
||||||
@ -417,7 +425,8 @@ get_publication_oid(const char *pubname, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid1(PUBLICATIONNAME, CStringGetDatum(pubname));
|
oid = GetSysCacheOid1(PUBLICATIONNAME, Anum_pg_publication_oid,
|
||||||
|
CStringGetDatum(pubname));
|
||||||
if (!OidIsValid(oid) && !missing_ok)
|
if (!OidIsValid(oid) && !missing_ok)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
|
@ -168,8 +168,8 @@ get_subscription_oid(const char *subname, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid2(SUBSCRIPTIONNAME, MyDatabaseId,
|
oid = GetSysCacheOid2(SUBSCRIPTIONNAME, Anum_pg_subscription_oid,
|
||||||
CStringGetDatum(subname));
|
MyDatabaseId, CStringGetDatum(subname));
|
||||||
if (!OidIsValid(oid) && !missing_ok)
|
if (!OidIsValid(oid) && !missing_ok)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
@ -236,13 +236,12 @@ textarray_to_stringlist(ArrayType *textarray)
|
|||||||
/*
|
/*
|
||||||
* Add new state record for a subscription table.
|
* Add new state record for a subscription table.
|
||||||
*/
|
*/
|
||||||
Oid
|
void
|
||||||
AddSubscriptionRelState(Oid subid, Oid relid, char state,
|
AddSubscriptionRelState(Oid subid, Oid relid, char state,
|
||||||
XLogRecPtr sublsn)
|
XLogRecPtr sublsn)
|
||||||
{
|
{
|
||||||
Relation rel;
|
Relation rel;
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
Oid subrelid;
|
|
||||||
bool nulls[Natts_pg_subscription_rel];
|
bool nulls[Natts_pg_subscription_rel];
|
||||||
Datum values[Natts_pg_subscription_rel];
|
Datum values[Natts_pg_subscription_rel];
|
||||||
|
|
||||||
@ -272,26 +271,23 @@ AddSubscriptionRelState(Oid subid, Oid relid, char state,
|
|||||||
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
||||||
|
|
||||||
/* Insert tuple into catalog. */
|
/* Insert tuple into catalog. */
|
||||||
subrelid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
|
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
/* Cleanup. */
|
/* Cleanup. */
|
||||||
heap_close(rel, NoLock);
|
heap_close(rel, NoLock);
|
||||||
|
|
||||||
return subrelid;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Update the state of a subscription table.
|
* Update the state of a subscription table.
|
||||||
*/
|
*/
|
||||||
Oid
|
void
|
||||||
UpdateSubscriptionRelState(Oid subid, Oid relid, char state,
|
UpdateSubscriptionRelState(Oid subid, Oid relid, char state,
|
||||||
XLogRecPtr sublsn)
|
XLogRecPtr sublsn)
|
||||||
{
|
{
|
||||||
Relation rel;
|
Relation rel;
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
Oid subrelid;
|
|
||||||
bool nulls[Natts_pg_subscription_rel];
|
bool nulls[Natts_pg_subscription_rel];
|
||||||
Datum values[Natts_pg_subscription_rel];
|
Datum values[Natts_pg_subscription_rel];
|
||||||
bool replaces[Natts_pg_subscription_rel];
|
bool replaces[Natts_pg_subscription_rel];
|
||||||
@ -328,12 +324,8 @@ UpdateSubscriptionRelState(Oid subid, Oid relid, char state,
|
|||||||
/* Update the catalog. */
|
/* Update the catalog. */
|
||||||
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
||||||
|
|
||||||
subrelid = HeapTupleGetOid(tup);
|
|
||||||
|
|
||||||
/* Cleanup. */
|
/* Cleanup. */
|
||||||
heap_close(rel, NoLock);
|
heap_close(rel, NoLock);
|
||||||
|
|
||||||
return subrelid;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
|
@ -17,6 +17,7 @@
|
|||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/xact.h"
|
#include "access/xact.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/binary_upgrade.h"
|
#include "catalog/binary_upgrade.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
@ -121,11 +122,6 @@ TypeShellMake(const char *typeName, Oid typeNamespace, Oid ownerId)
|
|||||||
nulls[Anum_pg_type_typdefault - 1] = true;
|
nulls[Anum_pg_type_typdefault - 1] = true;
|
||||||
nulls[Anum_pg_type_typacl - 1] = true;
|
nulls[Anum_pg_type_typacl - 1] = true;
|
||||||
|
|
||||||
/*
|
|
||||||
* create a new type tuple
|
|
||||||
*/
|
|
||||||
tup = heap_form_tuple(tupDesc, values, nulls);
|
|
||||||
|
|
||||||
/* Use binary-upgrade override for pg_type.oid? */
|
/* Use binary-upgrade override for pg_type.oid? */
|
||||||
if (IsBinaryUpgrade)
|
if (IsBinaryUpgrade)
|
||||||
{
|
{
|
||||||
@ -134,14 +130,26 @@ TypeShellMake(const char *typeName, Oid typeNamespace, Oid ownerId)
|
|||||||
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
||||||
errmsg("pg_type OID value not set when in binary upgrade mode")));
|
errmsg("pg_type OID value not set when in binary upgrade mode")));
|
||||||
|
|
||||||
HeapTupleSetOid(tup, binary_upgrade_next_pg_type_oid);
|
typoid = binary_upgrade_next_pg_type_oid;
|
||||||
binary_upgrade_next_pg_type_oid = InvalidOid;
|
binary_upgrade_next_pg_type_oid = InvalidOid;
|
||||||
}
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
typoid = GetNewOidWithIndex(pg_type_desc, TypeOidIndexId,
|
||||||
|
Anum_pg_type_oid);
|
||||||
|
}
|
||||||
|
|
||||||
|
values[Anum_pg_type_oid - 1] = ObjectIdGetDatum(typoid);
|
||||||
|
|
||||||
|
/*
|
||||||
|
* create a new type tuple
|
||||||
|
*/
|
||||||
|
tup = heap_form_tuple(tupDesc, values, nulls);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* insert the tuple in the relation and get the tuple's oid.
|
* insert the tuple in the relation and get the tuple's oid.
|
||||||
*/
|
*/
|
||||||
typoid = CatalogTupleInsert(pg_type_desc, tup);
|
CatalogTupleInsert(pg_type_desc, tup);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Create dependencies. We can/must skip this in bootstrap mode.
|
* Create dependencies. We can/must skip this in bootstrap mode.
|
||||||
@ -407,11 +415,13 @@ TypeCreate(Oid newTypeOid,
|
|||||||
ObjectIdGetDatum(typeNamespace));
|
ObjectIdGetDatum(typeNamespace));
|
||||||
if (HeapTupleIsValid(tup))
|
if (HeapTupleIsValid(tup))
|
||||||
{
|
{
|
||||||
|
Form_pg_type typform = (Form_pg_type) GETSTRUCT(tup);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* check that the type is not already defined. It may exist as a
|
* check that the type is not already defined. It may exist as a
|
||||||
* shell type, however.
|
* shell type, however.
|
||||||
*/
|
*/
|
||||||
if (((Form_pg_type) GETSTRUCT(tup))->typisdefined)
|
if (typform->typisdefined)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_DUPLICATE_OBJECT),
|
(errcode(ERRCODE_DUPLICATE_OBJECT),
|
||||||
errmsg("type \"%s\" already exists", typeName)));
|
errmsg("type \"%s\" already exists", typeName)));
|
||||||
@ -419,13 +429,15 @@ TypeCreate(Oid newTypeOid,
|
|||||||
/*
|
/*
|
||||||
* shell type must have been created by same owner
|
* shell type must have been created by same owner
|
||||||
*/
|
*/
|
||||||
if (((Form_pg_type) GETSTRUCT(tup))->typowner != ownerId)
|
if (typform->typowner != ownerId)
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_TYPE, typeName);
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_TYPE, typeName);
|
||||||
|
|
||||||
/* trouble if caller wanted to force the OID */
|
/* trouble if caller wanted to force the OID */
|
||||||
if (OidIsValid(newTypeOid))
|
if (OidIsValid(newTypeOid))
|
||||||
elog(ERROR, "cannot assign new OID to existing shell type");
|
elog(ERROR, "cannot assign new OID to existing shell type");
|
||||||
|
|
||||||
|
replaces[Anum_pg_type_oid - 1] = false;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Okay to update existing shell type tuple
|
* Okay to update existing shell type tuple
|
||||||
*/
|
*/
|
||||||
@ -437,19 +449,15 @@ TypeCreate(Oid newTypeOid,
|
|||||||
|
|
||||||
CatalogTupleUpdate(pg_type_desc, &tup->t_self, tup);
|
CatalogTupleUpdate(pg_type_desc, &tup->t_self, tup);
|
||||||
|
|
||||||
typeObjectId = HeapTupleGetOid(tup);
|
typeObjectId = typform->oid;
|
||||||
|
|
||||||
rebuildDeps = true; /* get rid of shell type's dependencies */
|
rebuildDeps = true; /* get rid of shell type's dependencies */
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
tup = heap_form_tuple(RelationGetDescr(pg_type_desc),
|
|
||||||
values,
|
|
||||||
nulls);
|
|
||||||
|
|
||||||
/* Force the OID if requested by caller */
|
/* Force the OID if requested by caller */
|
||||||
if (OidIsValid(newTypeOid))
|
if (OidIsValid(newTypeOid))
|
||||||
HeapTupleSetOid(tup, newTypeOid);
|
typeObjectId = newTypeOid;
|
||||||
/* Use binary-upgrade override for pg_type.oid, if supplied. */
|
/* Use binary-upgrade override for pg_type.oid, if supplied. */
|
||||||
else if (IsBinaryUpgrade)
|
else if (IsBinaryUpgrade)
|
||||||
{
|
{
|
||||||
@ -458,12 +466,21 @@ TypeCreate(Oid newTypeOid,
|
|||||||
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
|
||||||
errmsg("pg_type OID value not set when in binary upgrade mode")));
|
errmsg("pg_type OID value not set when in binary upgrade mode")));
|
||||||
|
|
||||||
HeapTupleSetOid(tup, binary_upgrade_next_pg_type_oid);
|
typeObjectId = binary_upgrade_next_pg_type_oid;
|
||||||
binary_upgrade_next_pg_type_oid = InvalidOid;
|
binary_upgrade_next_pg_type_oid = InvalidOid;
|
||||||
}
|
}
|
||||||
/* else allow system to assign oid */
|
else
|
||||||
|
{
|
||||||
|
typeObjectId = GetNewOidWithIndex(pg_type_desc, TypeOidIndexId,
|
||||||
|
Anum_pg_type_oid);
|
||||||
|
}
|
||||||
|
|
||||||
typeObjectId = CatalogTupleInsert(pg_type_desc, tup);
|
values[Anum_pg_type_oid - 1] = ObjectIdGetDatum(typeObjectId);
|
||||||
|
|
||||||
|
tup = heap_form_tuple(RelationGetDescr(pg_type_desc),
|
||||||
|
values, nulls);
|
||||||
|
|
||||||
|
CatalogTupleInsert(pg_type_desc, tup);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -710,7 +727,7 @@ RenameTypeInternal(Oid typeOid, const char *newTypeName, Oid typeNamespace)
|
|||||||
arrayOid = typ->typarray;
|
arrayOid = typ->typarray;
|
||||||
|
|
||||||
/* Check for a conflicting type name. */
|
/* Check for a conflicting type name. */
|
||||||
oldTypeOid = GetSysCacheOid2(TYPENAMENSP,
|
oldTypeOid = GetSysCacheOid2(TYPENAMENSP, Anum_pg_type_oid,
|
||||||
CStringGetDatum(newTypeName),
|
CStringGetDatum(newTypeName),
|
||||||
ObjectIdGetDatum(typeNamespace));
|
ObjectIdGetDatum(typeNamespace));
|
||||||
|
|
||||||
|
@ -216,7 +216,7 @@ create_toast_table(Relation rel, Oid toastOid, Oid toastIndexOid,
|
|||||||
"pg_toast_%u_index", relOid);
|
"pg_toast_%u_index", relOid);
|
||||||
|
|
||||||
/* this is pretty painful... need a tuple descriptor */
|
/* this is pretty painful... need a tuple descriptor */
|
||||||
tupdesc = CreateTemplateTupleDesc(3, false);
|
tupdesc = CreateTemplateTupleDesc(3);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1,
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1,
|
||||||
"chunk_id",
|
"chunk_id",
|
||||||
OIDOID,
|
OIDOID,
|
||||||
@ -272,8 +272,6 @@ create_toast_table(Relation rel, Oid toastOid, Oid toastIndexOid,
|
|||||||
rel->rd_rel->relpersistence,
|
rel->rd_rel->relpersistence,
|
||||||
shared_relation,
|
shared_relation,
|
||||||
mapped_relation,
|
mapped_relation,
|
||||||
true,
|
|
||||||
0,
|
|
||||||
ONCOMMIT_NOOP,
|
ONCOMMIT_NOOP,
|
||||||
reloptions,
|
reloptions,
|
||||||
false,
|
false,
|
||||||
|
@ -903,6 +903,7 @@ void
|
|||||||
AlterObjectOwner_internal(Relation rel, Oid objectId, Oid new_ownerId)
|
AlterObjectOwner_internal(Relation rel, Oid objectId, Oid new_ownerId)
|
||||||
{
|
{
|
||||||
Oid classId = RelationGetRelid(rel);
|
Oid classId = RelationGetRelid(rel);
|
||||||
|
AttrNumber Anum_oid = get_object_attnum_oid(classId);
|
||||||
AttrNumber Anum_owner = get_object_attnum_owner(classId);
|
AttrNumber Anum_owner = get_object_attnum_owner(classId);
|
||||||
AttrNumber Anum_namespace = get_object_attnum_namespace(classId);
|
AttrNumber Anum_namespace = get_object_attnum_namespace(classId);
|
||||||
AttrNumber Anum_acl = get_object_attnum_acl(classId);
|
AttrNumber Anum_acl = get_object_attnum_acl(classId);
|
||||||
@ -913,7 +914,7 @@ AlterObjectOwner_internal(Relation rel, Oid objectId, Oid new_ownerId)
|
|||||||
Oid old_ownerId;
|
Oid old_ownerId;
|
||||||
Oid namespaceId = InvalidOid;
|
Oid namespaceId = InvalidOid;
|
||||||
|
|
||||||
oldtup = get_catalog_object_by_oid(rel, objectId);
|
oldtup = get_catalog_object_by_oid(rel, Anum_oid, objectId);
|
||||||
if (oldtup == NULL)
|
if (oldtup == NULL)
|
||||||
elog(ERROR, "cache lookup failed for object %u of catalog \"%s\"",
|
elog(ERROR, "cache lookup failed for object %u of catalog \"%s\"",
|
||||||
objectId, RelationGetRelationName(rel));
|
objectId, RelationGetRelationName(rel));
|
||||||
@ -959,8 +960,7 @@ AlterObjectOwner_internal(Relation rel, Oid objectId, Oid new_ownerId)
|
|||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
snprintf(namebuf, sizeof(namebuf), "%u",
|
snprintf(namebuf, sizeof(namebuf), "%u", objectId);
|
||||||
HeapTupleGetOid(oldtup));
|
|
||||||
objname = namebuf;
|
objname = namebuf;
|
||||||
}
|
}
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, objtype, objname);
|
aclcheck_error(ACLCHECK_NOT_OWNER, objtype, objname);
|
||||||
@ -1017,7 +1017,7 @@ AlterObjectOwner_internal(Relation rel, Oid objectId, Oid new_ownerId)
|
|||||||
/* Update owner dependency reference */
|
/* Update owner dependency reference */
|
||||||
if (classId == LargeObjectMetadataRelationId)
|
if (classId == LargeObjectMetadataRelationId)
|
||||||
classId = LargeObjectRelationId;
|
classId = LargeObjectRelationId;
|
||||||
changeDependencyOnOwner(classId, HeapTupleGetOid(newtup), new_ownerId);
|
changeDependencyOnOwner(classId, objectId, new_ownerId);
|
||||||
|
|
||||||
/* Release memory */
|
/* Release memory */
|
||||||
pfree(values);
|
pfree(values);
|
||||||
|
@ -15,6 +15,7 @@
|
|||||||
|
|
||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/pg_am.h"
|
#include "catalog/pg_am.h"
|
||||||
@ -60,7 +61,8 @@ CreateAccessMethod(CreateAmStmt *stmt)
|
|||||||
errhint("Must be superuser to create an access method.")));
|
errhint("Must be superuser to create an access method.")));
|
||||||
|
|
||||||
/* Check if name is used */
|
/* Check if name is used */
|
||||||
amoid = GetSysCacheOid1(AMNAME, CStringGetDatum(stmt->amname));
|
amoid = GetSysCacheOid1(AMNAME, Anum_pg_am_oid,
|
||||||
|
CStringGetDatum(stmt->amname));
|
||||||
if (OidIsValid(amoid))
|
if (OidIsValid(amoid))
|
||||||
{
|
{
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
@ -80,6 +82,8 @@ CreateAccessMethod(CreateAmStmt *stmt)
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
amoid = GetNewOidWithIndex(rel, AmOidIndexId, Anum_pg_am_oid);
|
||||||
|
values[Anum_pg_am_oid - 1] = ObjectIdGetDatum(amoid);
|
||||||
values[Anum_pg_am_amname - 1] =
|
values[Anum_pg_am_amname - 1] =
|
||||||
DirectFunctionCall1(namein, CStringGetDatum(stmt->amname));
|
DirectFunctionCall1(namein, CStringGetDatum(stmt->amname));
|
||||||
values[Anum_pg_am_amhandler - 1] = ObjectIdGetDatum(amhandler);
|
values[Anum_pg_am_amhandler - 1] = ObjectIdGetDatum(amhandler);
|
||||||
@ -87,7 +91,7 @@ CreateAccessMethod(CreateAmStmt *stmt)
|
|||||||
|
|
||||||
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
||||||
|
|
||||||
amoid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
myself.classId = AccessMethodRelationId;
|
myself.classId = AccessMethodRelationId;
|
||||||
@ -164,7 +168,7 @@ get_am_type_oid(const char *amname, char amtype, bool missing_ok)
|
|||||||
NameStr(amform->amname),
|
NameStr(amform->amname),
|
||||||
get_am_type_string(amtype))));
|
get_am_type_string(amtype))));
|
||||||
|
|
||||||
oid = HeapTupleGetOid(tup);
|
oid = amform->oid;
|
||||||
ReleaseSysCache(tup);
|
ReleaseSysCache(tup);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -75,7 +75,7 @@ static List *get_tables_to_cluster(MemoryContext cluster_context);
|
|||||||
static void reform_and_rewrite_tuple(HeapTuple tuple,
|
static void reform_and_rewrite_tuple(HeapTuple tuple,
|
||||||
TupleDesc oldTupDesc, TupleDesc newTupDesc,
|
TupleDesc oldTupDesc, TupleDesc newTupDesc,
|
||||||
Datum *values, bool *isnull,
|
Datum *values, bool *isnull,
|
||||||
bool newRelHasOids, RewriteState rwstate);
|
RewriteState rwstate);
|
||||||
|
|
||||||
|
|
||||||
/*---------------------------------------------------------------------------
|
/*---------------------------------------------------------------------------
|
||||||
@ -688,8 +688,6 @@ make_new_heap(Oid OIDOldHeap, Oid NewTableSpace, char relpersistence,
|
|||||||
relpersistence,
|
relpersistence,
|
||||||
false,
|
false,
|
||||||
RelationIsMapped(OldHeap),
|
RelationIsMapped(OldHeap),
|
||||||
true,
|
|
||||||
0,
|
|
||||||
ONCOMMIT_NOOP,
|
ONCOMMIT_NOOP,
|
||||||
reloptions,
|
reloptions,
|
||||||
false,
|
false,
|
||||||
@ -1061,7 +1059,7 @@ copy_heap_data(Oid OIDNewHeap, Oid OIDOldHeap, Oid OIDOldIndex, bool verbose,
|
|||||||
reform_and_rewrite_tuple(tuple,
|
reform_and_rewrite_tuple(tuple,
|
||||||
oldTupDesc, newTupDesc,
|
oldTupDesc, newTupDesc,
|
||||||
values, isnull,
|
values, isnull,
|
||||||
NewHeap->rd_rel->relhasoids, rwstate);
|
rwstate);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (indexScan != NULL)
|
if (indexScan != NULL)
|
||||||
@ -1090,7 +1088,7 @@ copy_heap_data(Oid OIDNewHeap, Oid OIDOldHeap, Oid OIDOldIndex, bool verbose,
|
|||||||
reform_and_rewrite_tuple(tuple,
|
reform_and_rewrite_tuple(tuple,
|
||||||
oldTupDesc, newTupDesc,
|
oldTupDesc, newTupDesc,
|
||||||
values, isnull,
|
values, isnull,
|
||||||
NewHeap->rd_rel->relhasoids, rwstate);
|
rwstate);
|
||||||
}
|
}
|
||||||
|
|
||||||
tuplesort_end(tuplesort);
|
tuplesort_end(tuplesort);
|
||||||
@ -1755,7 +1753,7 @@ get_tables_to_cluster(MemoryContext cluster_context)
|
|||||||
*
|
*
|
||||||
* 2. The tuple might not even be legal for the new table; this is
|
* 2. The tuple might not even be legal for the new table; this is
|
||||||
* currently only known to happen as an after-effect of ALTER TABLE
|
* currently only known to happen as an after-effect of ALTER TABLE
|
||||||
* SET WITHOUT OIDS.
|
* SET WITHOUT OIDS (in an older version, via pg_upgrade).
|
||||||
*
|
*
|
||||||
* So, we must reconstruct the tuple from component Datums.
|
* So, we must reconstruct the tuple from component Datums.
|
||||||
*/
|
*/
|
||||||
@ -1763,7 +1761,7 @@ static void
|
|||||||
reform_and_rewrite_tuple(HeapTuple tuple,
|
reform_and_rewrite_tuple(HeapTuple tuple,
|
||||||
TupleDesc oldTupDesc, TupleDesc newTupDesc,
|
TupleDesc oldTupDesc, TupleDesc newTupDesc,
|
||||||
Datum *values, bool *isnull,
|
Datum *values, bool *isnull,
|
||||||
bool newRelHasOids, RewriteState rwstate)
|
RewriteState rwstate)
|
||||||
{
|
{
|
||||||
HeapTuple copiedTuple;
|
HeapTuple copiedTuple;
|
||||||
int i;
|
int i;
|
||||||
@ -1779,10 +1777,6 @@ reform_and_rewrite_tuple(HeapTuple tuple,
|
|||||||
|
|
||||||
copiedTuple = heap_form_tuple(newTupDesc, values, isnull);
|
copiedTuple = heap_form_tuple(newTupDesc, values, isnull);
|
||||||
|
|
||||||
/* Preserve OID, if any */
|
|
||||||
if (newRelHasOids)
|
|
||||||
HeapTupleSetOid(copiedTuple, HeapTupleGetOid(tuple));
|
|
||||||
|
|
||||||
/* The heap rewrite module does the rest */
|
/* The heap rewrite module does the rest */
|
||||||
rewrite_heap_tuple(rwstate, tuple, copiedTuple);
|
rewrite_heap_tuple(rwstate, tuple, copiedTuple);
|
||||||
|
|
||||||
|
@ -131,7 +131,6 @@ typedef struct CopyStateData
|
|||||||
bool is_program; /* is 'filename' a program to popen? */
|
bool is_program; /* is 'filename' a program to popen? */
|
||||||
copy_data_source_cb data_source_cb; /* function for reading data */
|
copy_data_source_cb data_source_cb; /* function for reading data */
|
||||||
bool binary; /* binary format? */
|
bool binary; /* binary format? */
|
||||||
bool oids; /* include OIDs? */
|
|
||||||
bool freeze; /* freeze rows on loading? */
|
bool freeze; /* freeze rows on loading? */
|
||||||
bool csv_mode; /* Comma Separated Value format? */
|
bool csv_mode; /* Comma Separated Value format? */
|
||||||
bool header_line; /* CSV header line? */
|
bool header_line; /* CSV header line? */
|
||||||
@ -173,7 +172,6 @@ typedef struct CopyStateData
|
|||||||
* Working state for COPY FROM
|
* Working state for COPY FROM
|
||||||
*/
|
*/
|
||||||
AttrNumber num_defaults;
|
AttrNumber num_defaults;
|
||||||
bool file_has_oids;
|
|
||||||
FmgrInfo oid_in_function;
|
FmgrInfo oid_in_function;
|
||||||
Oid oid_typioparam;
|
Oid oid_typioparam;
|
||||||
FmgrInfo *in_functions; /* array of input functions for each attrs */
|
FmgrInfo *in_functions; /* array of input functions for each attrs */
|
||||||
@ -313,7 +311,7 @@ static CopyState BeginCopyTo(ParseState *pstate, Relation rel, RawStmt *query,
|
|||||||
static void EndCopyTo(CopyState cstate);
|
static void EndCopyTo(CopyState cstate);
|
||||||
static uint64 DoCopyTo(CopyState cstate);
|
static uint64 DoCopyTo(CopyState cstate);
|
||||||
static uint64 CopyTo(CopyState cstate);
|
static uint64 CopyTo(CopyState cstate);
|
||||||
static void CopyOneRowTo(CopyState cstate, Oid tupleOid,
|
static void CopyOneRowTo(CopyState cstate,
|
||||||
Datum *values, bool *nulls);
|
Datum *values, bool *nulls);
|
||||||
static void CopyFromInsertBatch(CopyState cstate, EState *estate,
|
static void CopyFromInsertBatch(CopyState cstate, EState *estate,
|
||||||
CommandId mycid, int hi_options,
|
CommandId mycid, int hi_options,
|
||||||
@ -1086,15 +1084,6 @@ ProcessCopyOptions(ParseState *pstate,
|
|||||||
errmsg("COPY format \"%s\" not recognized", fmt),
|
errmsg("COPY format \"%s\" not recognized", fmt),
|
||||||
parser_errposition(pstate, defel->location)));
|
parser_errposition(pstate, defel->location)));
|
||||||
}
|
}
|
||||||
else if (strcmp(defel->defname, "oids") == 0)
|
|
||||||
{
|
|
||||||
if (cstate->oids)
|
|
||||||
ereport(ERROR,
|
|
||||||
(errcode(ERRCODE_SYNTAX_ERROR),
|
|
||||||
errmsg("conflicting or redundant options"),
|
|
||||||
parser_errposition(pstate, defel->location)));
|
|
||||||
cstate->oids = defGetBoolean(defel);
|
|
||||||
}
|
|
||||||
else if (strcmp(defel->defname, "freeze") == 0)
|
else if (strcmp(defel->defname, "freeze") == 0)
|
||||||
{
|
{
|
||||||
if (cstate->freeze)
|
if (cstate->freeze)
|
||||||
@ -1440,13 +1429,6 @@ BeginCopy(ParseState *pstate,
|
|||||||
cstate->rel = rel;
|
cstate->rel = rel;
|
||||||
|
|
||||||
tupDesc = RelationGetDescr(cstate->rel);
|
tupDesc = RelationGetDescr(cstate->rel);
|
||||||
|
|
||||||
/* Don't allow COPY w/ OIDs to or from a table without them */
|
|
||||||
if (cstate->oids && !cstate->rel->rd_rel->relhasoids)
|
|
||||||
ereport(ERROR,
|
|
||||||
(errcode(ERRCODE_UNDEFINED_COLUMN),
|
|
||||||
errmsg("table \"%s\" does not have OIDs",
|
|
||||||
RelationGetRelationName(cstate->rel))));
|
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
@ -1458,12 +1440,6 @@ BeginCopy(ParseState *pstate,
|
|||||||
Assert(!is_from);
|
Assert(!is_from);
|
||||||
cstate->rel = NULL;
|
cstate->rel = NULL;
|
||||||
|
|
||||||
/* Don't allow COPY w/ OIDs from a query */
|
|
||||||
if (cstate->oids)
|
|
||||||
ereport(ERROR,
|
|
||||||
(errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
|
|
||||||
errmsg("COPY (query) WITH OIDS is not supported")));
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Run parse analysis and rewrite. Note this also acquires sufficient
|
* Run parse analysis and rewrite. Note this also acquires sufficient
|
||||||
* locks on the source table(s).
|
* locks on the source table(s).
|
||||||
@ -2028,8 +2004,6 @@ CopyTo(CopyState cstate)
|
|||||||
CopySendData(cstate, BinarySignature, 11);
|
CopySendData(cstate, BinarySignature, 11);
|
||||||
/* Flags field */
|
/* Flags field */
|
||||||
tmp = 0;
|
tmp = 0;
|
||||||
if (cstate->oids)
|
|
||||||
tmp |= (1 << 16);
|
|
||||||
CopySendInt32(cstate, tmp);
|
CopySendInt32(cstate, tmp);
|
||||||
/* No header extension */
|
/* No header extension */
|
||||||
tmp = 0;
|
tmp = 0;
|
||||||
@ -2091,7 +2065,7 @@ CopyTo(CopyState cstate)
|
|||||||
heap_deform_tuple(tuple, tupDesc, values, nulls);
|
heap_deform_tuple(tuple, tupDesc, values, nulls);
|
||||||
|
|
||||||
/* Format and send the data */
|
/* Format and send the data */
|
||||||
CopyOneRowTo(cstate, HeapTupleGetOid(tuple), values, nulls);
|
CopyOneRowTo(cstate, values, nulls);
|
||||||
processed++;
|
processed++;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -2124,7 +2098,7 @@ CopyTo(CopyState cstate)
|
|||||||
* Emit one row during CopyTo().
|
* Emit one row during CopyTo().
|
||||||
*/
|
*/
|
||||||
static void
|
static void
|
||||||
CopyOneRowTo(CopyState cstate, Oid tupleOid, Datum *values, bool *nulls)
|
CopyOneRowTo(CopyState cstate, Datum *values, bool *nulls)
|
||||||
{
|
{
|
||||||
bool need_delim = false;
|
bool need_delim = false;
|
||||||
FmgrInfo *out_functions = cstate->out_functions;
|
FmgrInfo *out_functions = cstate->out_functions;
|
||||||
@ -2139,25 +2113,6 @@ CopyOneRowTo(CopyState cstate, Oid tupleOid, Datum *values, bool *nulls)
|
|||||||
{
|
{
|
||||||
/* Binary per-tuple header */
|
/* Binary per-tuple header */
|
||||||
CopySendInt16(cstate, list_length(cstate->attnumlist));
|
CopySendInt16(cstate, list_length(cstate->attnumlist));
|
||||||
/* Send OID if wanted --- note attnumlist doesn't include it */
|
|
||||||
if (cstate->oids)
|
|
||||||
{
|
|
||||||
/* Hack --- assume Oid is same size as int32 */
|
|
||||||
CopySendInt32(cstate, sizeof(int32));
|
|
||||||
CopySendInt32(cstate, tupleOid);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
/* Text format has no per-tuple header, but send OID if wanted */
|
|
||||||
/* Assume digits don't need any quoting or encoding conversion */
|
|
||||||
if (cstate->oids)
|
|
||||||
{
|
|
||||||
string = DatumGetCString(DirectFunctionCall1(oidout,
|
|
||||||
ObjectIdGetDatum(tupleOid)));
|
|
||||||
CopySendString(cstate, string);
|
|
||||||
need_delim = true;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
foreach(cur, cstate->attnumlist)
|
foreach(cur, cstate->attnumlist)
|
||||||
@ -2689,7 +2644,6 @@ CopyFrom(CopyState cstate)
|
|||||||
{
|
{
|
||||||
TupleTableSlot *slot;
|
TupleTableSlot *slot;
|
||||||
bool skip_tuple;
|
bool skip_tuple;
|
||||||
Oid loaded_oid = InvalidOid;
|
|
||||||
|
|
||||||
CHECK_FOR_INTERRUPTS();
|
CHECK_FOR_INTERRUPTS();
|
||||||
|
|
||||||
@ -2706,15 +2660,12 @@ CopyFrom(CopyState cstate)
|
|||||||
/* Switch into its memory context */
|
/* Switch into its memory context */
|
||||||
MemoryContextSwitchTo(GetPerTupleMemoryContext(estate));
|
MemoryContextSwitchTo(GetPerTupleMemoryContext(estate));
|
||||||
|
|
||||||
if (!NextCopyFrom(cstate, econtext, values, nulls, &loaded_oid))
|
if (!NextCopyFrom(cstate, econtext, values, nulls))
|
||||||
break;
|
break;
|
||||||
|
|
||||||
/* And now we can form the input tuple. */
|
/* And now we can form the input tuple. */
|
||||||
tuple = heap_form_tuple(tupDesc, values, nulls);
|
tuple = heap_form_tuple(tupDesc, values, nulls);
|
||||||
|
|
||||||
if (loaded_oid != InvalidOid)
|
|
||||||
HeapTupleSetOid(tuple, loaded_oid);
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Constraints might reference the tableoid column, so initialize
|
* Constraints might reference the tableoid column, so initialize
|
||||||
* t_tableOid before evaluating them.
|
* t_tableOid before evaluating them.
|
||||||
@ -3368,12 +3319,7 @@ BeginCopyFrom(ParseState *pstate,
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
if (!cstate->binary)
|
if (cstate->binary)
|
||||||
{
|
|
||||||
/* must rely on user to tell us... */
|
|
||||||
cstate->file_has_oids = cstate->oids;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
{
|
||||||
/* Read and verify binary header */
|
/* Read and verify binary header */
|
||||||
char readSig[11];
|
char readSig[11];
|
||||||
@ -3390,7 +3336,10 @@ BeginCopyFrom(ParseState *pstate,
|
|||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
||||||
errmsg("invalid COPY file header (missing flags)")));
|
errmsg("invalid COPY file header (missing flags)")));
|
||||||
cstate->file_has_oids = (tmp & (1 << 16)) != 0;
|
if ((tmp & (1 << 16)) != 0)
|
||||||
|
ereport(ERROR,
|
||||||
|
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
||||||
|
errmsg("invalid COPY file header (WITH OIDS)")));
|
||||||
tmp &= ~(1 << 16);
|
tmp &= ~(1 << 16);
|
||||||
if ((tmp >> 16) != 0)
|
if ((tmp >> 16) != 0)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
@ -3412,21 +3361,13 @@ BeginCopyFrom(ParseState *pstate,
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
if (cstate->file_has_oids && cstate->binary)
|
|
||||||
{
|
|
||||||
getTypeBinaryInputInfo(OIDOID,
|
|
||||||
&in_func_oid, &cstate->oid_typioparam);
|
|
||||||
fmgr_info(in_func_oid, &cstate->oid_in_function);
|
|
||||||
}
|
|
||||||
|
|
||||||
/* create workspace for CopyReadAttributes results */
|
/* create workspace for CopyReadAttributes results */
|
||||||
if (!cstate->binary)
|
if (!cstate->binary)
|
||||||
{
|
{
|
||||||
AttrNumber attr_count = list_length(cstate->attnumlist);
|
AttrNumber attr_count = list_length(cstate->attnumlist);
|
||||||
int nfields = cstate->file_has_oids ? (attr_count + 1) : attr_count;
|
|
||||||
|
|
||||||
cstate->max_fields = nfields;
|
cstate->max_fields = attr_count;
|
||||||
cstate->raw_fields = (char **) palloc(nfields * sizeof(char *));
|
cstate->raw_fields = (char **) palloc(attr_count * sizeof(char *));
|
||||||
}
|
}
|
||||||
|
|
||||||
MemoryContextSwitchTo(oldcontext);
|
MemoryContextSwitchTo(oldcontext);
|
||||||
@ -3499,7 +3440,7 @@ NextCopyFromRawFields(CopyState cstate, char ***fields, int *nfields)
|
|||||||
*/
|
*/
|
||||||
bool
|
bool
|
||||||
NextCopyFrom(CopyState cstate, ExprContext *econtext,
|
NextCopyFrom(CopyState cstate, ExprContext *econtext,
|
||||||
Datum *values, bool *nulls, Oid *tupleOid)
|
Datum *values, bool *nulls)
|
||||||
{
|
{
|
||||||
TupleDesc tupDesc;
|
TupleDesc tupDesc;
|
||||||
AttrNumber num_phys_attrs,
|
AttrNumber num_phys_attrs,
|
||||||
@ -3508,16 +3449,12 @@ NextCopyFrom(CopyState cstate, ExprContext *econtext,
|
|||||||
FmgrInfo *in_functions = cstate->in_functions;
|
FmgrInfo *in_functions = cstate->in_functions;
|
||||||
Oid *typioparams = cstate->typioparams;
|
Oid *typioparams = cstate->typioparams;
|
||||||
int i;
|
int i;
|
||||||
int nfields;
|
|
||||||
bool isnull;
|
|
||||||
bool file_has_oids = cstate->file_has_oids;
|
|
||||||
int *defmap = cstate->defmap;
|
int *defmap = cstate->defmap;
|
||||||
ExprState **defexprs = cstate->defexprs;
|
ExprState **defexprs = cstate->defexprs;
|
||||||
|
|
||||||
tupDesc = RelationGetDescr(cstate->rel);
|
tupDesc = RelationGetDescr(cstate->rel);
|
||||||
num_phys_attrs = tupDesc->natts;
|
num_phys_attrs = tupDesc->natts;
|
||||||
attr_count = list_length(cstate->attnumlist);
|
attr_count = list_length(cstate->attnumlist);
|
||||||
nfields = file_has_oids ? (attr_count + 1) : attr_count;
|
|
||||||
|
|
||||||
/* Initialize all values for row to NULL */
|
/* Initialize all values for row to NULL */
|
||||||
MemSet(values, 0, num_phys_attrs * sizeof(Datum));
|
MemSet(values, 0, num_phys_attrs * sizeof(Datum));
|
||||||
@ -3536,41 +3473,13 @@ NextCopyFrom(CopyState cstate, ExprContext *econtext,
|
|||||||
return false;
|
return false;
|
||||||
|
|
||||||
/* check for overflowing fields */
|
/* check for overflowing fields */
|
||||||
if (nfields > 0 && fldct > nfields)
|
if (attr_count > 0 && fldct > attr_count)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
||||||
errmsg("extra data after last expected column")));
|
errmsg("extra data after last expected column")));
|
||||||
|
|
||||||
fieldno = 0;
|
fieldno = 0;
|
||||||
|
|
||||||
/* Read the OID field if present */
|
|
||||||
if (file_has_oids)
|
|
||||||
{
|
|
||||||
if (fieldno >= fldct)
|
|
||||||
ereport(ERROR,
|
|
||||||
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
|
||||||
errmsg("missing data for OID column")));
|
|
||||||
string = field_strings[fieldno++];
|
|
||||||
|
|
||||||
if (string == NULL)
|
|
||||||
ereport(ERROR,
|
|
||||||
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
|
||||||
errmsg("null OID in COPY data")));
|
|
||||||
else if (cstate->oids && tupleOid != NULL)
|
|
||||||
{
|
|
||||||
cstate->cur_attname = "oid";
|
|
||||||
cstate->cur_attval = string;
|
|
||||||
*tupleOid = DatumGetObjectId(DirectFunctionCall1(oidin,
|
|
||||||
CStringGetDatum(string)));
|
|
||||||
if (*tupleOid == InvalidOid)
|
|
||||||
ereport(ERROR,
|
|
||||||
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
|
||||||
errmsg("invalid OID in COPY data")));
|
|
||||||
cstate->cur_attname = NULL;
|
|
||||||
cstate->cur_attval = NULL;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/* Loop to read the user attributes on the line. */
|
/* Loop to read the user attributes on the line. */
|
||||||
foreach(cur, cstate->attnumlist)
|
foreach(cur, cstate->attnumlist)
|
||||||
{
|
{
|
||||||
@ -3628,7 +3537,7 @@ NextCopyFrom(CopyState cstate, ExprContext *econtext,
|
|||||||
cstate->cur_attval = NULL;
|
cstate->cur_attval = NULL;
|
||||||
}
|
}
|
||||||
|
|
||||||
Assert(fieldno == nfields);
|
Assert(fieldno == attr_count);
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
@ -3674,27 +3583,6 @@ NextCopyFrom(CopyState cstate, ExprContext *econtext,
|
|||||||
errmsg("row field count is %d, expected %d",
|
errmsg("row field count is %d, expected %d",
|
||||||
(int) fld_count, attr_count)));
|
(int) fld_count, attr_count)));
|
||||||
|
|
||||||
if (file_has_oids)
|
|
||||||
{
|
|
||||||
Oid loaded_oid;
|
|
||||||
|
|
||||||
cstate->cur_attname = "oid";
|
|
||||||
loaded_oid =
|
|
||||||
DatumGetObjectId(CopyReadBinaryAttribute(cstate,
|
|
||||||
0,
|
|
||||||
&cstate->oid_in_function,
|
|
||||||
cstate->oid_typioparam,
|
|
||||||
-1,
|
|
||||||
&isnull));
|
|
||||||
if (isnull || loaded_oid == InvalidOid)
|
|
||||||
ereport(ERROR,
|
|
||||||
(errcode(ERRCODE_BAD_COPY_FILE_FORMAT),
|
|
||||||
errmsg("invalid OID in COPY data")));
|
|
||||||
cstate->cur_attname = NULL;
|
|
||||||
if (cstate->oids && tupleOid != NULL)
|
|
||||||
*tupleOid = loaded_oid;
|
|
||||||
}
|
|
||||||
|
|
||||||
i = 0;
|
i = 0;
|
||||||
foreach(cur, cstate->attnumlist)
|
foreach(cur, cstate->attnumlist)
|
||||||
{
|
{
|
||||||
@ -5022,7 +4910,7 @@ copy_dest_receive(TupleTableSlot *slot, DestReceiver *self)
|
|||||||
slot_getallattrs(slot);
|
slot_getallattrs(slot);
|
||||||
|
|
||||||
/* And send the data */
|
/* And send the data */
|
||||||
CopyOneRowTo(cstate, InvalidOid, slot->tts_values, slot->tts_isnull);
|
CopyOneRowTo(cstate, slot->tts_values, slot->tts_isnull);
|
||||||
myState->processed++;
|
myState->processed++;
|
||||||
|
|
||||||
return true;
|
return true;
|
||||||
|
@ -391,20 +391,7 @@ ExecCreateTableAs(CreateTableAsStmt *stmt, const char *queryString,
|
|||||||
int
|
int
|
||||||
GetIntoRelEFlags(IntoClause *intoClause)
|
GetIntoRelEFlags(IntoClause *intoClause)
|
||||||
{
|
{
|
||||||
int flags;
|
int flags = 0;
|
||||||
|
|
||||||
/*
|
|
||||||
* We need to tell the executor whether it has to produce OIDs or not,
|
|
||||||
* because it doesn't have enough information to do so itself (since we
|
|
||||||
* can't build the target relation until after ExecutorStart).
|
|
||||||
*
|
|
||||||
* Disallow the OIDS option for materialized views.
|
|
||||||
*/
|
|
||||||
if (interpretOidsOption(intoClause->options,
|
|
||||||
(intoClause->viewQuery == NULL)))
|
|
||||||
flags = EXEC_FLAG_WITH_OIDS;
|
|
||||||
else
|
|
||||||
flags = EXEC_FLAG_WITHOUT_OIDS;
|
|
||||||
|
|
||||||
if (intoClause->skipData)
|
if (intoClause->skipData)
|
||||||
flags |= EXEC_FLAG_WITH_NO_DATA;
|
flags |= EXEC_FLAG_WITH_NO_DATA;
|
||||||
@ -591,12 +578,6 @@ intorel_receive(TupleTableSlot *slot, DestReceiver *self)
|
|||||||
*/
|
*/
|
||||||
tuple = ExecCopySlotHeapTuple(slot);
|
tuple = ExecCopySlotHeapTuple(slot);
|
||||||
|
|
||||||
/*
|
|
||||||
* force assignment of new OID (see comments in ExecInsert)
|
|
||||||
*/
|
|
||||||
if (myState->rel->rd_rel->relhasoids)
|
|
||||||
HeapTupleSetOid(tuple, InvalidOid);
|
|
||||||
|
|
||||||
heap_insert(myState->rel,
|
heap_insert(myState->rel,
|
||||||
tuple,
|
tuple,
|
||||||
myState->output_cid,
|
myState->output_cid,
|
||||||
|
@ -504,7 +504,8 @@ createdb(ParseState *pstate, const CreatedbStmt *stmt)
|
|||||||
|
|
||||||
do
|
do
|
||||||
{
|
{
|
||||||
dboid = GetNewOid(pg_database_rel);
|
dboid = GetNewOidWithIndex(pg_database_rel, DatabaseOidIndexId,
|
||||||
|
Anum_pg_database_oid);
|
||||||
} while (check_db_file_conflict(dboid));
|
} while (check_db_file_conflict(dboid));
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -517,6 +518,7 @@ createdb(ParseState *pstate, const CreatedbStmt *stmt)
|
|||||||
MemSet(new_record, 0, sizeof(new_record));
|
MemSet(new_record, 0, sizeof(new_record));
|
||||||
MemSet(new_record_nulls, false, sizeof(new_record_nulls));
|
MemSet(new_record_nulls, false, sizeof(new_record_nulls));
|
||||||
|
|
||||||
|
new_record[Anum_pg_database_oid - 1] = ObjectIdGetDatum(dboid);
|
||||||
new_record[Anum_pg_database_datname - 1] =
|
new_record[Anum_pg_database_datname - 1] =
|
||||||
DirectFunctionCall1(namein, CStringGetDatum(dbname));
|
DirectFunctionCall1(namein, CStringGetDatum(dbname));
|
||||||
new_record[Anum_pg_database_datdba - 1] = ObjectIdGetDatum(datdba);
|
new_record[Anum_pg_database_datdba - 1] = ObjectIdGetDatum(datdba);
|
||||||
@ -543,8 +545,6 @@ createdb(ParseState *pstate, const CreatedbStmt *stmt)
|
|||||||
tuple = heap_form_tuple(RelationGetDescr(pg_database_rel),
|
tuple = heap_form_tuple(RelationGetDescr(pg_database_rel),
|
||||||
new_record, new_record_nulls);
|
new_record, new_record_nulls);
|
||||||
|
|
||||||
HeapTupleSetOid(tuple, dboid);
|
|
||||||
|
|
||||||
CatalogTupleInsert(pg_database_rel, tuple);
|
CatalogTupleInsert(pg_database_rel, tuple);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -593,7 +593,8 @@ createdb(ParseState *pstate, const CreatedbStmt *stmt)
|
|||||||
scan = heap_beginscan_catalog(rel, 0, NULL);
|
scan = heap_beginscan_catalog(rel, 0, NULL);
|
||||||
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
Oid srctablespace = HeapTupleGetOid(tuple);
|
Form_pg_tablespace spaceform = (Form_pg_tablespace) GETSTRUCT(tuple);
|
||||||
|
Oid srctablespace = spaceform->oid;
|
||||||
Oid dsttablespace;
|
Oid dsttablespace;
|
||||||
char *srcpath;
|
char *srcpath;
|
||||||
char *dstpath;
|
char *dstpath;
|
||||||
@ -1301,8 +1302,7 @@ movedb(const char *dbname, const char *tblspcname)
|
|||||||
new_record_nulls, new_record_repl);
|
new_record_nulls, new_record_repl);
|
||||||
CatalogTupleUpdate(pgdbrel, &oldtuple->t_self, newtuple);
|
CatalogTupleUpdate(pgdbrel, &oldtuple->t_self, newtuple);
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(DatabaseRelationId,
|
InvokeObjectPostAlterHook(DatabaseRelationId, db_id, 0);
|
||||||
HeapTupleGetOid(newtuple), 0);
|
|
||||||
|
|
||||||
systable_endscan(sysscan);
|
systable_endscan(sysscan);
|
||||||
|
|
||||||
@ -1400,6 +1400,7 @@ AlterDatabase(ParseState *pstate, AlterDatabaseStmt *stmt, bool isTopLevel)
|
|||||||
Oid dboid;
|
Oid dboid;
|
||||||
HeapTuple tuple,
|
HeapTuple tuple,
|
||||||
newtuple;
|
newtuple;
|
||||||
|
Form_pg_database datform;
|
||||||
ScanKeyData scankey;
|
ScanKeyData scankey;
|
||||||
SysScanDesc scan;
|
SysScanDesc scan;
|
||||||
ListCell *option;
|
ListCell *option;
|
||||||
@ -1512,9 +1513,10 @@ AlterDatabase(ParseState *pstate, AlterDatabaseStmt *stmt, bool isTopLevel)
|
|||||||
(errcode(ERRCODE_UNDEFINED_DATABASE),
|
(errcode(ERRCODE_UNDEFINED_DATABASE),
|
||||||
errmsg("database \"%s\" does not exist", stmt->dbname)));
|
errmsg("database \"%s\" does not exist", stmt->dbname)));
|
||||||
|
|
||||||
dboid = HeapTupleGetOid(tuple);
|
datform = (Form_pg_database) GETSTRUCT(tuple);
|
||||||
|
dboid = datform->oid;
|
||||||
|
|
||||||
if (!pg_database_ownercheck(HeapTupleGetOid(tuple), GetUserId()))
|
if (!pg_database_ownercheck(dboid, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_DATABASE,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_DATABASE,
|
||||||
stmt->dbname);
|
stmt->dbname);
|
||||||
|
|
||||||
@ -1556,8 +1558,7 @@ AlterDatabase(ParseState *pstate, AlterDatabaseStmt *stmt, bool isTopLevel)
|
|||||||
new_record_nulls, new_record_repl);
|
new_record_nulls, new_record_repl);
|
||||||
CatalogTupleUpdate(rel, &tuple->t_self, newtuple);
|
CatalogTupleUpdate(rel, &tuple->t_self, newtuple);
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(DatabaseRelationId,
|
InvokeObjectPostAlterHook(DatabaseRelationId, dboid, 0);
|
||||||
HeapTupleGetOid(newtuple), 0);
|
|
||||||
|
|
||||||
systable_endscan(scan);
|
systable_endscan(scan);
|
||||||
|
|
||||||
@ -1626,8 +1627,8 @@ AlterDatabaseOwner(const char *dbname, Oid newOwnerId)
|
|||||||
(errcode(ERRCODE_UNDEFINED_DATABASE),
|
(errcode(ERRCODE_UNDEFINED_DATABASE),
|
||||||
errmsg("database \"%s\" does not exist", dbname)));
|
errmsg("database \"%s\" does not exist", dbname)));
|
||||||
|
|
||||||
db_id = HeapTupleGetOid(tuple);
|
|
||||||
datForm = (Form_pg_database) GETSTRUCT(tuple);
|
datForm = (Form_pg_database) GETSTRUCT(tuple);
|
||||||
|
db_id = datForm->oid;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* If the new owner is the same as the existing owner, consider the
|
* If the new owner is the same as the existing owner, consider the
|
||||||
@ -1645,7 +1646,7 @@ AlterDatabaseOwner(const char *dbname, Oid newOwnerId)
|
|||||||
HeapTuple newtuple;
|
HeapTuple newtuple;
|
||||||
|
|
||||||
/* Otherwise, must be owner of the existing object */
|
/* Otherwise, must be owner of the existing object */
|
||||||
if (!pg_database_ownercheck(HeapTupleGetOid(tuple), GetUserId()))
|
if (!pg_database_ownercheck(db_id, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_DATABASE,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_DATABASE,
|
||||||
dbname);
|
dbname);
|
||||||
|
|
||||||
@ -1694,11 +1695,10 @@ AlterDatabaseOwner(const char *dbname, Oid newOwnerId)
|
|||||||
heap_freetuple(newtuple);
|
heap_freetuple(newtuple);
|
||||||
|
|
||||||
/* Update owner dependency reference */
|
/* Update owner dependency reference */
|
||||||
changeDependencyOnOwner(DatabaseRelationId, HeapTupleGetOid(tuple),
|
changeDependencyOnOwner(DatabaseRelationId, db_id, newOwnerId);
|
||||||
newOwnerId);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(DatabaseRelationId, HeapTupleGetOid(tuple), 0);
|
InvokeObjectPostAlterHook(DatabaseRelationId, db_id, 0);
|
||||||
|
|
||||||
ObjectAddressSet(address, DatabaseRelationId, db_id);
|
ObjectAddressSet(address, DatabaseRelationId, db_id);
|
||||||
|
|
||||||
@ -1770,7 +1770,7 @@ get_db_info(const char *name, LOCKMODE lockmode,
|
|||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
|
|
||||||
dbOid = HeapTupleGetOid(tuple);
|
dbOid = ((Form_pg_database) GETSTRUCT(tuple))->oid;
|
||||||
|
|
||||||
systable_endscan(scan);
|
systable_endscan(scan);
|
||||||
|
|
||||||
@ -1878,7 +1878,8 @@ remove_dbtablespaces(Oid db_id)
|
|||||||
scan = heap_beginscan_catalog(rel, 0, NULL);
|
scan = heap_beginscan_catalog(rel, 0, NULL);
|
||||||
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
Oid dsttablespace = HeapTupleGetOid(tuple);
|
Form_pg_tablespace spcform = (Form_pg_tablespace) GETSTRUCT(tuple);
|
||||||
|
Oid dsttablespace = spcform->oid;
|
||||||
char *dstpath;
|
char *dstpath;
|
||||||
struct stat st;
|
struct stat st;
|
||||||
|
|
||||||
@ -1945,7 +1946,8 @@ check_db_file_conflict(Oid db_id)
|
|||||||
scan = heap_beginscan_catalog(rel, 0, NULL);
|
scan = heap_beginscan_catalog(rel, 0, NULL);
|
||||||
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
Oid dsttablespace = HeapTupleGetOid(tuple);
|
Form_pg_tablespace spcform = (Form_pg_tablespace) GETSTRUCT(tuple);
|
||||||
|
Oid dsttablespace = spcform->oid;
|
||||||
char *dstpath;
|
char *dstpath;
|
||||||
struct stat st;
|
struct stat st;
|
||||||
|
|
||||||
@ -2030,7 +2032,7 @@ get_database_oid(const char *dbname, bool missing_ok)
|
|||||||
|
|
||||||
/* We assume that there can be at most one matching tuple */
|
/* We assume that there can be at most one matching tuple */
|
||||||
if (HeapTupleIsValid(dbtuple))
|
if (HeapTupleIsValid(dbtuple))
|
||||||
oid = HeapTupleGetOid(dbtuple);
|
oid = ((Form_pg_database)GETSTRUCT(dbtuple))->oid;
|
||||||
else
|
else
|
||||||
oid = InvalidOid;
|
oid = InvalidOid;
|
||||||
|
|
||||||
|
@ -15,6 +15,7 @@
|
|||||||
|
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/xact.h"
|
#include "access/xact.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -391,6 +392,9 @@ insert_event_trigger_tuple(const char *trigname, const char *eventname, Oid evtO
|
|||||||
tgrel = heap_open(EventTriggerRelationId, RowExclusiveLock);
|
tgrel = heap_open(EventTriggerRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
/* Build the new pg_trigger tuple. */
|
/* Build the new pg_trigger tuple. */
|
||||||
|
trigoid = GetNewOidWithIndex(tgrel, EventTriggerOidIndexId,
|
||||||
|
Anum_pg_event_trigger_oid);
|
||||||
|
values[Anum_pg_event_trigger_oid - 1] = ObjectIdGetDatum(trigoid);
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
namestrcpy(&evtnamedata, trigname);
|
namestrcpy(&evtnamedata, trigname);
|
||||||
values[Anum_pg_event_trigger_evtname - 1] = NameGetDatum(&evtnamedata);
|
values[Anum_pg_event_trigger_evtname - 1] = NameGetDatum(&evtnamedata);
|
||||||
@ -408,7 +412,7 @@ insert_event_trigger_tuple(const char *trigname, const char *eventname, Oid evtO
|
|||||||
|
|
||||||
/* Insert heap tuple. */
|
/* Insert heap tuple. */
|
||||||
tuple = heap_form_tuple(tgrel->rd_att, values, nulls);
|
tuple = heap_form_tuple(tgrel->rd_att, values, nulls);
|
||||||
trigoid = CatalogTupleInsert(tgrel, tuple);
|
CatalogTupleInsert(tgrel, tuple);
|
||||||
heap_freetuple(tuple);
|
heap_freetuple(tuple);
|
||||||
|
|
||||||
/* Depend on owner. */
|
/* Depend on owner. */
|
||||||
@ -516,14 +520,14 @@ AlterEventTrigger(AlterEventTrigStmt *stmt)
|
|||||||
errmsg("event trigger \"%s\" does not exist",
|
errmsg("event trigger \"%s\" does not exist",
|
||||||
stmt->trigname)));
|
stmt->trigname)));
|
||||||
|
|
||||||
trigoid = HeapTupleGetOid(tup);
|
evtForm = (Form_pg_event_trigger) GETSTRUCT(tup);
|
||||||
|
trigoid = evtForm->oid;
|
||||||
|
|
||||||
if (!pg_event_trigger_ownercheck(trigoid, GetUserId()))
|
if (!pg_event_trigger_ownercheck(trigoid, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_EVENT_TRIGGER,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_EVENT_TRIGGER,
|
||||||
stmt->trigname);
|
stmt->trigname);
|
||||||
|
|
||||||
/* tuple is a copy, so we can modify it below */
|
/* tuple is a copy, so we can modify it below */
|
||||||
evtForm = (Form_pg_event_trigger) GETSTRUCT(tup);
|
|
||||||
evtForm->evtenabled = tgenabled;
|
evtForm->evtenabled = tgenabled;
|
||||||
|
|
||||||
CatalogTupleUpdate(tgrel, &tup->t_self, tup);
|
CatalogTupleUpdate(tgrel, &tup->t_self, tup);
|
||||||
@ -546,6 +550,7 @@ AlterEventTriggerOwner(const char *name, Oid newOwnerId)
|
|||||||
{
|
{
|
||||||
Oid evtOid;
|
Oid evtOid;
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
|
Form_pg_event_trigger evtForm;
|
||||||
Relation rel;
|
Relation rel;
|
||||||
ObjectAddress address;
|
ObjectAddress address;
|
||||||
|
|
||||||
@ -558,7 +563,8 @@ AlterEventTriggerOwner(const char *name, Oid newOwnerId)
|
|||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
errmsg("event trigger \"%s\" does not exist", name)));
|
errmsg("event trigger \"%s\" does not exist", name)));
|
||||||
|
|
||||||
evtOid = HeapTupleGetOid(tup);
|
evtForm = (Form_pg_event_trigger) GETSTRUCT(tup);
|
||||||
|
evtOid = evtForm->oid;
|
||||||
|
|
||||||
AlterEventTriggerOwner_internal(rel, tup, newOwnerId);
|
AlterEventTriggerOwner_internal(rel, tup, newOwnerId);
|
||||||
|
|
||||||
@ -609,7 +615,7 @@ AlterEventTriggerOwner_internal(Relation rel, HeapTuple tup, Oid newOwnerId)
|
|||||||
if (form->evtowner == newOwnerId)
|
if (form->evtowner == newOwnerId)
|
||||||
return;
|
return;
|
||||||
|
|
||||||
if (!pg_event_trigger_ownercheck(HeapTupleGetOid(tup), GetUserId()))
|
if (!pg_event_trigger_ownercheck(form->oid, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_EVENT_TRIGGER,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_EVENT_TRIGGER,
|
||||||
NameStr(form->evtname));
|
NameStr(form->evtname));
|
||||||
|
|
||||||
@ -626,11 +632,11 @@ AlterEventTriggerOwner_internal(Relation rel, HeapTuple tup, Oid newOwnerId)
|
|||||||
|
|
||||||
/* Update owner dependency reference */
|
/* Update owner dependency reference */
|
||||||
changeDependencyOnOwner(EventTriggerRelationId,
|
changeDependencyOnOwner(EventTriggerRelationId,
|
||||||
HeapTupleGetOid(tup),
|
form->oid,
|
||||||
newOwnerId);
|
newOwnerId);
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(EventTriggerRelationId,
|
InvokeObjectPostAlterHook(EventTriggerRelationId,
|
||||||
HeapTupleGetOid(tup), 0);
|
form->oid, 0);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -644,7 +650,8 @@ get_event_trigger_oid(const char *trigname, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid1(EVENTTRIGGERNAME, CStringGetDatum(trigname));
|
oid = GetSysCacheOid1(EVENTTRIGGERNAME, Anum_pg_event_trigger_oid,
|
||||||
|
CStringGetDatum(trigname));
|
||||||
if (!OidIsValid(oid) && !missing_ok)
|
if (!OidIsValid(oid) && !missing_ok)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
@ -1357,7 +1364,9 @@ EventTriggerSQLDropAddObject(const ObjectAddress *object, bool original, bool no
|
|||||||
HeapTuple tuple;
|
HeapTuple tuple;
|
||||||
|
|
||||||
catalog = heap_open(obj->address.classId, AccessShareLock);
|
catalog = heap_open(obj->address.classId, AccessShareLock);
|
||||||
tuple = get_catalog_object_by_oid(catalog, obj->address.objectId);
|
tuple = get_catalog_object_by_oid(catalog,
|
||||||
|
get_object_attnum_oid(object->classId),
|
||||||
|
obj->address.objectId);
|
||||||
|
|
||||||
if (tuple)
|
if (tuple)
|
||||||
{
|
{
|
||||||
@ -2106,6 +2115,7 @@ pg_event_trigger_ddl_commands(PG_FUNCTION_ARGS)
|
|||||||
|
|
||||||
catalog = heap_open(addr.classId, AccessShareLock);
|
catalog = heap_open(addr.classId, AccessShareLock);
|
||||||
objtup = get_catalog_object_by_oid(catalog,
|
objtup = get_catalog_object_by_oid(catalog,
|
||||||
|
get_object_attnum_oid(addr.classId),
|
||||||
addr.objectId);
|
addr.objectId);
|
||||||
if (!HeapTupleIsValid(objtup))
|
if (!HeapTupleIsValid(objtup))
|
||||||
elog(ERROR, "cache lookup failed for object %u/%u",
|
elog(ERROR, "cache lookup failed for object %u/%u",
|
||||||
|
@ -324,7 +324,7 @@ ExplainResultDesc(ExplainStmt *stmt)
|
|||||||
}
|
}
|
||||||
|
|
||||||
/* Need a tuple descriptor representing a single TEXT or XML column */
|
/* Need a tuple descriptor representing a single TEXT or XML column */
|
||||||
tupdesc = CreateTemplateTupleDesc(1, false);
|
tupdesc = CreateTemplateTupleDesc(1);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "QUERY PLAN",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "QUERY PLAN",
|
||||||
result_type, -1, 0);
|
result_type, -1, 0);
|
||||||
return tupdesc;
|
return tupdesc;
|
||||||
|
@ -32,6 +32,7 @@
|
|||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
#include "access/xact.h"
|
#include "access/xact.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/namespace.h"
|
#include "catalog/namespace.h"
|
||||||
@ -154,7 +155,7 @@ get_extension_oid(const char *extname, bool missing_ok)
|
|||||||
|
|
||||||
/* We assume that there can be at most one matching tuple */
|
/* We assume that there can be at most one matching tuple */
|
||||||
if (HeapTupleIsValid(tuple))
|
if (HeapTupleIsValid(tuple))
|
||||||
result = HeapTupleGetOid(tuple);
|
result = ((Form_pg_extension) GETSTRUCT(tuple))->oid;
|
||||||
else
|
else
|
||||||
result = InvalidOid;
|
result = InvalidOid;
|
||||||
|
|
||||||
@ -188,7 +189,7 @@ get_extension_name(Oid ext_oid)
|
|||||||
rel = heap_open(ExtensionRelationId, AccessShareLock);
|
rel = heap_open(ExtensionRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(ext_oid));
|
ObjectIdGetDatum(ext_oid));
|
||||||
|
|
||||||
@ -227,7 +228,7 @@ get_extension_schema(Oid ext_oid)
|
|||||||
rel = heap_open(ExtensionRelationId, AccessShareLock);
|
rel = heap_open(ExtensionRelationId, AccessShareLock);
|
||||||
|
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(ext_oid));
|
ObjectIdGetDatum(ext_oid));
|
||||||
|
|
||||||
@ -1758,6 +1759,9 @@ InsertExtensionTuple(const char *extName, Oid extOwner,
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, 0, sizeof(nulls));
|
memset(nulls, 0, sizeof(nulls));
|
||||||
|
|
||||||
|
extensionOid = GetNewOidWithIndex(rel, ExtensionOidIndexId,
|
||||||
|
Anum_pg_extension_oid);
|
||||||
|
values[Anum_pg_extension_oid - 1] = ObjectIdGetDatum(extensionOid);
|
||||||
values[Anum_pg_extension_extname - 1] =
|
values[Anum_pg_extension_extname - 1] =
|
||||||
DirectFunctionCall1(namein, CStringGetDatum(extName));
|
DirectFunctionCall1(namein, CStringGetDatum(extName));
|
||||||
values[Anum_pg_extension_extowner - 1] = ObjectIdGetDatum(extOwner);
|
values[Anum_pg_extension_extowner - 1] = ObjectIdGetDatum(extOwner);
|
||||||
@ -1777,7 +1781,7 @@ InsertExtensionTuple(const char *extName, Oid extOwner,
|
|||||||
|
|
||||||
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
extensionOid = CatalogTupleInsert(rel, tuple);
|
CatalogTupleInsert(rel, tuple);
|
||||||
|
|
||||||
heap_freetuple(tuple);
|
heap_freetuple(tuple);
|
||||||
heap_close(rel, RowExclusiveLock);
|
heap_close(rel, RowExclusiveLock);
|
||||||
@ -1848,7 +1852,7 @@ RemoveExtensionById(Oid extId)
|
|||||||
rel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
rel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&entry[0],
|
ScanKeyInit(&entry[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(extId));
|
ObjectIdGetDatum(extId));
|
||||||
scandesc = systable_beginscan(rel, ExtensionOidIndexId, true,
|
scandesc = systable_beginscan(rel, ExtensionOidIndexId, true,
|
||||||
@ -2376,7 +2380,7 @@ pg_extension_config_dump(PG_FUNCTION_ARGS)
|
|||||||
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&key[0],
|
ScanKeyInit(&key[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(CurrentExtensionObject));
|
ObjectIdGetDatum(CurrentExtensionObject));
|
||||||
|
|
||||||
@ -2524,7 +2528,7 @@ extension_config_remove(Oid extensionoid, Oid tableoid)
|
|||||||
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&key[0],
|
ScanKeyInit(&key[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(extensionoid));
|
ObjectIdGetDatum(extensionoid));
|
||||||
|
|
||||||
@ -2723,7 +2727,7 @@ AlterExtensionNamespace(const char *extensionName, const char *newschema, Oid *o
|
|||||||
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&key[0],
|
ScanKeyInit(&key[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(extensionOid));
|
ObjectIdGetDatum(extensionOid));
|
||||||
|
|
||||||
@ -2903,7 +2907,7 @@ ExecAlterExtensionStmt(ParseState *pstate, AlterExtensionStmt *stmt)
|
|||||||
errmsg("extension \"%s\" does not exist",
|
errmsg("extension \"%s\" does not exist",
|
||||||
stmt->extname)));
|
stmt->extname)));
|
||||||
|
|
||||||
extensionOid = HeapTupleGetOid(extTup);
|
extensionOid = ((Form_pg_extension) GETSTRUCT(extTup))->oid;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Determine the existing version we are updating from
|
* Determine the existing version we are updating from
|
||||||
@ -3045,7 +3049,7 @@ ApplyExtensionUpdates(Oid extensionOid,
|
|||||||
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
extRel = heap_open(ExtensionRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&key[0],
|
ScanKeyInit(&key[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_extension_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(extensionOid));
|
ObjectIdGetDatum(extensionOid));
|
||||||
|
|
||||||
|
@ -17,6 +17,7 @@
|
|||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/reloptions.h"
|
#include "access/reloptions.h"
|
||||||
#include "access/xact.h"
|
#include "access/xact.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -260,12 +261,12 @@ AlterForeignDataWrapperOwner_internal(Relation rel, HeapTuple tup, Oid newOwnerI
|
|||||||
|
|
||||||
/* Update owner dependency reference */
|
/* Update owner dependency reference */
|
||||||
changeDependencyOnOwner(ForeignDataWrapperRelationId,
|
changeDependencyOnOwner(ForeignDataWrapperRelationId,
|
||||||
HeapTupleGetOid(tup),
|
form->oid,
|
||||||
newOwnerId);
|
newOwnerId);
|
||||||
}
|
}
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(ForeignDataWrapperRelationId,
|
InvokeObjectPostAlterHook(ForeignDataWrapperRelationId,
|
||||||
HeapTupleGetOid(tup), 0);
|
form->oid, 0);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -280,6 +281,8 @@ AlterForeignDataWrapperOwner(const char *name, Oid newOwnerId)
|
|||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
Relation rel;
|
Relation rel;
|
||||||
ObjectAddress address;
|
ObjectAddress address;
|
||||||
|
Form_pg_foreign_data_wrapper form;
|
||||||
|
|
||||||
|
|
||||||
rel = heap_open(ForeignDataWrapperRelationId, RowExclusiveLock);
|
rel = heap_open(ForeignDataWrapperRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
@ -290,7 +293,8 @@ AlterForeignDataWrapperOwner(const char *name, Oid newOwnerId)
|
|||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
errmsg("foreign-data wrapper \"%s\" does not exist", name)));
|
errmsg("foreign-data wrapper \"%s\" does not exist", name)));
|
||||||
|
|
||||||
fdwId = HeapTupleGetOid(tup);
|
form = (Form_pg_foreign_data_wrapper) GETSTRUCT(tup);
|
||||||
|
fdwId = form->oid;
|
||||||
|
|
||||||
AlterForeignDataWrapperOwner_internal(rel, tup, newOwnerId);
|
AlterForeignDataWrapperOwner_internal(rel, tup, newOwnerId);
|
||||||
|
|
||||||
@ -354,7 +358,7 @@ AlterForeignServerOwner_internal(Relation rel, HeapTuple tup, Oid newOwnerId)
|
|||||||
Oid srvId;
|
Oid srvId;
|
||||||
AclResult aclresult;
|
AclResult aclresult;
|
||||||
|
|
||||||
srvId = HeapTupleGetOid(tup);
|
srvId = form->oid;
|
||||||
|
|
||||||
/* Must be owner */
|
/* Must be owner */
|
||||||
if (!pg_foreign_server_ownercheck(srvId, GetUserId()))
|
if (!pg_foreign_server_ownercheck(srvId, GetUserId()))
|
||||||
@ -399,12 +403,12 @@ AlterForeignServerOwner_internal(Relation rel, HeapTuple tup, Oid newOwnerId)
|
|||||||
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
||||||
|
|
||||||
/* Update owner dependency reference */
|
/* Update owner dependency reference */
|
||||||
changeDependencyOnOwner(ForeignServerRelationId, HeapTupleGetOid(tup),
|
changeDependencyOnOwner(ForeignServerRelationId, form->oid,
|
||||||
newOwnerId);
|
newOwnerId);
|
||||||
}
|
}
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(ForeignServerRelationId,
|
InvokeObjectPostAlterHook(ForeignServerRelationId,
|
||||||
HeapTupleGetOid(tup), 0);
|
form->oid, 0);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -417,6 +421,7 @@ AlterForeignServerOwner(const char *name, Oid newOwnerId)
|
|||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
Relation rel;
|
Relation rel;
|
||||||
ObjectAddress address;
|
ObjectAddress address;
|
||||||
|
Form_pg_foreign_server form;
|
||||||
|
|
||||||
rel = heap_open(ForeignServerRelationId, RowExclusiveLock);
|
rel = heap_open(ForeignServerRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
@ -427,7 +432,8 @@ AlterForeignServerOwner(const char *name, Oid newOwnerId)
|
|||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
errmsg("server \"%s\" does not exist", name)));
|
errmsg("server \"%s\" does not exist", name)));
|
||||||
|
|
||||||
servOid = HeapTupleGetOid(tup);
|
form = (Form_pg_foreign_server) GETSTRUCT(tup);
|
||||||
|
servOid = form->oid;
|
||||||
|
|
||||||
AlterForeignServerOwner_internal(rel, tup, newOwnerId);
|
AlterForeignServerOwner_internal(rel, tup, newOwnerId);
|
||||||
|
|
||||||
@ -601,6 +607,9 @@ CreateForeignDataWrapper(CreateFdwStmt *stmt)
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
fdwId = GetNewOidWithIndex(rel, ForeignDataWrapperOidIndexId,
|
||||||
|
Anum_pg_foreign_data_wrapper_oid);
|
||||||
|
values[Anum_pg_foreign_data_wrapper_oid - 1] = ObjectIdGetDatum(fdwId);
|
||||||
values[Anum_pg_foreign_data_wrapper_fdwname - 1] =
|
values[Anum_pg_foreign_data_wrapper_fdwname - 1] =
|
||||||
DirectFunctionCall1(namein, CStringGetDatum(stmt->fdwname));
|
DirectFunctionCall1(namein, CStringGetDatum(stmt->fdwname));
|
||||||
values[Anum_pg_foreign_data_wrapper_fdwowner - 1] = ObjectIdGetDatum(ownerId);
|
values[Anum_pg_foreign_data_wrapper_fdwowner - 1] = ObjectIdGetDatum(ownerId);
|
||||||
@ -627,7 +636,7 @@ CreateForeignDataWrapper(CreateFdwStmt *stmt)
|
|||||||
|
|
||||||
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
fdwId = CatalogTupleInsert(rel, tuple);
|
CatalogTupleInsert(rel, tuple);
|
||||||
|
|
||||||
heap_freetuple(tuple);
|
heap_freetuple(tuple);
|
||||||
|
|
||||||
@ -706,7 +715,7 @@ AlterForeignDataWrapper(AlterFdwStmt *stmt)
|
|||||||
errmsg("foreign-data wrapper \"%s\" does not exist", stmt->fdwname)));
|
errmsg("foreign-data wrapper \"%s\" does not exist", stmt->fdwname)));
|
||||||
|
|
||||||
fdwForm = (Form_pg_foreign_data_wrapper) GETSTRUCT(tp);
|
fdwForm = (Form_pg_foreign_data_wrapper) GETSTRUCT(tp);
|
||||||
fdwId = HeapTupleGetOid(tp);
|
fdwId = fdwForm->oid;
|
||||||
|
|
||||||
memset(repl_val, 0, sizeof(repl_val));
|
memset(repl_val, 0, sizeof(repl_val));
|
||||||
memset(repl_null, false, sizeof(repl_null));
|
memset(repl_null, false, sizeof(repl_null));
|
||||||
@ -915,6 +924,9 @@ CreateForeignServer(CreateForeignServerStmt *stmt)
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
srvId = GetNewOidWithIndex(rel, ForeignServerOidIndexId,
|
||||||
|
Anum_pg_foreign_server_oid);
|
||||||
|
values[Anum_pg_foreign_server_oid - 1] = ObjectIdGetDatum(srvId);
|
||||||
values[Anum_pg_foreign_server_srvname - 1] =
|
values[Anum_pg_foreign_server_srvname - 1] =
|
||||||
DirectFunctionCall1(namein, CStringGetDatum(stmt->servername));
|
DirectFunctionCall1(namein, CStringGetDatum(stmt->servername));
|
||||||
values[Anum_pg_foreign_server_srvowner - 1] = ObjectIdGetDatum(ownerId);
|
values[Anum_pg_foreign_server_srvowner - 1] = ObjectIdGetDatum(ownerId);
|
||||||
@ -950,7 +962,7 @@ CreateForeignServer(CreateForeignServerStmt *stmt)
|
|||||||
|
|
||||||
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
srvId = CatalogTupleInsert(rel, tuple);
|
CatalogTupleInsert(rel, tuple);
|
||||||
|
|
||||||
heap_freetuple(tuple);
|
heap_freetuple(tuple);
|
||||||
|
|
||||||
@ -1003,8 +1015,8 @@ AlterForeignServer(AlterForeignServerStmt *stmt)
|
|||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
errmsg("server \"%s\" does not exist", stmt->servername)));
|
errmsg("server \"%s\" does not exist", stmt->servername)));
|
||||||
|
|
||||||
srvId = HeapTupleGetOid(tp);
|
|
||||||
srvForm = (Form_pg_foreign_server) GETSTRUCT(tp);
|
srvForm = (Form_pg_foreign_server) GETSTRUCT(tp);
|
||||||
|
srvId = srvForm->oid;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Only owner or a superuser can ALTER a SERVER.
|
* Only owner or a superuser can ALTER a SERVER.
|
||||||
@ -1162,7 +1174,7 @@ CreateUserMapping(CreateUserMappingStmt *stmt)
|
|||||||
/*
|
/*
|
||||||
* Check that the user mapping is unique within server.
|
* Check that the user mapping is unique within server.
|
||||||
*/
|
*/
|
||||||
umId = GetSysCacheOid2(USERMAPPINGUSERSERVER,
|
umId = GetSysCacheOid2(USERMAPPINGUSERSERVER, Anum_pg_user_mapping_oid,
|
||||||
ObjectIdGetDatum(useId),
|
ObjectIdGetDatum(useId),
|
||||||
ObjectIdGetDatum(srv->serverid));
|
ObjectIdGetDatum(srv->serverid));
|
||||||
|
|
||||||
@ -1195,6 +1207,9 @@ CreateUserMapping(CreateUserMappingStmt *stmt)
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
umId = GetNewOidWithIndex(rel, UserMappingOidIndexId,
|
||||||
|
Anum_pg_user_mapping_oid);
|
||||||
|
values[Anum_pg_user_mapping_oid - 1] = ObjectIdGetDatum(umId);
|
||||||
values[Anum_pg_user_mapping_umuser - 1] = ObjectIdGetDatum(useId);
|
values[Anum_pg_user_mapping_umuser - 1] = ObjectIdGetDatum(useId);
|
||||||
values[Anum_pg_user_mapping_umserver - 1] = ObjectIdGetDatum(srv->serverid);
|
values[Anum_pg_user_mapping_umserver - 1] = ObjectIdGetDatum(srv->serverid);
|
||||||
|
|
||||||
@ -1211,7 +1226,7 @@ CreateUserMapping(CreateUserMappingStmt *stmt)
|
|||||||
|
|
||||||
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
tuple = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
umId = CatalogTupleInsert(rel, tuple);
|
CatalogTupleInsert(rel, tuple);
|
||||||
|
|
||||||
heap_freetuple(tuple);
|
heap_freetuple(tuple);
|
||||||
|
|
||||||
@ -1273,7 +1288,7 @@ AlterUserMapping(AlterUserMappingStmt *stmt)
|
|||||||
|
|
||||||
srv = GetForeignServerByName(stmt->servername, false);
|
srv = GetForeignServerByName(stmt->servername, false);
|
||||||
|
|
||||||
umId = GetSysCacheOid2(USERMAPPINGUSERSERVER,
|
umId = GetSysCacheOid2(USERMAPPINGUSERSERVER, Anum_pg_user_mapping_oid,
|
||||||
ObjectIdGetDatum(useId),
|
ObjectIdGetDatum(useId),
|
||||||
ObjectIdGetDatum(srv->serverid));
|
ObjectIdGetDatum(srv->serverid));
|
||||||
if (!OidIsValid(umId))
|
if (!OidIsValid(umId))
|
||||||
@ -1385,7 +1400,7 @@ RemoveUserMapping(DropUserMappingStmt *stmt)
|
|||||||
return InvalidOid;
|
return InvalidOid;
|
||||||
}
|
}
|
||||||
|
|
||||||
umId = GetSysCacheOid2(USERMAPPINGUSERSERVER,
|
umId = GetSysCacheOid2(USERMAPPINGUSERSERVER, Anum_pg_user_mapping_oid,
|
||||||
ObjectIdGetDatum(useId),
|
ObjectIdGetDatum(useId),
|
||||||
ObjectIdGetDatum(srv->serverid));
|
ObjectIdGetDatum(srv->serverid));
|
||||||
|
|
||||||
|
@ -36,6 +36,7 @@
|
|||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -938,8 +939,8 @@ CreateFunction(ParseState *pstate, CreateFunctionStmt *stmt)
|
|||||||
(PLTemplateExists(language) ?
|
(PLTemplateExists(language) ?
|
||||||
errhint("Use CREATE EXTENSION to load the language into the database.") : 0)));
|
errhint("Use CREATE EXTENSION to load the language into the database.") : 0)));
|
||||||
|
|
||||||
languageOid = HeapTupleGetOid(languageTuple);
|
|
||||||
languageStruct = (Form_pg_language) GETSTRUCT(languageTuple);
|
languageStruct = (Form_pg_language) GETSTRUCT(languageTuple);
|
||||||
|
languageOid = languageStruct->oid;
|
||||||
|
|
||||||
if (languageStruct->lanpltrusted)
|
if (languageStruct->lanpltrusted)
|
||||||
{
|
{
|
||||||
@ -1668,6 +1669,8 @@ CreateCast(CreateCastStmt *stmt)
|
|||||||
format_type_be(targettypeid))));
|
format_type_be(targettypeid))));
|
||||||
|
|
||||||
/* ready to go */
|
/* ready to go */
|
||||||
|
castid = GetNewOidWithIndex(relation, CastOidIndexId, Anum_pg_cast_oid);
|
||||||
|
values[Anum_pg_cast_oid - 1] = ObjectIdGetDatum(castid);
|
||||||
values[Anum_pg_cast_castsource - 1] = ObjectIdGetDatum(sourcetypeid);
|
values[Anum_pg_cast_castsource - 1] = ObjectIdGetDatum(sourcetypeid);
|
||||||
values[Anum_pg_cast_casttarget - 1] = ObjectIdGetDatum(targettypeid);
|
values[Anum_pg_cast_casttarget - 1] = ObjectIdGetDatum(targettypeid);
|
||||||
values[Anum_pg_cast_castfunc - 1] = ObjectIdGetDatum(funcid);
|
values[Anum_pg_cast_castfunc - 1] = ObjectIdGetDatum(funcid);
|
||||||
@ -1678,7 +1681,7 @@ CreateCast(CreateCastStmt *stmt)
|
|||||||
|
|
||||||
tuple = heap_form_tuple(RelationGetDescr(relation), values, nulls);
|
tuple = heap_form_tuple(RelationGetDescr(relation), values, nulls);
|
||||||
|
|
||||||
castid = CatalogTupleInsert(relation, tuple);
|
CatalogTupleInsert(relation, tuple);
|
||||||
|
|
||||||
/* make dependency entries */
|
/* make dependency entries */
|
||||||
myself.classId = CastRelationId;
|
myself.classId = CastRelationId;
|
||||||
@ -1730,7 +1733,7 @@ get_cast_oid(Oid sourcetypeid, Oid targettypeid, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid2(CASTSOURCETARGET,
|
oid = GetSysCacheOid2(CASTSOURCETARGET, Anum_pg_cast_oid,
|
||||||
ObjectIdGetDatum(sourcetypeid),
|
ObjectIdGetDatum(sourcetypeid),
|
||||||
ObjectIdGetDatum(targettypeid));
|
ObjectIdGetDatum(targettypeid));
|
||||||
if (!OidIsValid(oid) && !missing_ok)
|
if (!OidIsValid(oid) && !missing_ok)
|
||||||
@ -1753,7 +1756,7 @@ DropCastById(Oid castOid)
|
|||||||
relation = heap_open(CastRelationId, RowExclusiveLock);
|
relation = heap_open(CastRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&scankey,
|
ScanKeyInit(&scankey,
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_cast_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(castOid));
|
ObjectIdGetDatum(castOid));
|
||||||
scan = systable_beginscan(relation, CastOidIndexId, true,
|
scan = systable_beginscan(relation, CastOidIndexId, true,
|
||||||
@ -1925,6 +1928,8 @@ CreateTransform(CreateTransformStmt *stmt)
|
|||||||
ObjectIdGetDatum(langid));
|
ObjectIdGetDatum(langid));
|
||||||
if (HeapTupleIsValid(tuple))
|
if (HeapTupleIsValid(tuple))
|
||||||
{
|
{
|
||||||
|
Form_pg_transform form = (Form_pg_transform) GETSTRUCT(tuple);
|
||||||
|
|
||||||
if (!stmt->replace)
|
if (!stmt->replace)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_DUPLICATE_OBJECT),
|
(errcode(ERRCODE_DUPLICATE_OBJECT),
|
||||||
@ -1939,14 +1944,17 @@ CreateTransform(CreateTransformStmt *stmt)
|
|||||||
newtuple = heap_modify_tuple(tuple, RelationGetDescr(relation), values, nulls, replaces);
|
newtuple = heap_modify_tuple(tuple, RelationGetDescr(relation), values, nulls, replaces);
|
||||||
CatalogTupleUpdate(relation, &newtuple->t_self, newtuple);
|
CatalogTupleUpdate(relation, &newtuple->t_self, newtuple);
|
||||||
|
|
||||||
transformid = HeapTupleGetOid(tuple);
|
transformid = form->oid;
|
||||||
ReleaseSysCache(tuple);
|
ReleaseSysCache(tuple);
|
||||||
is_replace = true;
|
is_replace = true;
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
|
transformid = GetNewOidWithIndex(relation, TransformOidIndexId,
|
||||||
|
Anum_pg_transform_oid);
|
||||||
|
values[Anum_pg_transform_oid - 1] = ObjectIdGetDatum(transformid);
|
||||||
newtuple = heap_form_tuple(RelationGetDescr(relation), values, nulls);
|
newtuple = heap_form_tuple(RelationGetDescr(relation), values, nulls);
|
||||||
transformid = CatalogTupleInsert(relation, newtuple);
|
CatalogTupleInsert(relation, newtuple);
|
||||||
is_replace = false;
|
is_replace = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -2011,7 +2019,7 @@ get_transform_oid(Oid type_id, Oid lang_id, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid2(TRFTYPELANG,
|
oid = GetSysCacheOid2(TRFTYPELANG, Anum_pg_transform_oid,
|
||||||
ObjectIdGetDatum(type_id),
|
ObjectIdGetDatum(type_id),
|
||||||
ObjectIdGetDatum(lang_id));
|
ObjectIdGetDatum(lang_id));
|
||||||
if (!OidIsValid(oid) && !missing_ok)
|
if (!OidIsValid(oid) && !missing_ok)
|
||||||
@ -2035,7 +2043,7 @@ DropTransformById(Oid transformOid)
|
|||||||
relation = heap_open(TransformRelationId, RowExclusiveLock);
|
relation = heap_open(TransformRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
ScanKeyInit(&scankey,
|
ScanKeyInit(&scankey,
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_transform_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(transformOid));
|
ObjectIdGetDatum(transformOid));
|
||||||
scan = systable_beginscan(relation, TransformOidIndexId, true,
|
scan = systable_beginscan(relation, TransformOidIndexId, true,
|
||||||
@ -2140,8 +2148,8 @@ ExecuteDoStmt(DoStmt *stmt, bool atomic)
|
|||||||
(PLTemplateExists(language) ?
|
(PLTemplateExists(language) ?
|
||||||
errhint("Use CREATE EXTENSION to load the language into the database.") : 0)));
|
errhint("Use CREATE EXTENSION to load the language into the database.") : 0)));
|
||||||
|
|
||||||
codeblock->langOid = HeapTupleGetOid(languageTuple);
|
|
||||||
languageStruct = (Form_pg_language) GETSTRUCT(languageTuple);
|
languageStruct = (Form_pg_language) GETSTRUCT(languageTuple);
|
||||||
|
codeblock->langOid = languageStruct->oid;
|
||||||
codeblock->langIsTrusted = languageStruct->lanpltrusted;
|
codeblock->langIsTrusted = languageStruct->lanpltrusted;
|
||||||
codeblock->atomic = atomic;
|
codeblock->atomic = atomic;
|
||||||
|
|
||||||
|
@ -172,8 +172,8 @@ CheckIndexCompatible(Oid oldId,
|
|||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
errmsg("access method \"%s\" does not exist",
|
errmsg("access method \"%s\" does not exist",
|
||||||
accessMethodName)));
|
accessMethodName)));
|
||||||
accessMethodId = HeapTupleGetOid(tuple);
|
|
||||||
accessMethodForm = (Form_pg_am) GETSTRUCT(tuple);
|
accessMethodForm = (Form_pg_am) GETSTRUCT(tuple);
|
||||||
|
accessMethodId = accessMethodForm->oid;
|
||||||
amRoutine = GetIndexAmRoutine(accessMethodForm->amhandler);
|
amRoutine = GetIndexAmRoutine(accessMethodForm->amhandler);
|
||||||
ReleaseSysCache(tuple);
|
ReleaseSysCache(tuple);
|
||||||
|
|
||||||
@ -583,8 +583,8 @@ DefineIndex(Oid relationId,
|
|||||||
errmsg("access method \"%s\" does not exist",
|
errmsg("access method \"%s\" does not exist",
|
||||||
accessMethodName)));
|
accessMethodName)));
|
||||||
}
|
}
|
||||||
accessMethodId = HeapTupleGetOid(tuple);
|
|
||||||
accessMethodForm = (Form_pg_am) GETSTRUCT(tuple);
|
accessMethodForm = (Form_pg_am) GETSTRUCT(tuple);
|
||||||
|
accessMethodId = accessMethodForm->oid;
|
||||||
amRoutine = GetIndexAmRoutine(accessMethodForm->amhandler);
|
amRoutine = GetIndexAmRoutine(accessMethodForm->amhandler);
|
||||||
|
|
||||||
if (stmt->unique && !amRoutine->amcanunique)
|
if (stmt->unique && !amRoutine->amcanunique)
|
||||||
@ -748,14 +748,14 @@ DefineIndex(Oid relationId,
|
|||||||
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* We disallow indexes on system columns other than OID. They would not
|
* We disallow indexes on system columns. They would not necessarily get
|
||||||
* necessarily get updated correctly, and they don't seem useful anyway.
|
* updated correctly, and they don't seem useful anyway.
|
||||||
*/
|
*/
|
||||||
for (i = 0; i < indexInfo->ii_NumIndexAttrs; i++)
|
for (i = 0; i < indexInfo->ii_NumIndexAttrs; i++)
|
||||||
{
|
{
|
||||||
AttrNumber attno = indexInfo->ii_IndexAttrNumbers[i];
|
AttrNumber attno = indexInfo->ii_IndexAttrNumbers[i];
|
||||||
|
|
||||||
if (attno < 0 && attno != ObjectIdAttributeNumber)
|
if (attno < 0)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
|
(errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
|
||||||
errmsg("index creation on system columns is not supported")));
|
errmsg("index creation on system columns is not supported")));
|
||||||
@ -773,8 +773,7 @@ DefineIndex(Oid relationId,
|
|||||||
|
|
||||||
for (i = FirstLowInvalidHeapAttributeNumber + 1; i < 0; i++)
|
for (i = FirstLowInvalidHeapAttributeNumber + 1; i < 0; i++)
|
||||||
{
|
{
|
||||||
if (i != ObjectIdAttributeNumber &&
|
if (bms_is_member(i - FirstLowInvalidHeapAttributeNumber,
|
||||||
bms_is_member(i - FirstLowInvalidHeapAttributeNumber,
|
|
||||||
indexattrs))
|
indexattrs))
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
|
(errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
|
||||||
@ -1712,6 +1711,7 @@ ResolveOpClass(List *opclass, Oid attrType,
|
|||||||
char *schemaname;
|
char *schemaname;
|
||||||
char *opcname;
|
char *opcname;
|
||||||
HeapTuple tuple;
|
HeapTuple tuple;
|
||||||
|
Form_pg_opclass opform;
|
||||||
Oid opClassId,
|
Oid opClassId,
|
||||||
opInputType;
|
opInputType;
|
||||||
|
|
||||||
@ -1796,8 +1796,9 @@ ResolveOpClass(List *opclass, Oid attrType,
|
|||||||
* Verify that the index operator class accepts this datatype. Note we
|
* Verify that the index operator class accepts this datatype. Note we
|
||||||
* will accept binary compatibility.
|
* will accept binary compatibility.
|
||||||
*/
|
*/
|
||||||
opClassId = HeapTupleGetOid(tuple);
|
opform = (Form_pg_opclass) GETSTRUCT(tuple);
|
||||||
opInputType = ((Form_pg_opclass) GETSTRUCT(tuple))->opcintype;
|
opClassId = opform->oid;
|
||||||
|
opInputType = opform->opcintype;
|
||||||
|
|
||||||
if (!IsBinaryCoercible(attrType, opInputType))
|
if (!IsBinaryCoercible(attrType, opInputType))
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
@ -1866,7 +1867,7 @@ GetDefaultOpClass(Oid type_id, Oid am_id)
|
|||||||
if (opclass->opcintype == type_id)
|
if (opclass->opcintype == type_id)
|
||||||
{
|
{
|
||||||
nexact++;
|
nexact++;
|
||||||
result = HeapTupleGetOid(tup);
|
result = opclass->oid;
|
||||||
}
|
}
|
||||||
else if (nexact == 0 &&
|
else if (nexact == 0 &&
|
||||||
IsBinaryCoercible(type_id, opclass->opcintype))
|
IsBinaryCoercible(type_id, opclass->opcintype))
|
||||||
@ -1874,12 +1875,12 @@ GetDefaultOpClass(Oid type_id, Oid am_id)
|
|||||||
if (IsPreferredType(tcategory, opclass->opcintype))
|
if (IsPreferredType(tcategory, opclass->opcintype))
|
||||||
{
|
{
|
||||||
ncompatiblepreferred++;
|
ncompatiblepreferred++;
|
||||||
result = HeapTupleGetOid(tup);
|
result = opclass->oid;
|
||||||
}
|
}
|
||||||
else if (ncompatiblepreferred == 0)
|
else if (ncompatiblepreferred == 0)
|
||||||
{
|
{
|
||||||
ncompatible++;
|
ncompatible++;
|
||||||
result = HeapTupleGetOid(tup);
|
result = opclass->oid;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -2405,7 +2406,7 @@ ReindexMultipleTables(const char *objectName, ReindexObjectType objectKind,
|
|||||||
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
while ((tuple = heap_getnext(scan, ForwardScanDirection)) != NULL)
|
||||||
{
|
{
|
||||||
Form_pg_class classtuple = (Form_pg_class) GETSTRUCT(tuple);
|
Form_pg_class classtuple = (Form_pg_class) GETSTRUCT(tuple);
|
||||||
Oid relid = HeapTupleGetOid(tuple);
|
Oid relid = classtuple->oid;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Only regular tables and matviews can have indexes, so ignore any
|
* Only regular tables and matviews can have indexes, so ignore any
|
||||||
|
@ -184,9 +184,6 @@ ExecRefreshMatView(RefreshMatViewStmt *stmt, const char *queryString,
|
|||||||
(errcode(ERRCODE_SYNTAX_ERROR),
|
(errcode(ERRCODE_SYNTAX_ERROR),
|
||||||
errmsg("CONCURRENTLY and WITH NO DATA options cannot be used together")));
|
errmsg("CONCURRENTLY and WITH NO DATA options cannot be used together")));
|
||||||
|
|
||||||
/* We don't allow an oid column for a materialized view. */
|
|
||||||
Assert(!matviewRel->rd_rel->relhasoids);
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Check that everything is correct for a refresh. Problems at this point
|
* Check that everything is correct for a refresh. Problems at this point
|
||||||
* are internal errors, so elog is sufficient.
|
* are internal errors, so elog is sufficient.
|
||||||
@ -408,7 +405,7 @@ refresh_matview_datafill(DestReceiver *dest, Query *query,
|
|||||||
dest, NULL, NULL, 0);
|
dest, NULL, NULL, 0);
|
||||||
|
|
||||||
/* call ExecutorStart to prepare the plan for execution */
|
/* call ExecutorStart to prepare the plan for execution */
|
||||||
ExecutorStart(queryDesc, EXEC_FLAG_WITHOUT_OIDS);
|
ExecutorStart(queryDesc, 0);
|
||||||
|
|
||||||
/* run the plan */
|
/* run the plan */
|
||||||
ExecutorRun(queryDesc, ForwardScanDirection, 0L, true);
|
ExecutorRun(queryDesc, ForwardScanDirection, 0L, true);
|
||||||
|
@ -23,6 +23,7 @@
|
|||||||
#include "access/nbtree.h"
|
#include "access/nbtree.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
#include "access/sysattr.h"
|
#include "access/sysattr.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -142,12 +143,14 @@ Oid
|
|||||||
get_opfamily_oid(Oid amID, List *opfamilyname, bool missing_ok)
|
get_opfamily_oid(Oid amID, List *opfamilyname, bool missing_ok)
|
||||||
{
|
{
|
||||||
HeapTuple htup;
|
HeapTuple htup;
|
||||||
|
Form_pg_opfamily opfamform;
|
||||||
Oid opfID;
|
Oid opfID;
|
||||||
|
|
||||||
htup = OpFamilyCacheLookup(amID, opfamilyname, missing_ok);
|
htup = OpFamilyCacheLookup(amID, opfamilyname, missing_ok);
|
||||||
if (!HeapTupleIsValid(htup))
|
if (!HeapTupleIsValid(htup))
|
||||||
return InvalidOid;
|
return InvalidOid;
|
||||||
opfID = HeapTupleGetOid(htup);
|
opfamform = (Form_pg_opfamily) GETSTRUCT(htup);
|
||||||
|
opfID = opfamform->oid;
|
||||||
ReleaseSysCache(htup);
|
ReleaseSysCache(htup);
|
||||||
|
|
||||||
return opfID;
|
return opfID;
|
||||||
@ -221,12 +224,14 @@ Oid
|
|||||||
get_opclass_oid(Oid amID, List *opclassname, bool missing_ok)
|
get_opclass_oid(Oid amID, List *opclassname, bool missing_ok)
|
||||||
{
|
{
|
||||||
HeapTuple htup;
|
HeapTuple htup;
|
||||||
|
Form_pg_opclass opcform;
|
||||||
Oid opcID;
|
Oid opcID;
|
||||||
|
|
||||||
htup = OpClassCacheLookup(amID, opclassname, missing_ok);
|
htup = OpClassCacheLookup(amID, opclassname, missing_ok);
|
||||||
if (!HeapTupleIsValid(htup))
|
if (!HeapTupleIsValid(htup))
|
||||||
return InvalidOid;
|
return InvalidOid;
|
||||||
opcID = HeapTupleGetOid(htup);
|
opcform = (Form_pg_opclass) GETSTRUCT(htup);
|
||||||
|
opcID = opcform->oid;
|
||||||
ReleaseSysCache(htup);
|
ReleaseSysCache(htup);
|
||||||
|
|
||||||
return opcID;
|
return opcID;
|
||||||
@ -271,6 +276,9 @@ CreateOpFamily(const char *amname, const char *opfname, Oid namespaceoid, Oid am
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
opfamilyoid = GetNewOidWithIndex(rel, OpfamilyOidIndexId,
|
||||||
|
Anum_pg_opfamily_oid);
|
||||||
|
values[Anum_pg_opfamily_oid - 1] = ObjectIdGetDatum(opfamilyoid);
|
||||||
values[Anum_pg_opfamily_opfmethod - 1] = ObjectIdGetDatum(amoid);
|
values[Anum_pg_opfamily_opfmethod - 1] = ObjectIdGetDatum(amoid);
|
||||||
namestrcpy(&opfName, opfname);
|
namestrcpy(&opfName, opfname);
|
||||||
values[Anum_pg_opfamily_opfname - 1] = NameGetDatum(&opfName);
|
values[Anum_pg_opfamily_opfname - 1] = NameGetDatum(&opfName);
|
||||||
@ -279,7 +287,7 @@ CreateOpFamily(const char *amname, const char *opfname, Oid namespaceoid, Oid am
|
|||||||
|
|
||||||
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
opfamilyoid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
|
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
@ -338,6 +346,7 @@ DefineOpClass(CreateOpClassStmt *stmt)
|
|||||||
ListCell *l;
|
ListCell *l;
|
||||||
Relation rel;
|
Relation rel;
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
|
Form_pg_am amform;
|
||||||
IndexAmRoutine *amroutine;
|
IndexAmRoutine *amroutine;
|
||||||
Datum values[Natts_pg_opclass];
|
Datum values[Natts_pg_opclass];
|
||||||
bool nulls[Natts_pg_opclass];
|
bool nulls[Natts_pg_opclass];
|
||||||
@ -364,7 +373,8 @@ DefineOpClass(CreateOpClassStmt *stmt)
|
|||||||
errmsg("access method \"%s\" does not exist",
|
errmsg("access method \"%s\" does not exist",
|
||||||
stmt->amname)));
|
stmt->amname)));
|
||||||
|
|
||||||
amoid = HeapTupleGetOid(tup);
|
amform = (Form_pg_am) GETSTRUCT(tup);
|
||||||
|
amoid = amform->oid;
|
||||||
amroutine = GetIndexAmRoutineByAmId(amoid, false);
|
amroutine = GetIndexAmRoutineByAmId(amoid, false);
|
||||||
ReleaseSysCache(tup);
|
ReleaseSysCache(tup);
|
||||||
|
|
||||||
@ -429,7 +439,7 @@ DefineOpClass(CreateOpClassStmt *stmt)
|
|||||||
ObjectIdGetDatum(namespaceoid));
|
ObjectIdGetDatum(namespaceoid));
|
||||||
if (HeapTupleIsValid(tup))
|
if (HeapTupleIsValid(tup))
|
||||||
{
|
{
|
||||||
opfamilyoid = HeapTupleGetOid(tup);
|
opfamilyoid = ((Form_pg_opfamily) GETSTRUCT(tup))->oid;
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* XXX given the superuser check above, there's no need for an
|
* XXX given the superuser check above, there's no need for an
|
||||||
@ -633,6 +643,9 @@ DefineOpClass(CreateOpClassStmt *stmt)
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
opclassoid = GetNewOidWithIndex(rel, OpclassOidIndexId,
|
||||||
|
Anum_pg_opclass_oid);
|
||||||
|
values[Anum_pg_opclass_oid - 1] = ObjectIdGetDatum(opclassoid);
|
||||||
values[Anum_pg_opclass_opcmethod - 1] = ObjectIdGetDatum(amoid);
|
values[Anum_pg_opclass_opcmethod - 1] = ObjectIdGetDatum(amoid);
|
||||||
namestrcpy(&opcName, opcname);
|
namestrcpy(&opcName, opcname);
|
||||||
values[Anum_pg_opclass_opcname - 1] = NameGetDatum(&opcName);
|
values[Anum_pg_opclass_opcname - 1] = NameGetDatum(&opcName);
|
||||||
@ -645,7 +658,7 @@ DefineOpClass(CreateOpClassStmt *stmt)
|
|||||||
|
|
||||||
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
opclassoid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
|
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
@ -768,6 +781,7 @@ AlterOpFamily(AlterOpFamilyStmt *stmt)
|
|||||||
int maxOpNumber, /* amstrategies value */
|
int maxOpNumber, /* amstrategies value */
|
||||||
maxProcNumber; /* amsupport value */
|
maxProcNumber; /* amsupport value */
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
|
Form_pg_am amform;
|
||||||
IndexAmRoutine *amroutine;
|
IndexAmRoutine *amroutine;
|
||||||
|
|
||||||
/* Get necessary info about access method */
|
/* Get necessary info about access method */
|
||||||
@ -778,7 +792,8 @@ AlterOpFamily(AlterOpFamilyStmt *stmt)
|
|||||||
errmsg("access method \"%s\" does not exist",
|
errmsg("access method \"%s\" does not exist",
|
||||||
stmt->amname)));
|
stmt->amname)));
|
||||||
|
|
||||||
amoid = HeapTupleGetOid(tup);
|
amform = (Form_pg_am) GETSTRUCT(tup);
|
||||||
|
amoid = amform->oid;
|
||||||
amroutine = GetIndexAmRoutineByAmId(amoid, false);
|
amroutine = GetIndexAmRoutineByAmId(amoid, false);
|
||||||
ReleaseSysCache(tup);
|
ReleaseSysCache(tup);
|
||||||
|
|
||||||
@ -1333,6 +1348,9 @@ storeOperators(List *opfamilyname, Oid amoid,
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
entryoid = GetNewOidWithIndex(rel, AccessMethodOperatorOidIndexId,
|
||||||
|
Anum_pg_amop_oid);
|
||||||
|
values[Anum_pg_amop_oid - 1] = ObjectIdGetDatum(entryoid);
|
||||||
values[Anum_pg_amop_amopfamily - 1] = ObjectIdGetDatum(opfamilyoid);
|
values[Anum_pg_amop_amopfamily - 1] = ObjectIdGetDatum(opfamilyoid);
|
||||||
values[Anum_pg_amop_amoplefttype - 1] = ObjectIdGetDatum(op->lefttype);
|
values[Anum_pg_amop_amoplefttype - 1] = ObjectIdGetDatum(op->lefttype);
|
||||||
values[Anum_pg_amop_amoprighttype - 1] = ObjectIdGetDatum(op->righttype);
|
values[Anum_pg_amop_amoprighttype - 1] = ObjectIdGetDatum(op->righttype);
|
||||||
@ -1344,7 +1362,7 @@ storeOperators(List *opfamilyname, Oid amoid,
|
|||||||
|
|
||||||
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
entryoid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
|
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
@ -1445,6 +1463,9 @@ storeProcedures(List *opfamilyname, Oid amoid,
|
|||||||
memset(values, 0, sizeof(values));
|
memset(values, 0, sizeof(values));
|
||||||
memset(nulls, false, sizeof(nulls));
|
memset(nulls, false, sizeof(nulls));
|
||||||
|
|
||||||
|
entryoid = GetNewOidWithIndex(rel, AccessMethodProcedureOidIndexId,
|
||||||
|
Anum_pg_amproc_oid);
|
||||||
|
values[Anum_pg_amproc_oid - 1] = ObjectIdGetDatum(entryoid);
|
||||||
values[Anum_pg_amproc_amprocfamily - 1] = ObjectIdGetDatum(opfamilyoid);
|
values[Anum_pg_amproc_amprocfamily - 1] = ObjectIdGetDatum(opfamilyoid);
|
||||||
values[Anum_pg_amproc_amproclefttype - 1] = ObjectIdGetDatum(proc->lefttype);
|
values[Anum_pg_amproc_amproclefttype - 1] = ObjectIdGetDatum(proc->lefttype);
|
||||||
values[Anum_pg_amproc_amprocrighttype - 1] = ObjectIdGetDatum(proc->righttype);
|
values[Anum_pg_amproc_amprocrighttype - 1] = ObjectIdGetDatum(proc->righttype);
|
||||||
@ -1453,7 +1474,7 @@ storeProcedures(List *opfamilyname, Oid amoid,
|
|||||||
|
|
||||||
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
tup = heap_form_tuple(rel->rd_att, values, nulls);
|
||||||
|
|
||||||
entryoid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
|
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
@ -1515,7 +1536,7 @@ dropOperators(List *opfamilyname, Oid amoid, Oid opfamilyoid,
|
|||||||
Oid amopid;
|
Oid amopid;
|
||||||
ObjectAddress object;
|
ObjectAddress object;
|
||||||
|
|
||||||
amopid = GetSysCacheOid4(AMOPSTRATEGY,
|
amopid = GetSysCacheOid4(AMOPSTRATEGY, Anum_pg_amop_oid,
|
||||||
ObjectIdGetDatum(opfamilyoid),
|
ObjectIdGetDatum(opfamilyoid),
|
||||||
ObjectIdGetDatum(op->lefttype),
|
ObjectIdGetDatum(op->lefttype),
|
||||||
ObjectIdGetDatum(op->righttype),
|
ObjectIdGetDatum(op->righttype),
|
||||||
@ -1555,7 +1576,7 @@ dropProcedures(List *opfamilyname, Oid amoid, Oid opfamilyoid,
|
|||||||
Oid amprocid;
|
Oid amprocid;
|
||||||
ObjectAddress object;
|
ObjectAddress object;
|
||||||
|
|
||||||
amprocid = GetSysCacheOid4(AMPROCNUM,
|
amprocid = GetSysCacheOid4(AMPROCNUM, Anum_pg_amproc_oid,
|
||||||
ObjectIdGetDatum(opfamilyoid),
|
ObjectIdGetDatum(opfamilyoid),
|
||||||
ObjectIdGetDatum(op->lefttype),
|
ObjectIdGetDatum(op->lefttype),
|
||||||
ObjectIdGetDatum(op->righttype),
|
ObjectIdGetDatum(op->righttype),
|
||||||
@ -1627,7 +1648,7 @@ RemoveAmOpEntryById(Oid entryOid)
|
|||||||
SysScanDesc scan;
|
SysScanDesc scan;
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_amop_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(entryOid));
|
ObjectIdGetDatum(entryOid));
|
||||||
|
|
||||||
@ -1656,7 +1677,7 @@ RemoveAmProcEntryById(Oid entryOid)
|
|||||||
SysScanDesc scan;
|
SysScanDesc scan;
|
||||||
|
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_amproc_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(entryOid));
|
ObjectIdGetDatum(entryOid));
|
||||||
|
|
||||||
|
@ -365,7 +365,7 @@ RemovePolicyById(Oid policy_id)
|
|||||||
* Find the policy to delete.
|
* Find the policy to delete.
|
||||||
*/
|
*/
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_policy_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(policy_id));
|
ObjectIdGetDatum(policy_id));
|
||||||
|
|
||||||
@ -457,7 +457,7 @@ RemoveRoleFromObjectPolicy(Oid roleid, Oid classid, Oid policy_id)
|
|||||||
* Find the policy to update.
|
* Find the policy to update.
|
||||||
*/
|
*/
|
||||||
ScanKeyInit(&skey[0],
|
ScanKeyInit(&skey[0],
|
||||||
ObjectIdAttributeNumber,
|
Anum_pg_policy_oid,
|
||||||
BTEqualStrategyNumber, F_OIDEQ,
|
BTEqualStrategyNumber, F_OIDEQ,
|
||||||
ObjectIdGetDatum(policy_id));
|
ObjectIdGetDatum(policy_id));
|
||||||
|
|
||||||
@ -807,6 +807,9 @@ CreatePolicy(CreatePolicyStmt *stmt)
|
|||||||
errmsg("policy \"%s\" for table \"%s\" already exists",
|
errmsg("policy \"%s\" for table \"%s\" already exists",
|
||||||
stmt->policy_name, RelationGetRelationName(target_table))));
|
stmt->policy_name, RelationGetRelationName(target_table))));
|
||||||
|
|
||||||
|
policy_id = GetNewOidWithIndex(pg_policy_rel, PolicyOidIndexId,
|
||||||
|
Anum_pg_policy_oid);
|
||||||
|
values[Anum_pg_policy_oid - 1] = ObjectIdGetDatum(policy_id);
|
||||||
values[Anum_pg_policy_polrelid - 1] = ObjectIdGetDatum(table_id);
|
values[Anum_pg_policy_polrelid - 1] = ObjectIdGetDatum(table_id);
|
||||||
values[Anum_pg_policy_polname - 1] = DirectFunctionCall1(namein,
|
values[Anum_pg_policy_polname - 1] = DirectFunctionCall1(namein,
|
||||||
CStringGetDatum(stmt->policy_name));
|
CStringGetDatum(stmt->policy_name));
|
||||||
@ -829,7 +832,7 @@ CreatePolicy(CreatePolicyStmt *stmt)
|
|||||||
policy_tuple = heap_form_tuple(RelationGetDescr(pg_policy_rel), values,
|
policy_tuple = heap_form_tuple(RelationGetDescr(pg_policy_rel), values,
|
||||||
isnull);
|
isnull);
|
||||||
|
|
||||||
policy_id = CatalogTupleInsert(pg_policy_rel, policy_tuple);
|
CatalogTupleInsert(pg_policy_rel, policy_tuple);
|
||||||
|
|
||||||
/* Record Dependencies */
|
/* Record Dependencies */
|
||||||
target.classId = RelationRelationId;
|
target.classId = RelationRelationId;
|
||||||
@ -1033,7 +1036,7 @@ AlterPolicy(AlterPolicyStmt *stmt)
|
|||||||
(errcode(ERRCODE_SYNTAX_ERROR),
|
(errcode(ERRCODE_SYNTAX_ERROR),
|
||||||
errmsg("only WITH CHECK expression allowed for INSERT")));
|
errmsg("only WITH CHECK expression allowed for INSERT")));
|
||||||
|
|
||||||
policy_id = HeapTupleGetOid(policy_tuple);
|
policy_id = ((Form_pg_policy) GETSTRUCT(policy_tuple))->oid;
|
||||||
|
|
||||||
if (role_ids != NULL)
|
if (role_ids != NULL)
|
||||||
{
|
{
|
||||||
@ -1284,7 +1287,7 @@ rename_policy(RenameStmt *stmt)
|
|||||||
errmsg("policy \"%s\" for table \"%s\" does not exist",
|
errmsg("policy \"%s\" for table \"%s\" does not exist",
|
||||||
stmt->subname, RelationGetRelationName(target_table))));
|
stmt->subname, RelationGetRelationName(target_table))));
|
||||||
|
|
||||||
opoloid = HeapTupleGetOid(policy_tuple);
|
opoloid = ((Form_pg_policy) GETSTRUCT(policy_tuple))->oid;
|
||||||
|
|
||||||
policy_tuple = heap_copytuple(policy_tuple);
|
policy_tuple = heap_copytuple(policy_tuple);
|
||||||
|
|
||||||
@ -1293,8 +1296,7 @@ rename_policy(RenameStmt *stmt)
|
|||||||
|
|
||||||
CatalogTupleUpdate(pg_policy_rel, &policy_tuple->t_self, policy_tuple);
|
CatalogTupleUpdate(pg_policy_rel, &policy_tuple->t_self, policy_tuple);
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(PolicyRelationId,
|
InvokeObjectPostAlterHook(PolicyRelationId, opoloid, 0);
|
||||||
HeapTupleGetOid(policy_tuple), 0);
|
|
||||||
|
|
||||||
ObjectAddressSet(address, PolicyRelationId, opoloid);
|
ObjectAddressSet(address, PolicyRelationId, opoloid);
|
||||||
|
|
||||||
@ -1359,7 +1361,7 @@ get_relation_policy_oid(Oid relid, const char *policy_name, bool missing_ok)
|
|||||||
policy_oid = InvalidOid;
|
policy_oid = InvalidOid;
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
policy_oid = HeapTupleGetOid(policy_tuple);
|
policy_oid = ((Form_pg_policy) GETSTRUCT(policy_tuple))->oid;
|
||||||
|
|
||||||
/* Clean up. */
|
/* Clean up. */
|
||||||
systable_endscan(sscan);
|
systable_endscan(sscan);
|
||||||
|
@ -734,7 +734,7 @@ pg_prepared_statement(PG_FUNCTION_ARGS)
|
|||||||
* build tupdesc for result tuples. This must match the definition of the
|
* build tupdesc for result tuples. This must match the definition of the
|
||||||
* pg_prepared_statements view in system_views.sql
|
* pg_prepared_statements view in system_views.sql
|
||||||
*/
|
*/
|
||||||
tupdesc = CreateTemplateTupleDesc(5, false);
|
tupdesc = CreateTemplateTupleDesc(5);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "name",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 1, "name",
|
||||||
TEXTOID, -1, 0);
|
TEXTOID, -1, 0);
|
||||||
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "statement",
|
TupleDescInitEntry(tupdesc, (AttrNumber) 2, "statement",
|
||||||
|
@ -16,6 +16,7 @@
|
|||||||
#include "access/genam.h"
|
#include "access/genam.h"
|
||||||
#include "access/heapam.h"
|
#include "access/heapam.h"
|
||||||
#include "access/htup_details.h"
|
#include "access/htup_details.h"
|
||||||
|
#include "catalog/catalog.h"
|
||||||
#include "catalog/dependency.h"
|
#include "catalog/dependency.h"
|
||||||
#include "catalog/indexing.h"
|
#include "catalog/indexing.h"
|
||||||
#include "catalog/objectaccess.h"
|
#include "catalog/objectaccess.h"
|
||||||
@ -329,6 +330,7 @@ create_proc_lang(const char *languageName, bool replace,
|
|||||||
NameData langname;
|
NameData langname;
|
||||||
HeapTuple oldtup;
|
HeapTuple oldtup;
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
|
Oid langoid;
|
||||||
bool is_update;
|
bool is_update;
|
||||||
ObjectAddress myself,
|
ObjectAddress myself,
|
||||||
referenced;
|
referenced;
|
||||||
@ -356,19 +358,22 @@ create_proc_lang(const char *languageName, bool replace,
|
|||||||
|
|
||||||
if (HeapTupleIsValid(oldtup))
|
if (HeapTupleIsValid(oldtup))
|
||||||
{
|
{
|
||||||
|
Form_pg_language oldform = (Form_pg_language) GETSTRUCT(oldtup);
|
||||||
|
|
||||||
/* There is one; okay to replace it? */
|
/* There is one; okay to replace it? */
|
||||||
if (!replace)
|
if (!replace)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_DUPLICATE_OBJECT),
|
(errcode(ERRCODE_DUPLICATE_OBJECT),
|
||||||
errmsg("language \"%s\" already exists", languageName)));
|
errmsg("language \"%s\" already exists", languageName)));
|
||||||
if (!pg_language_ownercheck(HeapTupleGetOid(oldtup), languageOwner))
|
if (!pg_language_ownercheck(oldform->oid, languageOwner))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_LANGUAGE,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_LANGUAGE,
|
||||||
languageName);
|
languageName);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* Do not change existing ownership or permissions. Note
|
* Do not change existing oid, ownership or permissions. Note
|
||||||
* dependency-update code below has to agree with this decision.
|
* dependency-update code below has to agree with this decision.
|
||||||
*/
|
*/
|
||||||
|
replaces[Anum_pg_language_oid - 1] = false;
|
||||||
replaces[Anum_pg_language_lanowner - 1] = false;
|
replaces[Anum_pg_language_lanowner - 1] = false;
|
||||||
replaces[Anum_pg_language_lanacl - 1] = false;
|
replaces[Anum_pg_language_lanacl - 1] = false;
|
||||||
|
|
||||||
@ -376,12 +381,16 @@ create_proc_lang(const char *languageName, bool replace,
|
|||||||
tup = heap_modify_tuple(oldtup, tupDesc, values, nulls, replaces);
|
tup = heap_modify_tuple(oldtup, tupDesc, values, nulls, replaces);
|
||||||
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
||||||
|
|
||||||
|
langoid = oldform->oid;
|
||||||
ReleaseSysCache(oldtup);
|
ReleaseSysCache(oldtup);
|
||||||
is_update = true;
|
is_update = true;
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
/* Creating a new language */
|
/* Creating a new language */
|
||||||
|
langoid = GetNewOidWithIndex(rel, LanguageOidIndexId,
|
||||||
|
Anum_pg_language_oid);
|
||||||
|
values[Anum_pg_language_oid - 1] = ObjectIdGetDatum(langoid);
|
||||||
tup = heap_form_tuple(tupDesc, values, nulls);
|
tup = heap_form_tuple(tupDesc, values, nulls);
|
||||||
CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
is_update = false;
|
is_update = false;
|
||||||
@ -394,7 +403,7 @@ create_proc_lang(const char *languageName, bool replace,
|
|||||||
* shared dependencies do *not* need to change, and we leave them alone.)
|
* shared dependencies do *not* need to change, and we leave them alone.)
|
||||||
*/
|
*/
|
||||||
myself.classId = LanguageRelationId;
|
myself.classId = LanguageRelationId;
|
||||||
myself.objectId = HeapTupleGetOid(tup);
|
myself.objectId = langoid;
|
||||||
myself.objectSubId = 0;
|
myself.objectSubId = 0;
|
||||||
|
|
||||||
if (is_update)
|
if (is_update)
|
||||||
@ -550,7 +559,8 @@ get_language_oid(const char *langname, bool missing_ok)
|
|||||||
{
|
{
|
||||||
Oid oid;
|
Oid oid;
|
||||||
|
|
||||||
oid = GetSysCacheOid1(LANGNAME, CStringGetDatum(langname));
|
oid = GetSysCacheOid1(LANGNAME, Anum_pg_language_oid,
|
||||||
|
CStringGetDatum(langname));
|
||||||
if (!OidIsValid(oid) && !missing_ok)
|
if (!OidIsValid(oid) && !missing_ok)
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
|
@ -168,7 +168,8 @@ CreatePublication(CreatePublicationStmt *stmt)
|
|||||||
rel = heap_open(PublicationRelationId, RowExclusiveLock);
|
rel = heap_open(PublicationRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
/* Check if name is used */
|
/* Check if name is used */
|
||||||
puboid = GetSysCacheOid1(PUBLICATIONNAME, CStringGetDatum(stmt->pubname));
|
puboid = GetSysCacheOid1(PUBLICATIONNAME, Anum_pg_publication_oid,
|
||||||
|
CStringGetDatum(stmt->pubname));
|
||||||
if (OidIsValid(puboid))
|
if (OidIsValid(puboid))
|
||||||
{
|
{
|
||||||
ereport(ERROR,
|
ereport(ERROR,
|
||||||
@ -190,6 +191,9 @@ CreatePublication(CreatePublicationStmt *stmt)
|
|||||||
&publish_update, &publish_delete,
|
&publish_update, &publish_delete,
|
||||||
&publish_truncate);
|
&publish_truncate);
|
||||||
|
|
||||||
|
puboid = GetNewOidWithIndex(rel, PublicationObjectIndexId,
|
||||||
|
Anum_pg_publication_oid);
|
||||||
|
values[Anum_pg_publication_oid - 1] = ObjectIdGetDatum(puboid);
|
||||||
values[Anum_pg_publication_puballtables - 1] =
|
values[Anum_pg_publication_puballtables - 1] =
|
||||||
BoolGetDatum(stmt->for_all_tables);
|
BoolGetDatum(stmt->for_all_tables);
|
||||||
values[Anum_pg_publication_pubinsert - 1] =
|
values[Anum_pg_publication_pubinsert - 1] =
|
||||||
@ -204,7 +208,7 @@ CreatePublication(CreatePublicationStmt *stmt)
|
|||||||
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
tup = heap_form_tuple(RelationGetDescr(rel), values, nulls);
|
||||||
|
|
||||||
/* Insert tuple into catalog. */
|
/* Insert tuple into catalog. */
|
||||||
puboid = CatalogTupleInsert(rel, tup);
|
CatalogTupleInsert(rel, tup);
|
||||||
heap_freetuple(tup);
|
heap_freetuple(tup);
|
||||||
|
|
||||||
recordDependencyOnOwner(PublicationRelationId, puboid, GetUserId());
|
recordDependencyOnOwner(PublicationRelationId, puboid, GetUserId());
|
||||||
@ -248,6 +252,7 @@ AlterPublicationOptions(AlterPublicationStmt *stmt, Relation rel,
|
|||||||
bool publish_delete;
|
bool publish_delete;
|
||||||
bool publish_truncate;
|
bool publish_truncate;
|
||||||
ObjectAddress obj;
|
ObjectAddress obj;
|
||||||
|
Form_pg_publication pubform;
|
||||||
|
|
||||||
parse_publication_options(stmt->options,
|
parse_publication_options(stmt->options,
|
||||||
&publish_given, &publish_insert,
|
&publish_given, &publish_insert,
|
||||||
@ -282,14 +287,16 @@ AlterPublicationOptions(AlterPublicationStmt *stmt, Relation rel,
|
|||||||
|
|
||||||
CommandCounterIncrement();
|
CommandCounterIncrement();
|
||||||
|
|
||||||
|
pubform = (Form_pg_publication) GETSTRUCT(tup);
|
||||||
|
|
||||||
/* Invalidate the relcache. */
|
/* Invalidate the relcache. */
|
||||||
if (((Form_pg_publication) GETSTRUCT(tup))->puballtables)
|
if (pubform->puballtables)
|
||||||
{
|
{
|
||||||
CacheInvalidateRelcacheAll();
|
CacheInvalidateRelcacheAll();
|
||||||
}
|
}
|
||||||
else
|
else
|
||||||
{
|
{
|
||||||
List *relids = GetPublicationRelations(HeapTupleGetOid(tup));
|
List *relids = GetPublicationRelations(pubform->oid);
|
||||||
|
|
||||||
/*
|
/*
|
||||||
* We don't want to send too many individual messages, at some point
|
* We don't want to send too many individual messages, at some point
|
||||||
@ -310,11 +317,11 @@ AlterPublicationOptions(AlterPublicationStmt *stmt, Relation rel,
|
|||||||
CacheInvalidateRelcacheAll();
|
CacheInvalidateRelcacheAll();
|
||||||
}
|
}
|
||||||
|
|
||||||
ObjectAddressSet(obj, PublicationRelationId, HeapTupleGetOid(tup));
|
ObjectAddressSet(obj, PublicationRelationId, pubform->oid);
|
||||||
EventTriggerCollectSimpleCommand(obj, InvalidObjectAddress,
|
EventTriggerCollectSimpleCommand(obj, InvalidObjectAddress,
|
||||||
(Node *) stmt);
|
(Node *) stmt);
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(PublicationRelationId, HeapTupleGetOid(tup), 0);
|
InvokeObjectPostAlterHook(PublicationRelationId, pubform->oid, 0);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -324,9 +331,9 @@ static void
|
|||||||
AlterPublicationTables(AlterPublicationStmt *stmt, Relation rel,
|
AlterPublicationTables(AlterPublicationStmt *stmt, Relation rel,
|
||||||
HeapTuple tup)
|
HeapTuple tup)
|
||||||
{
|
{
|
||||||
Oid pubid = HeapTupleGetOid(tup);
|
|
||||||
List *rels = NIL;
|
List *rels = NIL;
|
||||||
Form_pg_publication pubform = (Form_pg_publication) GETSTRUCT(tup);
|
Form_pg_publication pubform = (Form_pg_publication) GETSTRUCT(tup);
|
||||||
|
Oid pubid = pubform->oid;
|
||||||
|
|
||||||
/* Check that user is allowed to manipulate the publication tables. */
|
/* Check that user is allowed to manipulate the publication tables. */
|
||||||
if (pubform->puballtables)
|
if (pubform->puballtables)
|
||||||
@ -403,6 +410,7 @@ AlterPublication(AlterPublicationStmt *stmt)
|
|||||||
{
|
{
|
||||||
Relation rel;
|
Relation rel;
|
||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
|
Form_pg_publication pubform;
|
||||||
|
|
||||||
rel = heap_open(PublicationRelationId, RowExclusiveLock);
|
rel = heap_open(PublicationRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
@ -415,8 +423,10 @@ AlterPublication(AlterPublicationStmt *stmt)
|
|||||||
errmsg("publication \"%s\" does not exist",
|
errmsg("publication \"%s\" does not exist",
|
||||||
stmt->pubname)));
|
stmt->pubname)));
|
||||||
|
|
||||||
|
pubform = (Form_pg_publication) GETSTRUCT(tup);
|
||||||
|
|
||||||
/* must be owner */
|
/* must be owner */
|
||||||
if (!pg_publication_ownercheck(HeapTupleGetOid(tup), GetUserId()))
|
if (!pg_publication_ownercheck(pubform->oid, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_PUBLICATION,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_PUBLICATION,
|
||||||
stmt->pubname);
|
stmt->pubname);
|
||||||
|
|
||||||
@ -626,7 +636,8 @@ PublicationDropTables(Oid pubid, List *rels, bool missing_ok)
|
|||||||
Relation rel = (Relation) lfirst(lc);
|
Relation rel = (Relation) lfirst(lc);
|
||||||
Oid relid = RelationGetRelid(rel);
|
Oid relid = RelationGetRelid(rel);
|
||||||
|
|
||||||
prid = GetSysCacheOid2(PUBLICATIONRELMAP, ObjectIdGetDatum(relid),
|
prid = GetSysCacheOid2(PUBLICATIONRELMAP, Anum_pg_publication_rel_oid,
|
||||||
|
ObjectIdGetDatum(relid),
|
||||||
ObjectIdGetDatum(pubid));
|
ObjectIdGetDatum(pubid));
|
||||||
if (!OidIsValid(prid))
|
if (!OidIsValid(prid))
|
||||||
{
|
{
|
||||||
@ -662,7 +673,7 @@ AlterPublicationOwner_internal(Relation rel, HeapTuple tup, Oid newOwnerId)
|
|||||||
AclResult aclresult;
|
AclResult aclresult;
|
||||||
|
|
||||||
/* Must be owner */
|
/* Must be owner */
|
||||||
if (!pg_publication_ownercheck(HeapTupleGetOid(tup), GetUserId()))
|
if (!pg_publication_ownercheck(form->oid, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_PUBLICATION,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_PUBLICATION,
|
||||||
NameStr(form->pubname));
|
NameStr(form->pubname));
|
||||||
|
|
||||||
@ -688,11 +699,11 @@ AlterPublicationOwner_internal(Relation rel, HeapTuple tup, Oid newOwnerId)
|
|||||||
|
|
||||||
/* Update owner dependency reference */
|
/* Update owner dependency reference */
|
||||||
changeDependencyOnOwner(PublicationRelationId,
|
changeDependencyOnOwner(PublicationRelationId,
|
||||||
HeapTupleGetOid(tup),
|
form->oid,
|
||||||
newOwnerId);
|
newOwnerId);
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(PublicationRelationId,
|
InvokeObjectPostAlterHook(PublicationRelationId,
|
||||||
HeapTupleGetOid(tup), 0);
|
form->oid, 0);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
@ -705,6 +716,7 @@ AlterPublicationOwner(const char *name, Oid newOwnerId)
|
|||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
Relation rel;
|
Relation rel;
|
||||||
ObjectAddress address;
|
ObjectAddress address;
|
||||||
|
Form_pg_publication pubform;
|
||||||
|
|
||||||
rel = heap_open(PublicationRelationId, RowExclusiveLock);
|
rel = heap_open(PublicationRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
@ -715,7 +727,8 @@ AlterPublicationOwner(const char *name, Oid newOwnerId)
|
|||||||
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
(errcode(ERRCODE_UNDEFINED_OBJECT),
|
||||||
errmsg("publication \"%s\" does not exist", name)));
|
errmsg("publication \"%s\" does not exist", name)));
|
||||||
|
|
||||||
subid = HeapTupleGetOid(tup);
|
pubform = (Form_pg_publication) GETSTRUCT(tup);
|
||||||
|
subid = pubform->oid;
|
||||||
|
|
||||||
AlterPublicationOwner_internal(rel, tup, newOwnerId);
|
AlterPublicationOwner_internal(rel, tup, newOwnerId);
|
||||||
|
|
||||||
|
@ -246,6 +246,7 @@ RenameSchema(const char *oldname, const char *newname)
|
|||||||
Relation rel;
|
Relation rel;
|
||||||
AclResult aclresult;
|
AclResult aclresult;
|
||||||
ObjectAddress address;
|
ObjectAddress address;
|
||||||
|
Form_pg_namespace nspform;
|
||||||
|
|
||||||
rel = heap_open(NamespaceRelationId, RowExclusiveLock);
|
rel = heap_open(NamespaceRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
@ -255,7 +256,8 @@ RenameSchema(const char *oldname, const char *newname)
|
|||||||
(errcode(ERRCODE_UNDEFINED_SCHEMA),
|
(errcode(ERRCODE_UNDEFINED_SCHEMA),
|
||||||
errmsg("schema \"%s\" does not exist", oldname)));
|
errmsg("schema \"%s\" does not exist", oldname)));
|
||||||
|
|
||||||
nspOid = HeapTupleGetOid(tup);
|
nspform = (Form_pg_namespace) GETSTRUCT(tup);
|
||||||
|
nspOid = nspform->oid;
|
||||||
|
|
||||||
/* make sure the new name doesn't exist */
|
/* make sure the new name doesn't exist */
|
||||||
if (OidIsValid(get_namespace_oid(newname, true)))
|
if (OidIsValid(get_namespace_oid(newname, true)))
|
||||||
@ -264,7 +266,7 @@ RenameSchema(const char *oldname, const char *newname)
|
|||||||
errmsg("schema \"%s\" already exists", newname)));
|
errmsg("schema \"%s\" already exists", newname)));
|
||||||
|
|
||||||
/* must be owner */
|
/* must be owner */
|
||||||
if (!pg_namespace_ownercheck(HeapTupleGetOid(tup), GetUserId()))
|
if (!pg_namespace_ownercheck(nspOid, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_SCHEMA,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_SCHEMA,
|
||||||
oldname);
|
oldname);
|
||||||
|
|
||||||
@ -281,10 +283,10 @@ RenameSchema(const char *oldname, const char *newname)
|
|||||||
errdetail("The prefix \"pg_\" is reserved for system schemas.")));
|
errdetail("The prefix \"pg_\" is reserved for system schemas.")));
|
||||||
|
|
||||||
/* rename */
|
/* rename */
|
||||||
namestrcpy(&(((Form_pg_namespace) GETSTRUCT(tup))->nspname), newname);
|
namestrcpy(&nspform->nspname, newname);
|
||||||
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
CatalogTupleUpdate(rel, &tup->t_self, tup);
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(NamespaceRelationId, HeapTupleGetOid(tup), 0);
|
InvokeObjectPostAlterHook(NamespaceRelationId, nspOid, 0);
|
||||||
|
|
||||||
ObjectAddressSet(address, NamespaceRelationId, nspOid);
|
ObjectAddressSet(address, NamespaceRelationId, nspOid);
|
||||||
|
|
||||||
@ -324,6 +326,7 @@ AlterSchemaOwner(const char *name, Oid newOwnerId)
|
|||||||
HeapTuple tup;
|
HeapTuple tup;
|
||||||
Relation rel;
|
Relation rel;
|
||||||
ObjectAddress address;
|
ObjectAddress address;
|
||||||
|
Form_pg_namespace nspform;
|
||||||
|
|
||||||
rel = heap_open(NamespaceRelationId, RowExclusiveLock);
|
rel = heap_open(NamespaceRelationId, RowExclusiveLock);
|
||||||
|
|
||||||
@ -333,7 +336,8 @@ AlterSchemaOwner(const char *name, Oid newOwnerId)
|
|||||||
(errcode(ERRCODE_UNDEFINED_SCHEMA),
|
(errcode(ERRCODE_UNDEFINED_SCHEMA),
|
||||||
errmsg("schema \"%s\" does not exist", name)));
|
errmsg("schema \"%s\" does not exist", name)));
|
||||||
|
|
||||||
nspOid = HeapTupleGetOid(tup);
|
nspform = (Form_pg_namespace) GETSTRUCT(tup);
|
||||||
|
nspOid = nspform->oid;
|
||||||
|
|
||||||
AlterSchemaOwner_internal(tup, rel, newOwnerId);
|
AlterSchemaOwner_internal(tup, rel, newOwnerId);
|
||||||
|
|
||||||
@ -372,7 +376,7 @@ AlterSchemaOwner_internal(HeapTuple tup, Relation rel, Oid newOwnerId)
|
|||||||
AclResult aclresult;
|
AclResult aclresult;
|
||||||
|
|
||||||
/* Otherwise, must be owner of the existing object */
|
/* Otherwise, must be owner of the existing object */
|
||||||
if (!pg_namespace_ownercheck(HeapTupleGetOid(tup), GetUserId()))
|
if (!pg_namespace_ownercheck(nspForm->oid, GetUserId()))
|
||||||
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_SCHEMA,
|
aclcheck_error(ACLCHECK_NOT_OWNER, OBJECT_SCHEMA,
|
||||||
NameStr(nspForm->nspname));
|
NameStr(nspForm->nspname));
|
||||||
|
|
||||||
@ -422,10 +426,10 @@ AlterSchemaOwner_internal(HeapTuple tup, Relation rel, Oid newOwnerId)
|
|||||||
heap_freetuple(newtuple);
|
heap_freetuple(newtuple);
|
||||||
|
|
||||||
/* Update owner dependency reference */
|
/* Update owner dependency reference */
|
||||||
changeDependencyOnOwner(NamespaceRelationId, HeapTupleGetOid(tup),
|
changeDependencyOnOwner(NamespaceRelationId, nspForm->oid,
|
||||||
newOwnerId);
|
newOwnerId);
|
||||||
}
|
}
|
||||||
|
|
||||||
InvokeObjectPostAlterHook(NamespaceRelationId,
|
InvokeObjectPostAlterHook(NamespaceRelationId,
|
||||||
HeapTupleGetOid(tup), 0);
|
nspForm->oid, 0);
|
||||||
}
|
}
|
||||||
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
x
Reference in New Issue
Block a user