ICS143A: Principles of Operating Systems. Lecture 18: File systems. Anton Burtsev November, 2017

Size: px
Start display at page:

Download "ICS143A: Principles of Operating Systems. Lecture 18: File systems. Anton Burtsev November, 2017"

Transcription

1 ICS143A: Principles of Operating Systems Lecture 18: File systems Anton Burtsev November, 2017

2 The role of file systems

3 The role of file systems Sharing Sharing of data across users and applications Persistence Data is available after reboot

4 Architecture On-disk and in-memory data structures represent The tree of named files and directories Record identities of disk blocks which hold data for each file Record which areas of the disk are free

5 Crash recovery File systems must support crash recovery A power loss may interrupt a sequence of updates Leave file system in inconsistent state E.g. a block both marked free and used

6 Multiple users Multiple users operate on a file system concurrently File system must maintain invariants

7 Speed Access to a block device is several orders of magnitude slower Memory: 200 cycles Disk: cycles A file system must maintain a cache of disk blocks in memory

8 Block layer Read and write data From a block device Into a buffer cache Synchronize across multiple readers and writers

9 Transactions Group multiple writes into an atomic transaction

10 Files Unnamed files Represented as inodes Sequence of blocks holding file's data

11 Directories Special kind of inode Sequence of directory entries Each contains name and a pointer to an unnamed inode

12 Pathnames Hierarchical path names /usr/bin/sh Recursive lookup

13 System call Abstract UNIX resources as files Files, sockets, devices, pipes, etc. Unified programming interface

14 File system layout on disk Block #0: Boot code Block #1: (superblock) Metadata about the file system Size (number of blocks) Number of data blocks Number of inodes Number of blocks in log

15 File system layout on disk Block #2: Log area: maintaining consistency in case of a power outage or system crash thanksgiving Inode area Unnamed files

16 Representing files on disk What is the max file size?

17 File system layout on disk Block #2: Log area: maintaining consistency in case of a power outage or system crash thanksgiving Inode area Unnamed files Bit map area: track which blocks are in use Data area: actual file data

18 Buffer cache layer

19 Buffer cache layer Two goals: Synchronization: Only one copy of a data block exist in the kernel Only one writer updates this copy at a time Caching Frequently used copies are cached for efficient reads and writes

20 struct buf { int flags; uint dev; uint blockno; struct buf *prev; // LRU cache list struct buf *next; struct buf *qnext; // disk queue uchar data[bsize]; ; #define B_BUSY 0x1 // buffer is locked by some process #define B_VALID 0x2 // buffer has been read from disk #define B_DIRTY 0x4 // buffer needs to be written to disk Flags 4329 struct { 4330 struct spinlock lock; 4331 struct buf buf[nbuf]; // Linked list of all buffers, through prev/next // head.next is most recently used struct buf head; 4336 bcache; Buffer cache: linked list

21 struct buf { int flags; uint dev; uint blockno; struct buf *prev; // LRU cache list struct buf *next; struct buf *qnext; // disk queue uchar data[bsize]; ; #define B_BUSY 0x1 // buffer is locked by some process #define B_VALID 0x2 // buffer has been read from disk #define B_DIRTY 0x4 // buffer needs to be written to disk Device 4329 struct { 4330 struct spinlock lock; 4331 struct buf buf[nbuf]; // Linked list of all buffers, through prev/next // head.next is most recently used struct buf head; 4336 bcache; We might have multiple disks Buffer cache: linked list

22 struct buf { int flags; uint dev; uint blockno; struct buf *prev; // LRU cache list struct buf *next; struct buf *qnext; // disk queue uchar data[bsize]; ; #define B_BUSY 0x1 // buffer is locked by some process #define B_VALID 0x2 // buffer has been read from disk #define B_DIRTY 0x4 // buffer needs to be written to disk Block number on disk 4329 struct { 4330 struct spinlock lock; 4331 struct buf buf[nbuf]; // Linked list of all buffers, through prev/next // head.next is most recently used struct buf head; 4336 bcache; Buffer cache: linked list

23 struct buf { int flags; uint dev; uint blockno; struct buf *prev; // LRU cache list struct buf *next; struct buf *qnext; // disk queue uchar data[bsize]; ; #define B_BUSY 0x1 // buffer is locked by some process #define B_VALID 0x2 // buffer has been read from disk #define B_DIRTY 0x4 // buffer needs to be written to disk LRU list 4329 struct { 4330 struct spinlock lock; 4331 struct buf buf[nbuf]; // Linked list of all buffers, through prev/next // head.next is most recently used struct buf head; 4336 bcache; Buffer cache: linked list

24 struct buf { int flags; uint dev; uint blockno; struct buf *prev; // LRU cache list struct buf *next; struct buf *qnext; // disk queue uchar data[bsize]; ; #define B_BUSY 0x1 // buffer is locked by some process #define B_VALID 0x2 // buffer has been read from disk #define B_DIRTY 0x4 // buffer needs to be written to disk Cached data 4329 struct { 4330 struct spinlock lock; 4331 struct buf buf[nbuf]; // Linked list of all buffers, through prev/next // head.next is most recently used struct buf head; 4336 bcache; 512 bytes Buffer cache: linked list

25 Buffer cache layer: interface bread() and bwrite() - obtain a copy for reading or writing Owned until brelse() Locking with a flag (B_BUSY) Other threads will be blocked and wait until brelse()

26 struct buf* bread(uint dev, uint sector) { struct buf *b; b = bget(dev, sector); if(!(b >flags & B_VALID)) { iderw(b); return b; 4415 bwrite(struct buf *b) 4416 { 4417 if((b >flags & B_BUSY) == 0) 4418 panic("bwrite"); 4419 b >flags = B_DIRTY; 4420 iderw(b); 4421 Block read and write operations

27 bget(uint dev, uint sector) { struct buf *b; acquire(&bcache.lock); loop: // Is the sector already cached? for(b = bcache.head.next; b!= &bcache.head; b = b >next){ if(b >dev == dev && b >sector == sector){ if(!(b >flags & B_BUSY)){ b >flags = B_BUSY; release(&bcache.lock); return b; sleep(b, &bcache.lock); goto loop; Getting a block from a buffer cache (part 1)

28 bget(uint dev, uint sector) { struct buf *b; acquire(&bcache.lock); loop: // Not cached; recycle some non busy and clean buffer. for(b = bcache.head.prev; b!= &bcache.head; b = b >prev){ if((b >flags & B_BUSY) == 0 && (b >flags & B_DIRTY) == 0){ b >dev = dev; b >sector = sector; b >flags = B_BUSY; release(&bcache.lock); return b; panic("bget: no buffers"); Getting a block from a buffer cache (part 2)

29 struct buf* bread(uint dev, uint sector) { struct buf *b; b = bget(dev, sector); if(!(b >flags & B_VALID)) { iderw(b); return b; 4415 bwrite(struct buf *b) 4416 { 4417 if((b >flags & B_BUSY) == 0) 4418 panic("bwrite"); 4419 b >flags = B_DIRTY; 4420 iderw(b); 4421 Block read and write operations

30 // Release a B_BUSY buffer. // Move to the head of the MRU list. void brelse(struct buf *b) { if((b >flags & B_BUSY) == 0) panic("brelse"); acquire(&bcache.lock); b >next >prev = b >prev; b >prev >next = b >next; b >next = bcache.head.next; b >prev = &bcache.head; bcache.head.next >prev = b; bcache.head.next = b; b >flags &= ~B_BUSY; wakeup(b); release(&bcache.lock); Release buffer Maintain least recently used list Move to the head

31 Common pattern bread() bwrite() brelse() Read Write Release

32 4570 // Copy committed blocks from log to their home location 4571 static void 4572 install_trans(void) 4573 { 4574 int tail; for (tail = 0; tail < log.lh.n; tail++) { 4577 struct buf *lbuf = bread(log.dev, log.start+tail+1); // read log block 4578 struct buf *dbuf = bread(log.dev, log.lh.block[tail]); // read dst 4579 memmove(dbuf >data, lbuf >data, BSIZE); // copy block to dst 4580 bwrite(dbuf); // write dst to disk 4581 brelse(lbuf); 4582 brelse(dbuf); Example

33 Logging layer

34 Logging layer Consistency File system operations involve multiple writes to disk During the crash, subset of writes might leave the file system in an inconsistent state E.g. file delete can crash leaving: Directory entry pointing to a free inode Allocated but unlinked inode

35 Logging Writes don't directly go to disk Instead they are logged in a journal Once all writes are logged, the system writes a special commit record Indicating that log contains a complete operation At this point file system copies writes to the ondisk data structures After copy completes, log record is erased

36 Recovery After reboot, copy the log For operations marked as complete Copy blocks to disk For operations partially complete Discard all writes Information might be lost (output consistency, e.g. can launch the rocket twice)

37 begin_op();... bp = bread(...); bp->data[...] =...; log_write(bp);... end_op(); Typical use of transactions

38 4532 struct logheader { 4533 int n; 4534 int block[logsize]; 4535 ; struct log { 4538 struct spinlock lock; 4539 int start; 4540 int size; 4541 int outstanding; // how many FS sys calls are executing int committing; // in commit(), please wait int dev; 4544 struct logheader lh; 4545 ; Log (in memory)

39 begin_op();... bp = bread(...); bp->data[...] =...; log_write(bp);... end_op(); Typical use of transactions

40 // called at the start of each FS system call. void begin_op(void) { acquire(&log.lock); while(1){ if(log.committing){ sleep(&log, &log.lock); else if(log.lh.n + (log.outstanding+1)*maxopblocks > LOGSIZE){ // this op might exhaust log space; wait for commit. sleep(&log, &log.lock); else { log.outstanding += 1; release(&log.lock); Log is being break; committed Sleep begin_op() Case #1

41 // called at the start of each FS system call. void begin_op(void) { acquire(&log.lock); while(1){ if(log.committing){ sleep(&log, &log.lock); else if(log.lh.n + (log.outstanding+1)*maxopblocks > LOGSIZE){ // this op might exhaust log space; wait for commit. sleep(&log, &log.lock); else { log.outstanding += 1; release(&log.lock); Log doesn't have break; enough space for the new transaction begin_op() Case #2

42 // called at the start of each FS system call. void begin_op(void) { acquire(&log.lock); while(1){ if(log.committing){ sleep(&log, &log.lock); else if(log.lh.n + (log.outstanding+1)*maxopblocks > LOGSIZE){ // this op might exhaust log space; wait for commit. sleep(&log, &log.lock); else { log.outstanding += 1; release(&log.lock); All ok, reserve space break; in the log for the new transaction begin_op() Case #3

43 begin_op();... bp = bread(...); bp->data[...] =...; log_write(bp);... end_op(); Typical use of transactions log_write() replaces bwrite(); brelse()

44 4722 log_write(struct buf *b) 4723 { 4724 int i; if (log.lh.n >= LOGSIZE log.lh.n >= log.size 1) 4727 panic("too big a transaction"); 4728 if (log.outstanding < 1) 4729 panic("log_write outside of trans"); acquire(&log.lock); 4732 for (i = 0; i < log.lh.n; i++) { 4733 if (log.lh.block[i] == b >blockno) // log absorbtion 4734 break; log.lh.block[i] = b >blockno; 4737 if (i == log.lh.n) 4738 log.lh.n++; 4739 b >flags = B_DIRTY; // prevent eviction 4740 release(&log.lock); 4741 log_write Check if already in log

45 4722 log_write(struct buf *b) 4723 { 4724 int i; if (log.lh.n >= LOGSIZE log.lh.n >= log.size 1) 4727 panic("too big a transaction"); 4728 if (log.outstanding < 1) 4729 panic("log_write outside of trans"); acquire(&log.lock); 4732 for (i = 0; i < log.lh.n; i++) { 4733 if (log.lh.block[i] == b >blockno) // log absorbtion 4734 break; log.lh.block[i] = b >blockno; 4737 if (i == log.lh.n) 4738 log.lh.n++; 4739 b >flags = B_DIRTY; // prevent eviction 4740 release(&log.lock); 4741 log_write Add to the log Prevent eviction

46 begin_op();... bp = bread(...); bp->data[...] =...; log_write(bp);... end_op(); Typical use of transactions

47 4653 end_op(void) 4654 { 4655 int do_commit = 0; acquire(&log.lock); 4658 log.outstanding = 1; 4661 if(log.outstanding == 0){ 4662 do_commit = 1; 4663 log.committing = 1; 4664 else { 4665 // begin_op() may be waiting for log space wakeup(&log); release(&log.lock); if(do_commit){ 4671 // call commit w/o holding locks, since not allowed 4672 // to sleep with locks commit(); 4674 acquire(&log.lock); 4675 log.committing = 0; 4676 wakeup(&log); 4677 release(&log.lock); end_op()

48 4653 end_op(void) 4654 { 4655 int do_commit = 0; acquire(&log.lock); 4658 log.outstanding = 1; 4661 if(log.outstanding == 0){ 4662 do_commit = 1; 4663 log.committing = 1; 4664 else { 4665 // begin_op() may be waiting for log space wakeup(&log); release(&log.lock); if(do_commit){ 4671 // call commit w/o holding locks, since not allowed 4672 // to sleep with locks commit(); 4674 acquire(&log.lock); 4675 log.committing = 0; 4676 wakeup(&log); 4677 release(&log.lock); end_op()

49 4701 commit() 4702 { 4703 if (log.lh.n > 0) { 4704 write_log(); // Write modified blocks from cache to log 4705 write_head(); // Write header to disk the real commit 4706 install_trans(); // Now install writes to home locations 4707 log.lh.n = 0; 4708 write_head(); // Erase the transaction from the log commit()

50 // Copy modified blocks from cache to log. static void write_log(void) { int tail; write_log() for (tail = 0; tail < log.lh.n; tail++) { struct buf *to = bread(log.dev, log.start+tail+1); // log block struct buf *from = bread(log.dev, log.lh.block[tail]); // cache block memmove(to >data, from >data, BSIZE); bwrite(to); // write the log brelse(from); Loop through the entire log brelse(to);

51 // Copy modified blocks from cache to log. static void write_log(void) { int tail; write_log() for (tail = 0; tail < log.lh.n; tail++) { struct buf *to = bread(log.dev, log.start+tail+1); // log block struct buf *from = bread(log.dev, log.lh.block[tail]); // cache block memmove(to >data, from >data, BSIZE); bwrite(to); // write the log brelse(from); Read the log block brelse(to); Log goes to log.start+tail+1

52 // Copy modified blocks from cache to log. static void write_log(void) { int tail; write_log() for (tail = 0; tail < log.lh.n; tail++) { struct buf *to = bread(log.dev, log.start+tail+1); // log block struct buf *from = bread(log.dev, log.lh.block[tail]); // cache block memmove(to >data, from >data, BSIZE); bwrite(to); // write the log brelse(from); Read the actual block brelse(to); It's in the buffer cache Block number is in log.lh.block[tail]

53 // Copy modified blocks from cache to log. static void write_log(void) { int tail; write_log() for (tail = 0; tail < log.lh.n; tail++) { struct buf *to = bread(log.dev, log.start+tail+1); // log block struct buf *from = bread(log.dev, log.lh.block[tail]); // cache block memmove(to >data, from >data, BSIZE); bwrite(to); // write the log brelse(from); Copy block data into the log brelse(to);

54 // Copy modified blocks from cache to log. static void write_log(void) { int tail; write_log() for (tail = 0; tail < log.lh.n; tail++) { struct buf *to = bread(log.dev, log.start+tail+1); // log block struct buf *from = bread(log.dev, log.lh.block[tail]); // cache block memmove(to >data, from >data, BSIZE); bwrite(to); // write the log brelse(from); Write the log block (to) brelse(to); Release both blocks

55 4701 commit() 4702 { 4703 if (log.lh.n > 0) { 4704 write_log(); // Write modified blocks from cache to log 4705 write_head(); // Write header to disk the real commit 4706 install_trans(); // Now install writes to home locations 4707 log.lh.n = 0; 4708 write_head(); // Erase the transaction from the log commit()

56 // Write in memory log header to disk. // This is the true point at which the // current transaction commits. static void write_head(void) { struct buf *buf = bread(log.dev, log.start); struct logheader *hb = (struct logheader *) (buf >data); int i; hb >n = log.lh.n; for (i = 0; i < log.lh.n; i++) { hb >block[i] = log.lh.block[i]; Read the log header block bwrite(buf); It's in log.start brelse(buf); write_head()

57 // Write in memory log header to disk. // This is the true point at which the // current transaction commits. static void write_head(void) { struct buf *buf = bread(log.dev, log.start); struct logheader *hb = (struct logheader *) (buf >data); int i; hb >n = log.lh.n; for (i = 0; i < log.lh.n; i++) { hb >block[i] = log.lh.block[i]; Interpret buf >data as log bwrite(buf); header brelse(buf); write_head() See how type casts work in C

58 // Write in memory log header to disk. // This is the true point at which the // current transaction commits. static void write_head(void) { struct buf *buf = bread(log.dev, log.start); struct logheader *hb = (struct logheader *) (buf >data); int i; hb >n = log.lh.n; for (i = 0; i < log.lh.n; i++) { hb >block[i] = log.lh.block[i]; Write log size (log.lh.n) bwrite(buf); into block of the logheader brelse(buf); write_head()

59 // Write in memory log header to disk. // This is the true point at which the // current transaction commits. static void write_head(void) { struct buf *buf = bread(log.dev, log.start); struct logheader *hb = (struct logheader *) (buf >data); int i; hb >n = log.lh.n; for (i = 0; i < log.lh.n; i++) { hb >block[i] = log.lh.block[i]; Write the entire log bwrite(buf); (numbers of blocks in the brelse(buf); log) into log header write_head()

60 // Write in memory log header to disk. // This is the true point at which the // current transaction commits. static void write_head(void) { struct buf *buf = bread(log.dev, log.start); struct logheader *hb = (struct logheader *) (buf >data); int i; hb >n = log.lh.n; for (i = 0; i < log.lh.n; i++) { hb >block[i] = log.lh.block[i]; Write block to disk bwrite(buf); Release brelse(buf); write_head()

61 4701 commit() 4702 { 4703 if (log.lh.n > 0) { 4704 write_log(); // Write modified blocks from cache to log 4705 write_head(); // Write header to disk the real commit 4706 install_trans(); // Now install writes to home locations 4707 log.lh.n = 0; 4708 write_head(); // Erase the transaction from the log commit()

62 // Copy committed blocks from log to their home location static void install_trans(void) { int tail; install_trans() for (tail = 0; tail < log.lh.n; tail++) { struct buf *lbuf = bread(log.dev, log.start+tail+1); // read log block struct buf *dbuf = bread(log.dev, log.lh.block[tail]); // read dst memmove(dbuf >data, lbuf >data, BSIZE); // copy block // to dst bwrite(dbuf); // write dst to disk brelse(lbuf); Read the block from the log brelse(dbuf); area (log.start+tail+1)

63 // Copy committed blocks from log to their home location static void install_trans(void) { int tail; install_trans() for (tail = 0; tail < log.lh.n; tail++) { struct buf *lbuf = bread(log.dev, log.start+tail+1); // read log block struct buf *dbuf = bread(log.dev, log.lh.block[tail]); // read dst memmove(dbuf >data, lbuf >data, BSIZE); // copy block // to dst bwrite(dbuf); // write dst to disk brelse(lbuf); Read the block where data brelse(dbuf); should go on disk It's a block number in log.lh.block[tail]

64 // Copy committed blocks from log to their home location static void install_trans(void) { int tail; install_trans() for (tail = 0; tail < log.lh.n; tail++) { struct buf *lbuf = bread(log.dev, log.start+tail+1); // read log block struct buf *dbuf = bread(log.dev, log.lh.block[tail]); // read dst memmove(dbuf >data, lbuf >data, BSIZE); // copy block // to dst bwrite(dbuf); // write dst to disk brelse(lbuf); Copy data brelse(dbuf);

65 // Copy committed blocks from log to their home location static void install_trans(void) { int tail; install_trans() for (tail = 0; tail < log.lh.n; tail++) { struct buf *lbuf = bread(log.dev, log.start+tail+1); // read log block struct buf *dbuf = bread(log.dev, log.lh.block[tail]); // read dst memmove(dbuf >data, lbuf >data, BSIZE); // copy block // to dst bwrite(dbuf); // write dst to disk brelse(lbuf); Write the block to disk brelse(dbuf); Release both blocks

66 4701 commit() 4702 { 4703 if (log.lh.n > 0) { 4704 write_log(); // Write modified blocks from cache to log 4705 write_head(); // Write header to disk the real commit 4706 install_trans(); // Now install writes to home locations 4707 log.lh.n = 0; 4708 write_head(); // Erase the transaction from the log commit()

67 Inode layer

68 Inode Describes a single unnamed file The inode on disk holds metadata File type, size, # of links referring to it, list of blocks with data In memory A copy of an on-disk inode + some additional kernel information Reference counter (ip->ref) Synchronization flags (ip->flags)

69 Representing files on disk

70 File system layout on disk Inodes are stored as an array on disk sb.startinode Each inode has a number (indicating its position on disk) The kernel keeps a cache of inodes in memory Synchronization

71 Inode on disk 3927 // On disk inode structure 3928 struct dinode { 3929 short type; // File type 3930 short major; // Major device number (T_DEV only) 3931 short minor; // Minor device number (T_DEV only) 3932 short nlink; // Number of links to inode in file system 3933 uint size; // Size of file (bytes) 3934 uint addrs[ndirect+1]; // Data block addresses 3935 ;

72 Representing files on disk What is the max file size?

73 Representing files on disk What is the max file size? 128* *512 = 71680

74 Inode in memory 4011 // in memory copy of an inode 4012 struct inode { 4013 uint dev; // Device number 4014 uint inum; // Inode number 4015 int ref; // Reference count 4016 int flags; // I_BUSY, I_VALID short type; // copy of disk inode 4019 short major; 4020 short minor; 4021 short nlink; 4022 uint size; 4023 uint addrs[ndirect+1]; 4024 ;

75 In-memory cache of inodes 4912 struct { 4913 struct spinlock lock; 4914 struct inode inode[ninode]; 4915 icache;

76 Lifecycle of inode Allocation (on disk) ialloc() iput() -- deallocates Referencing in cache ip->ref tracks the number of active pointers to an inode in memory iget()/iput()

77 // // // // // // Accessing inodes Thus a typical sequence is: ip = iget(dev, inum) ilock(ip)... examine and modify ip >xxx... iunlock(ip) iput(ip)

78 5004 iget(uint dev, uint inum) { acquire(&icache.lock); 5010 // Is the inode already cached? 5011 empty = 0; 5012 for(ip = &icache.inode[0]; ip < &icache.inode[ninode]; ip++){ 5013 if(ip >ref > 0 && ip >dev == dev && ip >inum == inum){ 5014 ip >ref++; 5015 release(&icache.lock); 5016 return ip; if(empty == 0 && ip >ref == 0) // Remember empty slot empty = ip; iget() 5029 ip >ref = 1; release(&icache.lock); 5033 return ip; 5034

79 Reading and writing inodes Inode is a file readi()/writei() read and write it

80 int sys_read(void) { struct file *f; int n; char *p; Example: sys_read() if(argfd(0, 0, &f) < 0 argint(2, &n) < 0 argptr(1, &p, n) < 0) return 1; return fileread(f, p, n); Question: Where does f come from?

81 // Fetch the nth word sized system call argument as a file descriptor // and return both the descriptor and the corresponding struct file. static int argfd(int n, int *pfd, struct file **pf) { int fd; struct file *f; argfd() if(argint(n, &fd) < 0) return 1; if(fd < 0 fd >= NOFILE (f=proc >ofile[fd]) == 0) return 1; if(pfd) *pfd = fd; if(pf) Each process has a table *pf = f; return 0; Remember file descriptors? proc->ofile[]

82 File descriptors: two processes

83 2353 struct proc { 2354 uint sz; 2355 pde_t* pgdir; 2356 char *kstack; process 2357 enum procstate state; 2358 int pid; 2359 struct proc *parent; 2360 struct trapframe *tf; 2361 struct context *context; 2362 void *chan; 2363 int killed; 2364 struct file *ofile[nofile]; 2365 struct inode *cwd; 2366 char name[16]; 2367 ; // Size of process memory (bytes) // Page table // Bottom of kernel stack for this // // // // // // // // // // Process state Process ID Parent process Trap frame for current syscall swtch() here to run process If non zero, sleeping on chan If non zero, have been killed Open files Current directory Process name (debugging) struct proc has an array of struct file pointers Each element is a file descriptor

84 4000 struct file { 4001 enum { FD_NONE, FD_PIPE, FD_INODE type; 4002 int ref; // reference count 4003 char readable; 4004 char writable; 4005 struct pipe *pipe; 4006 struct inode *ip; 4007 uint off; 4008 ; A file can be a pipe or an inode It can be readable and/or writable Each file has current offset (off) struct file

85 Two file descriptors pointing to a pipe

86 int fileread(struct file *f, char *addr, int n) { int r; readi() if(f >readable == 0) return 1; if(f >type == FD_PIPE) return piperead(f >pipe, addr, n); if(f >type == FD_INODE){ ilock(f >ip); if((r = readi(f >ip, addr, f >off, n)) > 0) f >off += r; iunlock(f >ip); return r; panic("fileread");

87 int fileread(struct file *f, char *addr, int n) { int r; readi() if(f >readable == 0) return 1; if(f >type == FD_PIPE) return piperead(f >pipe, addr, n); if(f >type == FD_INODE){ ilock(f >ip); if((r = readi(f >ip, addr, f >off, n)) > 0) f >off += r; iunlock(f >ip); return r; panic("fileread");

88 int fileread(struct file *f, char *addr, int n) { int r; readi() if(f >readable == 0) return 1; if(f >type == FD_PIPE) return piperead(f >pipe, addr, n); if(f >type == FD_INODE){ ilock(f >ip); if((r = readi(f >ip, addr, f >off, n)) > 0) f >off += r; iunlock(f >ip); return r; panic("fileread");

89 int fileread(struct file *f, char *addr, int n) { int r; readi() if(f >readable == 0) return 1; if(f >type == FD_PIPE) return piperead(f >pipe, addr, n); if(f >type == FD_INODE){ ilock(f >ip); if((r = readi(f >ip, addr, f >off, n)) > 0) f >off += r; iunlock(f >ip); Note return r; Read starts with the panic("fileread"); current offset (f->off)

90 5252 readi(struct inode *ip, char *dst, uint off, uint n) 5253 { 5254 uint tot, m; 5255 struct buf *bp; if(off > ip >size off + n < off) 5264 return 1; 5265 if(off + n > ip >size) 5266 n = ip >size off; for(tot=0; tot<n; tot+=m, off+=m, dst+=m){ 5269 bp = bread(ip >dev, bmap(ip, off/bsize)); 5270 m = min(n tot, BSIZE off%bsize); 5271 memmove(dst, bp >data + off%bsize, m); 5272 brelse(bp); return n; 5275 readi()

91 5252 readi(struct inode *ip, char *dst, uint off, uint n) 5253 { 5254 uint tot, m; 5255 struct buf *bp; if(off > ip >size off + n < off) 5264 return 1; 5265 if(off + n > ip >size) 5266 n = ip >size off; for(tot=0; tot<n; tot+=m, off+=m, dst+=m){ 5269 bp = bread(ip >dev, bmap(ip, off/bsize)); 5270 m = min(n tot, BSIZE off%bsize); 5271 memmove(dst, bp >data + off%bsize, m); 5272 brelse(bp); What is this bmap() 5273 function? 5274 return n; 5275 readi()

92 Representing files on disk

93 static uint bmap(struct inode *ip, uint bn) { bmap() if(bn < NDIRECT){ if((addr = ip >addrs[bn]) == 0) ip >addrs[bn] = addr = balloc(ip >dev); return addr; bn = NDIRECT; if(bn < NINDIRECT){ // Load indirect block, allocating if necessary. if((addr = ip >addrs[ndirect]) == 0) ip >addrs[ndirect] = addr = balloc(ip >dev); bp = bread(ip >dev, addr); a = (uint*)bp >data; if((addr = a[bn]) == 0){ a[bn] = addr = balloc(ip >dev); log_write(bp); brelse(bp); return addr; Each inode has some number (NDIRECT) of direct pointers

94 static uint bmap(struct inode *ip, uint bn) { bmap() if(bn < NDIRECT){ if((addr = ip >addrs[bn]) == 0) ip >addrs[bn] = addr = balloc(ip >dev); return addr; bn = NDIRECT; if(bn < NINDIRECT){ // Load indirect block, allocating if necessary. if((addr = ip >addrs[ndirect]) == 0) ip >addrs[ndirect] = addr = balloc(ip >dev); bp = bread(ip >dev, addr); a = (uint*)bp >data; if((addr = a[bn]) == 0){ a[bn] = addr = balloc(ip >dev); log_write(bp); brelse(bp); return addr; No it's beyond NDIRECT

95 static uint bmap(struct inode *ip, uint bn) { bmap() if(bn < NDIRECT){ if((addr = ip >addrs[bn]) == 0) ip >addrs[bn] = addr = balloc(ip >dev); return addr; bn = NDIRECT; if(bn < NINDIRECT){ // Load indirect block, allocating if necessary. if((addr = ip >addrs[ndirect]) == 0) ip >addrs[ndirect] = addr = balloc(ip >dev); bp = bread(ip >dev, addr); a = (uint*)bp >data; if((addr = a[bn]) == 0){ a[bn] = addr = balloc(ip >dev); log_write(bp); brelse(bp); return addr; Read an indirect block

96 static uint bmap(struct inode *ip, uint bn) { bmap() if(bn < NDIRECT){ if((addr = ip >addrs[bn]) == 0) ip >addrs[bn] = addr = balloc(ip >dev); return addr; bn = NDIRECT; if(bn < NINDIRECT){ // Load indirect block, allocating if necessary. if((addr = ip >addrs[ndirect]) == 0) ip >addrs[ndirect] = addr = balloc(ip >dev); bp = bread(ip >dev, addr); a = (uint*)bp >data; if((addr = a[bn]) == 0){ a[bn] = addr = balloc(ip >dev); log_write(bp); brelse(bp); return addr; Check if a pointer in the indirect block is already allocated

97 Block allocator

98 Block allocator Bitmap of free blocks Read the bitmap block by block balloc()/bfree() Scan for a free bit Access to the bitmap is synchronized with bread()/bwrite()/brelse() operations

99 // Allocate a zeroed disk block. static uint balloc(uint dev) { int b, bi, m; struct buf *bp; bp = 0; for(b = 0; b < sb.size; b += BPB){ bp = bread(dev, BBLOCK(b, sb)); for(bi = 0; bi < BPB && b + bi < sb.size; bi++){ m = 1 << (bi % 8); if((bp >data[bi/8] & m) == 0){ // Is block free? bp >data[bi/8] = m; // Mark block in use. log_write(bp); brelse(bp); bzero(dev, b + bi); return b + bi; brelse(bp); panic("balloc: out of blocks"); balloc()

100 // Allocate a zeroed disk block. static uint balloc(uint dev) { int b, bi, m; struct buf *bp; balloc() bp = 0; for(b = 0; b < sb.size; b += BPB){ bp = bread(dev, BBLOCK(b, sb)); for(bi = 0; bi < BPB && b + bi < sb.size; bi++){ m = 1 << (bi % 8); if((bp >data[bi/8] & m) == 0){ // Is block free? bp >data[bi/8] = m; // Mark block in use. log_write(bp); brelse(bp); bzero(dev, b + bi); return b + bi; brelse(bp); panic("balloc: out of blocks"); Check every bit (bi) of a block BPB bits per block

101 // Allocate a zeroed disk block. static uint balloc(uint dev) { int b, bi, m; struct buf *bp; bp = 0; for(b = 0; b < sb.size; b += BPB){ bp = bread(dev, BBLOCK(b, sb)); for(bi = 0; bi < BPB && b + bi < sb.size; bi++){ m = 1 << (bi % 8); if((bp >data[bi/8] & m) == 0){ // Is block free? bp >data[bi/8] = m; // Mark block in use. log_write(bp); brelse(bp); bzero(dev, b + bi); return b + bi; brelse(bp); panic("balloc: out of blocks"); balloc()

102 // Allocate a zeroed disk block. static uint balloc(uint dev) { int b, bi, m; struct buf *bp; balloc() bp = 0; for(b = 0; b < sb.size; b += BPB){ bp = bread(dev, BBLOCK(b, sb)); for(bi = 0; bi < BPB && b + bi < sb.size; bi++){ m = 1 << (bi % 8); if((bp >data[bi/8] & m) == 0){ // Is block free? bp >data[bi/8] = m; // Mark block in use. log_write(bp); brelse(bp); bzero(dev, b + bi); return b + bi; brelse(bp); panic("balloc: out of blocks"); Why do we need log_write() instead of bwrite()?

103 Directory layer

104 Directory inodes A directory inode is a sequence of directory entries and inode numbers Each name is max of 14 characters Has a special inode type T_DIR dirlookup() - searches for a directory with a given name dirlink() - adds new file to a directory

105 Directory entry 3965 struct dirent { 3966 ushort inum; 3967 char name[dirsiz]; 3968 ;

106 struct inode* dirlookup(struct inode *dp, char *name, uint *poff) { if(dp >type!= T_DIR) panic("dirlookup not DIR"); dirlookup() for(off = 0; off < dp >size; off += sizeof(de)){ if(readi(dp, (char*)&de, off, sizeof(de))!= sizeof(de)) panic("dirlink read"); if(de.inum == 0) continue; if(namecmp(name, de.name) == 0){ // entry matches path element if(poff) *poff = off; inum = de.inum; return iget(dp >dev, inum); Inode is a directory return 0;

107 struct inode* dirlookup(struct inode *dp, char *name, uint *poff) { if(dp >type!= T_DIR) panic("dirlookup not DIR"); dirlookup() for(off = 0; off < dp >size; off += sizeof(de)){ if(readi(dp, (char*)&de, off, sizeof(de))!= sizeof(de)) panic("dirlink read"); if(de.inum == 0) continue; if(namecmp(name, de.name) == 0){ // entry matches path element if(poff) *poff = off; inum = de.inum; return iget(dp >dev, inum); Iterate through all entries? return 0;

108 struct inode* dirlookup(struct inode *dp, char *name, uint *poff) { if(dp >type!= T_DIR) panic("dirlookup not DIR"); dirlookup() for(off = 0; off < dp >size; off += sizeof(de)){ if(readi(dp, (char*)&de, off, sizeof(de))!= sizeof(de)) panic("dirlink read"); if(de.inum == 0) continue; if(namecmp(name, de.name) == 0){ // entry matches path element if(poff) *poff = off; inum = de.inum; return iget(dp >dev, inum); Read the inode Compare names return 0;

109 Path names layer Series of directory lookups to resolve a path E.g. /usr/bin/sh Namei() - resolves a path into an inode If path starts with / evaluation starts at the root Otherwise current directory

110 struct inode* namei() namei(char *path) { char name[dirsiz]; return namex(path, 0, name);

111 5505 namex(char *path, int nameiparent, char *name) 5506 { if(*path == / ) 5510 ip = iget(rootdev, ROOTINO); 5511 else 5512 ip = idup(proc >cwd); while((path = skipelem(path, name))!= 0){ 5515 ilock(ip); 5516 if(ip >type!= T_DIR){ 5517 iunlockput(ip); 5518 return 0; if((next = dirlookup(ip, name, 0)) == 0){ 5526 iunlockput(ip); 5527 return 0; iunlockput(ip); 5530 ip = next; if(nameiparent){ 5533 iput(ip); 5534 return 0; return ip; 5537 namex() If path == / start with the inode number of the root

112 5505 namex(char *path, int nameiparent, char *name) 5506 { if(*path == / ) 5510 ip = iget(rootdev, ROOTINO); 5511 else 5512 ip = idup(proc >cwd); 5513 // skipelem("a/bb/c", name) = "bb/c", setting name = "a" 5514 while((path = skipelem(path, name))!= 0){ 5515 ilock(ip); 5516 if(ip >type!= T_DIR){ 5517 iunlockput(ip); 5518 return 0; if((next = dirlookup(ip, name, 0)) == 0){ 5526 iunlockput(ip); 5527 return 0; iunlockput(ip); 5530 ip = next; 5531 name = a 5532 if(nameiparent){ 5533 iput(ip); path = bb/c 5534 return 0; return ip; 5537 namex() Get the prefix a/bb/c

113 5505 namex(char *path, int nameiparent, char *name) 5506 { if(*path == / ) 5510 ip = iget(rootdev, ROOTINO); 5511 else 5512 ip = idup(proc >cwd); 5513 // skipelem("a/bb/c", name) = "bb/c", setting name = "a" 5514 while((path = skipelem(path, name))!= 0){ 5515 ilock(ip); 5516 if(ip >type!= T_DIR){ 5517 iunlockput(ip); 5518 return 0; if((next = dirlookup(ip, name, 0)) == 0){ 5526 iunlockput(ip); 5527 return 0; iunlockput(ip); 5530 ip = next; if(nameiparent){ 5533 iput(ip); 5534 return 0; return ip; 5537 namex() Lookup that name in the directory

114 6101 sys_open(void) 6102 { if(argstr(0, &path) < 0 argint(1, &omode) < 0) 6109 return 1; begin_op(); if((ip = namei(path)) == 0){ 6121 end_op(); 6122 return 1; if((f = filealloc()) == 0 (fd = fdalloc(f)) < 0){ 6133 if(f) 6134 fileclose(f); 6135 iunlockput(ip); 6136 end_op(); 6137 return 1; iunlock(ip); 6140 end_op(); f >type = FD_INODE; 6143 f >ip = ip; return fd; 6148 Eaxmple: sys_open

115 File descriptor layer

116 File descriptors Uniform access to Files Devices, e.g., console Pipes 4000 struct file { 4001 enum { FD_NONE, FD_PIPE, FD_INODE type; 4002 int ref; // reference count 4003 char readable; 4004 char writable; 4005 struct pipe *pipe; 4006 struct inode *ip; 4007 uint off; 4008 ;

117 6101 sys_open(void) 6102 { if(argstr(0, &path) < 0 argint(1, &omode) < 0) 6109 return 1; begin_op(); if((ip = namei(path)) == 0){ 6121 end_op(); 6122 return 1; if((f = filealloc()) == 0 (fd = fdalloc(f)) < 0){ 6133 if(f) 6134 fileclose(f); 6135 iunlockput(ip); 6136 end_op(); 6137 return 1; iunlock(ip); 6140 end_op(); f >type = FD_INODE; 6143 f >ip = ip; return fd; 6148 Eaxmple: sys_open Allocate new file descriptor

118 struct { struct spinlock lock; struct file file[nfile]; ftable; Files and filealloc() struct file* filealloc(void) { struct file *f; acquire(&ftable.lock); for(f = ftable.file; f < ftable.file + NFILE; f++){ if(f >ref == 0){ f >ref = 1; release(&ftable.lock); return f; f->ref == 0 release(&ftable.lock); return 0; Linear search for an available element of the ftable array

119 5835 // Allocate a file descriptor for the given file // Takes over file reference from caller on success static int 5838 fdalloc(struct file *f) 5839 { 5840 int fd; for(fd = 0; fd < NOFILE; fd++){ 5843 if(proc >ofile[fd] == 0){ 5844 proc >ofile[fd] = f; 5845 return fd; Allocate a file 5846 descriptor return 1; 5849 File descriptors and fdalloc()

120 Thank you!

121 struct inode* ialloc(uint dev, short type) { int inum; struct buf *bp; struct dinode *dip; ialloc() for(inum = 1; inum < sb.ninodes; inum++) { bp = bread(dev, IBLOCK(inum, sb)); dip = (struct dinode*)bp >data + inum%ipb; if(dip >type == 0){ // a free inode memset(dip, 0, sizeof(*dip)); dip >type = type; log_write(bp); // mark it allocated on the disk brelse(bp); return iget(dev, inum); brelse(bp); panic("ialloc: no inodes");

122 5160 bmap(struct inode *ip, uint bn) if(bn < NDIRECT){ 5166 if((addr = ip >addrs[bn]) == 0) 5167 ip >addrs[bn] = addr = balloc(ip >dev); 5168 return addr; bn = NDIRECT; if(bn < NINDIRECT){ 5173 // Load indirect block, allocating if necessary if((addr = ip >addrs[ndirect]) == 0) 5175 ip >addrs[ndirect] = addr = balloc(ip >dev); 5176 bp = bread(ip >dev, addr); 5177 a = (uint*)bp >data; 5178 if((addr = a[bn]) == 0){ 5179 a[bn] = addr = balloc(ip >dev); 5180 log_write(bp); brelse(bp); 5183 return addr; panic("bmap: out of range"); 5187 bmap()

123 Example: write system call

124 5476 int 5477 sys_write(void) 5478 { 5479 struct file *f; 5480 int n; 5481 char *p; if(argfd(0, 0, &f) < 0 argint(2, &n) < 0 argptr(1, &p, n) < 0) 5484 return 1; 5485 return filewrite(f, p, n); 5486 Write() syscall

125 5352 filewrite(struct file *f, char *addr, int n) 5353 { 5360 if(f >type == FD_INODE){ int i = 0; 5369 while(i < n){ begin_trans(); 5375 ilock(f >ip); 5376 if ((r = writei(f >ip, addr + i, f >off, n1)) > 0) 5377 f >off += r; 5378 iunlock(f >ip); 5379 commit_trans(); Write several blocks at a time

126 static struct inode* create(char *path, short type, short major, short minor) { if((ip = dirlookup(dp, name, &off))!= 0){ iunlockput(dp); ilock(ip); if(type == T_FILE && ip >type == T_FILE) return ip; iunlockput(ip); return 0; if((ip = ialloc(dp >dev, type)) == 0) panic("create: ialloc"); if(type == T_DIR){ // Create. and.. entries. dp >nlink++; // for ".." iupdate(dp); // No ip >nlink++ for ".": avoid cyclic ref count. if(dirlink(ip, ".", ip >inum) < 0 dirlink(ip, "..", dp >inum) < 0) panic("create dots"); if(dirlink(dp, name, ip >inum) < 0) panic("create: dirlink"); return ip; dirlookup()

CS143A: Principles of Operating Systems. Lecture 12: File systems. Anton Burtsev November, 2018

CS143A: Principles of Operating Systems. Lecture 12: File systems. Anton Burtsev November, 2018 CS143A: Principles of Operating Systems Lecture 12: File systems Anton Burtsev November, 2018 The role of file systems The role of file systems Sharing Sharing of data across users and applications Persistent

More information

OPERATING SYSTEMS ASSIGNMENT 4 FILE SYSTEMS

OPERATING SYSTEMS ASSIGNMENT 4 FILE SYSTEMS OPERATING SYSTEMS ASSIGNMENT 4 FILE SYSTEMS The xv6 file system provides Unix-like files, directories, and pathnames, and stores its data on an IDE disk for persistence. The file-system addresses several

More information

CS3210: File Systems Tim Andersen

CS3210: File Systems Tim Andersen CS3210: File Systems Tim Andersen 1 / 35 Lecture plan: File systems API -> disk layout dumpfs Buffer cache xv6 in action - code walk 2 / 35 Storage trend 3 / 35 Do SSDs solve the problem? http://www.makeuseof.com/tag/ram-drives-faster-ssds-5-things-mustknow/

More information

Lecture 9: File System. topic: file systems what they are how the xv6 file system works intro to larger topics

Lecture 9: File System. topic: file systems what they are how the xv6 file system works intro to larger topics 6.828 2011 Lecture 9: File System topic: file systems what they are how the xv6 file system works intro to larger topics FS goals? durable storage multiplexing sharing organization why are file systems

More information

Lecture 10: Crash Recovery, Logging

Lecture 10: Crash Recovery, Logging 6.828 2011 Lecture 10: Crash Recovery, Logging what is crash recovery? you're writing the file system then the power fails you reboot is your file system still useable? the main problem: crash during multi-step

More information

CS3210: Crash consistency

CS3210: Crash consistency CS3210: Crash consistency Kyle Harrigan 1 / 45 Administrivia Lab 4 Part C Due Tomorrow Quiz #2. Lab3-4, Ch 3-6 (read "xv6 book") Open laptop/book, no Internet 2 / 45 Summary of cs3210 Power-on -> BIOS

More information

Lecture 19: File System Implementation. Mythili Vutukuru IIT Bombay

Lecture 19: File System Implementation. Mythili Vutukuru IIT Bombay Lecture 19: File System Implementation Mythili Vutukuru IIT Bombay File System An organization of files and directories on disk OS has one or more file systems Two main aspects of file systems Data structures

More information

Quiz I Solutions MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Department of Electrical Engineering and Computer Science

Quiz I Solutions MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Department of Electrical Engineering and Computer Science Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY 6.828 Fall 2011 Quiz I Solutions Mean 71 Median 69 Std. dev. 20.2 10 8 6 4 2 0 0 10 20 30 40 50 60 70 80

More information

Chapter 6. Buffer cache. Code: Data structures

Chapter 6. Buffer cache. Code: Data structures DRAFT as of October 16, 2009: Copyright 2009 Cox, Kaashoek, Morris Chapter 6 Buffer cache One of an operating system s central roles is to enable safe cooperation between processes sharing a computer.

More information

Logical disks. Bach 2.2.1

Logical disks. Bach 2.2.1 Logical disks Bach 2.2.1 Physical disk is divided into partitions or logical disks Logical disk linear sequence of fixed size, randomly accessible, blocks disk device driver maps underlying physical storage

More information

This is an open book, open notes exam. But no online or in-class chatting.

This is an open book, open notes exam. But no online or in-class chatting. Principles of Operating Systems Fall 2017 Final 12/13/2017 Time Limit: 8:00am - 10:00am Name (Print): Don t forget to write your name on this exam. This is an open book, open notes exam. But no online

More information

Processes (Intro) Yannis Smaragdakis, U. Athens

Processes (Intro) Yannis Smaragdakis, U. Athens Processes (Intro) Yannis Smaragdakis, U. Athens Process: CPU Virtualization Process = Program, instantiated has memory, code, current state What kind of memory do we have? registers + address space Let's

More information

Lecture 11: Linux ext3 crash recovery

Lecture 11: Linux ext3 crash recovery 6.828 2011 Lecture 11: Linux ext3 crash recovery topic crash recovery crash may interrupt a multi-disk-write operation leave file system in an unuseable state most common solution: logging last lecture:

More information

4. The Abstraction: The Process

4. The Abstraction: The Process 4. The Abstraction: The Process Operating System: Three Easy Pieces AOS@UC 1 How to provide the illusion of many CPUs? p CPU virtualizing w The OS can promote the illusion that many virtual CPUs exist.

More information

CS 537: Introduction to Operating Systems (Summer 2017) University of Wisconsin-Madison Department of Computer Sciences.

CS 537: Introduction to Operating Systems (Summer 2017) University of Wisconsin-Madison Department of Computer Sciences. CS 537: Introduction to Operating Systems (Summer 2017) University of Wisconsin-Madison Department of Computer Sciences Final Exam Friday, August 11 th 2017 3 pm - 5:30 pm There are eighteen (18) total

More information

The EXT2FS Library. The EXT2FS Library Version 1.37 January by Theodore Ts o

The EXT2FS Library. The EXT2FS Library Version 1.37 January by Theodore Ts o The EXT2FS Library The EXT2FS Library Version 1.37 January 2005 by Theodore Ts o Copyright c 1997, 1998, 1999, 2000, 2001, 2002, 2003, 2004, 2005 Theodore Ts o Permission is granted to make and distribute

More information

The Process Abstraction. CMPU 334 Operating Systems Jason Waterman

The Process Abstraction. CMPU 334 Operating Systems Jason Waterman The Process Abstraction CMPU 334 Operating Systems Jason Waterman How to Provide the Illusion of Many CPUs? Goal: run N processes at once even though there are M CPUs N >> M CPU virtualizing The OS can

More information

ICS143A: Principles of Operating Systems. Lecture 14: System calls (part 2) Anton Burtsev November, 2017

ICS143A: Principles of Operating Systems. Lecture 14: System calls (part 2) Anton Burtsev November, 2017 ICS143A: Principles of Operating Systems Lecture 14: System calls (part 2) Anton Burtsev November, 2017 System call path 3316 void 3317 tvinit(void) 3318 { 3319 Initialize IDT int i; tvinit() is called

More information

[537] Journaling. Tyler Harter

[537] Journaling. Tyler Harter [537] Journaling Tyler Harter FFS Review Problem 1 What structs must be updated in addition to the data block itself? [worksheet] Problem 1 What structs must be updated in addition to the data block itself?

More information

File Systems: Consistency Issues

File Systems: Consistency Issues File Systems: Consistency Issues File systems maintain many data structures Free list/bit vector Directories File headers and inode structures res Data blocks File Systems: Consistency Issues All data

More information

INTERNAL REPRESENTATION OF FILES:

INTERNAL REPRESENTATION OF FILES: INTERNAL REPRESENTATION OF FILES: Every file on a UNIX system has a unique inode. The inode contains the information necessary for a process to access a file, such as file ownership, access rights, file

More information

Processes & Threads. Today. Next Time. ! Process concept! Process model! Implementing processes! Multiprocessing once again. ! More of the same J

Processes & Threads. Today. Next Time. ! Process concept! Process model! Implementing processes! Multiprocessing once again. ! More of the same J Processes & Threads Today! Process concept! Process model! Implementing processes! Multiprocessing once again Next Time! More of the same J The process model! Most computers can do more than one thing

More information

ADVANCED OPERATING SYSTEMS

ADVANCED OPERATING SYSTEMS ADVANCED OPERATING SYSTEMS UNIT 2 FILE AND DIRECTORY I/O BY MR.PRASAD SAWANT Prof.Prasad Sawant,Assitiant Professor,Dept. Of CS PCCCS Chichwad Prof.Prasad Sawant,Assitiant Professor,Dept. Of CS PCCCS Chichwad

More information

Caching and reliability

Caching and reliability Caching and reliability Block cache Vs. Latency ~10 ns 1~ ms Access unit Byte (word) Sector Capacity Gigabytes Terabytes Price Expensive Cheap Caching disk contents in RAM Hit ratio h : probability of

More information

Announcements. Persistence: Crash Consistency

Announcements. Persistence: Crash Consistency Announcements P4 graded: In Learn@UW by end of day P5: Available - File systems Can work on both parts with project partner Fill out form BEFORE tomorrow (WED) morning for match Watch videos; discussion

More information

CS Week 12. Lab 4 - Introduction. Teaching Assistant Henrique Potter

CS Week 12. Lab 4 - Introduction. Teaching Assistant Henrique Potter CS 1550 Week 12 Lab 4 - Introduction Teaching Assistant Henrique Potter Lab 4 Bigger Files for xv6 Reuse xv6 qemu Changing how xv6 organizes file blocks in the inode Lab 4 Bigger Files for xv6 Current

More information

CS3210: Isolation Mechanisms

CS3210: Isolation Mechanisms CS3210: Isolation Mechanisms Lecture 4 Instructor: Dr. Tim Andersen 1 / 34 Administrivia Lab 2 on Virtual Memory Due Feb 10 (one of the trickiest labs!) (Feb 16) Quiz #1. Lab1-3, Ch 0-3, Appendix A/B (Feb

More information

Problem Set: xv6. Lecture Notes on Operating Systems. 1. Consider the following lines of code in a program running on xv6.

Problem Set: xv6. Lecture Notes on Operating Systems. 1. Consider the following lines of code in a program running on xv6. Lecture Notes on Operating Systems Problem Set: xv6 1. Consider the following lines of code in a program running on xv6. int ret = fork(); if(ret==0) { //do something in child} else { //do something in

More information

RCU. ò Walk through two system calls in some detail. ò Open and read. ò Too much code to cover all FS system calls. ò 3 Cases for a dentry:

RCU. ò Walk through two system calls in some detail. ò Open and read. ò Too much code to cover all FS system calls. ò 3 Cases for a dentry: Logical Diagram VFS, Continued Don Porter CSE 506 Binary Formats RCU Memory Management File System Memory Allocators System Calls Device Drivers Networking Threads User Today s Lecture Kernel Sync CPU

More information

VFS, Continued. Don Porter CSE 506

VFS, Continued. Don Porter CSE 506 VFS, Continued Don Porter CSE 506 Logical Diagram Binary Formats Memory Allocators System Calls Threads User Today s Lecture Kernel RCU File System Networking Sync Memory Management Device Drivers CPU

More information

The EXT2FS Library. The EXT2FS Library Version 1.38 June by Theodore Ts o

The EXT2FS Library. The EXT2FS Library Version 1.38 June by Theodore Ts o The EXT2FS Library The EXT2FS Library Version 1.38 June 2005 by Theodore Ts o Copyright c 1997, 1998, 1999, 2000, 2001, 2002, 2003, 2004, 2005 Theodore Ts o Permission is granted to make and distribute

More information

CS 4284 Systems Capstone

CS 4284 Systems Capstone CS 4284 Systems Capstone Disks & File Systems Godmar Back Filesystems Files vs Disks File Abstraction Byte oriented Names Access protection Consistency guarantees Disk Abstraction Block oriented Block

More information

3/26/2014. Contents. Concepts (1) Disk: Device that stores information (files) Many files x many users: OS management

3/26/2014. Contents. Concepts (1) Disk: Device that stores information (files) Many files x many users: OS management 2013-2014 Contents 1. Concepts about the file system 2. The The disk user structure view 3. 2. Files The disk in disk structure The ext2 FS 4. 3. The Files Virtual in disk File The System ext2 FS 4. The

More information

Project 5 File System Protection

Project 5 File System Protection Project 5 File System Protection Introduction This project will implement simple protection in the xv6 file system. Your goals are to: 1. Implement protection in the xv6 file system. 2. Understand how

More information

ECE 550D Fundamentals of Computer Systems and Engineering. Fall 2017

ECE 550D Fundamentals of Computer Systems and Engineering. Fall 2017 ECE 550D Fundamentals of Computer Systems and Engineering Fall 2017 The Operating System (OS) Prof. John Board Duke University Slides are derived from work by Profs. Tyler Bletsch and Andrew Hilton (Duke)

More information

UNIX File System. UNIX File System. The UNIX file system has a hierarchical tree structure with the top in root.

UNIX File System. UNIX File System. The UNIX file system has a hierarchical tree structure with the top in root. UNIX File System UNIX File System The UNIX file system has a hierarchical tree structure with the top in root. Files are located with the aid of directories. Directories can contain both file and directory

More information

File Systems. Todays Plan. Vera Goebel Thomas Plagemann. Department of Informatics University of Oslo

File Systems. Todays Plan. Vera Goebel Thomas Plagemann. Department of Informatics University of Oslo File Systems Vera Goebel Thomas Plagemann 2014 Department of Informatics University of Oslo Todays Plan 2 1! Long-term Information Storage 1. Must store large amounts of data 2. Information stored must

More information

MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Quiz I

MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Quiz I Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY 6.828 Fall 2009 Quiz I All problems are open-ended questions. In order to receive credit you must answer

More information

Introduction to File Systems. CSE 120 Winter 2001

Introduction to File Systems. CSE 120 Winter 2001 Introduction to File Systems CSE 120 Winter 2001 Files Files are an abstraction of memory that are stable and sharable. Typically implemented in three different layers of abstraction 3 I/O system: interrupt

More information

FS Consistency & Journaling

FS Consistency & Journaling FS Consistency & Journaling Nima Honarmand (Based on slides by Prof. Andrea Arpaci-Dusseau) Why Is Consistency Challenging? File system may perform several disk writes to serve a single request Caching

More information

W4118 Operating Systems. Instructor: Junfeng Yang

W4118 Operating Systems. Instructor: Junfeng Yang W4118 Operating Systems Instructor: Junfeng Yang File systems in Linux Linux Second Extended File System (Ext2) What is the EXT2 on-disk layout? What is the EXT2 directory structure? Linux Third Extended

More information

File. File System Implementation. Operations. Permissions and Data Layout. Storing and Accessing File Data. Opening a File

File. File System Implementation. Operations. Permissions and Data Layout. Storing and Accessing File Data. Opening a File File File System Implementation Operating Systems Hebrew University Spring 2007 Sequence of bytes, with no structure as far as the operating system is concerned. The only operations are to read and write

More information

Department of Computer Science and Technology, UTU 2014

Department of Computer Science and Technology, UTU 2014 Short Questions 060010601 Unix Internals Unit 1 : Introduction and Overview of UNIX 1. What were the goals of Multics System? 2. List out the levels in which UNIX system architecture is divided. 3. Which

More information

Filesystem. Disclaimer: some slides are adopted from book authors slides with permission

Filesystem. Disclaimer: some slides are adopted from book authors slides with permission Filesystem Disclaimer: some slides are adopted from book authors slides with permission 1 Recap Directory A special file contains (inode, filename) mappings Caching Directory cache Accelerate to find inode

More information

CS2506 Quick Revision

CS2506 Quick Revision CS2506 Quick Revision OS Structure / Layer Kernel Structure Enter Kernel / Trap Instruction Classification of OS Process Definition Process Context Operations Process Management Child Process Thread Process

More information

SOFTWARE ARCHITECTURE 2. FILE SYSTEM. Tatsuya Hagino lecture URL. https://vu5.sfc.keio.ac.jp/sa/login.php

SOFTWARE ARCHITECTURE 2. FILE SYSTEM. Tatsuya Hagino lecture URL. https://vu5.sfc.keio.ac.jp/sa/login.php 1 SOFTWARE ARCHITECTURE 2. FILE SYSTEM Tatsuya Hagino hagino@sfc.keio.ac.jp lecture URL https://vu5.sfc.keio.ac.jp/sa/login.php 2 Operating System Structure Application Operating System System call processing

More information

CSE 451 Section 2 XK Lab 1 Design. Wi18

CSE 451 Section 2 XK Lab 1 Design. Wi18 CSE 451 Section 2 XK Lab 1 Design Wi18 Where to start? Start by reading: lab/overview.md - A description of the xk codebase. A MUST-READ! lab/lab1.md - Assignment write-up lab/memory.md - An overview of

More information

Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Quiz I

Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Quiz I Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY 6.828 Fall 2008 Quiz I All problems are open-ended questions. In order to receive credit you must answer

More information

ECE 598 Advanced Operating Systems Lecture 19

ECE 598 Advanced Operating Systems Lecture 19 ECE 598 Advanced Operating Systems Lecture 19 Vince Weaver http://web.eece.maine.edu/~vweaver vincent.weaver@maine.edu 7 April 2016 Homework #7 was due Announcements Homework #8 will be posted 1 Why use

More information

Fall 2017 :: CSE 306. File Systems Basics. Nima Honarmand

Fall 2017 :: CSE 306. File Systems Basics. Nima Honarmand File Systems Basics Nima Honarmand File and inode File: user-level abstraction of storage (and other) devices Sequence of bytes inode: internal OS data structure representing a file inode stands for index

More information

Ext3/4 file systems. Don Porter CSE 506

Ext3/4 file systems. Don Porter CSE 506 Ext3/4 file systems Don Porter CSE 506 Logical Diagram Binary Formats Memory Allocators System Calls Threads User Today s Lecture Kernel RCU File System Networking Sync Memory Management Device Drivers

More information

Operating Systems. File Systems. Thomas Ropars.

Operating Systems. File Systems. Thomas Ropars. 1 Operating Systems File Systems Thomas Ropars thomas.ropars@univ-grenoble-alpes.fr 2017 2 References The content of these lectures is inspired by: The lecture notes of Prof. David Mazières. Operating

More information

Noorul Islam College Of Engineering, Kumaracoil MCA Degree Model Examination (October 2007) 5 th Semester MC1642 UNIX Internals 2 mark Questions

Noorul Islam College Of Engineering, Kumaracoil MCA Degree Model Examination (October 2007) 5 th Semester MC1642 UNIX Internals 2 mark Questions Noorul Islam College Of Engineering, Kumaracoil MCA Degree Model Examination (October 2007) 5 th Semester MC1642 UNIX Internals 2 mark Questions 1. What are the different parts of UNIX system? i. Programs

More information

CS 140 Project 4 File Systems Review Session

CS 140 Project 4 File Systems Review Session CS 140 Project 4 File Systems Review Session Prachetaa Due Friday March, 14 Administrivia Course withdrawal deadline today (Feb 28 th ) 5 pm Project 3 due today (Feb 28 th ) Review section for Finals on

More information

143A: Principles of Operating Systems. Lecture 09: First process. Anton Burtsev January, 2017

143A: Principles of Operating Systems. Lecture 09: First process. Anton Burtsev January, 2017 143A: Principles of Operating Systems Lecture 09: First process Anton Burtsev January, 2017 Recap: Can a process overwrite kernel memory? Privilege levels Each segment has a privilege level DPL (descriptor

More information

Vnodes. Every open file has an associated vnode struct All file system types (FFS, NFS, etc.) have vnodes

Vnodes. Every open file has an associated vnode struct All file system types (FFS, NFS, etc.) have vnodes Vnodes Every open file has an associated vnode struct All file system types (FFS, NFS, etc.) have vnodes - v data points to FS-specific data - Function pointers for operations (open/read/write/... ) When

More information

PERSISTENCE: FSCK, JOURNALING. Shivaram Venkataraman CS 537, Spring 2019

PERSISTENCE: FSCK, JOURNALING. Shivaram Venkataraman CS 537, Spring 2019 PERSISTENCE: FSCK, JOURNALING Shivaram Venkataraman CS 537, Spring 2019 ADMINISTRIVIA Project 4b: Due today! Project 5: Out by tomorrow Discussion this week: Project 5 AGENDA / LEARNING OUTCOMES How does

More information

Chapter 11: Implementing File Systems

Chapter 11: Implementing File Systems Silberschatz 1 Chapter 11: Implementing File Systems Thursday, November 08, 2007 9:55 PM File system = a system stores files on secondary storage. A disk may have more than one file system. Disk are divided

More information

File System Consistency. Jin-Soo Kim Computer Systems Laboratory Sungkyunkwan University

File System Consistency. Jin-Soo Kim Computer Systems Laboratory Sungkyunkwan University File System Consistency Jin-Soo Kim (jinsookim@skku.edu) Computer Systems Laboratory Sungkyunkwan University http://csl.skku.edu Crash Consistency File system may perform several disk writes to complete

More information

File Systems. CS 4410 Operating Systems. [R. Agarwal, L. Alvisi, A. Bracy, M. George, E. Sirer, R. Van Renesse]

File Systems. CS 4410 Operating Systems. [R. Agarwal, L. Alvisi, A. Bracy, M. George, E. Sirer, R. Van Renesse] File Systems CS 4410 Operating Systems [R. Agarwal, L. Alvisi, A. Bracy, M. George, E. Sirer, R. Van Renesse] The abstraction stack I/O systems are accessed through a series of layered abstractions Application

More information

Operating Systems CMPSC 473 File System Implementation April 10, Lecture 21 Instructor: Trent Jaeger

Operating Systems CMPSC 473 File System Implementation April 10, Lecture 21 Instructor: Trent Jaeger Operating Systems CMPSC 473 File System Implementation April 10, 2008 - Lecture 21 Instructor: Trent Jaeger Last class: File System Implementation Basics Today: File System Implementation Optimizations

More information

File Systems. Todays Plan

File Systems. Todays Plan File Systems Thomas Plagemann University of Oslo (includes slides from: Carsten Griwodz, Pål Halvorsen, Kai Li, Andrew Tanenbaum, Maarten van Steen) Todays Plan 2 1 Long-term Information Storage 1. Must

More information

Da-Wei Chang CSIE.NCKU. Professor Hao-Ren Ke, National Chiao Tung University Professor Hsung-Pin Chang, National Chung Hsing University

Da-Wei Chang CSIE.NCKU. Professor Hao-Ren Ke, National Chiao Tung University Professor Hsung-Pin Chang, National Chung Hsing University Chapter 11 Implementing File System Da-Wei Chang CSIE.NCKU Source: Professor Hao-Ren Ke, National Chiao Tung University Professor Hsung-Pin Chang, National Chung Hsing University Outline File-System Structure

More information

238P: Operating Systems. Lecture 9: Creating Processes. Anton Burtsev February, 2018

238P: Operating Systems. Lecture 9: Creating Processes. Anton Burtsev February, 2018 238P: Operating Systems Lecture 9: Creating Processes Anton Burtsev February, 2018 Recap: kernel memory Today: process memory How does kernel creates new processes? How does kernel creates new processes?

More information

CS5460/6460: Operating Systems. Lecture 9: First process. Anton Burtsev January, 2014

CS5460/6460: Operating Systems. Lecture 9: First process. Anton Burtsev January, 2014 CS5460/6460: Operating Systems Lecture 9: First process Anton Burtsev January, 2014 Recap from last time Jumped to main() Allocated physical memory allocator kalloc() allocates a page of virtual memory

More information

File Systems. CS170 Fall 2018

File Systems. CS170 Fall 2018 File Systems CS170 Fall 2018 Table of Content File interface review File-System Structure File-System Implementation Directory Implementation Allocation Methods of Disk Space Free-Space Management Contiguous

More information

Evolution of the Unix File System Brad Schonhorst CS-623 Spring Semester 2006 Polytechnic University

Evolution of the Unix File System Brad Schonhorst CS-623 Spring Semester 2006 Polytechnic University Evolution of the Unix File System Brad Schonhorst CS-623 Spring Semester 2006 Polytechnic University The Unix File System (UFS) has gone through many changes over the years and is still evolving to meet

More information

Chapter 10: Case Studies. So what happens in a real operating system?

Chapter 10: Case Studies. So what happens in a real operating system? Chapter 10: Case Studies So what happens in a real operating system? Operating systems in the real world Studied mechanisms used by operating systems Processes & scheduling Memory management File systems

More information

CSE506: Operating Systems CSE 506: Operating Systems

CSE506: Operating Systems CSE 506: Operating Systems CSE 506: Operating Systems File Systems Traditional File Systems FS, UFS/FFS, Ext2, Several simple on disk structures Superblock magic value to identify filesystem type Places to find metadata on disk

More information

CS3210: Coordination. Tim Andersen

CS3210: Coordination. Tim Andersen 1 CS3210: Coordination Tim Andersen 2 Administrivia Lab5 out, due November 21st Demo day: 8 min for demo, 2 min for Q&A Final project (write up): December 2nd 3 Today's plan Context switching (i.e., swtch

More information

Project 5 File System Protection

Project 5 File System Protection Project 5 File System Protection Introduction This project will implement simple protection in the xv6 file system. Your goals are to: 1. Implement protection in the xv6 file system. 2. Understand how

More information

CSE506: Operating Systems CSE 506: Operating Systems

CSE506: Operating Systems CSE 506: Operating Systems CSE 506: Operating Systems Block Cache Address Space Abstraction Given a file, which physical pages store its data? Each file inode has an address space (0 file size) So do block devices that cache data

More information

NTFS Recoverability. CS 537 Lecture 17 NTFS internals. NTFS On-Disk Structure

NTFS Recoverability. CS 537 Lecture 17 NTFS internals. NTFS On-Disk Structure NTFS Recoverability CS 537 Lecture 17 NTFS internals Michael Swift PC disk I/O in the old days: Speed was most important NTFS changes this view Reliability counts most: I/O operations that alter NTFS structure

More information

Arvind Krishnamurthy Spring Implementing file system abstraction on top of raw disks

Arvind Krishnamurthy Spring Implementing file system abstraction on top of raw disks File Systems Arvind Krishnamurthy Spring 2004 File Systems Implementing file system abstraction on top of raw disks Issues: How to find the blocks of data corresponding to a given file? How to organize

More information

Filesystem. Disclaimer: some slides are adopted from book authors slides with permission 1

Filesystem. Disclaimer: some slides are adopted from book authors slides with permission 1 Filesystem Disclaimer: some slides are adopted from book authors slides with permission 1 Storage Subsystem in Linux OS Inode cache User Applications System call Interface Virtual File System (VFS) Filesystem

More information

Processes. q Process concept q Process model and implementation q Multiprocessing once again q Next Time: Scheduling

Processes. q Process concept q Process model and implementation q Multiprocessing once again q Next Time: Scheduling Processes q Process concept q Process model and implementation q Multiprocessing once again q Next Time: Scheduling The process model Computers can do more than one thing at a time Hard to keep track of

More information

Processes. Today. Next Time. ! Process concept! Process model! Implementing processes! Multiprocessing once again. ! Scheduling processes

Processes. Today. Next Time. ! Process concept! Process model! Implementing processes! Multiprocessing once again. ! Scheduling processes Processes Today! Process concept! Process model! Implementing processes! Multiprocessing once again Next Time! Scheduling processes The process model! Most computers can do more than one thing at a time

More information

Topics. File Buffer Cache for Performance. What to Cache? COS 318: Operating Systems. File Performance and Reliability

Topics. File Buffer Cache for Performance. What to Cache? COS 318: Operating Systems. File Performance and Reliability Topics COS 318: Operating Systems File Performance and Reliability File buffer cache Disk failure and recovery tools Consistent updates Transactions and logging 2 File Buffer Cache for Performance What

More information

Changes made in this version not seen in first lecture:

Changes made in this version not seen in first lecture: Scheduling 1 1 Changelog 1 Changes made in this version not seen in first lecture: 10 September: RR varying quantum examples: fix calculation of response/wait time on Q=2 10 September: add priority scheduling

More information

Announcements. Persistence: Log-Structured FS (LFS)

Announcements. Persistence: Log-Structured FS (LFS) Announcements P4 graded: In Learn@UW; email 537-help@cs if problems P5: Available - File systems Can work on both parts with project partner Watch videos; discussion section Part a : file system checker

More information

Motivation. Operating Systems. File Systems. Outline. Files: The User s Point of View. File System Concepts. Solution? Files!

Motivation. Operating Systems. File Systems. Outline. Files: The User s Point of View. File System Concepts. Solution? Files! Motivation Operating Systems Process store, retrieve information Process capacity restricted to vmem size When process terminates, memory lost Multiple processes share information Systems (Ch 0.-0.4, Ch.-.5)

More information

Chapter 11: Implementing File-Systems

Chapter 11: Implementing File-Systems Chapter 11: Implementing File-Systems Chapter 11 File-System Implementation 11.1 File-System Structure 11.2 File-System Implementation 11.3 Directory Implementation 11.4 Allocation Methods 11.5 Free-Space

More information

Section 9: Intro to Lab 5 CSE WI

Section 9: Intro to Lab 5 CSE WI Section 9: Intro to Lab 5 CSE 451 18WI Debugging Tip: GDB Watchpoints Many Lab 4 bugs happen due to unintentional inconsistencies in memory Corrupt code/stack page, corrupt virtual/physical metadata page,

More information

Operating Systems. Lecture File system implementation. Master of Computer Science PUF - Hồ Chí Minh 2016/2017

Operating Systems. Lecture File system implementation. Master of Computer Science PUF - Hồ Chí Minh 2016/2017 Operating Systems Lecture 7.2 - File system implementation Adrien Krähenbühl Master of Computer Science PUF - Hồ Chí Minh 2016/2017 Design FAT or indexed allocation? UFS, FFS & Ext2 Journaling with Ext3

More information

EECS 482 Introduction to Operating Systems

EECS 482 Introduction to Operating Systems EECS 482 Introduction to Operating Systems Winter 2018 Harsha V. Madhyastha Multiple updates and reliability Data must survive crashes and power outages Assume: update of one block atomic and durable Challenge:

More information

CSE 120: Principles of Operating Systems. Lecture 10. File Systems. February 22, Prof. Joe Pasquale

CSE 120: Principles of Operating Systems. Lecture 10. File Systems. February 22, Prof. Joe Pasquale CSE 120: Principles of Operating Systems Lecture 10 File Systems February 22, 2006 Prof. Joe Pasquale Department of Computer Science and Engineering University of California, San Diego 2006 by Joseph Pasquale

More information

we are here Page 1 Recall: How do we Hide I/O Latency? I/O & Storage Layers Recall: C Low level I/O

we are here Page 1 Recall: How do we Hide I/O Latency? I/O & Storage Layers Recall: C Low level I/O CS162 Operating Systems and Systems Programming Lecture 18 Systems October 30 th, 2017 Prof. Anthony D. Joseph http://cs162.eecs.berkeley.edu Recall: How do we Hide I/O Latency? Blocking Interface: Wait

More information

Section 11: File Systems and Reliability, Two Phase Commit

Section 11: File Systems and Reliability, Two Phase Commit CS162 November 6, 2018 Contents 1 Warmup 2 2 Vocabulary 4 3 Problems 6 3.1 Extending an inode........................................ 6 3.2 Network Layering and Fundamentals..............................

More information

This is an open book, open notes exam. But no online or in-class chatting.

This is an open book, open notes exam. But no online or in-class chatting. Operating Systems Winter 2017 Final 3/20/2018 Time Limit: 4:00pm - 6:00pm Name (Print): Don t forget to write your name on this exam. This is an open book, open notes exam. But no online or in-class chatting.

More information

CSE 120: Principles of Operating Systems. Lecture 10. File Systems. November 6, Prof. Joe Pasquale

CSE 120: Principles of Operating Systems. Lecture 10. File Systems. November 6, Prof. Joe Pasquale CSE 120: Principles of Operating Systems Lecture 10 File Systems November 6, 2003 Prof. Joe Pasquale Department of Computer Science and Engineering University of California, San Diego 2003 by Joseph Pasquale

More information

V. File System. SGG9: chapter 11. Files, directories, sharing FS layers, partitions, allocations, free space. TDIU11: Operating Systems

V. File System. SGG9: chapter 11. Files, directories, sharing FS layers, partitions, allocations, free space. TDIU11: Operating Systems V. File System SGG9: chapter 11 Files, directories, sharing FS layers, partitions, allocations, free space TDIU11: Operating Systems Ahmed Rezine, Linköping University Copyright Notice: The lecture notes

More information

CS 550 Operating Systems Spring File System

CS 550 Operating Systems Spring File System 1 CS 550 Operating Systems Spring 2018 File System 2 OS Abstractions Process: virtualization of CPU Address space: virtualization of memory The above to allow a program to run as if it is in its own private,

More information

File Systems. What do we need to know?

File Systems. What do we need to know? File Systems Chapter 4 1 What do we need to know? How are files viewed on different OS s? What is a file system from the programmer s viewpoint? You mostly know this, but we ll review the main points.

More information

This is an open book, open notes exam. But no online or in-class chatting.

This is an open book, open notes exam. But no online or in-class chatting. Principles of Operating Systems Winter 2017 Final 03/22/2017 Time Limit: 8:00am - 10:00am Name (Print): Don t forget to write your name on this exam. This is an open book, open notes exam. But no online

More information

we are here I/O & Storage Layers Recall: C Low level I/O Recall: C Low Level Operations CS162 Operating Systems and Systems Programming Lecture 18

we are here I/O & Storage Layers Recall: C Low level I/O Recall: C Low Level Operations CS162 Operating Systems and Systems Programming Lecture 18 I/O & Storage Layers CS162 Operating Systems and Systems Programming Lecture 18 Systems April 2 nd, 2018 Profs. Anthony D. Joseph & Jonathan Ragan-Kelley http://cs162.eecs.berkeley.edu Application / Service

More information

Case study: ext2 FS 1

Case study: ext2 FS 1 Case study: ext2 FS 1 The ext2 file system Second Extended Filesystem The main Linux FS before ext3 Evolved from Minix filesystem (via Extended Filesystem ) Features Block size (1024, 2048, and 4096) configured

More information

Quiz I Solutions MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Department of Electrical Engineering and Computer Science

Quiz I Solutions MASSACHUSETTS INSTITUTE OF TECHNOLOGY Fall Department of Electrical Engineering and Computer Science Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY 6.828 Fall 2018 Quiz I Solutions Mean 35.8 Median 37 Standard deviation 12.1 15 students 10 5 count 16 12

More information

File Systems: Fundamentals

File Systems: Fundamentals 1 Files Fundamental Ontology of File Systems File Systems: Fundamentals What is a file? Ø A named collection of related information recorded on secondary storage (e.g., disks) File attributes Ø Name, type,

More information

FILE SYSTEMS, PART 2. CS124 Operating Systems Fall , Lecture 24

FILE SYSTEMS, PART 2. CS124 Operating Systems Fall , Lecture 24 FILE SYSTEMS, PART 2 CS124 Operating Systems Fall 2017-2018, Lecture 24 2 Last Time: File Systems Introduced the concept of file systems Explored several ways of managing the contents of files Contiguous

More information

ò Very reliable, best-of-breed traditional file system design ò Much like the JOS file system you are building now

ò Very reliable, best-of-breed traditional file system design ò Much like the JOS file system you are building now Ext2 review Very reliable, best-of-breed traditional file system design Ext3/4 file systems Don Porter CSE 506 Much like the JOS file system you are building now Fixed location super blocks A few direct

More information