목표
이전의 pintos는 fork할 때 부모가 메모리가 할당된 page에 대해서 자식에게 복사할 때 같은 내용의 물리메모리를 자식에게도 할당 해주었다. 이처럼 같은 메모리가 두번 복사되는 것은 메모리 낭비이다.
그렇기 fork시에 자식과 부모가 같은 물리 메모리를 가리키게 하고 해당 페이지에 write 요청이 발생하면 새로운 물리메모리를 할당하여 주도록 수정한다.
💡 fork 시 물리메모리를 모두 복사하지 않고 부모와 같은 물리메모리를 공유하다가 write작업 시 해당 페이지의 물리메로리를 할당하고 맵핑한다.COPY시 코드 수정
bool supplemental_page_table_copy(struct supplemental_page_table *dst,
struct supplemental_page_table *src)
{
...
case VM_ANON:
vm_alloc_page(tmp->operations->type, tmp->va, tmp->writable);
cpy = spt_find_page(dst, tmp->va);
if (cpy == NULL)
{
return false;
}
cpy->copy_writable = tmp->writable;
struct frame *cpy_frame = malloc(sizeof(struct frame));
cpy->frame = cpy_frame;
cpy_frame->page = cpy;
// 자식 frame 구조체를 만들고 물리메모리의 시작 주소 kva를 부모와 같은 곳을 가리키도록 할당한다.
cpy_frame->kva = tmp->frame->kva;
struct thread *t = thread_current();
lock_acquire(&lru_lock);
list_push_back(&lru, &cpy_frame->lru_elem);
lock_release(&lru_lock);
// 자식의 page에 대한 pml4 맵핑 시 writable 0으로 만들어준다.
if (pml4_set_page(t->pml4, cpy->va, cpy_frame->kva, 0) == false)
{
return false;
}
swap_in(cpy, cpy_frame->kva);
vm_try_handle_fault
bool vm_try_handle_fault(struct intr_frame *f, void *addr,
bool user, bool write, bool not_present)
{
...
if (write && !not_present && page->copy_writable && page)
{
// printf("not present is false\n");
return vm_handle_wp(page);
}
...
}
vm_handle_wp
static bool
vm_handle_wp(struct page *page)
{
// 공유하고 있는 부모의 kva 저장
void *parent_kva = page->frame->kva;
//새로 물리메모리 할당
page->frame->kva = palloc_get_page(PAL_USER);
//기존 부모의 데이터 복사
memcpy(page->frame->kva, parent_kva, PGSIZE);
pml4_set_page(thread_current()->pml4, page->va, page->frame->kva, page->copy_writable);
return true;
}
문제점
여기까지 구현하고 해결하지 못한 문제점
해결
Q. 사실 이렇게 해서 All pass를 하긴 하였으나 정상적인 방법인지 의문이 생긴다. 치팅으로 테스트 케이스에 안걸리는 것이 아닌가하는 생각이 든다.
static void
process_cleanup(void)
{
struct thread *curr = thread_current();
#ifdef VM
supplemental_page_table_kill(&curr->spt);
return; // <- 추가한 부분
#endif
uint64_t *pml4;
pml4 = curr->pml4;
if (pml4 != NULL)
{
curr->pml4 = NULL;
pml4_activate(NULL);
pml4_destroy(pml4);
return;
}
}
PintOS Project3 GIthub 주소 PintOS