finished project

This commit is contained in:
Rushil Umaretiya 2024-04-28 18:04:26 -04:00
parent e2e31baa00
commit 0f29b1f5c5
No known key found for this signature in database
GPG Key ID: 4E8FAF9C926AF959
17 changed files with 626 additions and 9 deletions

View File

@ -1,10 +1,12 @@
// PID: 730677144
// I pledge the COMP 211 honor code.
#include "schedule.h"
#include <stdio.h>
#include <stdlib.h>
#include "schedule.h"
#include "task.h"
void run_to_completion(task_struct* task) {
printf("Task %d ran for %d cycles.\n", task->pid, task->remaining_cycles);
task->remaining_cycles = 0;
@ -41,21 +43,29 @@ void priority_queue(unsigned int quantum) {
task_struct* task = remove_task(get_task(0)->pid);
run_with_quantum(task, quantum);
if (task->remaining_cycles != 0) {
append_task(task->pid, task->priority, task->remaining_cycles);
} else {
free(task);
}
}
}
void round_robin(unsigned int quantum) {
int i = 0;
while (size() > 0)
{
task_struct *task = get_task(i % size());
while (head != NULL) {
task_struct* task = head;
head = head->next;
run_with_quantum(task, quantum);
if (task->remaining_cycles == 0) {
remove_task(task->pid);
if (task->remaining_cycles > 0) {
append_task(task->pid, task->priority, task->remaining_cycles);
} else {
free(task);
}
if (head == NULL) {
tail = NULL;
}
i++;
}
}

View File

@ -201,7 +201,8 @@ void heapify(int i) {
float next_ratio =
(float)next->priority / (float)next->remaining_cycles;
if (curr_ratio > next_ratio) {
if (curr_ratio > next_ratio ||
(curr_ratio == next_ratio && curr->priority > next->priority)) {
swap(curr->pid, next->pid);
k = j;
} else {

View File

@ -193,4 +193,7 @@ void print_tasks();
*/
int compare_floats(float a, float b);
extern task_struct* head;
extern task_struct* tail;
#endif

6
project/.gitignore vendored Normal file
View File

@ -0,0 +1,6 @@
*.o
*.so
main
.DS_Store
*.swp
valgrind-out.txt

23
project/Makefile Executable file
View File

@ -0,0 +1,23 @@
CC=gcc
CFLAGS=-c -Wall -Werror -g
SO_FLAGS=-fPIC -shared
all: main
main: shell.o main.o
$(CC) shell.o main.o -o main
shell.o: shell.c shell.h
$(CC) $(CFLAGS) $(SO_FLAGS) shell.c
main.o: main.c shell.h
$(CC) $(CFLAGS) main.c
clean:
/bin/rm -f main *.o *.gz
run:
./main
for_autograder: shell.o
$(CC) $(SO_FLAGS) -o shell.so shell.o

198
project/README.md Normal file
View File

@ -0,0 +1,198 @@
<!-- omit in toc -->
# Project
Now that you've familiarized yourself with the Linux environment throughout the semester, you will have the opportunity to build your own simple shell! Don't fret - when we say simple, we mean simple. The shell specified in this assignment is merely capable of changing directories and executing system programs such as `pwd` and `ls`. The goal of this project is to familiarize you with system-related library functions and to give you the pride of knowing that something you've been working with all semester is something that you could have built all along.
In this project, you will
1. Become more familiar with how the OS provides **process control** services that can be invoked by a user application. Specifically, your shell will use the three system calls [fork](https://man7.org/linux/man-pages/man2/fork.2.html), [exec](https://man7.org/linux/man-pages/man3/exec.3.html), and [wait](https://man7.org/linux/man-pages/man2/wait.2.html).
2. Become familiar with how a program can access system **environment variables** using the [getenv](https://man7.org/linux/man-pages/man3/getenv.3.html) standard library function. In particular, we'll access the `PATH` environment variable to determine if a program (i.e., executable object file) is located in a directory (defined in the PATH) on the file system.
<details open>
<summary>Contents</summary>
- [Pre-lab knowledge](#pre-lab-knowledge)
- [Background reading](#background-reading)
- [Structure](#structure)
- [Command representation](#command-representation)
- [Running](#running)
- [Testing](#testing)
- [Part 0: Setup](#part-0-setup)
- [Part 1: Allocating and freeing memory](#part-1-allocating-and-freeing-memory)
- [Part 2: Parsing](#part-2-parsing)
- [Part 3: Find full path](#part-3-find-full-path)
- [Part 4: Executing](#part-4-executing)
- [Testing](#testing-1)
- [Part 5: Memory leaks](#part-5-memory-leaks)
- [Submit your assignment](#submit-your-assignment)
</details>
## Pre-lab knowledge
### Background reading
* Process control
* [fork](https://man7.org/linux/man-pages/man2/fork.2.html) man page
* [exec](https://man7.org/linux/man-pages/man3/exec.3.html) man page
* [wait](https://linux.die.net/man/2/waitpid) man page
* [Process API (fork, exec, and wait)](https://uncch.instructure.com/users/9947/files/5935051?verifier=M06tlEP40KumzfyUerV3IWr45LYRNlVSqEXielyw&wrap=1) lecture slides
* [Process API](https://pages.cs.wisc.edu/~remzi/OSTEP/cpu-api.pdf) OSTEP textbook
* Environment variables
* [getenv](https://man7.org/linux/man-pages/man3/getenv.3.html) man page
* C
* [Arrays and Strings](https://uncch.instructure.com/users/9947/files/6519658?verifier=M0hh4K5swK8NjlG2Q16PYnZT1wjAGIQip1QKAfCf&wrap=1) lecture slides
* [Pointers](https://uncch.instructure.com/users/9947/files/6556130?verifier=RyBHGAvl1trUgASDcCpkt0RwKvxSnCxkC93ETtid&wrap=1) lecture slides
* [Memory Allocation](https://uncch.instructure.com/users/9947/files/6650292?verifier=Ck555bz4rVkIUYSwscINfbZEJulLQL2N0gV09VUc&wrap=1) lecture slides
* Valgrind
* [Valgrind Quick Start](https://valgrind.org/docs/manual/quick-start.html)
### Structure
Similar to previous labs, you will implement a set of functions to be called by an external program. Here are the files and what you are expected to do (if anything) in each:
```text
.
├── Makefile
├── README.md
├── main.c - Do not modify. Please read - only a few simple lines of code that will show you how your functions will be called.
├── shell.c - Implement the functions in this file.
├── shell.h - Please read carefully. Contains the definition of command_t, function prototypes and docstrings, and useful constants.
└── tests - Test inputs and outputs.
```
There are several docstrings in `shell.h` that will guide you through function implementation. Please read carefully.
Finally, you **may not** add or remove global variables, alter the given function signatures, or add additional header files. If you have any questions regarding this stipulation, ask your cohort leader for clarification.
### Command representation
Shell commands are comprised of arguments. For example, the command `ls -la` has two space-separated arguments `ls` and `-la`. In `shell.h`, you'll find the definition of our `command_t` struct:
```c
typedef struct {
int argc;
char** argv;
} command_t;
```
This representation should be self-explanatory, and the members are similar to `int argc` and `char** argv` of the `main` function in C.
### Running
As in previous labs, a [Makefile](Makefile) is provided. Run `make all` to compile and `./main` to run.
Without any changes, `./main` works like so:
```text
learncli$ ./main
thsh$ ls # nothing prints because nothing is implemented yet
thsh$
```
Notice that the shell prompt is `thsh$ ` to indicate that we are within the COMP 211 Tar Heel SHell.
### Testing
As you write your code, you can add print statements (which will show up when you run `./main`) to test your code. We strongly recommend testing incrementally and often, as opposed to testing only when you think you're done with everything.
Our Gradescope tests for Parts 1-3 of this lab unit test the functions in `shell.c`, so you can submit to Gradescope after completing each of these parts to get feedback before continuing on. Parts 4 and 5 are tested simply by running the `main` executable on various inputs, some of which are provided in [tests/](tests).
## Part 0: Setup
Please read through `main.c` (roughly 20 LoC) to see how your functions will be called and what they should do.
Then, read through the function prototypes in `shell.h`. Then, read the docstrings for the functions, and you may skip implementation details in the docstrings for now.
## Part 1: Allocating and freeing memory
In `main.c`, after getting user input, `parse` is called. `parse` allocates heap memory for `p_cmd->argv` using `alloc_mem_for_argv`. After the command is executed, `cleanup` is called to free the memory.
In `shell.c`, implement `alloc_mem_for_argv` and `cleanup`. Docstrings with instructions are provided in `shell.h`.
Note that `p_cmd->argv` is a `char**` (array of strings). To review how to allocate memory for a `char**`, you may look at the final slide of the Memory Allocation slides in [Background reading](#background-reading).
You should submit to Gradescope after implementing `alloc_mem_for_argv` and `cleanup` to confirm that they are correct. If these two functions are not implemented properly, you may get a "autograder failed to execute" message. The Gradescope tests do not explicitly test `cleanup` in this part, but `cleanup` will be tested later when we check for memory leaks in the entire program.
## Part 2: Parsing
When `main.c` gets the user's string input, it calls `parse` to parse the string into a `command_t` struct. Implement this functionality in the `parse` function. A docstring is provided in `shell.h`.
In particular, read example 4 in the docstring carefully. In our shell's grammar, extra whitespace is insignificant, so `ls -la` and ` ls -la ` should result in `command_t` structs with identical values. Note the additional whitespace in the latter.
## Part 3: Find full path
If a command is not built-in to the shell (e.g., `cd` or `exit`), its binary lives somewhere on the file system, and that is the external program that runs when the user types the command. For example,
```text
learncli$ ls
project-template
learncli$ which ls # find full path of ls command
/usr/bin/ls
learncli$ /usr/bin/ls # same output as ls because this is the program that runs when you type ls
project-template
```
External commands are simply executable programs on the file system, and you can find out where with `which`. If you `ls /usr/bin`, you'll see many of the programs you have been using this semester, such as `ls`, `clang-format`, `gcc`, etc.
After we have parsed the user's input, the `find_full_path` function will attempt to find the full path of their command to determine which program to run, if it exists, during execution.
Implement `find_full_path`, and details are given in its docstring in `shell.h`.
## Part 4: Executing
Finally, the command is ready to be executed. Implement `execute`, and details are in its docstring in `shell.h`.
You will have to use `fork`, a variant of `exec`, and wait. Refer to Process API content in [Background reading](#background-reading) for details.
### Testing
Run `make all` to compile and `./main` to run.
For example,
```text
learncli$ ./main
thsh$ echo hello
hello
thsh$ exit
```
Similar to previous labs, more test inputs and outputs are in [tests/](tests). You can check for differences with `diff`. For example, `./main < tests/in1.txt > out1.txt` and `diff tests/out1.txt out1.txt`.
## Part 5: Memory leaks
Lastly, we'll check our shell for memory leaks using `valgrind`, which checks for memory errors. For example,
```text
learncli$ valgrind --leak-check=full --show-leak-kinds=all --track-origins=yes --log-file=valgrind-out.txt ./main < tests/in1.txt > /dev/null
learncli$ grep "definitely lost: [0-9,]\+ bytes in [0-9,]\+ blocks" valgrind-out.txt
==14598== definitely lost: 0 bytes in 0 blocks
```
In this command, `valgrind` inspects the `main` executable (when run with the contents of `tests/in1.txt` redirected to stdin, and `main`'s stdout is redirected to `/dev/null` since we don't care about its output in this part) and outputs statistics to `valgrind-out.txt`. The only statistic we care about in this part is the number of bytes "definitely lost", indicating definite memory leaks, as extracted by `grep`.
The autograder will run this command on your program for all the test inputs in [tests/](tests). We expect to see the string "definitely lost: 0 bytes in 0 blocks" for those inputs. As long as you `free` everything you `malloc`, this will be the case.
If you have memory leaks, make sure you `free` everything you `malloc` in your code. Fortunately, `valgrind` tells us where errors occur (if we compile with debugging information via `-g`, like in our Makefile). For example, if we purposely introduce a memory leak into our program, `make` (remember to re-run `make` before running `valgrind`!), and re-run the `valgrind` command above, we would see something like this in `valgrind-out.txt`:
```text
==62429== 138 bytes in 4 blocks are definitely lost in loss record 3 of 3
==62429== at 0x4865058: malloc (in /usr/libexec/valgrind/vgpreload_memcheck-arm64-linux.so)
==62429== by 0x1092E7: find_full_path (shell.c:72)
==62429== by 0x109437: execute (shell.c:99)
==62429== by 0x1096D3: main (main.c:22)
```
This would tell us that a memory leak occurs in `find_full_path`.
If you somehow see no memory leaks for all inputs in [tests/](tests) but you do not pass the autograder test, contact your cohort leader.
## Submit your assignment
1. Use git to push your finished code to this GitHub repository.
2. Go to the COMP 211 course in Gradescope and click on the assignment called **Project**.
3. Click on the option to **Submit Assignment** and choose GitHub as the submission method.
4. You should see a list of your public repositories. Select the one named **project-yourname** and submit it.
5. Your assignment should be autograded within a few seconds and you will receive feedback for the autograded portion.
6. If you receive all the points, then you have completed this project! Otherwise, you are free to keep pushing commits to your GitHub repository and submit for regrading up until the deadline of the project.

29
project/main.c Normal file
View File

@ -0,0 +1,29 @@
// Do not edit this file
/**
* Usage (after running make): ./main
* This file takes input from stdin and outputs to stdout. No CLI args
*/
#include "shell.h"
int main(int argc, char** argv) {
char shell_cmd[MAX_LINE_SIZE + 1];
command_t command;
while (true) {
printf("%s", SHELL_PROMPT);
fgets(shell_cmd, MAX_LINE_SIZE, stdin);
shell_cmd[strcspn(shell_cmd, "\n")] =
'\0'; // remove newline from user input
parse(shell_cmd, &command);
if (command.argc > 0) {
if (execute(&command) == ERROR) {
fprintf(stderr, "%s command failed\n", shell_cmd);
}
}
cleanup(&command);
}
return EXIT_SUCCESS;
}

129
project/shell.c Normal file
View File

@ -0,0 +1,129 @@
// PID: 730677144
// I pledge the COMP 211 honor code.
// All necessary libraries are included in shell.h
#include "shell.h"
void alloc_mem_for_argv(command_t* p_cmd) {
p_cmd->argv = (char**)malloc((p_cmd->argc + 1) * sizeof(char*));
for (int i = 0; i < p_cmd->argc; i++) {
p_cmd->argv[i] = (char*)malloc(MAX_ARG_LEN * sizeof(char));
}
p_cmd->argv[p_cmd->argc] = NULL;
}
void cleanup(command_t* p_cmd) {
for (int i = 0; i < p_cmd->argc; i++) {
free(p_cmd->argv[i]);
p_cmd->argv[i] = NULL;
}
free(p_cmd->argv);
p_cmd->argv = NULL;
}
void parse(char* line, command_t* p_cmd) {
char* line_copy = strdup(line);
char* token = strtok(line_copy, " ");
p_cmd->argc = 0;
while (token != NULL) {
p_cmd->argc++;
token = strtok(NULL, " ");
}
free(line_copy);
alloc_mem_for_argv(p_cmd);
line_copy = strdup(line);
token = strtok(line_copy, " ");
for (int i = 0; i < p_cmd->argc; i++) {
strcpy(p_cmd->argv[i], token);
token = strtok(NULL, " ");
}
free(line_copy);
}
bool find_full_path(command_t* p_cmd) {
char* path = strdup(getenv("PATH"));
char* token = strtok(path, ":");
while (token != NULL) {
char* full_path = (char*)malloc(MAX_ARG_LEN * sizeof(char));
strcpy(full_path, token);
strcat(full_path, "/");
strcat(full_path, p_cmd->argv[0]);
if (access(full_path, F_OK) == 0) {
strcpy(p_cmd->argv[0], full_path);
free(path);
free(full_path);
return true;
}
free(full_path);
token = strtok(NULL, ":");
}
free(path);
return false;
}
int execute(command_t* p_cmd) {
if (is_builtin(p_cmd)) {
return do_builtin(p_cmd);
}
if (!find_full_path(p_cmd)) {
printf("Command %s not found!\n", p_cmd->argv[0]);
return ERROR;
}
// start fork
pid_t pid = fork();
if (pid < 0) {
return ERROR;
} else if (pid == 0) {
// child process
execv(p_cmd->argv[0], p_cmd->argv);
exit(EXIT_FAILURE);
} else {
// parent process
int status;
waitpid(pid, &status, 0);
}
return SUCCESS;
}
bool is_builtin(command_t* p_cmd) {
// Do not modify
char* executable = p_cmd->argv[0];
if (strcmp(executable, "cd") == 0 || strcmp(executable, "exit") == 0) {
return true;
}
return false;
}
int do_builtin(command_t* p_cmd) {
// Do not modify
if (strcmp(p_cmd->argv[0], "exit") == 0) {
exit(SUCCESS);
}
// cd
if (p_cmd->argc == 1) { // cd with no arguments
return chdir(getenv("HOME"));
} else if (p_cmd->argc == 2) { // cd with 1 arg
return chdir(p_cmd->argv[1]);
} else {
fprintf(stderr, "cd: Too many arguments\n");
return ERROR;
}
}

198
project/shell.h Normal file
View File

@ -0,0 +1,198 @@
// Do not edit this file
#ifndef _SHELL_H_
#define _SHELL_H_
// These libraries are the only ones that can be used
#include <ctype.h>
#include <errno.h>
#include <fcntl.h>
#include <stdbool.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <unistd.h>
#define SHELL_PROMPT "thsh$ "
#define SUCCESS 0
#define ERROR -1
#define MAX_LINE_SIZE 1000
#define MAX_ARG_LEN 100
#define MAX_ENV_VAR_LEN getpagesize() * 32
/**
* Represents a command
*
* For example, "cd /mnt/cdrom" would be parsed into {argc = 2,
* argv={"cd", "/mnt/cdrom", NULL}}
*
* Assume each arg is at most MAX_ARG_LEN characters
*/
typedef struct {
int argc;
char** argv;
} command_t;
/**
* Allocate memory for p_cmd->argv.
*
* Assume that when this function is called,
* p_cmd->argc has been set to the correct value.
*
* The length of char** p_cmd->argv should be set to argc + 1.
* p_cmd->argv[0] ... p_cmd->argv[argc - 1] are for the arguments.
*
* p_cmd->argv[argc] should be set to NULL.
*
* Also, for each char* in p_cmd->argv, malloc MAX_ARG_LEN chars.
*
* @param p_cmd command_t* to allocate memory for
* @param argc
* @return void
*/
void alloc_mem_for_argv(command_t* p_cmd);
/**
* Free memory used by p_cmd. Specifically, free each char* in p_cmd->argv,
* then free p_cmd->argv.
*
* To be safe, you should also set the pointer values to NULL after freeing.
*
* @param p_cmd
* @return void
*/
void cleanup(command_t* p_cmd);
/**
* Parses line (input from user) into command_t* p_cmd.
*
* Determine the number of arguments via string parsing.
* Then, set p_cmd->argc to the correct value,
* and allocate memory for p_cmd->argv.
* Finally, ***copy*** the arguments from line into p_cmd->argv.
*
* When copying the arguments, do not simply assign pointers. You must
* use str(n)cpy (or reimplement its logic) to copy the arguments.
*
* p_cmd is NULL when this function is called (see main.c).
*
* Example 1: If line is "cd /mnt/cdrom", then the fields in p_cmd should be
* {argc = 2, argv = {"cd", "mnt/cdrom", NULL}}
*
* Example 2: If line is "ls -la", then the fields in p_cmd should be
* {argc = 2, argv = {"ls, "-la", NULL}}
*
* Example 3: If line is NULL, then the fields in p_cmd should be {argc =
* 0, argv = {NULL}}
*
* Example 4: If line is " ls -la ", then the fields in p_cmd should be
* the same as in example 2. Note the additional whitespace in the input.
*
* We recommend using strtok to handle this parsing.
* https://systems-encyclopedia.cs.illinois.edu/articles/c-strtok/
*
* strtok's functionality is similar to that of split in Python or Java.
* For example, in Python, we can do
*
* >>> "cd /mnt/cdrom".split(" ")
* ['cd', '/mnt/cdrom']
*
* When used correctly, strtok will handle all of the above cases correctly.
* Alternatively, you may reimplement tokenizing logic yourself, but be sure to
* handle example 4 (extra whitespace) correctly.
*
* NOTE: strtok mutates the input char* (by inserting null terminators). So, to
* be safe, you should use strtok on a clone of the input char*. You can create
* a clone using strdup.
*
* @param line string input from user
* @param p_cmd pointer to struct that will store the parsed command
* @return void
*/
void parse(char* line, command_t* p_cmd);
/**
* Determines if the executable in p_cmd (i.e., p_cmd->argv[0]) can be found
* in one of the directories in $PATH. Returns true if so, else false.
* If the executable is found in $PATH, then p_cmd->argv[0] is mutated to be
* the absolute path of the executable.
*
* To see the format of $PATH, run `echo $PATH` in your terminal, which should
* output something like
* /usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin:/mnt/learncli/bin
*
* For example, suppose the executable is "ls". This function needs to find its
* absolute path in the file system. For the $PATH above,
* it appends "/ls" to the first directory, resulting in
* /usr/local/sbin/ls. However, this file does not exist, and same for the next
* two directories. However, /usr/bin/ls exists, so p_cmd->argv[0] is set to
* "/usr/bin/ls", and the function returns true.
*
* If the executable is "doesnotexist", then this function would not find that
* file after checking all directories in $PATH, so it would return false.
*
* Note: This behaves similarly to the `which` command, e.g., `which ls`.
*
* To access $PATH within C, use getenv.
* For example, char* path = getenv("PATH");
*
* To parse PATH, we recommend strtok, as described in the docstring for the
* parse function.
*
* To check if a file exists, use access with amode F_OK
* (https://pubs.opengroup.org/onlinepubs/009695299/functions/access.html).
*
* @param p_cmd
* @return true (if command in PATH) | false (if command not in PATH). Remember
* to mutate p_cmd->argv[0] to be the full path of the executable if it is in
* PATH
*/
bool find_full_path(command_t* p_cmd);
/**
* Execute a command
*
* When this function is called, p_cmd has already been parsed (see main.c)
*
* p_cmd may be a built-in command (cd or exit) or non-built-in
*
* Use is_builtin and do_builtin to detect and execute built-in commands
*
* For non-built-in commands, use find_full_path.
* Also, use fork, execv, and wait.
*
* Do not use execlp, execvp, execvpe, or any other p variant that searches PATH
* for you
*
* If a command cannot be found, print "Command {command} not found!\n".
* For example, if the command "thisisnotacommand" is entered, then this
* function should print "Command thisisnotacommand not found!\n"
*
* @param p_cmd
* @return SUCCESS | ERROR
*/
int execute(command_t* p_cmd);
/**
* Determines if p_cmd is a valid built-in command
*
* @param p_cmd
* @return true (command is built-in) | false (command is not built-in)
*/
bool is_builtin(command_t* p_cmd);
/**
* Executes built-in commands such as cd and exit
*
* @param p_cmd
* @return SUCCESS | ERROR
*/
int do_builtin(command_t* p_cmd);
#endif

2
project/tests/in1.txt Normal file
View File

@ -0,0 +1,2 @@
echo hello
exit

2
project/tests/in2.txt Normal file
View File

@ -0,0 +1,2 @@
head -n 2 Makefile
exit

3
project/tests/in3.txt Normal file
View File

@ -0,0 +1,3 @@
cd ..
pwd
exit

3
project/tests/in4.txt Normal file
View File

@ -0,0 +1,3 @@
which vim
thisisnotacommand
exit

2
project/tests/out1.txt Normal file
View File

@ -0,0 +1,2 @@
hello
thsh$ thsh$

3
project/tests/out2.txt Normal file
View File

@ -0,0 +1,3 @@
CC=gcc
CFLAGS=-c -Wall -Werror -g
thsh$ thsh$

2
project/tests/out3.txt Normal file
View File

@ -0,0 +1,2 @@
/mnt/learncli/workdir
thsh$ thsh$ thsh$

3
project/tests/out4.txt Normal file
View File

@ -0,0 +1,3 @@
/usr/bin/vim
thsh$ thsh$ Command thisisnotacommand not found!
thsh$