在情况1和2中,释放函数在分配函数中起什么作用?
case 1: if(mem == 0)
// does this condition mean physical memory has not space?
case 2: if(mappages(pgdir, (char*)a, PGSIZE, V2P(mem), PTE_W|PTE_U) < 0)
// does this condtion mean pagetable entry has not allocate in physical memory?
我附加了解除分配功能和分配功能。
参考: https://github.com/fernandabonetti/xv6/blob/master/vm.c
int
allocuvm(pde_t *pgdir, uint oldsz, uint newsz)
{
char *mem;
uint a;
if(newsz >= KERNBASE)
return 0;
if(newsz < oldsz)
return oldsz;
a = PGROUNDUP(oldsz);
for(; a < newsz; a += PGSIZE){
mem = kalloc();
if(mem == 0){
cprintf("allocuvm out of memory\n");
deallocuvm(pgdir, newsz, oldsz);
return 0;
}
memset(mem, 0, PGSIZE);
if(mappages(pgdir, (char*)a, PGSIZE, V2P(mem), PTE_W|PTE_U) < 0){
cprintf("allocuvm out of memory (2)\n");
deallocuvm(pgdir, newsz, oldsz);
kfree(mem);
return 0;
}
}
return newsz;
}
int
deallocuvm(pde_t *pgdir, uint oldsz, uint newsz)
{
pte_t *pte;
uint a, pa;
if(newsz >= oldsz)
return oldsz;
a = PGROUNDUP(newsz);
for(; a < oldsz; a += PGSIZE){
pte = walkpgdir(pgdir, (char*)a, 0);
if(!pte)
a = PGADDR(PDX(a) + 1, 0, 0) - PGSIZE;
else if((*pte & PTE_P) != 0){
pa = PTE_ADDR(*pte);
if(pa == 0)
panic("kfree");
char *v = P2V(pa);
kfree(v);
*pte = 0;
}
}
return newsz;
}
答案 0 :(得分:1)
allocuvm是分配用户虚拟内存的缩写。此功能负责在特定页面目录中增加用户的虚拟内存。 实际上,在两种情况下此功能可能会失败:
情况1:kalloc函数失败。 kalloc缺少内核分配。此函数负责返回RAM中当前未使用的新页的地址。如果返回0,则表示当前没有可用的未使用页面。
情况2:地图页面功能失败。此功能负责使新分配的页面可由使用给定页面目录的进程访问,方法是将该页面与页面目录中可用的下一个虚拟地址进行映射。 如果此功能失败,则可能导致失败,这可能是由于页面目录已满。
在这两种情况下,allocuvm均未设法将用户的内存增加到所请求的大小,因此,它将撤消所有分配,直到出现故障为止,因此虚拟内存将保持不变,并自行返回错误。