일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | 5 | 6 | 7 |
8 | 9 | 10 | 11 | 12 | 13 | 14 |
15 | 16 | 17 | 18 | 19 | 20 | 21 |
22 | 23 | 24 | 25 | 26 | 27 | 28 |
29 | 30 | 31 |
- 알고리즘
- pintos
- corou
- HTML
- 핀토스
- 큐
- 티스토리챌린지
- JavaScript
- 자바
- Flutter
- 자바스크립트
- CSS
- 크래프톤정글
- userprog
- 사이드프로젝트
- 스택
- 오블완
- 나만무
- TiL
- 시스템콜
- 크래프톤 정글
- Vue.js
- defee
- 백준
- 리액트
- 소켓
- Java
- 4기
- 모션비트
- 코드트리
- Today
- Total
미새문지
pintOS - Project 2 Userprog WIL 본문
Krafton Jungle
Week 8~9 Team 6 WIL
Argument Passing
project2의 메인인 시스템 콜을 만들기에 앞서 Argument Passing을 구현해야 했다.
Argument Passing이란, main 함수로 들어오는 명령어를 구분하여 인자로 전달하는 것이다.
우선 init.c 안에 있는 main() 함수의 read_command_line() 함수가 커맨드라인으로 들어오는 인자를 받아와 저장한다.
(예: -q -f put args-single run 'args-single onearg')
이 후 일차적으로 파싱을 통해 -q와 -f등의 플래그들을 제거한 후 남은 부분을 run_actions로 전달해준다.
run_actions -> run tasks 등을 거쳐 args-single onearg를 process_create_initd로 전달한다.
process_create_initd에서는 미리 fn_copy를 만들어 전체 인자(args-single oneorg)를 복사해두고 파일의 이름을 구하기 위해 strtok_r 함수로 파싱한다.
thread_create로 file_name을 전달해 쓰레드를 만들고, process_exec에는 fn_copy를 전달하여 프로세스(쓰레드)를 실행한다.
Load 함수에서 다시 한 번 strtok_r함수로 들어온 인자를 delimiter(현 인자에선 스페이스)를 기준으로 파싱하여 배열이나 스택에 저장한다.
argument_stack이라는 함수를 만들어 배열에다가 깃북에서 설명한 방식으로 인자를 쌓는다.
이 모든 과정에서 코드 사이사이에 hex_dump를 통해 어느 시점에 argv가 어떤 형태로 전달된건지 확인하는 것이 흐름 파악에 도움이 되었다.
Address | Name | Data | Type |
0x4747fffc | argv[3][...] | 'bar\0' | char[4] |
0x4747fff8 | argv[2][...] | 'foo/0' | char[4] |
0x4747fff5 | argv[1][...] | '-|\0' | char[3] |
0x4747ffed | argv[0][.. | .] | '/bin/ls\0' |
0x4747ffe8 | word-align | 0 | uint8_t[] |
0x4747ffe0 | argv[4] | 0 | char * |
0x4747ffd8 | argv[3] | 0x4747fffc | char * |
0x4747ffd0 | argv[2] | 0x4747fff8 | char * |
0x4747ffc8 | argv[1] | 0x4747fff5 | char * |
0x4747ffc0 | argv[0] | 0x4747ffed | char * |
0x4747ffb8 | return address | 0 | void (*) () |
void argument_stack (char **argv, int argc, struct intr_frame *if_){
//포인터를 이동시킬 단위
int minus_addr;
//포인터
int address = if_->rsp;
//인자를 쌓는 반복문 (이 때, 스택은 위에서 아래로 자라기 떄문에 i--로 이동시켜준다)
for (int i = argc-1; i >= 0;i-- ){
minus_addr = strlen(argv[i]) + 1;
address -= minus_addr;
memcpy(address, argv[i], minus_addr);
argv[i] = (char *)address;
}
//패딩(word-align)을 통해 8의 배수로 맞춰준다
//정렬된 접근은 정렬 안된 접근보다 빠르기 때문이다
if (address % 8){
int word_align = address % 8;
address -= word_align;
memset(address, 0, word_align);
}
//주소의 끝을 알려주는 부분 (위 표에서는 argv[4] / 0 부분에 해당)
address -= 8;
memset(address, 0, sizeof(char*));
//인자의 개수만큼 포인터를 앞으로 당긴 후 모든 주소를 한 번에 넣어준다
address -= (sizeof(char*) * argc);
memcpy(address, argv, sizeof(char*) * argc);
//리턴포인트
address -= 8;
memset(address, 0, 8);
if_->rsp = address;
}
User Memory Access
시스템콜을 구현하기 전에 가상 주소 공간의 데이터를 읽고 쓸 수 있는 방법을 제공해야 한다.
이는 인자를 전달받는 시점에서는 필요 없지만, 시스템콜의 인자로 제공받는 포인터로부터 데이터를 읽으려면 몇 가지 예외상황 처리가 필요하기 때문이다.
- 사용자가 유효하지 않은 포인터를 제공한다.
- 커널 메모리 영역으로의 포인터를 제공한다.
- 블록의 일부가 위의 두 영역에 걸쳐있다.
위의 조건들을 항시 검사하여 유효한 주소가 제공되었는지 확인해야 한다.
.
.
.
if(!is_user_vaddr(f->rsp)){
printf("isnotvaddr\n");
thread_exit();
}
else if(f->rsp > KERN_BASE || f->rsp < 0){
printf("smaller\n");
thread_exit();
}
int addr = (f->rsp + 8);
if (!is_user_vaddr(addr) || (addr > KERN_BASE || addr<0)) {
printf ("third condition\n");
thread_exit();
}
.
.
.
syscall_function(){
if(pml4_get_page(thread_current()->pml4, buffer) == NULL || buffer == NULL || !is_user_vaddr(buffer) || fd < 0)
exit(-1);
}
위와 같이 syscall_handler에 우선 조건을 넣어주고, 일부 시스템콜에 아래의 syscall_function에 들어간 조건문을 넣어줌으로써 유효하지 않은 주소가 들어오는 경우를 처리하도록 했다.
시스템 콜
시스템 콜 넘버는 %rax로 인자들은 %rdi, %rsi, %rdx, %r10, %r8, %r9 순서로 들어오며, 이는 전달된 intr_frame을 통해 접근 가능하다.
시스템 콜은 lib/user/syscall.h에서 선언을 확인할 수 있고 userprog/syscall.c에서 코드를 확인할 수 있다.
__attribute__((always_inline))
static __inline int64_t syscall (uint64_t num_, uint64_t a1_, uint64_t a2_,
uint64_t a3_, uint64_t a4_, uint64_t a5_, uint64_t a6_) {
int64_t ret;
register uint64_t *num asm ("rax") = (uint64_t *) num_;
register uint64_t *a1 asm ("rdi") = (uint64_t *) a1_;
register uint64_t *a2 asm ("rsi") = (uint64_t *) a2_;
register uint64_t *a3 asm ("rdx") = (uint64_t *) a3_;
register uint64_t *a4 asm ("r10") = (uint64_t *) a4_;
register uint64_t *a5 asm ("r8") = (uint64_t *) a5_;
register uint64_t *a6 asm ("r9") = (uint64_t *) a6_;
void halt (void)
// userprog/syscall.c
void halt(void)
{
power_off();
}
// threads/init.c
void
power_off (void) {
#ifdef FILESYS
filesys_done ();
#endif
print_stats ();
printf ("Powering off...\n");
outw (0x604, 0x2000); /* Poweroff command for qemu */
for (;;);
}
시스템 콜 halt는 power_off()를 호출함으로써 핀토스를 종료시킨다.
void exit (int status)
// userprog/syscall.c
void
exit(int status)
{
thread_current()->exit_status = status;
thread_exit();
}
// therads/thread.c
void
thread_exit (void) {
ASSERT (!intr_context ());
#ifdef USERPROG
process_exit ();
#endif
intr_disable ();
do_schedule (THREAD_DYING);
NOT_REACHED ();
}
// userprog/process.c
void
process_exit (void) {
struct thread *t = thread_current();
if (t->pml4 != NULL){
printf("%s: exit(%d)\n", t->name, t->exit_status);
file_close(t->running);
t->running = NULL;
}
struct list *exit_list = &t->fd_table;
struct list_elem *e = list_begin(&exit_list);
for(int i = 2; i< t->last_created_fd; ++i){
close(i);
}
file_close(t->running);
process_cleanup();
sema_up(&t->wait_sema);
sema_down(&t->exit_sema);
}
현재 실행되고 있는 프로세스를 종료시키며, status를 커널로 반환한다.
Process Termination Message
핀토스에서 프로세스 종료시 아래 메시지를 출력해야 한다. printf("%s: exit(%d)\n", ...) {: .prompt-info}
process_exit에서는 위 출력 문구를 출력해주고, fd_table을 탐색하며 fd들을 모두 하나씩 닫아주고 메모리를 반환해준다.
bool create (const char *file, unsigned initial_size)
//userprog/syscall.c
//file이라는 파일을 만들고, 성공시 true 반환
//파일 생성은 해당 파일을 열지는 않음. 열기 위해서는 open을 사용
//메인 쓰레드의 fd_table 리스트에 할당
bool create (const char *file, unsigned initial_size)
{
//가상메모리 주소에 해당하는 물리메모리 주소를 확인하고, 커널의 가상메모리 주소를 반환함
if(pml4_get_page(thread_current()->pml4, file) == NULL || file == NULL || !is_user_vaddr(file) || *file == '\0')
exit(-1);
lock_acquire(&filesys_lock);
bool success = filesys_create(file, initial_size);
lock_release(&filesys_lock);
return success;
}
//filesys/filesys.c
bool
filesys_create (const char *name, off_t initial_size) {
disk_sector_t inode_sector = 0;
struct dir *dir = dir_open_root ();
bool success = (dir != NULL
&& free_map_allocate (1, &inode_sector)
&& inode_create (inode_sector, initial_size)
&& dir_add (dir, name, inode_sector));
if (!success && inode_sector != 0)
free_map_release (inode_sector, 1);
dir_close (dir);
return success;
}
file이라는 파일을 initial_size의 크기로 생성하고 filesys/filesys.c에 있는 filesys_create() 함수를 이용해 생성해준다.
한 번에 생성은 한 파일만 될 수 있도록 filesys_create를 lock_acquire와 lock_release로 감싸 동시성 문제가 발생하지 않게 했다.
bool _remove (const char *file)
//syscall.c
//file이라는 파일을 삭제
//성공시 true 반환
bool remove (const char *file)
{
//가상메모리 주소에 해당하는 물리메모리 주소를 확인하고, 커널의 가상메모리 주소를 반환함
if(pml4_get_page(thread_current()->pml4, file) == NULL || file == NULL || !is_user_vaddr(file) || *file == '\0')
exit(-1);
lock_acquire(&filesys_lock);
bool success = filesys_remove(file);
lock_release(&filesys_lock);
return success;
}
//filesys.c
bool
filesys_remove (const char *name) {
struct dir *dir = dir_open_root ();
bool success = dir != NULL && dir_remove (dir, name);
dir_close (dir);
return success;
}
file이라는 파일을 삭제한다. 열려 있는지의 여부와 별개로 삭제가 가능하며, 열려 있는 파일을 삭제한다 해도 이는 닫히지 않는다. 삭제할때도 마찬가지로 한 개씩 삭제하기 때문에 lock_acquire와 lock_release로 동시성 문제를 잡아준다.
int open (const char *file)
//syscall.c
//file이라는 파일을 연다
//fd반환
int open (const char *file)
{
if(pml4_get_page(thread_current()->pml4, file) == NULL || file == NULL || !is_user_vaddr(file))
exit(-1);
lock_acquire(&filesys_lock);
struct file *open_file = filesys_open(file);
int fd = -1;
if(open_file == NULL){
lock_release(&filesys_lock);
return fd;
}
fd = process_add_file(open_file);
if (fd == -1)
file_close(open_file);
lock_release(&filesys_lock);
return fd;
}
int process_add_file(struct file *f)
{
struct thread *curr = thread_current();
struct file_descriptor *new_fd = malloc(sizeof(struct file_descriptor));
// curr에 있는 fd_table의 fd를 확인하기 위한 작업
curr->last_created_fd += 1;
new_fd->fd = curr->last_created_fd;
new_fd->file = f;
list_push_back(&curr->fd_table, &new_fd->fd_elem);
return new_fd->fd;
}
//filesys.c
struct file *
filesys_open (const char *name) {
struct dir *dir = dir_open_root ();
struct inode *inode = NULL;
if (dir != NULL)
dir_lookup (dir, name, &inode);
dir_close (dir);
return file_open (inode);
}
file이라는 파일을 열고, 파일 디스크립터(fd)의 정수형 핸들을 반환한다. (실패 시 -1을 반환한다.)
모든 프로세스는 별도의 파일 디스크립터 테이블이 있으며, 자식 프로세스가 생성이 된다면 부모 프로세스의 파일 디스크립터 테이블 역시 상속받는다.
create랑 remove할 때처럼 동시성 문제 해결을 위해 filesys_open 전후로 lock을 이용했다.
process_add_file 함수는 filesys_open을 통해 열린 파일에 대해 파일 디스크립터를 부여하고 리스트로 구현된 파일 디스크립터 테이블에 해당 파일을 넣어준다.
struct thread{
uint64_t *pml4;
struct list fd_table;
unsigned last_created_fd;
};
모든 쓰레드는 파일 디스크립터 리스트를 보유한다.
void close (int fd)
//syscall.c
void close (int fd) {
struct thread *curr = thread_current();
struct list_elem *start;
for (start = list_begin(&curr->fd_table); start != list_end(&curr->fd_table); start = list_next(start))
{
struct file_descriptor *close_fd = list_entry(start, struct file_descriptor, fd_elem);
if (close_fd->fd == fd)
{
file_close(close_fd->file);
list_remove(&close_fd->fd_elem);
}
}
return;
}
//file.c
void
file_close (struct file *file) {
if (file != NULL) {
file_allow_write (file);
inode_close (file->inode);
free (file);
}
}
이제부터 인자에 파일 디스크립터(fd)를 받기 때문에, 이 시점 전에 open이 구현되어 있는게 중요하다.
file_close 함수를 통해 파일 디스크립터(fd)에 해당하는 파일을 닫고, 프로세스를 종료하면 해당 프로세스에 열려 있는 모든 파일 디스크립터를 닫아준다.
int read (int fd, void *buffer, unsigned size)
//syscall.c
int read (int fd, void *buffer, unsigned size)
{
if(pml4_get_page(thread_current()->pml4, buffer) == NULL || buffer == NULL || !is_user_vaddr(buffer) || fd < 0)
exit(-1);
struct thread *curr = thread_current();
struct list_elem *start;
off_t buff_size;
if (fd == 0)
{
return input_getc();
}
else if (fd < 0 || fd == NULL || fd == 1)
{
exit(-1);
}
// bad-fd는 page-fault를 일으키기 때문에 page-fault를 처리하는 함수에서 확인
else
{
for (start = list_begin(&curr->fd_table); start != list_end(&curr->fd_table); start = list_next(start))
{
struct file_descriptor *read_fd = list_entry(start, struct file_descriptor, fd_elem);
if (read_fd->fd == fd)
{
lock_acquire(&filesys_lock);
buff_size = file_read(read_fd->file, buffer, size);
lock_release(&filesys_lock);
}
}
}
return buff_size;
}
//file.c
off_t
file_read (struct file *file, void *buffer, off_t size) {
off_t bytes_read = inode_read_at (file->inode, buffer, size, file->pos);
file->pos += bytes_read;
return bytes_read;
}
열려 있는 파일 디스크립터(fd)로부터 size만큼의 바이트를 읽어온다(buffer로 넣어준다).
커맨드 라인을 통해 전달된 텍스트(인자)를 input_getc를 통해 읽어오고, 반복문을 통해 일치하는 fd를 찾아 해당 fd로부터 전달된 텍스트(인자)를 buffer에 넣어준다.
int write (int fd, const void *buffer, unsigned size)
//syscall.c
int write (int fd, const void *buffer, unsigned size)
{
if(pml4_get_page(thread_current()->pml4, buffer) == NULL || buffer == NULL || !is_user_vaddr(buffer) || fd < 0)
exit(-1);
struct thread *curr = thread_current();
struct list_elem *start;
if (fd == 1)
{
putbuf(buffer, size);
return size;
// fd == 1이라는 의미는 표준 출력을 의미함. 따라서 화면에 입력된 데이터를 출력하는 함수 pufbuf를 호출.
// putbuf 함수는 buffer에 입력된 데이터를 size만큼 화면에 출력하는 함수.
// 이후 버퍼의 크기 -> size를 반환한다.
}
else if (fd < 0 || fd == NULL)
{
exit(-1);
}
for (start = list_begin(&curr->fd_table); start != list_end(&curr->fd_table); start = list_next(start))
{
struct file_descriptor *write_fd = list_entry(start, struct file_descriptor, fd_elem);
if (write_fd->fd == fd)
{
lock_acquire(&filesys_lock);
off_t write_size = file_write(write_fd->file, buffer, size);
// fd == 0 과 fd == 1은 표준 입출력을 의미하는 파일 식별자이기 때문에 해당되는 파일이 존재하지 않는다.
// 따라서 정상적인 write가 이루어지지 않는다. fd == 1이면 write 함수의 반환값은 0임.
lock_release(&filesys_lock);
return write_size;
}
}
}
//file.c
off_t
file_write (struct file *file, const void *buffer, off_t size) {
off_t bytes_written = inode_write_at (file->inode, buffer, size, file->pos);
file->pos += bytes_written;
return bytes_written;
}
write는 read와 비슷하지만, 데이터의 이동이 반대 방향이다. 버퍼에 있는 데이터를 size 바이트만큼 열려있는 파일 디스크립터(fd)로 기록한다.
int filesize (int fd)
//syscall.c
int filesize (int fd)
{
struct file_descriptor *file_desc = find_file_descriptor(fd);
if(file_desc == NULL)
return -1;
return file_length(file_desc->file);
}
struct file_descriptor *find_file_descriptor(int fd) {
struct list *fd_table = &thread_current()->fd_table;
ASSERT(fd_table != NULL);
ASSERT(fd > 1);
if (list_empty(fd_table))
return NULL;
struct file_descriptor *file_descriptor;
struct list_elem *e = list_begin(fd_table);
ASSERT(e != NULL);
while (e != list_tail(fd_table)) {
file_descriptor = list_entry(e, struct file_descriptor, fd_elem);
if (file_descriptor->fd == fd) {
return file_descriptor;
}
e = list_next(e);
}
return NULL;
}
현재 열려있는 파일 fd의 크기를 반환해주는 함수이다. 기존에 있던 file_length 함수에 파일을 인자로 전달함으로써 반환받는다.
file_descriptor 함수는 파일 디스크립터 리스트에서 현재 fd의 요소를 찾아 반환한다.
void seek (int fd, unsigned position)
//syscall.c
void seek (int fd, unsigned position)
{
struct thread *curr = thread_current();
struct list_elem *start;
for (start = list_begin(&curr->fd_table); start != list_end(&curr->fd_table); start = list_next(start))
{
struct file_descriptor *seek_fd = list_entry(start, struct file_descriptor, fd_elem);
if (seek_fd->fd == fd)
{
return file_seek(seek_fd->file, position);
}
}
}
//file.c
void
file_seek (struct file *file, off_t new_pos) {
ASSERT (file != NULL);
ASSERT (new_pos >= 0);
file->pos = new_pos;
}
열려 있는 파일 디스크립터(fd)에서 다음에 읽고 쓸 바이트 위치(포인터)를 position으로 변경해주는 함수이다. 이미 구현되어 있는 file_seek함수를 사용했다.
unsigned tell (int fd)
//syscall.c
unsigned tell (int fd)
{
struct thread *curr = thread_current();
struct list_elem *start;
for (start = list_begin(&curr->fd_table); start != list_end(&curr->fd_table); start = list_next(start))
{
struct file_descriptor *tell_fd = list_entry(start, struct file_descriptor, fd_elem);
if (tell_fd->fd == fd)
{
return file_tell(tell_fd->file);
}
}
}
//file.c
off_t
file_tell (struct file *file) {
ASSERT (file != NULL);
return file->pos;
}
열려있는 파일 디스크립터(fd)에서 다음에 읽고 쓸 바이트 위치(포인터)를 반환하는 함수이다. 이미 구현되어 있는 file_tell 함수를 사용했다.
tid_t fork (const char *thread_name, struct intr_frame *f)
//syscall.c
tid_t fork (const char *thread_name, struct intr_frame *f){
return process_fork(thread_name, f);
}
현재 프로세스의 복제본을 생성하는 시스템 콜로, 레지스터 값들의 일부를 복사해온다. 자식 프로세스는 파일 디스크립터와 가상 메모리 공간 등의 자원을 복제해야 한다.
- 부모 프로세스는 자식 프로세스의 PID를 반환한다.
- 자식 프로세스에서는 0을 반환한다.
스켈레톤(기본적인 코드 틀)로 존재하는 process_fork 함수를 완성해야 하는데,
우선 parent_info 라는 구조체를 만들어 부모 프로세스의 정보를 저장한다.
이 구조체에서는 부모 스레드와 부모 스레드의 레지스터 값들이 저장된다.
struct parent_info
{
struct thread *parent;
struct intr_frame *parent_f;
};
tid_t
process_fork (const char *name, struct intr_frame *if_) {
/* Clone current thread to new thread.*/
struct parent_info my_data;
my_data.parent = thread_current();
my_data.parent_f = if_;
struct thread *cur = thread_current();
memcpy(&cur->parent_tf, my_data.parent_f , sizeof(struct intr_frame));
tid_t tid = thread_create(name, PRI_DEFAULT, __do_fork, &my_data);
if (tid == TID_ERROR){
return TID_ERROR;
}
struct thread *child = get_thread_from_tid(tid);
sema_down(&child->process_sema);
if(child->exit_status == TID_ERROR)
{
sema_up(&child->exit_sema);
return TID_ERROR;
}
return tid;
}
process_fork 안에 부모 스레드의 정보를 저장할 구조체를 선언하고 값을 넣어준다.
이 후, 인자로 전달받은 레지스터 값을 자식이 보관하는 부모의 레지스터 값에 넣어준다. 이는 __do_fork 함수에서 부모의 값을 복제하는 과정에서 사용될 예정이다.
get_thread_from_tid 함수는 tid를 인자로 받아 해당하는 스레드를 반환하는 함수이다.
list.h 안에 있는 주석 중 아래 내용을 확인하여 elem으로부터 속해있는 구조체를 반환받는 형식의 함수를 구현했다. 특정 리스트를 탐색하여 일치하는 tid가 있는 스레드를 반환한다.
이를 위해 thread 구조체 안에 자식 프로세스를 보관하는 child_list와 이에 들어가는 child_list_elem을 추가해주었다.
thread 구조체에는 세마포어 또한 추가해줬는데, process_sema는 자식 프로세스에 대한 복사가 완료될 때에만 sema_up이 호출되게 하여 함수가 끝나지 않도록 구현했다.
struct thread{
.
.
.
struct list child_list;
struct list_elem child_list_elem;
/* 자식 프로세스의 fork가 완료될 때까지 기다리도록 하기 위한 세마포어 */
struct semaphore process_sema;
.
.
};
위의 과정을 따라 get_thread_from_tid를 구현하면 이를 process_fork에서 호출해 tid에 해당하는 스레드를 구하고 sema_down을 하여 대기상태로 진입하면 자식 프로세스가 __do_fork를 실행한다.
static void
__do_fork (struct parent_info *aux) {
struct intr_frame if_;
struct thread *parent = aux->parent;
struct thread *current = thread_current ();
//부모 프로세스의 레지스터값 복사
struct intr_frame *parent_if = aux->parent_f;
bool succ = true;
//부모 프로세스의 레지스터값 복사
memcpy(&if_, parent_if, sizeof(struct intr_frame));
if_.R.rax = 0; // 자식 프로세스의 리턴값은 0
current->pml4 = pml4_create();
if (current->pml4 == NULL)
goto error;
.
.
.
//부모 프로세스의 파일 디스크립터 테이블 정보 복제
struct list_elem* e = list_begin(&parent->fd_table);
struct list *parent_list = &parent->fd_table;
if(!list_empty(parent_list)){
for (e ; e != list_end(parent_list) ; e = list_next(e)){
struct file_descriptor* parent_fd =list_entry(e,struct file_descriptor, fd_elem);
if(parent_fd->file != NULL){
struct file_descriptor *child_fd = malloc(sizeof(struct file_descriptor));
child_fd->file = file_duplicate(parent_fd->file);
child_fd->fd = parent_fd->fd;
list_push_back(¤t->fd_table, & child_fd->fd_elem);
}
current->last_created_fd = parent->last_created_fd;
}
current->last_created_fd = parent->last_created_fd;
} else {
current->last_created_fd = parent->last_created_fd;
}
// 로드가 완료될 때까지 기다리고 있던 부모 대기 해제
sema_up(¤t->process_sema);
__do_fork 함수는 부모의 정보인 parent_info 구조체 my_data가 전달되고, 이를 사용해 자식 프로세스는 부모 프로세스의 레지스터 상태를 복사받는다.
이 후, 반복문을 돌며 부모 프로세스의 fd_table 내 파일들을 복제하는데, 모든 복제가 완료되면 sema_up을 통해 부모 프로세스의 대기를 해제시킨다.
int exec (const char *file)
//syscall.c
//현재 프로세스를 file로 바꿈
int exec (const char *file){
if(pml4_get_page(thread_current()->pml4, file) == NULL || file == NULL || !is_user_vaddr(file))
exit(-1);
char* file_in_kernel;
file_in_kernel = palloc_get_page(PAL_ZERO);
if (file_in_kernel == NULL)
exit(-1);
strlcpy(file_in_kernel, file, PGSIZE);
if (process_exec(file_in_kernel) == -1)
return -1;
}
//process.c
int
process_exec (void *f_name) {
char *file_name = f_name;
bool success;
/* 스레드 구조에서 intr_frame을 사용할 수 없습니다.
* 현재 스레드가 다시 예약되면 실행 정보를 회원에게 저장하기 때문입니다.
*/
struct intr_frame _if;
_if.ds = _if.es = _if.ss = SEL_UDSEG;
_if.cs = SEL_UCSEG;
_if.eflags = FLAG_IF | FLAG_MBS;
/* We first kill the current context */
process_cleanup ();
/* And then load the binary */
lock_acquire(&filesys_lock);
success = load (file_name, &_if);
lock_release(&filesys_lock);
// hex_dump(_if.rsp, _if.rsp, USER_STACK - (uint64_t)_if.rsp, true);
/* If load failed, quit. */
palloc_free_page (file_name);
if (!success)
return -1;
/* Start switched process. */
do_iret (&_if);
NOT_REACHED ();
}
현재 프로세스를 주어진 이름 file을 갖는 실행 파일로 변경시켜주며, 주어진 모든 인자 또한 패싱한다. exec 호출 시에는 열려 있던 파일 디스크립터들은 열린 상태로 유지된다.
파일을 커널로 복사해 process_exec를 사용해 실행한다.
thread 구조체에 현재 실행되고 있는 파일을 표시하는 running을 넣어주었고, exit 함수에서 현재 스레드에서 실행되고 있는 파일을 특정할 수 있도록 t->running = file;을 넣어주었다.
int wait (tid_t t)
//syscall.c
//자식 프로세스 tid가 끝날때까지 기다림 & 자식프로세스의 status를 반환함
int wait (tid_t t)
{
return process_wait(t);
}
//process.c
int
process_wait (tid_t child_tid) {
/* XXX: Hint) The pintos exit if process_wait (initd), we recommend you
* XXX: to add infinite loop here before
* XXX: implementing the process_wait. */
struct thread *t = get_thread_from_tid(child_tid);
if (t == NULL) {
return -1;
}
sema_down(&t->wait_sema);
list_remove(&t->child_list_elem);
sema_up(&t->exit_sema);
return t->exit_status;
}
자식 프로세스 t를 기다리며 자식 프로세스의 exit_status를 반환하는데, 이를 위해 thread 구조체에 exit_status를 추가해주었다.
process_wait에서 우선 자식의 tid를 구한 후, 구조체에 넣어둔 wait_sema를 sema_down하여 블락시킨다.
이렇게 되면 자식 프로세스가 진행되며 자식 프로세스에서 process_exit가 강제 종료 시점이나 프로세스의 마무리 시점에 호출된다.
process_exit에는 sema_up(&t->wait_sema) 가 있어 이를 통해 다시 부모 프로세스가 호출한 process_wait으로 돌아오게 된다.
void process_exit(void){
.
.
file_close(t->running);
process_cleanup();
sema_up(&t->wait_sema);
sema_down(&t->exit_sema);
}
이 후, 부모 프로세스는 자식 프로세스를 자식 프로세스 리스트에서 제거하고 위 process_exit에서 호출된
sema_down을 다시 올려주는 sema_up을 실행한다. 이로써 부모 프로세스에게 자식 프로세스 종료 신호를 보내고 sema_down을 실행함으로써 프로세스 종료 전 잠시 대기하여 자원 정리의 작업을 가능하게 해준다.
이 후 exit_status를 반환한다.
Deny Write on Executables : 실행 파일에 Write 접근 금지
static bool
load(const char *file_name, struct intr_frame *if_){
.
.
file_deny_write(file);
.
.
}
실행 중인 파일에 대한 쓰기 작업을 거부하는 코드를 추가해 주었다.
Page Fault 문제 해결
static void
page_fault (struct intr_frame *f) {
bool not_present;
bool write;
bool user;
void *fault_addr;
fault_addr = (void *) rcr2();
not_present = (f->error_code & PF_P) == 0;
write = (f->error_code & PF_W) != 0;
user = (f->error_code & PF_U) != 0;
page_fault_cnt++;
if (user)
{
f->R.rdi = -1;
exit(f->R.rdi);
}
.
.
.
}
코드 작성 후 테스트 하던 중 페이지 폴트가 발생하는 상황에 kill을 사용해 오류 상태를 터미널로 전달하고 있었기에 일부 테스트 케이스가 통과되지 못했다. 이를 발견하여 해결하기 위해 exit를 사용해서 프로세스 종료를 시켜줬다.
WIL을 정리하면서 작성한 코드 부분을 다시 상기했는데 여전히 코드가 올바르게 작동되는 이유를 모르는 코드도 있고, 함수 이동에서 이해가 잘 안되는 부분도 있어 다시 상세히 훑어보고 이해해보려고 한다.
'크래프톤 정글 > pintOS' 카테고리의 다른 글
pintOS - project2(Userprog) process.c (1) | 2024.03.30 |
---|---|
pintOS - project2(Userprog) syscall.c (3) | 2024.03.29 |
pintOS - project1(Thread) synch.c (2) | 2024.03.12 |
pintOS - project1(Thread) thread.c - mlfqs (3) | 2024.03.11 |
pintOS - project1(Thread) thread.c (1) | 2024.03.11 |