当前位置:网站首页>postgresql之page分配管理(一)
postgresql之page分配管理(一)
2022-08-01 12:46:00 【happytree001】
一、简介
postgresql是多进程架构,同时也是一个庞大的共享内存系统,大部分的数据都是在共享内存中,供多进程进行协作处理,今天主要是buffer(page)。
二、page 大小
page默认大小是8kB,可以在编译时进行调整,最大32kB
2.1 如何配置
configure.ac
#
# Block size
#
AC_MSG_CHECKING([for block size])
PGAC_ARG_REQ(with, blocksize, [BLOCKSIZE], [set table block size in kB [8]],
[blocksize=$withval],
[blocksize=8])
case ${blocksize} in
1) BLCKSZ=1024;;
2) BLCKSZ=2048;;
4) BLCKSZ=4096;;
8) BLCKSZ=8192;;
16) BLCKSZ=16384;;
32) BLCKSZ=32768;;
*) AC_MSG_ERROR([Invalid block size. Allowed values are 1,2,4,8,16,32.])
esac
AC_MSG_RESULT([${blocksize}kB])
AC_DEFINE_UNQUOTED([BLCKSZ], ${BLCKSZ}, [
Size of a disk block --- this also limits the size of a tuple. You
can set it bigger if you need bigger tuples (although TOAST should
reduce the need to have large tuples, since fields can be spread
across multiple tuples).
BLCKSZ must be a power of 2. The maximum possible value of BLCKSZ
is currently 2^15 (32768). This is determined by the 15-bit widths
of the lp_off and lp_len fields in ItemIdData (see
include/storage/itemid.h).
Changing BLCKSZ requires an initdb.
])
默认值为8kB,可以通过 --with-blocksize=x
进行设置,x取值范围[1,2,4,8,16,32], 最大值32768,2的15次方
2.2 为啥最大只能32kB
src/include/storage/itemid.h
typedef struct ItemIdData
{
unsigned lp_off:15, /* offset to tuple (from start of page) */
lp_flags:2, /* state of line pointer, see below */
lp_len:15; /* byte length of tuple */
} ItemIdData;
指定每个记录在page中的偏移量和长度字段只有15bit,这就限制了page的大小。
三、初始化
postgresql在启动时,会进行相应的初始化。
初始化调用栈
src/backend/main/main.c
main()
src/backend/postmaster/postmaster.c
PostmasterMain()
reset_shared();
src/backend/storage/ipc/ipci.c
CreateSharedMemoryAndSemaphores()
src/backend/storage/buffer/buf_init.c
InitBufferPool();
src/backend/storage/buffer/freelist.c
StrategyInitialize(!foundDescs);
src/backend/storage/buffer/buf_table.c
InitBufTable(NBuffers + NUM_BUFFER_PARTITIONS);
void
CreateSharedMemoryAndSemaphores(void)
{
...
//第一步 计算总共需要的共享内存大小
size = 100000;
...
size = add_size(size, BufferShmemSize());
size = add_size(size, LockShmemSize());
...
//第二步 将计算的size进行8k对齐
/* might as well round it off to a multiple of a typical page size */
size = add_size(size, 8192 - (size % 8192));
// 第三步 创建共享内存
seghdr = PGSharedMemoryCreate(size, &shim);
// 第四步 初始化共享内存各个部分
InitShmemAccess(seghdr);
/* * Set up shared memory allocation mechanism */
if (!IsUnderPostmaster)
InitShmemAllocation();
/* * Now initialize LWLocks, which do shared memory allocation and are * needed for InitShmemIndex. */
CreateLWLocks();
/* * Set up shmem.c index hashtable */
InitShmemIndex();
dsm_shmem_init();
...
InitBufferPool();
/* * Set up lock manager */
InitLocks();
/* * Set up predicate lock manager */
InitPredicateLocks();
/* * Set up process table */
if (!IsUnderPostmaster)
InitProcGlobal();
CreateSharedProcArray();
CreateSharedBackendStatus();
TwoPhaseShmemInit();
BackgroundWorkerShmemInit();
/* * Set up shared-inval messaging */
CreateSharedInvalidationState();
/* * Set up interprocess signaling mechanisms */
PMSignalShmemInit();
ProcSignalShmemInit();
CheckpointerShmemInit();
AutoVacuumShmemInit();
ReplicationSlotsShmemInit();
ReplicationOriginShmemInit();
WalSndShmemInit();
WalRcvShmemInit();
PgArchShmemInit();
ApplyLauncherShmemInit();
/* * Set up other modules that need some shared memory space */
SnapMgrInit();
BTreeShmemInit();
SyncScanShmemInit();
AsyncShmemInit();
...
}
这里主要关注InitBufferPool
3.1 创建buffer
src/backend/utils/init/globals.c
int NBuffers = 1000;
src/backend/storage/buffer/buf_init.c
void
InitBufferPool(void)
{
...
/* Align descriptors to a cacheline boundary. */
BufferDescriptors = (BufferDescPadded *)
ShmemInitStruct("Buffer Descriptors",
NBuffers * sizeof(BufferDescPadded),
&foundDescs);
BufferBlocks = (char *)
ShmemInitStruct("Buffer Blocks",
NBuffers * (Size) BLCKSZ, &foundBufs);
/* Align condition variables to cacheline boundary. */
BufferIOCVArray = (ConditionVariableMinimallyPadded *)
ShmemInitStruct("Buffer IO Condition Variables",
NBuffers * sizeof(ConditionVariableMinimallyPadded),
&foundIOCV);
}
3.2 初始化buffer header
/* * Initialize all the buffer headers. */
for (i = 0; i < NBuffers; i++)
{
BufferDesc *buf = GetBufferDescriptor(i);
CLEAR_BUFFERTAG(buf->tag);
pg_atomic_init_u32(&buf->state, 0);
buf->wait_backend_pid = 0;
buf->buf_id = i;
/* * Initially link all the buffers together as unused. Subsequent * management of this list is done by freelist.c. */
buf->freeNext = i + 1;
...
}
/* Correct last entry of linked list */
GetBufferDescriptor(NBuffers - 1)->freeNext = FREENEXT_END_OF_LIST;
}
四、buffer组织管理
buffer已经有了,但是要如何快速的找到一个buffer?哪些buffer没有使用?哪些已经使用? 这里使用了一个hash表以及一个freelist。
4.1 创建hashtable
void
InitBufTable(int size)
{
HASHCTL info;
/* assume no locking is needed yet */
/* BufferTag maps to Buffer */
info.keysize = sizeof(BufferTag);
info.entrysize = sizeof(BufferLookupEnt);
info.num_partitions = NUM_BUFFER_PARTITIONS;
SharedBufHash = ShmemInitHash("Shared Buffer Lookup Table",
size, size,
&info,
HASH_ELEM | HASH_BLOBS | HASH_PARTITION);
}
HTAB *
ShmemInitHash(const char *name, /* table string name for shmem index */
long init_size, /* initial table size */
long max_size, /* max size of the table */
HASHCTL *infoP, /* info about key and bucket size */
int hash_flags) /* info about infoP */
{
...
/* look it up in the shmem index */
location = ShmemInitStruct(name,
hash_get_shared_size(infoP, hash_flags),
&found);
...
Size
hash_get_shared_size(HASHCTL *info, int flags)
{
Assert(flags & HASH_DIRSIZE);
Assert(info->dsize == info->max_dsize);
return sizeof(HASHHDR) + info->dsize * sizeof(HASHSEGMENT);
}
4.2 初始化hashtable
src/backend/utils/hash/dynahash.c
static bool
init_htab(HTAB *hashp, long nelem)
{
HASHHDR *hctl = hashp->hctl;
HASHSEGMENT *segp;
int nbuckets;
int nsegs;
int i;
/* * initialize mutexes if it's a partitioned table */
if (IS_PARTITIONED(hctl))
for (i = 0; i < NUM_FREELISTS; i++)
SpinLockInit(&(hctl->freeList[i].mutex));
/* * Allocate space for the next greater power of two number of buckets, * assuming a desired maximum load factor of 1. */
nbuckets = next_pow2_int(nelem);
/* * In a partitioned table, nbuckets must be at least equal to * num_partitions; were it less, keys with apparently different partition * numbers would map to the same bucket, breaking partition independence. * (Normally nbuckets will be much bigger; this is just a safety check.) */
while (nbuckets < hctl->num_partitions)
nbuckets <<= 1;
hctl->max_bucket = hctl->low_mask = nbuckets - 1;
hctl->high_mask = (nbuckets << 1) - 1;
/* * Figure number of directory segments needed, round up to a power of 2 */
nsegs = (nbuckets - 1) / hctl->ssize + 1;
nsegs = next_pow2_int(nsegs);
....
/* Allocate initial segments */
for (segp = hashp->dir; hctl->nsegs < nsegs; hctl->nsegs++, segp++)
{
*segp = seg_alloc(hashp);
if (*segp == NULL)
return false;
}
/* Choose number of entries to allocate at a time */
hctl->nelem_alloc = choose_nelem_alloc(hctl->entrysize);
return true;
}
static HASHSEGMENT
seg_alloc(HTAB *hashp)
{
HASHSEGMENT segp;
CurrentDynaHashCxt = hashp->hcxt;
segp = (HASHSEGMENT) hashp->alloc(sizeof(HASHBUCKET) * hashp->ssize);
if (!segp)
return NULL;
MemSet(segp, 0, sizeof(HASHBUCKET) * hashp->ssize);
return segp;
}
4.3 创建freelist
src/backend/utils/hash/dynahash.c
...
for (i= 0; i < freelist_partitions; i++)
{
int temp = (i == 0) ? nelem_alloc_first : nelem_alloc;
if (!element_alloc(hashp, temp, i))
ereport(ERROR,
(errcode(ERRCODE_OUT_OF_MEMORY),
errmsg("out of memory")));
}
...
static bool
element_alloc(HTAB *hashp, int nelem, int freelist_idx)
{
HASHHDR *hctl = hashp->hctl;
Size elementSize;
HASHELEMENT *firstElement;
HASHELEMENT *tmpElement;
HASHELEMENT *prevElement;
int i;
if (hashp->isfixed)
return false;
/* Each element has a HASHELEMENT header plus user data. */
elementSize = MAXALIGN(sizeof(HASHELEMENT)) + MAXALIGN(hctl->entrysize);
CurrentDynaHashCxt = hashp->hcxt;
firstElement = (HASHELEMENT *) hashp->alloc(nelem * elementSize);
if (!firstElement)
return false;
/* prepare to link all the new entries into the freelist */
prevElement = NULL;
tmpElement = firstElement;
for (i = 0; i < nelem; i++)
{
tmpElement->link = prevElement;
prevElement = tmpElement;
tmpElement = (HASHELEMENT *) (((char *) tmpElement) + elementSize);
}
/* if partitioned, must lock to touch freeList */
if (IS_PARTITIONED(hctl))
SpinLockAcquire(&hctl->freeList[freelist_idx].mutex);
/* freelist could be nonempty if two backends did this concurrently */
firstElement->link = hctl->freeList[freelist_idx].freeList;
hctl->freeList[freelist_idx].freeList = prevElement;
if (IS_PARTITIONED(hctl))
SpinLockRelease(&hctl->freeList[freelist_idx].mutex);
return true;
}
五、结构图
六、分配
src/backend/storage/buffer/bufmgr.c
static BufferDesc *
BufferAlloc(SMgrRelation smgr, char relpersistence, ForkNumber forkNum,
BlockNumber blockNum,
BufferAccessStrategy strategy,
bool *foundPtr){
...
}
6.1 根据BufferTag计算hash值
/* create a tag so we can lookup the buffer */
INIT_BUFFERTAG(newTag, smgr->smgr_rnode.node, forkNum, blockNum);
newHash = BufTableHashCode(&newTag);
6.2 hash表中查找
buf_id = BufTableLookup(&newTag, newHash);
6.3 没有找到,分配新的一个
for (;;)
{
...
buf = StrategyGetBuffer(strategy, &buf_state);
...
}
BufferDesc *
StrategyGetBuffer(BufferAccessStrategy strategy, uint32 *buf_state)
{
BufferDesc *buf;
......
pg_atomic_fetch_add_u32(&StrategyControl->numBufferAllocs, 1);
...
if (StrategyControl->firstFreeBuffer >= 0)
{
while (true)
{
...
if (StrategyControl->firstFreeBuffer < 0)
{
...
break;
}
buf = GetBufferDescriptor(StrategyControl->firstFreeBuffer);
/* Unconditionally remove buffer from freelist */
StrategyControl->firstFreeBuffer = buf->freeNext;
buf->freeNext = FREENEXT_NOT_IN_LIST;
...
return buf;
...
}
}
....
}
以上的代码把各种判断逻辑都删除了,只剩整个结构,可以看出通过StrategyControl->firstFreeBuffer获取到第一个空闲的buffer。
然后从freelist中获取一个节点将这个id和buffer进行关联,将节点从freelist中移除(指针改变),然后将此节点加入hash中。
七、后续
- 随着page的分配,当分配完后,是扩容还是淘汰? 如何淘汰?
- freelist中的节点分配完了,如何操作?
边栏推荐
- SQL function SQUARE
- 软件设计师考点汇总(室内设计师个人总结)
- 高仿项目协作工具【Worktile】,从零带你一步步实现组织架构、网盘、消息、项目、审批等功能
- SQL函数 %SQLUPPER
- 蔚来又一新品牌披露:产品价格低于20万
- 让程序员早点下班的效率工具
- How to get the address of WeChat video account (link address of WeChat public account)
- The CAN communication standard frame and extended frame is introduced
- Feign 从注册到调用原理分析
- MarkDown公式指导手册
猜你喜欢
Data frame and remote frame of CAN communication
找出相同属性值的对象 累加数量 汇总
[5 days countdown] to explore the secret behind the great quality promotion, gift waiting for you to take of $one thousand
快速幂---学习笔记
华盛顿大学、Allen AI 等联合 | RealTime QA: What's the Answer Right Now?(实时 QA:现在的答案是什么?)
批量替换Word中的表格为图片并保存
观察者模式
初级必备:单例模式的7个问题
CloudCompare & PCL ICP registration (point to face)
将同级数据处理成树形数据
随机推荐
Visualization of lag correlation of two time series data in R language: use the ccf function of the forecast package to draw the cross-correlation function, and analyze the lag correlation according t
如何成功通过 CKA 考试?
win10系统重装,无法登录进行同步的情况下chrome数据恢复
芝加哥丰田技术学院 | Leveraging Natural Supervision for Language Representation Learning and Generation(利用自然监督进行语言表示学习和生成)
R language ggplot2 visualization: use ggpubr package ggscatter function visualization scatterplot, use xscale wasn't entirely specified X axis measurement adjustment function, set the X coordinate for
[5 days countdown] to explore the secret behind the great quality promotion, gift waiting for you to take of $one thousand
态路小课堂丨浅谈优质光模块需要具备的条件!
MarkDown公式指导手册
Tencent Cloud Native: Service Mesh Practice of Areaki Mesh in the 2022 Winter Olympics Video Live Application
软件设计师考点汇总(室内设计师个人总结)
What is MNIST (what does plist mean)
windows IDEA + PHP+xdebug 断点调试
英特尔全方位打造算力基础,助推“算”赋百业
NebulaGraph v3.2.0 性能报告
Envoy source code flow chart
SQL函数 SQRT
SQL函数 %SQLUPPER
硬链接、软连接浅析
Process sibling data into tree data
Js手写函数之new的模拟实现