24
Copyright © 1992, by the author(s). All rights reserved. Permission to make digital or hard copies of all or part of this work for personal or classroom use is granted without fee provided that copies are not made or distributed for profit or commercial advantage and that copies bear this notice and the full citation on the first page. To copy otherwise, to republish, to post on servers or to redistribute to lists, requires prior specific permission.

Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

  • Upload
    others

  • View
    0

  • Download
    0

Embed Size (px)

Citation preview

Page 1: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

Copyright © 1992, by the author(s). All rights reserved.

Permission to make digital or hard copies of all or part of this work for personal or

classroom use is granted without fee provided that copies are not made or distributed for profit or commercial advantage and that copies bear this notice and the full citation

on the first page. To copy otherwise, to republish, to post on servers or to redistribute to lists, requires prior specific permission.

Page 2: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

AN IMPLEMENTATION OF A LOG-STRUCTURED

FILE SYSTEM FOR UNIX

by

Margo Seltzer, Keith Bostic, Marshall Kirk McKusick,and Carl Staelin

Memorandum No. UCB/ERL M92/134

3 December 1992

Page 3: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

AN IMPLEMENTATION OF A LOG-STRUCTURED

FILE SYSTEM FOR UNIX

by

Margo Seltzer, Keith Bostic, Marshall Kirk McKusick,and Carl Staelin

Memorandum No. UCB/ERL M92/134

3 December 1992

ELECTRONICS RESEARCH LABORATORY

College of EngineeringUniversity of California, Berkeley

94720

Page 4: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

AN IMPLEMENTATION OF A LOG-STRUCTURED

FILE SYSTEM FOR UNIX

by

Margo Seltzer, Keith Bostic, Marshall Kirk McKusick,and Carl Staelin

Memorandum No. UCB/ERL M92/134

3 December 1992

ELECTRONICS RESEARCH LABORATORY

College of EngineeringUniversity of California, Berkeley

94720

Page 5: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

An Implementation of a Log-Structured File System for UNIX1Margo Seltzer —University of California, BerkeleyKeith Bostic - University of California, Berkeley

Marshall Kirk McKusick —University of California, BerkeleyCarl Staelin - Hewlett-Packard Laboratories

ABSTRACT

Research results [ROSE91] demonstrate that a log-structured file system (LFS) offers the potentialfor dramatically improved write performance, faster recovery time, and faster file creation anddeletion than traditional UNIX file systems. This paper presents a redesign and implementation ofthe Sprite [ROSE91] log-structured file system that is more robust and integrated into the vnodeinterface [KLEI86]. Measurements show its performance to be superior to the 4BSD Fast FileSystem (FFS) in a variety of benchmarks and not significantly less than FFS in any test Unfortunately, an enhanced version of FFS (with readand write clustering) [MCV091] provides comparable and sometimes superior performance to our LFS. However, LFS can be extended to provide additional functionality such as embedded transactions and versioning, not easily implemented in traditional file systems.

1. Introduction

Early UNIX file systems used a small, fixedblock size and made no attempt to optimize blockplacement [THOM78]. They assigned disk addressesto new blocks as they were created (preallocation)and wrote modified blocks back to their original diskaddresses (overwrite). In these file systems, the diskbecame fragmented over time so that new filestended to be allocated randomly across the disk,requiring a disk seek per file system read or writeeven when the file was being read sequentially.

The Fast File System (FFS) [MCKU84]dramatically increased file system performance. Itincreased the block size, improving bandwidth. Itreduced the number and length of seeks by placingrelated information close together on the disk. Forexample, blocks within files were allocated on thesame or a nearby cylinder. Finally, it incorporatedrotational disk positioning to reduce delays betweenaccessing sequential blocks.

The factors limitingFFS performance are synchronous file creation and deletion and seek timesbetween I/Orequests fordifferent files. The synchronous I/O for file creation and deletion provides filesystem disk data structure recoverability afterfailures. However, there exist alternative solutionssuch as NVRAM hardware [MORA90] and loggingsoftware [KAZA90]. In a UNIX environment, wherethe vast majority of files are small[OUST85][BAKE91], the seek times between I/O

Permission has been granted by the USENDC Association toreprint the above article. This article was originally published inthe USENDC Association Conference Proceedings, January 1993.Copyright © USENK Association, 1993.

requests for different files can dominate. No solutions to this problem currently exist in the context ofFFS.

The log-structured file system, as proposed in[OUST88], attempts to address both of these problems. The fundamental idea of LFS is to improve filesystem performance by storing all file system data ina single, continuous log. Such a file system is optimized for writing, because no seek is requiredbetweenwrites. It is also optimized for reading files written intheir entirety over a brief period of time (as is thenorm in UNIX systems), because the files are placedcontiguously on disk. Finally, it provides temporallocality, in that it is optimized for accessing files thatwere created or modified at approximately the sametime.

The write-optimization of LFS has the potential for dramatically improving system throughput,aslarge main-memory file caches effectively cachereads, but do litde to improve write performance[OUST88]. The goal of the Sprite log-structured filesystem (Sprite-LFS) [ROSE91] was to design andimplement an LFS that would provide acceptableread performance as well as improved write performance. Our goal is to build on the Sprite-LFS work,implementinga new version of LFS that provides thesame recoverability guarantees as FFS, provides performance comparable to or better than FFS, and iswell-integrated into a production quality UNIX system.

2UNIX is currently a registered trademark of UNIX SystemLaboratories in the United States and other countries, however,pending litigation calls this into question.

Page 6: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

This paper describes the design of log-structured file systems in general and our implementation in particular, concentrating on those parts thatdiffer from the Sprite-LFS implementation. We compare the performance of our implementation of LFS(BSD-LFS) with FFS using a variety of benchmarks.

2. Log-Structured File Systems

There are two fundamental differencesbetween an LFS and a traditional UNIX file system,as represented by FFS; the on-disk layout of the datastructures and the recovery model. In this section wedescribe the key structural elements of an LFS, contrasting the data structures and recovery to FFS. Thecomplete design and implementation of Sprite-LFScan be found in [ROSE92]. Table 1 compares keydifferences between FFS and LFS. The reasons forthese differences will be described in detail in the fol

lowing sections.

2.1. Disk Layout

In both FFS and LFS, a file's physical disk layout is described by an index structure (inode) thatcontains the disk addresses of some direct, indirect,doubly indirect, and triply indirect blocks. Directblocks contain data, while indirect blocks containdisk addresses of direct blocks, doubly indirectblocks contain disk addresses of indirect blocks, andtriply indirect blocks contain disk addresses of doubly indirect blocks. The inodes and single, doubleand triple indirect blocks are referred to as "metadata" in this paper.

The FFS is described by a superblock that contains file system parameters (block size, fragmentsize, and file system size) and disk parameters (rotational delay, number of sectors per track, and numberof cylinders). The superblock is replicatedthroughout the file system to allow recovery fromcrashes that corrupt the primary copy of the

Cylinder Groupt

MM TOM NMMAIYBtfO uoacTonu

CTUXMtMM usTtiocxrw fin slocbvonnoiv

KUMCTUtMtf USTILOCKMIinM OMMMAT

KtMixorauoca UfTDfOMPaanM mackmacro

MMMTHIUXa HUMRACIAVAM. •LOCK MAT

Figure 1: Physical Disk Layout of the Fast File System. Thedisk is statically partitioned into cylinder groups, each of which isdescribed by a cylinder group block, analogous to a file system superblock. Each cylinder group contains a copy of the superblockand allocation information for the inodes and blocks within that

group.

superblock. The disk is statically partitioned intocylinder groups, typically between 16 and 32cylinders to a group. Each group contains a fixednumber of inodes (usually one inode for every twokilobytes in the group) and bitmaps to record inodesand data blocks available for allocation. The inodesin a cylinder group reside at fixed disk addresses, sothat disk addresses may be computed from inodenumbers. New blocks are allocated to optimize for

Task FFS LFS

Assign disk addresses block creation segment write

Allocate inodes fixed locations appended to log

Maximum number of inodes statically determined grows dynamically

Map inode numbers to disk addresses static address lookup in inode map

Maintain free space bitmaps cleaner

segment usage table

Make file system state consistent fsck roll-forward

Verify directory structure fsck background checker

Table 1: Comparison of File System Characteristics of FFS and LFS.

Page 7: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

sequential file access. Ideally, logically sequentialblocks of a file are allocated so that no seek isrequired between two consecutive accesses. Becausedata blocks for a file are typically accessed together,the FFS policy routines try to place data blocks for afile in the same cylinder group, preferably at rotation-ally optimal positions in the same cylinder. Figure 1depicts the physical layout of FFS.

LFS is a hybrid between a sequential databaselog and FFS. It does all writes sequentially, like adatabase log, but incorporates the FFS index structures into this log to support efficient randomretrieval. In an LFS, the disk is statically partitionedinto fixed size segments, typically one-half megabyte.The logical ordering of these segments creates a single, continuous log.

An LFS is described by a superblock similar tothe one used by FFS. When writing, LFS gathersmany dirty pages and prepares to write them to disksequentially in the next available segment At this

SUPBRBLCCKS

<•)!I SEGMENT1 I SEGMENT2

TO

(e)

SEGMENT

SUMMARYDATA1 ••• INOOBS ••• DATAN

SUMMARY CHBCKSUM

DATA CHECKSUM

NEXT SEGMENT POINTER

CRBATBTIMBM>

NUMFINFOS

VERSION NUMBER

INOOB NUMBER

LOGICAL BLOCK I

tNOOB DISK ADDRESS NLOGICAL BLOCK N

INODE DISK ADDRESS 1

Figure 2: A Log-Structured File System. A file systemis composedof segments as shownin Figure(a). Eachsegment consistsof a summary block followed by data blocks and inode blocks (b).The segment summary contains checksums to validate both thesegment summary and the data blocks, a timestamp, a pointer tothe next segment, and information that describes each file andinodethat appearsin the segment(c). Files are described by FIN-FO structures that identify the inode number and version of the file(aswell aseach blockof that file)locatedin the segment(d).

time, LFS sorts the blocks by logical block number,assigns them disk addresses, and updates the metadata to reflect their addresses. The updated meta-datablocks are gathered with the data blocks, and all arewritten to a segment As a result, the inodes are nolonger in fixed locations, so, LFS requires an additional data structure,called the inode map [ROSE90],that maps inode numbers to disk addresses.

Since LFS writes dirty data blocks into the nextavailable segment, modified blocks are written to thedisk in different locations than the original blocks.This space reallocation is called a "no-overwrite"policy, and it necessitates a mechanism to reclaimspace resulting from deleted or overwritten blocks.The cleaner is a garbage collection process thatreclaims space from the file system by reading a segment, discarding "dead" blocks (blocks that belongto deleted files or that have been superseded bynewer blocks), and appending any "live" blocks.For the cleaner to determine which blocks in a segment are "live," it must be able to identify eachblock in a segment This determination is done byincluding a summary block in each segment thatidentifies the inode and logical block number ofevery block in the segment. In addition, the kernelmaintains a segment usage table that shows thenumber of "live" bytes and the last modified time ofeach segment The cleaner uses this table to determine which segments to clean [ROSE90]. Figure 2shows the physical layout of the LFS.

While FFS flushes individual blocks and files

on demand, the LFS must gather data into segments.Usually, there will not be enough dirty blocks to fill acomplete segment [BAKE92], in which case LFSwrites partial segments. A physical segment containsone or more partial segments. For the remainder ofthis paper, segment will be used to refer to the physical partitioning of the disk, and partial segment willbe used to refer to a unit of writing. Small partialsegments most commonly result from NFS operations orfsync(2) requests, while writes resulting fromthe sync(2) system call or system memory shortagestypically form larger partials, ideally taking up anentire segment During a sync, the inode map andsegment usage table are also written to disk, creatinga checkpoint that provides a stable point from whichthe file system can be recovered in case of systemfailure. Figure 3 shows the details of allocating threefiles in an LFS.

2.2. File System Recovery

There are two aspects to file system recovery:bringing the file system to a physically consistentstate and verifying the logical structure of the filesystem. When FFS or LFS add a block to a file, there

Page 8: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

ARTIAL SEGMENT-EM filc>2 If -PARTIAL SEGMENT-

... another partial

SEGMENT-

ARTIAL SEGMENT-filel fiW Ii» -PARTIAL SEGMENT-

... unused blocks...

-SEGMENT-

more of

filo2

... another partial ~ I another partial...

SEGMENT SEGMENT

Dtta Block Inode* -DStummy Bl inodo up nocks

Figure 3: A Log-Structured File System. In figure (a),two files havebeenwritten, filel and filel Eachhas an indexstructurein the meta-datablock that is allocated afterit on disk, hi figure (b),themiddle block of file2 hasbeen modified. A newversion of it is added to thelog,as wellas a new version of its meta-data. Then file3 is created, causing its blocks and meta-data to be appended to the log. Next,filel has two moreblocks appended to it, causing theblocks anda new version of filel'smeta-data tobeappended tothelog. Oncheckpoint, theinode map containing pointers to the meta-data blocks, is written.

are several different pieces of information that maybe modified: the block itself, the inode, the free blockmap, possibly indirect blocks, and the location of thelast allocation. If the system crashesduring the addition, the file system is likely be left in a physicallyinconsistent state. Furthermore, there is currently noway for FFS to localize inconsistencies. As a result,FFS must rebuild the entire file system state, including cylinder group bitmaps and meta-data. At thesame time, FFS verifies the directory structure and allblock pointers within the file system. Traditionally,fsck(&) is the agent that performs both of these functions.

In contrast to FFS, LFS writes only to the endof the log and is able to locate potential inconsistencies and recover to a consistent physical statequickly. This partof recovery in LFS is more similarto standard database recovery [HAER83] than tofsck. It consists of two parts: initializing all the filesystem structures from the most recent checkpointand then "rolling forward** to incorporate anymodifications that occurred subsequendy. The rollforward phaseconsistsof reading each segmentafterthe checkpoint in time order and updating the filesystem state to reflect the contents of the segment.The next segment pointers in the segment summaryfacilitate reading from the last checkpoint to the endof the log, the checksums are used to identify validsegments, and the timestamps are used to distinguish

the partial segments written after the checkpoint andthose written before which have been reclaimed. The

file and block numbers in the FINFO structures are

used to update the inode map, segment usage table,and inodes making the blocks in the partial segmentextant As is the case for database recovery, therecovery time is proportional to the interval betweenfile system checkpoints.

While standard LFS recovery quickly bringsthe file system to a physically consistent state, it doesnot provide the same guarantees made by fsck. Whenfsck completes, not only is the file system in a consistent state, but the directory structure has beenverified as well. The five passes offsck are summarized in Table 2. For LFS to provide the same level ofrobustness as FFS, LFS must make many of the samechecks. While LFS has no bitmaps to rebuild, theverification of block pointers and directory structureand contents is crucial for the system to recover frommedia failure. This recovery will be discussed inmore detail in Section 3.4.

3. Engineering LFS

While the Sprite-LFS implementation was anexcellent proof of concept, it had several deficienciesthat made it unsuitable for a production environmentOur goal was to engineer a version of LFS that couldbe used as a replacement for FFS. Some of our concerns were as follows:

Page 9: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

Phase I Traverse inodes

Validate all block pointers.Record inode state (allocated or unallocated)and file type for each inode.Record inode numbers and block addresses of all directories.

Phase II Sort directories by disk address order.Traverse directories in disk address order.

Validate ".".

Record"..'*.

Validate directories* contents, type, and link counts.Recursively verify "..*'.

Phase in Attach any unresolved ".." trees to lost+found.Mark all inodes in those trees as "found".

Phase IV Put any inodes that are not "found*' in lost+found.Verify link counts for every file.

Phase V Update bitmaps in cylinder groups.

Table 2: Five Phases of fsck.

1. Sprite-LFS consumes excessive amounts ofmemory.

2. Write requests are successful even if there isinsufficient disk space.

3. Recovery does nothing to verify the consistency of the file system directory structure.

4. Segment validation is hardware dependent

5. All file systems use a single cleaner and a single cleaning policy.

6. There are no performance numbers that measure the cleaner overhead.

The earlier description of LFS focused on theoverall strategy of log-structured file systems. Therest of Section 3 discusses how BSD-LFS addressesthe first five problems listed above. Section 4addresses the implementation issues specific tointegration in a BSD framework, and Section 5presents the performance analysis. In most ways, thelogical framework of Sprite-LFS is unchanged. Wehave kept the segmented log structure and the majorsupport structures associatedwith the log, namely theinode map, segment usage table, and cleaner. However, to address the problems described above and tointegrate LFS into a BSD system, we have alterednearly all of the details of implementation, includinga few fundamental design decisions. Most notably,we have moved the cleaner into user space, eliminated the directory operation log, and altered thesegment layout on disk.

3.1. Memory Consumption

Sprite-LFS assumes that the system has a largephysical memory and ties down substantial portionsof it The following storage is reserved:

Two 64K or 128K staging buffersSince not all devices support scatter/gather I/O,data is written in buffers large enough to allowthe maximum transfer size supported by thedisk controller, typically 64K or 128K. Thesebuffers are allocated per file system from kernel memory.

One cleaning segmentOne segment's worth of buffer cache blocksper file system are reserved for cleaning.

Two read-only segmentsTwo segments* worth of buffer cache blocksper file system are marked read-only so thatthey may be reclaimed by Sprite-LFS withoutrequiring an I/O.

Buffers reserved for the cleaner

Each file system also reserves some buffers forthe cleaner. The number of buffers is specifiedin the superblock and is set during file systemcreation. It specifies the minimum number ofclean buffers that must be present in the cacheat any point in time. On the Sprite cluster, theamount of buffer space reserved for 10 commonly used file systems was 37 megabytes.

One segmentThis segment (typically one-half megabyte) isallocated from kernel memory for use by thecleaner. Since this one segment is allocated

Page 10: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

per system, only one file system per systemmay be cleaned at a time.

The reserved memory described above makesSprite-LFS a very "bad neighbor** as kernel subsystems compete for memory. While memory continuesto become cheaper, a typical laptop system has onlythree to eight megabytes of memory, andmight veryreasonably expect to have threeor more file systems.

BSD-LFS greatly reduces the memory consumption of LFS. First BSD-LFS does not useseparate buffers for writing large transfers to disk,instead it uses the regular buffer cache blocks. Fordisk controllers that do not coalesce contiguousreads, we use 64K staging buffers (briefly allocatedfrom the regular kernel memory pool) to do transfers.The size of the staging buffer was set to the minimumof the maximum transfer sizes for currently supported disks. However, simulation results in[CAR92] show that for current disks, the write sizeminimizing the read response time is typically abouttwo tracks; two tracks is close to 64 kilobytes for thedisks on our systems.

Secondly, rather than reserving read-onlybuffers, we initiate segment writes when the numberof dirty buffers crosses a threshold. That threshold iscurrently measured in available buffer headers, not inphysical memory, although systems with anintegrated buffer cache and virtualmemory will havesimpler, more straight-forward mechanisms.

Finally, the cleaner is implemented as a userspace process. This approach means that it requiresno dedicated memory, competing for virtual memoryspace with the other processes.

3.2. Block Accounting

Sprite-LFS maintains a count of the number ofdisk blocks available for writing, i.e. the real numberof disk blocks that do not contain useful data. Thiscount is decremented when blocks are actually written to disk. This approach implies that blocks can besuccessfully written to the cache but fail to be writtento disk if the disk becomes full before the blocks areactually written. Even if the disk is not full, all available blocks may reside in uncleaned segments andnew data cannot be written. To prevent the systemfrom deadlocking or losing data in these cases,BSD-LFS uses two forms of accounting.

The first form of block accounting is similar tothat maintained by Sprite-LFS. BSD-LFS maintainsa count of the number of disk blocks that do not contain useful data. It is decremented whenever a newblock is createdin the cache. Since many files die inthe cache [BAKE91], this number is incrementedwhenever blocks are deleted, even if they were never

written to disk.

The second form of accounting keeps track ofhow much space is currently available for writing.This space is allocated as soon as a dirty block entersthe cache, but is not reclaimed until segments arecleaned. This count is used to initiate cleaning. If anapplication attempts to write data, but there is nospace currently available for writing, the write willsleep until space is available. These two forms ofaccounting guarantee that if the operating systemaccepts a write request from the user, barring a crash,it will perform the write.

3.3. Segment Structure and Validation

Sprite-LFS places segment summary blocks atthe end of the segment trusting that if the write containing the segment summary is issued after all otherwrites in that partial segment the presence of thesegment summary validates the partial segment Thisapproach requires two assumptions: the disk controller will not reorder the write requests and the diskwrites the contents of a buffer in the order presented.Since controllers often reorder writes and reduce

rotational latency by beginning track writes anywhere on the track, we felt that BSD-LFS could notmake these assumptions. Therefore, we build segments from front to back, placing the segment summary at the beginning of each segment as shown inFigure 4. We compute a checksum across four bytesof each block in the partial segment, store it in thesegment summary, and use this to verify that a partial

Sprite Segment Structuren xibjUlegmen! poaitsr

1next fuzztznuy block posdcn

BSD Segment Structurenext Mgpwnt pointef

-N tSegment Summary Blocks

Figure 4: Partial Segment Structure Comparison Between

Sprite-LFS and BSD-LFS. The numbers in each partial show the

order in which the partial segments are created. Sprite-LFS buildssegments back to front, chaining segment summaries. BSD-LFS

builds segments front to back. After reading a segment summaryblock, the location of the next segment summary block can be easily computed.

Page 11: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

segment is valid. This approach avoids write-ordering constraints and allows us to write multiplepartial segments without an intervening seek or rotation. We do not yet have reason to believe that ourchecksum is insufficient, however, methods exist forguaranteeing that any missing sector can be detectedduring roll-forward, at the expense of a bit per disksector stored in the segment usage table and segmentsummary blocks.3

3.4. File System Verification

Fast recovery from system failure is desirable,but reliable recovery from media failure is necessary.Consequently, the BSD-LFS system provides tworecovery strategies. The first quickly rolls forwardfrom the last checkpoint, examining data writtenbetween the last checkpoint and the failure. Thesecond does a complete consistency check of the filesystem to recover lost or corrupted data, due to thecorruption of bits on the disk or errant software writing bad data to the disk. This check is similar to thefunctionality of fsck, the file system checker andrecovery agent for FFS, and ]ikefsck, it takes a longtime to run.

As UNIX systems spend a large fraction oftheir time, while rebooting, in file system checks, thespeed at which LFS is able to recover its file systemsis considered one of its majoradvantages. However,FFS is an extremely robust file system. In the standard4BSD implementation, it is possible to clear theroot inode and recover the file system automaticallywith fsck(S). This level of robustness is necessarybefore userswill acceptLFS as a file system in traditional UNIX environments. In terms of recovery, theadvantage of LFS is that writes are localized, so thefile system may be recovered to a physically consistent state very quickly. The BSD-LFS implementation permits LFS to recover quickly, and applications can start running as soon as the roll-forward hasbeen completed, while basic sanity checking of thefile system is done in the background. There is theobvious problem of what to do if the sanity checkfails. It is expectedthat the file system will be forcibly made read-only, fixed, and then once again writeenabled. These events should have a limited effecton users as it is unlikely to ever occur and is evenmore unlikely to discover an error in a file currentlybeing written by a user, since the opening of the filewould most likely have already caused a process orsystem failure. Of course, the root file system mustalways be completely checked after every reboot in

3 The database community uses a technique called patchtables to verify multi-sector block writes. Although many peoplehaveheard of this technique, noneknew of any published referencefor it

case a system failure corrupted it

3.5. The Cleaner

In Sprite-LFS the cleaner is part of the kerneland implements a single cleaning policy. There arethree problems with this, in addition to the memoryissues discussed in Section 3.1. First there is no reason to believe that a single cleaning algorithm willwork well on all workloads. In fact measurements in[SELT93] show that coalescing randomly updatedfiles would improve sequential read performancedramatically. Second, placing the cleaner in kernel-space makes it difficult to experiment with alternatecleaning policies. Third, implementing the cleaner inthe kernel forces the kernel to make policy decisions(the cleaning algorithm) rather than simply providinga mechanism. To handle theses problems, the BSD-LFS cleaner is implemented as a user process.

The BSD-LFS cleaner communicates with the

kernel via system calls and the read-only ifile. Thosefunctions that are already handled in the kernel (e.g.translating logical block numbers to disk addressesvia bmap) are made accessible to the cleaner via system calls. If necessary functionality did not alreadyexist in the kernel {e.g. reading and parsing segmentsummary blocks), it was relegated to user space.

There may be multiple cleaners, each implementing a different cleaning policy, running in parallel on a single file system. Regardless of the particular policy, the basic cleaning algorithm works as follows:

1. Choose one or more segments and read them.2. Decide which blocks are still alive.3. Write live blocks back to the file system.4. Mark the segment clean.

The ifile and four new system calls, summarized inTable 3, provide the cleaner with enough informationto implement this algorithm. The cleaner reads theifile to find out the status of segments in the file system and selects segments to clean based on this information. Once a segment is selected, the cleanerreadsthe segment from the raw partition and uses the firstsegment summary to find out what blocks reside inthat partial segment It constructs an array ofBLOCKJNFO structures (shown in Figure 5) andcontinues scanning partial segments, adding theirblocks to the array. When the entire segment hasbeen read, and all the BLOCKJNFOs constructed,the cleaner calls Ifsjbmapv which returns the currentphysical disk address for each BLOCKJNFO. If thedisk address is the same as the location of the blockin the segment being examined by the cleaner, theblock is "live". Live blocks must to be written back

into the file system without changing their access ormodify times, so the cleaner issues an Ifsjnarkv call,

Page 12: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

lfs_bmapv Take an array of inodenumber/logical block numberpairs and return the disk address for each block. Used todetermine if blocks in a segment are "live'*.

lfs_markv Take an array of inodenumber/logical block numberpairs and append them into thelog. This operation is a specialpurpose write call that rewritesthe blocks and inodes withoutupdating the inode's access ormodification times.

lfs.segwait Causes the cleaner to sleep until a given timeout has elapsedor until another segment iswritten. This operation is usedto let the cleaner pause untilthere may be more segmentsavailable for cleaning.

lfs.segclean Mark a segment clean. Afterthe cleaner has rewritten all

the "live'* blocks from a segment the segment is markedclean for reuse.

Table 3: The System Call Interface for theCleaner.

which is a special write causing these blocks to beappended into the log without updating the inodetimes. Before rewriting the blocks, the kernel verifiesthat none of the blocks have "died** since the cleanercalled Ifsjbmapv. Once lfs_markv begins, onlycleaned blocks are written into the log, untillfs.markv completes. Therefore, if cleaned blocksdie after lfs.markv verifies that they are alive, partialsegments written after the lfsjnarkv partial segmentswill reflect that the blocks have died. Whenlfsjnarkv returns, the cleaner calls lfs_segclean tomark the segment clean. Finally, when the cleanerhas cleaned enough segments, it calls Ifsjsegwait,sleeping until the specified timeout elapses or a newsegment is written into an LFS.

Since the cleaner is responsible for producingfree space, the blocks it writes must get preferenceover other dirty blocks to be written to avoid runningout of free space. To ensure that the cleaner canalways run, normal writing is suspended when thenumber of clean segments drops to two.

BLOCK INFO STRUCTURE

INODE NUMBER

LOGICAL BLOCK NUMBER

CURRENT DISK ADDRESS

SEGMENT CREATION TIME

BUFFER POINTER

Figure 5: BLOCKJNFO Structure used by the Cleaner. Thecleaner calculates the current disk address for each block from the

disk address of the segment. The kernel specifies which have been

superceded by more recent versions.

The cleaning simulation results in [ROSE91]show that selection of segments to clean is an important design parameter in minimizing cleaning overhead, and that the cost-benefit policy defined theredoes extremely well for the simulated workloads.Briefly, each segment is assigned a cleaning cost andbenefit. The cost to clean a segment is equal to the1 + utilization (the fraction of "live" data in the segment). The benefit of cleaning a segment isfree bytes generated * age of segment wherefree bytes generated is the fraction of "dead"blocks in the segment (1 - utilization) andage of segment is the time of the most recentmodification to a block in that segment When thefile system needs to reclaim space, the cleaner selectsthe segment with the largest benefit to cost ratio. Weretained this policy as the default cleaning algorithm.

Currently the cost-benefit cleaner is the onlycleaner we have implemented, but two additional policies are under consideration. The first would runduring idle periods and select segments to cleanbased on coalescing and clustering files. The secondwould flush blocks in the cache to disk during normalprocessing even if they were not dirty, if it wouldimprove the locality for a given file. These policieswill be analyzed in future work.

4. Implementing LFS in a BSD System

While the last section focused on those designissues that addressed problems in the design ofSprite-LFS, this section presents additional designissues either inherent to LFS or resulting from theintegration of an LFS into 4BSD.

4.1. Integration with FFS

The on-disk data structures used by BSD-LFSare nearly identical to the ones used by FFS. Thisdecision was made for two reasons. The first one

Page 13: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

was that many applications have been written overthe years to interpret and analyze raw FFS structures.It is reasonable that these tools could continue to

function as before, with minor modifications to readthe structures from a new location. The second and

more important reason was that it was easy andincreased the maintainability of the system. A basicLFS implementation, without cleaner or reconstruction tools, but with dumpfs(\) and newfs(l) tools, wasreading and writing from/to the buffer cache in undertwo weeks, and reading and writing from/to the diskin under a month. This implementation was done bycopying the FFS source code and replacing about40% of it with new code. The FFS and LFS implementations have since been merged to share commoncode.

In BSD and similar systems (i.e. SunOS,OSF/1), a file system is defined by two sets of interface functions, vfs operations and vnode operations[KLEI86]. Vfs operations affect entire file systems(e.g. mount unmount, etc.) while vnode operationsaffect files (open, close, read, write, etc.).

File systems could share code at the level of avfs or vnode subroutine call, but they could not sharethe UNIX naming while implementing theirown diskstorage algorithms. To allow sharing of the UNIXnaming, the code common to both the FFS andBSD-LFS was extracted from the FFS code and putin a new, generic file system module (UFS). Thiscode contains all the directory traversal operations,almost all vnode operations, the inode hash tablemanipulation, quotas, and locking. The commoncode is used not only by the FFS and BSD-LFS, butby the memory file system [MCKU90] as well TheFFS and BSD-LFS implementations remain responsible for disk allocation, layout, and actual I/O.

In moving code from the FFS implementationinto the generic UFS area, it was necessary to addseven new vnode and vfs operations. Table 4 lists theoperations that were added to facilitate this integration and explains why they are different for the twofile systems.

4.1.1. Block Sizes

One FFS feature that is not implemented inBSD-LFS is fragments. The original reason FFS hadfragments was that, given a large block size (necessary to obtain contiguous reads and writes and tolower the data to meta-data ratio), fragments wererequired to minimize internal fragmentation (allocated space that does not contain useful data). LFSdoes not require large blocks to obtain contiguousreads and writesas it sorts blocks in a file by logicalblock number, writing them sequentially. Still, largeblocks are desirable to keep the meta-data to data

Vnode Operations

blkatoff Read the block at the given offsetfrom a file. The two file systems calculate block sizes and block offsets

differently, because BSD-LFS doesnot implement fragments.

valloc Allocate a new inode. FFS must

consult and update bitmaps to allocate inodes while BSD-LFS removes

the inode from the head of the free

inode list in the ifile.vfree Free an inode. FFS must update bit

maps while BSD-LFS inserts theinode onto a free list

truncate Truncate a file from the given offsetFFS marks bitmaps to show thatblocks are no longer in use, whileBSD-LFS updates the segment usagetable.

update Update the inode for the given file.FFS pushes individual inodes synchronously, while BSD-LFS writesthem ina partial segment.

bwrite Write a block into the buffer cache.FFS does synchronous writes whileBSD-LFS puts blocks on a queue forwriting in the next segment

Vfs Operations

vget Get a vnode. FFS computes the diskaddress of the inode while BSD-LFSlooks it up in the ifile.

Table 4: New Vnode and Vfs Operations. These routines allowed us to share60% of the original FFS code with BSD-LFS.

ratio low. Unfortunately, large blocks can lead towasted space if many small files are present Sincemanaging fragments complicates the file system, wedecided to allocate progressively larger blocksinstead of using a block/fragment combination. Thisimprovement has not yet been implemented but issimilar to the multiblock policy simulated in[SELT91].

4.1.2. The Buffer Cache

Prior to the integration of BSD-LFS into4BSD, the buffer cache had been considered file system independent code. However, the buffer cache

Page 14: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

contains assumptions about how and when blocks arewritten to disk. First it assumes that a single blockcan be flushed to disk, at any time, to reclaim itsmemory. There are two problems with this: flushingblocks a single block at a time would destroy anypossible performance advantage of LFS, and,because of the modified meta-data and partial segment summary blocks, LFS may require additionalmemory to write. Therefore, BSD-LFS needs toguarantee that it can obtain any additional buffers itneeds when it writes a segment To prevent thebuffer cache from trying to flush a single BSD-LFSpage, BSD-LFS puts its dirty buffers on the kernelLOCKED queue, so that the buffer cache neverattempts to reclaim them. The number of buffers onthe locked queue is compared against two variables,the startwrite threshold and stop access threshold, toprevent BSD-LFS from using up all the availablebuffers. This problem can be much more reasonablyhandled by systems with better integration of thebuffer cache and virtual memory.

Second, the buffer cache assumes that metadata (both indirect blocks and inodes) are assigneddisk addresses when they are created and can beassigned block numbers corresponding to those disk

Data Blocks

Indirect Blocks 11

Double Indirect Blocks.

-• 12

-12••

~ "•"--* 1035

pics •—* 1036

-1036••

: -» 2059

: „1048588

-1048588 :

» 1049612

Figure 6: Block-numbering In BSD-LFS. In BSD-LFS, data

blocks are assigned positive block numbers beginning with 0. Indirect blocks are numbered with the negative of the first data block

to which they point Double and triple indirect blocks are numbered with one less than the first indirect or double indirect block

to which they point

addresses. In BSD-LFS, the disk address is assignedwhen blocks are written to disk instead of when theyare written in to the cache. This lazy assignment ofdisk addresses violates the assumption that all blockshave disk addresses. FFS accesses indirect blocks byhashing on the raw device vnode and the disk blocknumber. Since BSD-LFS has no disk address forthese indirect blocks, the block name space had toincorporate meta-data block numbering. This naming is done by making block addresses be signedintegers with negative numbers referencing indirectblocks, while zero and positive numbers referencedata blocks. Figure 6 shows how the blocks are numbered. Singly indirect blocks take on the negative ofthe first data block to which they point Doubly andtriply indirect blocks take the next lower negativenumber of the singly or doubly indirect block towhich they point This approach makes it simple totraverse the indirect block chains in either direction,facilitating reading a block or creating indirectblocks. Sprite-LFS partitions the "block namespace*' in a similar fashion. Although it is not possible for BSD-LFS to use FFS meta-data numbering,the reverse is not true. In 4.4BSD, FFS uses theBSD-LFS numbering and the bmap code has beenmoved into the UFS area.

4.2. The IFILE

Sprite-LFS maintained the inode map and segment usage table as kernel data structures which arewritten to disk at file system checkpoints. BSD-LFSplaces both of these data structures in a read-onlyregular file, visible in the file system, called the ifile.There are three advantages to this approach. Firstwhile Sprite-LFS and FFS limit the number of inodesin a file system, BSD-LFS has no such limitation,growing the ifile via the standard file mechanisms.Second, it can be treated identically to other files, in

SEGMENT

USAGE

TABLE

tNOOBMAP

IFILE

CLEANER INFO

NUM CLEAN SEGMENTS

NUM DIRTY SBCMBNTS

NUM LIVE BYTES

LAST MOO TIME

VERSION NUMBER

DISK ADDRESS

FREE LIST POINTER

Figure 7: Detail Description of the IFILE. The ifile is maintained as a regular file with read-only permission. It facilitatescommunication between the file system and the cleaner.

Page 15: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

most cases, minimizing the special case code in theoperating system. Finally, as is discussed in section3.6, we intended to move the cleaner into user space,and the ifile is a convenient mechanism for communication between the operating system and the cleaner.A detailed view of the ifile is shown in Figure 7.

Both Sprite-LFS and BSD-LFS maintain diskaddresses and inode version numbers in the inode

map. The version numbers allow the cleaner toeasily identify groups of blocks belonging to files thathave been truncated or deleted. Sprite-LFS alsokeeps the last access time in the inode map to minimize the number of blocks that need to be written whena file system is being used only for reading. Sincethe access time is eight bytes in 4.4BSD and maintaining it in the inode map would cause the ifile togrow significantly larger, BSD-LFS keeps the accesstime in the inode. Sprite-LFS allocates inodes byscanning the inode map sequentially until it finds afree inode. This scan is costly if the file system hasmany inodes. BSD-LFS avoids this scan by maintaininga free list of inodes in the inode map.

The segment usage table contains the numberof live bytes in and the last modified time of the segment, and is largely unchanged from Sprite-LFS. Inorder to support multiple and user mode cleaningprocesses, we have added a set of flags indicatingwhether the segment is clean, contains a superblock,is currently being written to, or is eligible for cleaning.

4J. Directory Operations

Directory operations4 pose a special problemfor LFS. Since the basic premise of LFS is thatoperations canbe postponed andcoalesced to providelarge I/Os, it is counterproductive to retain the synchronous behavior of directory operations. At thesame time, if a file is created, filled with data andfsyncod, then both the file's data and the directoryentry for the file must be on disk. Additionally, theUNIX semantics of directory operations are definedto preserveordering (i.e. if the creation of file a precedes the creation of file b, then any post-recoverystate of a file system that includes file b must includefile a). We believe this semantic is used in UNIXsystems to provide mutual exclusion and other lockingprotocols5.

4Directory operations include those system calls that affectmore than one inode (typically a directory and a file)and include:create, link, mkdir, mkncd, remove,rename, rmdir, andsymlink.

5Wehave been unable to find areal example ofthe orderingof directory operations being used for this purpose andareconsidering removing it as unnecessary complexity. If you have an example where ordering must be preserved across system failure,pleasesendus email [email protected]!

Sprite-LFS preserves the ordering of directoryoperations by maintaining a directory operation loginside the file system log. Before any directoryupdates are written to disk, a log entry that describesthe directory operation is written. The log information always appears in an earlier segment, or thesame segment, as the actual directory updates. Atrecovery time, this log is read and any directoryoperations that were not fully completed are rolledforward. Since this approach requires an additional,on-disk data structure, and since LFS is itself a log,we chose a different solution, namely segment batching.

Since directory operations affect multipleinodes, we need to guarantee that either both of theinodes and associated changes get written to disk orneither does. BSD-LFS has a unit of atomicity, thepartial segment but it does not have a mechanismthat guarantees that all inodes involved in the samedirectory operation will fit into a single partial segment Therefore, we introduced a mechanism thatallows operations to span partial segments. Atrecovery, we never roll forward a partial segment if ithas an unfinished directory operation and the partialsegment that completes the directory operation didnot make it to disk.

The requirements for segment batching aredefined as follows:

1. If any directory operation has occurred sincethe last segment was written, the next segmentwrite will append all dirty blocks from the ifile(that is, it will be a checkpoint except that thesuperblock need not be updated).

2. During recovery, any writes that were part of adirectory operation write will be ignored unlessthe entire write completed. A completed writecan be identified if all dirty blocks of the ifileand its inode were successfully written to disk.

This definition is essentially a transactionwhere the writing of the ifile inode to disk is the commit operation. In this way, there is a coherentsnapshot of the file system at some point after eachdirectory operation. The penalty is that checkpointsare written more frequently in contrast to Sprite-LFS's approach that wrote additional logging information to disk.

The BSD-LFS implementation requires synchronizing directory operations and segment writing.Each time a directory operation is performed, theaffected vnodes are marked. When the segmentwriter builds a segment it collects vnodes in twopasses. In the first pass, all unmarked vnodes (thosenot participating in directory operations) are

Page 16: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

collected, and during the second pass those vnodesthat are marked are collected. If any vnodes arefound during the second pass, this means that thereare directory operations present in the current segment, and the segment is marked, identifying it ascontaining a directory operation. To prevent directory operations from being partially reflected in asegment no new directory operations are begunwhile the segmentwriter is in pass two, and the segment writer cannot begin pass two while any directory operationis in progress.

When recovery is run, the file system can be inone of three possible states with regard to directoryoperations:

1. The system shut down cleanly so that the filesystem may be mounted as is.

2. There are valid segments following the lastcheckpoint and the last one was a completeddirectory-operation write. Therefore, all that isrequired before mounting is to rewrite thesuperblock to reflect the address of the ifileinode and the currentend of the log.

3. There are valid segments following the lastcheckpoint or directory operation write. As inthe previous case, the system recovers to thelast completed directory operation write andthen rolls forward the segments from there toeither the end of the log or the first segmentbeginning a directory operation that is neverfinished. Then the recovery process writes acheckpoint and updates the superblock.

While rolling forward, two flags are used in thesegment summaries: SS_DLROP and SS_CONT.SS.DLROP specifies that a directory operationappears in the partial segment SS_CONT specifiesthat the directory operation spans multiple partialsegments. If the recovery agent finds a segment withboth SS_DIROP and SS_CONT set, it ignores allsuch partial segments until it finds a later partial segment with SS_DLROP set and SS_CONT unset (i.e.the end of the directory operation write). If no suchpartial segment is ever found, then all the segmentsfrom the initial directory operation on are discarded.Since partial segments are small [BAKE92] thisshould rarely, if ever, happen.

4.4. Synchronization

To maintain the delicate balance betweenbuffer management, free space accounting and thecleaner, synchronization between the components ofthe system must be carefully managed. Figure 8shows each of the synchronizationrelationships. Thecleaner is given precedenceover all other processing

work (iri_tllclean_wa (lockedjaueoejcount)

g (Ifs_dIrop»)

work (lfi_alklean_wakcup)

A >BReason (address)

A watts for B on "address" due to "Reason"

Figure 8: Synchronization Relationships in BSD-LFS. The

cleanerhas precedence over all components in the system. It waits

on the lfs_allclean_wakeup conditionandwakes the segmentwriter or user processes using the lfs_avail condition. The segmentwriter and user processes maintain directory operation synchroni

zation through the IfsjUrop and l/sjvriter conditions. Userprocesses doing writes wait on the lockedjjueue_count when thenumber of dirty buffers held by BSD-LFS exceeds a system limit

in the system to guarantee that clean segments areavailable if the file system has space. It has its ownevent variable on which it waits for new work

(lfs_allclean_wakeup). The segment writer and userprocesses will defer to the cleaner if the disk systemdoes not have enough clean space. A user processdetects this condition when it attempts to write ablock but the block accounting indicates that there isno space available. The segment writer detects thiscondition when it attempts to begin writing to a newsegment and the number of clean segments hasreached two.

In addition to cleaner synchronization, the segment writer and user processes synchronize on thethe availability of buffer headers. When the numberof buffer headers drops below the start write threshold a segment write is initiated. If a write requestwould push the number of available buffer headersbelow the stop access threshold, the writing processwaits until a segment write completes, making morebuffer headers available. Finally, there is the directory operation synchronization. User processes waiton the IfsjUrop condition and the segment writerwaits on Ifsjvriter condition.

4 J. Minor Modifications

There are a few additional changes to Sprite-LFS. To provide more robust recovery we replicatethe superblock throughout the file system, as in FFS.Since the file system meta-data is stored in the ifile,we have no need for separate checkpoint regions, and

Page 17: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

simply store the disk address of the ifile inode in thesuperblock. Note that it is not necessary to keep aduplicate ifile since it can be reconstructed from segment summary information, if necessary.

5. Performance Measurements

This chapter compares the performance of theredesigned log-structured file system to more traditional, read-optimized file systems on a variety ofbenchmarks based on real workloads. Read-optimized policies that favor largeblocks or contiguous layout perform similarly [SELT91], so weanalyze FFS and a variant of FFS that does extentlike allocation. The new log-structured file systemwas written in November of 1991 and was leftlargely untouched until late spring 1992,and is therefore a completely untuned implementation. Whiledesign decisions took into account the expected performance impact at this point there is littleempiricalevidence to support those decisions.

The file systems against which LFS is compared are the regular fast file system (FFS), and anenhanced version of FFS similar to that described in[MCV091], referred to as EFS for the rest of thispaper.

EFS provides extent-based file system behaviorwithout changing the underlying structures of FFS,by allocating blocks sequentially on disk and clusteringmultiple block requests. FFS is parameterized bya variable called maxcontig that specifies how manylogically sequential disk blocks should be allocatedcontiguously. When maxcontig is large (equal to atrack), FFS does what is essentially track allocation.In EFS, sequential dirty buffers are accumulated inthecache, and when an extent'sworth (i.e. maxcontigblocks) have been collected, they are bundledtogether into a cluster, providing extent-based writing.

To provide extent-based reading, the interaction between the buffer cache and the disk wasmodified. Typically, before a block is read fromdisk, the bmap routine is called to translate logicalblock addresses to physical disk block addresses.The block is then read from disk and the next block isrequested. Since I/O interrupts are not handledinstantaneously, the disk is usually unable to respondto two contiguous requests on the same rotation, sosequentially allocated blocks incur the cost of anentire rotation. For both EFS and BSD-LFS, bmapwas extended to return, not only the physical diskaddress, but the number of contiguous blocks thatfollow therequested block. Then, rather than readingone block at a time and requesting the next blockasynchronously, the file system reads many contiguousblocksin a single request,providing extent-based

reading. Because BSD-LFS potentially allocatesmany blocks contiguously, it may miss rotationsbetween reading collections of blocks. Since EFSuses the FFS allocator, it leaves a rotational delaybetween clusters of blocks and does not pay thispenalty.

5.1. The Evaluation Platform

Our benchmarking configuration consists of aHewlett-Packard series 9000/300 computer with a 25Mhz MC68040 processor. It has 16 megabytes ofmain memory, and an HP RD335 with an HPIB6interface. The hardware configuration is summarizedin Table 5. The system is running the 4.4BSD-Alphaoperating system and all measurements were takenwith the system running single-user, unattached toany network. Each of the file systems uses a 4Kblock size with FFS and EFS having IK fragments.

The three file systems being evaluated run inthe same operating system kernel and share most oftheir source code. There are approximately 6000lines of shared C code, 4000 lines of LFS-specificcode, and 3500 lines of FFS-specific code. EFS usesthe same source code as FFS plus an additional 500lines of clustering code, of which 300 are also usedby BSD-LFS for read clustering.

Each of the next sections describes a benchmark and presents performance analysis for each filesystem. The first benchmark analyzes raw file system performance. The next two benchmarks attemptto model specific workloads. A time-sharingenvironment is modeled by a software developmentbenchmark, and a database environment is modeledby the industry-standard TPCB benchmark[TPCB90].

5.2. Raw File System Performance

The goal of this test is to measure the maximum throughput that can be expected from the givendisk and system configuration for each of the file

Disk(HPRD335)Average seekSingle rotationTransfer time

Track size

16.6 ms

15.0 ms1MB/sec

56.5 KB/track

CPU

MIPS

25 Mhz

10-12

Table 5: Hardware Specifications.

HPIB is an unbelievably slow interface as is shown inTable 6.

Page 18: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

systems. For this test the three file systems are compared against the maximum speed at which theoperating system can write directly to the disk. Thebenchmark consists of either reading or writing alarge amount of data sequentially to a newly createdfile system or a raw partition. Two versions of thistest are run. In the first the data is appended, whilein the second the same data is repeatedly overwritten.While FFS and EFS merely rewrite the existing datablocks, BSD-LFS is continually allocating newblocks and marking the old blocks as no longer inuse, thus requiring more CPU processing than any ofthe other file systems. The results for both theAPPEND and OVERWRITE tests are shown inTable 6.

Given the sequential layout of both BSD-LFSand EFS, the expectation is that both should performcomparably to the speed of the raw disk. For thewrite test both are nearly identical and within 10% ofthe raw disk speed. This 10% difference is anapproximation of the file system overhead. In BSD-LFS, the overhead comes from creating segments,while in EFS the overhead comes from doing blockallocation. Since FFS does sequential allocation witha rotational delay between each block, the expectation is that it should exhibit performance approximately half that of EFS and BSD-LFS. The performance measurements support this hypothesis.

FFS demonstrates read performance approximately 10% better than write performance for theappend tests. The 10% improvement is due partially

APPENDS

Writes Reads

Transfer Unit iM IM 2M .5M IM 2M

RAW 0.31 (0.00) 0.31 (0.00) 0.31 (0.00) 0.45(0.01) 0.45 (0.00) 0.45 (0.00)

FFS 0.11(0.00) 0.11(0.00) 0.12(0.00) 0.14(0.00) 0.14 (0.00) 0.14(0.00)

EFS 0.26 (0.02) 0.28 (0.01) 0.28(0.01) 0.38 (0.02) 0.38 (0.00) 0.36 (0.03)

LFS 0.27 (0.00) 0.28 (0.00) 0.29 (0.00) 0.33 (0.00) 0.36 (0.00) 0.37 (0.00)

OVERWRITES

Writes Reads

Transfer Unit .5M IM 2M .5M IM 2M

RAW 0.30(0.00) 030(0.00) 0.30(0.00) 0.43 (0.00) 0.43 (0.00) 0.43 (0.00)

FFS 0.12(0.00) 0.12 (0.00) 0.12(0.00) 0.12(0.00) 0.14(0.00) 0.14(0.00)

EFS 0.29 (0.01) 030(0.00) 0.28 (0.00) 0.35 (0.00) 0.37 (0.00) 0.37 (0.00)

LFS 0.25 (0.00) 0.26 (0.00) 0.28 (0.00) 0.33 (0.00) 0.35 (0.00) 0.36 (0.00)

BSD-LFS O-verwrite Performance with Q eaner Running

Writes Reads

Transfer Unit .5M IM 2M .5M IM 2M

0% Utilization 0.25 (0.00) 0.26(0.00) 0.28 (0.00) 0.33 (0.03) 0.35 (0.02) 0.36 (0.01)

50% Utilization 0.24 (0.01) 0.26(0.01) 0.27 (0.03) 0.33 (0.03) 0.35 (0.02) 0.36(0.01)

Table 6: Raw File System Performance(MB/sec). The first two ubles show the raw file system performance in megabytes / second. Thenumbers shown are averagesof ten runs with the standarddeviation in parentheses. In the first table, new data is appendedto a file eachtime,whilein the second, the data is overwritten. The benchmark issuesthe writesin .5 megabyte, 1 megabyte, or 2 megabyterequestsas specified bythe columns. The third table shows the overwrite test for BSD-LFS when the cleaner is ninning. In the first row, the same file is repeatedlyoverwritten, leaving very little work for the cleanerwhile in the second,alternating files are overwritten so that each segmentcleanedis approximately half full.

Page 19: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

to read-ahead and partially to avoiding the file systemblock allocation overhead required during writing.Since EFS and BSD-LFS do sequential allocation,the expectation is that the read performance shouldbe comparable to that of the raw disk. However,Table 6 shows that BSD-LFS and EFS are achievingonly 70% and 85% of the raw disk performancerespectively. The explanation for BSD-LFS lies inthe mapping between the file written and the on-disksegment layout The file system is configured withone megabyte segments. A one megabyte segmentdoes not hold one megabyte worth of data, due to thepresence of meta-data (segment summary blocks,inode blocks, and indirect blocks) in the segment Asa result the requests span segment boundaries, andthe resulting seek often incurs the penalty of a fullrotation. The extent-based system does betterbecause it takes advantage of FFS* understanding ofrotational delay. It pays only a rotational delay (onthe order of 0.25 rotations) between clusters ofblocks. All the systems suffer a small (approximately 5%) performance penalty for the overwritetest since a disk seek is required before each read isissued.

The third table in Table 6 shows impact of thecleaner on BSD-LFS. In the first row (0% utilization), the same file is overwritten repeatedly. As aresult the only valid data is in the current segment,and the cleaner does very little work to reclaimspace. In the second row, (50% utilization), everyother file is overwritten, leaving each segment halffull. In this case, the cleaner copies one-half segment on average, to reclaim one segment of space.

As expected, the cleaner had virtually noimpact during the read test (since there was no databeing overwritten). For the 0% utilization test, thereis also no impact on performance which is notsurprising. Even when each segment is half utilized,the impact is under 10%, However, when the cleaneris running, performance is less predictable as is evidenced by the 10% standard deviations observed during those tests.

The remaining tests are all designed to stressthe file systems. For BSD-LFS, that means thecleaner is runningand the disk systems are fairly full(above 80%), so that the cleaner is forced to reclaimspace. For EFS and FFS, it becomes more difficultfor them to allocate blocks optimally when they runon fairly full file systems, so degradation is expectedfor those systems as well.

53. Software Development Workload

The next tests evaluate BSD-LFS in a typicalsoftware development environment. The Andrewbenchmark [OUST90] is often used for this type of

measurement The Andrew benchmark was created

by M. Satyanarayanan of the Information Technology Center at Carnegie-Mellon University. It contains five phases.

1. Create a directory hierarchy.2. Make several copies of the data.3. Recursively examine the status of every file.4. Examine every byte of every file.5. Compile several of the files.

Unfortunately, the test set for the Andrew benchmarkis small, and main-memory file caching can make theresults uninteresting. To exercise the file systems,this benchmark is run both single-user and multiuser, and the system's cache is kept small (1.6 megabytes). Table 7 shows the performance of the standard Andrew benchmark with multi-user resultspresented in Table 8.

As expected, BSD-LFS does quite well on thedirectory creation phase of the benchmark (Phase 1),as BSD-LFS avoids synchronous writes and pays noallocation overhead during directory creation. However, the remaining phases of the test exercise readperformance, and EFS performs the best with BSD-LFS and FFS performing comparably. AlthoughBSD-LFS can take advantage of contiguous layout,as does EFS, it exhibits poorer performance due toI/Os issued by the cleaner. In this test the cleanerpays a substantial performance penalty during cleaning, because it reads entire segments before determining which blocks are "live". Since the files inthis benchmark are created and deleted in largegroups, most of the blocks read by the cleaner arediscarded and most of the reads accomplished nothing.

These single-user results are significantly different from those of Sprite-LFS discussed in[ROSE92J. There are several reasons for this. Asmentioned earlier, a goal of this test is to stress the

Phase 1 Phase 2 Phase 3 Phase 4 Phase 5

FFS 3.30 13.20 7.00 16.10 48.80

EFS 3.30 11.80 6.90 13.20 46.00

LFS 1.30 13.70 8.00 16.60 46.20

Table 7: Single-User Andrew Benchmark Results. This table

shows the average elapsed time, in seconds, for each phase of the

Andrewbenchmark. As expected, BSD-LFS does best on phase 1,the directory creation portion of the text However, in the remain

ing tests, the extent-based system provides the best performancebecause it benefits from contiguous layout on both reading andwriting, but does not vie for disk servicing with the cleaner.

Page 20: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

file systems, so both the cacheand the file system aresmall. The small cache (1.6 megabytes) ensures thatboth read and write performance to the disk can bemeasured. The small file system guarantees that thecleaner has work to do, so its impacton system performance can be analyzed.

For the multi-user benchmark, four separatetrees are created and the benchmark runs concurrently in each tree. The reported results are averaged across ten runs on each of the four trees for atotal of forty iterations. The multi-user Andrewresults are shown in Table 8. In a multi-user environment the strengths and weaknesses of BSD-LFSbecome more apparent. Phase 1 performance isexceptionally good because BSD-LFS is not doingsynchronous file and directory creation. Since phase2 is write intensive, BSD-LFS performs approximately 35% better than its nearest competitor (EFS),because it pays very few seeks in writing. In phase 3,where every file's inode is examined, EFS demonstrate approximately 10% better performance theneither LFS or FFS. In phase 4 every byte of everyfile is examined. BothLFS and EFS achieveapproximately a 10% performance improvement over FFSdue to the contiguous nature of their reads. LFS performs slightly better because the different trees werelikely to be created at approximately the same time,and their data is likely to be physically close on thedisk. Phase 5 highlights the weakness in LFS. Thisphase is characterized by interspersed reads andwrites. Once again, the large reads and writes performed by the cleaner compete with synchronousread requests, making LFS the poorest performer byapproximately 8%. When the cleaner is forced torun, synchronous I/O performance, typically readperformance, suffers. The next benchmark

Phase 1 Phase 2 Phase 3 Phase 4 Phase 5

FFS 10.68 36.17 19.18 36.27 167.40

EFS 9.12 34.25 16.90 32.55 168.75

LFS 1.02 22.30 19.23 31.10 183.20

Table 8: Multi-User Andrew Benchmark Results. This table

shows the average elapsed time, in seconds, of each phase of theAndrew benchmark with four concurrent invocations. The times

are less than four times slower than the single-user times due to theoverlapped CPU and I/O time. The multi-usertest emphasizes thestrengths and weaknesses of BSD-LFS. It performs well in phases1 and 2 whichare predominantly writesand in phase 4 wheretemporal localityproducesgood read performance. However, performance suffers in Phase 5 where read and write traffic is inter

spersed and the impact of the cleaner is most severe.

demonstrates this even more dramatically.

5.4. Transaction Processing Performance

The industry-standard TPCB is used as adatabase-oriented test Our benchmark is a modifiedversion of the TPCB benchmark, configured for a 10transaction per second system. While the benchmarkis designed to be run multi-user, we show onlysingle-user (worst case) results. Additionally, we donot keep redundant logs and we do not model "thinktime" between transactions. Each data pointrepresents ten runs of 1000 transactions. The counting of transactions is not begun until the buffer poolhas filled, so the measurements do not exhibit anyartifacts of an empty cache. Transaction run lengthsof greater than 1000 were measured, but there was nonoticeable change in performance after the first 1000transactions.

When the cleaner is not running, BSD-LFSbehaves as predicted in simulation [SELT90], Itshows approximately 20% improvement over theextent-based system. However, the impact of thecleaner is far worse than was expected. With onemegabyte segments and the small random I/Os doneby TPCB, most segments have only a few deadblocks available for reclamation. As a result thecleaner does large reads as well as large writes toreclaim space. Each of these large I/O operationsbusies the disk for long periods of time, making theTPCB reads wait.

In an attempt to reduce this wait time, a secondset of tests were run with a smaller segment size (128kilobytes). The performance before cleaning is thesame as for the 1 megabyte case, but the after-cleaning performance is slightly better (about 13%).In either case, the impact of the cleaner is so severe

Transactions

per second

Elapsed Time

1000 transactions

FFS 8.9 112.51 (1.2)

EFS 9.0 111.03(1.3)

LFS (no cleaner)

LFS (cleaner, IM)

LFS (cleaner, 128K)

10.8

4.3

5.0

92.76(0.87)

23237 (16.84)

200.57 (68.72)

Table 9: TPCB Performance Results for FFS, EFS, and BSD-

LFS. The TPCB database was scaled for a 10 TPS system

(1,000,000 accounts, 100 tellers, and 10 branches). The elapsed

time is reported for runs of 1000 transactions. The BSD-LFSresults show performance before the cleaner begins to run and afterthe cleaner begins to run. The after-cleaner performance is shownfor file systems with segment sizes of one megabyte and 128K.

Page 21: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

that BSD-LFS cannot compete with either FFS orEFS. For the tests presented here, the disk was running at 85% utilization, and the cleaner was continually running. Note that FFS and EFS allocate up to90% of the disk capacity without exhibiting any performance degradation [MCKU84], This result showsthat log-structured file systems are much more sensitive to the disk utilization. While the user-levelcleaner avoids synchronization costs between userprocesses and the kernel, it cannot avoid the contention on the disk arm.

6. Conclusions

The implementation of BSD-LFS highlightedsome subtleties in the overall LFS strategy. Whileallocation in BSD-LFS is simpler than in extent-based file systems or file systems like FFS, themanagement of memory is much more complicated.The Sprite-LFS implementation addressed this problem by reserving large amounts of memory. Sincethis is not feasible in most environments, a morecomplex mechanism to manage buffer and memoryrequirements is necessary. LFS operates best when itcan write out many dirty buffers at once. However,holding dirty data in memory until much data hasaccumulated requires consuming more memory thanmight be desirable andmay not be allowed(e.g. NFSsemantics require synchronous writes). In addition,the act of writing a segment requires allocation of

Deleted Data ta Blocks (file Inode Block

IndliLive Data Inode Block

Clean Segment

Figure 9: Segment Layout for Bad Cleaner Behavior. Segments 1 and 2 contain data. The cleanerwill attempt to freeup the one disk block of deleted data from segment 1. However, to rewrite the data in segment 1, it will dirty the metadatablock currently in segment 2. As a result, the cleaner will

not generate any additional clean blocks.

additional memory (for segment summaries and on-disk inodes), so segment writing needs to be initiatedbefore memory becomes a critical resource to avoidmemory thrashing or deadlock.

The delayed allocation of BSD-LFS makesaccounting of available free space more complexthan that in a pre-allocated system like FFS. InSprite-LFS, the space available to a file system is thesum of the disk space and the buffer pool. As aresult, data is written to the buffer pool for whichthere might not be free space available on disk.Since the applications that wrote the data may haveexited before the data is written to disk, there is noway to report the "out of disk space'* condition.This failure to report errors is unacceptable in a production environment To avoid this phenomena,available space accounting must be done as dirtyblocks enter the cache instead of when they are written from cache to disk. Accounting for the actualdisk space required is difficult because inodes are notwritten into dirty buffers and segment summaries arenot created until the segment is written. Every timean inode is modified in the inode cache, a count ofinodes to be written is incremented. When blocks aredirtied, the number of available disk blocks is decremented. To decide if there is enough disk space toallow another write into the cache, the number ofsegment summaries necessary to write what is in thecache is computed, added to the number of inodeblocks necessary to write the dirty inodes and

Clean Segment

Deleted Data veDsta- Inode Block

Block

Figure 10: Segment Layout After Cleaning. The cleaner

cleaned segment 1. hi doing so, it rewrote the indirect block

that previously resided in segment 2. Now that block has

been deleted and the cleaner will be able to reclaim a disk

block by cleaning segment 2.

Page 22: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

compared to the amount of space available on thedisk. To create more available disk space, either thecleaner must run or dirty blocks in the cache must bedeleted.

A third and more critical situation arises whenthe cleaner consumes more disk space than it freesduring cleaning. Although this cannot happen overthe long term, during short term intervals it can.Consider the simple three segment file systemshownbelow in Figure 9. Segment 1 contains one freeblock (the first block marked "Deleted Data").However, cleaning that segment requires rewritingthe indirect block for file 1. Therefore, after segment1 is cleaned, segment3 will be full, segment1 willbeclean, and one block in segment 2 will be dead (Figure 10). While the total number of live blocks on thesystem has not increased, it has not decreased either,and the act of cleaning the segment has not createdany additional space. It is possible to construct caseswhere cleaning a segment actually decreases theamount of available space (consider a segment thatcontains N blocks from N different files, each ofwhich is accessed via an indirect block and theindirectblock resides in a different segment). Therefore two segments are reserved for the cleaner. Oneguarantees that the cleaner can run at all, and thesecond ensures that small overflows can be accommodated until more space is reclaimed.

7. Future Directions

The novel structures of BSD-LFS makes it anexciting vehicle for adding functionality to the filesystem. For example, there are two characteristics ofBSD-LFS that make it desirable for transaction processing. First, the multiple, random writes of a singletransaction get bundled and written at sequentialspeeds, so we expect to see a dramatic performanceimprovement in multi-user transaction applications, ifsufficient disk space is available. Second, since datais neveroverwritten, before-images of updated pagesexist in the filesystemuntil theyare reclaimed by thecleaner. An implementation that exploits these twocharacteristics is described and analyzed in[SELT93] on Sprite-LFS, and we plan on doing aprototype implementation of transactions in BSD-LFS.

The "no-overwrite'* characteristic of BSD-LFS makes it ideal for supporting unrm which wouldundoa file deletion. Savinga single copy of a file isno more difficult than changing the cleanerpolicy tonot reclaim space from the last version of a file, andthe only challenge is finding the old inode. Moresophisticated versioning should be only marginallymore complicated.

Also, the sequential nature of BSD-LFS writepatterns makes it nearly ideal for tertiary storage devices [KOHL93]. LFS may be extended to includemultiple devices in a single file system. If one ormore of these devices is a robotic storage device,such as a tape stacker, then the file system may havetremendous storage capacity. Such a file systemwould be particularly suitable for on-line archival orbackup storage.

An early version of the BSD-LFS implementation was shipped as part of the 4.4BSD-Alpharelease. The current version described in this paperwill be available as part of 4.4BSD. Additionally, theFFS shipped with 4.4BSD will contain the enhancements to provide clustered reading and writing.

8. Acknowledgements

Mendel Rosenblum and John Ousterhout areresponsible for the original design and implementation of Sprite-LFS. Without their work, we neverwould have tried any of this. We also wish toexpress our gratitude to John Wilkes and Hewlett-Packard for their support.

9. References

[BAKE91] Baker, M., Hartman., J., Kupfer., M.,Shirriff, L., Ousterhout, J., "Measurements of a Distributed File System," Proceedings of the 13th Symposium on Operating System Principles, Monterey,CA, October 1991,198-212. Published as OperatingSystemsReview25,5 (October 1991).

[BAKE92] Baker, M., Asami, S., Deprit, E.,Ousterhout, S., Seltzer, M., "Non-Volatile Memoryfor Fast Reliable File Systems,'* to appear inProceedings of the Fifth Conferenceon ArchitecturalSupport for Programming Languages and OperatingSystems, Boston, MA, October 1992.

[CAR92] Carson, S„ Setia, S., "Optimal Write BatchSize in Log-structured File Systems", Proceedings of1992 Usenix Workshop on File Systems, Ann Arbor,MI, May 21-22 1992,79-91.

[KAZA90] Kazar, M., Leverett, B., Anderson, O.,Vasilis, A., Bottos, B., Chutani, S., Everhart, C,Mason, A., Tu, S., Zayas, E., "DECorum File System Architectural Overview," Proceedings of the1990 Summer Usenix Anaheim, CA, June 1990,151-164.

[HAER83] Haerder, T. Reuter, A. "Principles ofTransaction-Oriented Database Recovery'*, Computing Surveys, 15(4); 1983,237-318.

Page 23: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

[KLEI86] S. R. Kleiman, "Vnodes: An Architecturefor Multiple File System Types in Sun UNIX,"Usenix Conference Proceedings, June 1986,238-247.

[KOHL93] Kohl, J., Staelin, C, Stonebraker, M.,"Highlight: Using a Log-structured File System forTertiary Storage Management," Proceedings 1993Winter Usenix, San Diego, CA, January 1993.

[MCKU84] Marshall Kirk McKusick, William Joy,Sam Leffler, and R. S. Fabry, "A Fast File Systemfor UNIX", ACM Transactions on Computer Sys-tems,2Q), August 1954,181-197.

[MCKU90] Marshall Kirk McKusick, Michael J.Karels, Keith Bostic, "A Pageable Memory BasedFilesystem," Proceedings of the 1990 SummerUsenix Technical Conference, Anaheim, CA, June1990,137-144.

[MORA90] Moran, J., Sandberg, R., Coleman, D.,Kepecs, J., Lyon, B., Breaking Through theNFS Performance Barrier," Proceedings of the 1990 SpringEuropean Unix Users Group, Munich, Germany,199-206, April 1990.

[MCV091] McVoy, L., Kleiman, S., "Extent-likePerformance from aUnix File System", ProceedingsWinter Usenix 1991, Dallas, TX, January 1991, 33-44.

[OUST85] Ousterhout J., Costa, H., Harrison, D.,Kunze, J., Kupfer, M., Thompson, J., "A Trace-Driven Analysis of the UNIX 4.2BSD File System,"Proceedings of the Tenth Symposium on OperatingSystem Principles, December 1985,15-24. PublishedasOperating Systems Review 19,5 (December 1985).

[OUST88] Ousterhout J., Douglis, F., "Beating theI/O Bottleneck: A Case for Log Structured File Systems", Computer Science Division (EECS), University of California, Berkeley, UCB/CSD 88/467,October 1988.

[OUST90] Ousterhout, J. "Why Aren't OperatingSystems Getting Faster As Fast as Hardware?"Proceedings of the 1990 Summer Usenix, Anaheim,CA, June 1990,247-256.

[ROSE90] Rosenblum, M., Ousterhout J. K., "TheLFS Storage Manager**, Proceedings of the 1990Summer Usenix, Anaheim, CA, June 1990,315-324.

[ROSE91] Rosenblum, M., Ousterhout, J. K., "TheDesign and Implementation of a Log-Structured FileSystem", Proceedings ofthe Symposium on Operating System Principles, Monterey, CA, October 1991,

1-15. Published as Operating Systems Review 25, 5(October 1991). Also available as Transactions onComputer Systems 10,1 (February 1992), 26-52.

[ROSE92] Rosenblum, M., "The Design and Implementation of a Log-structured File System", PhDThesis, University of California, Berkeley, June1992. Alsoavailable as Technical Report UCB/CSD92/696.

[SELT90] Seltzer, M., Chen, P., Ousterhout J.,"Disk Scheduling Revisited," Proceedings of the1990 Winter Usenix, Washington, D.C., January1990,313-324.

[SELT91] Seltzer, M., Stonebraker, M., "ReadOptimized File Systems: A Performance Evaluation," Proceedings 7th Annual International Conference on Data Engineering, Kobe, Japan, April 1991,602-611.

[SELT93] Seltzer, M., "Transaction Support in aLog-Structured File System," To appear in theProceedings of the 1993 International Conference onData Engineering, April 1993,Vienna.

[THOM78] Thompson, K., "Unix Implementation",Bell Systems Technical Journal, 57(6), part 2, July-August 1978,1931-1946.

[TPCB90] Transaction Processing PerformanceCouncil, "TPC Benchmark B", StandardSpecification, Waterside Associates, Fremont CA.,1990.

Page 24: Copyright © 1992, by the author(s). All rights reserved. Permission … · 2018-07-02 · AN IMPLEMENTATION OF A LOG-STRUCTURED FILE SYSTEM FOR UNIX by Margo Seltzer, Keith Bostic,

[KLEI86] S. R. Kleiman, "Vnodes: An Architecturefor Multiple File System Types in Sun UNIX,"Usenix ConferenceProceedings, June 1986,238-247.

[KOHL93] Kohl, J., Staelin, C, Stonebraker, M.,"Highlight Using a Log-structured File System forTertiary Storage Management," Proceedings 1993Winter Usenix, San Diego, CA, January 1993.

[MCKU84] Marshall Kirk McKusick, William Joy,Sam Leffler, and R. S. Fabry, "A Fast File Systemfor UNIX", ACM Transactions on Computer Sys-tems,2Q), August 1984,181-197.

[MCKU90] Marshall Kirk McKusick, Michael J.Karels, Keith Bostic, "A Pageable Memory BasedFilesystem," Proceedings of the 1990 SummerUsenix Technical Conference, Anaheim, CA, June1990,137-144.

[MORA90] Moran, J., Sandberg, R., Coleman, D.,Kepecs, J., Lyon, B., Breaking Through the NFS Performance Barrier," Proceedings of the 1990 SpringEuropean Unix Users Group, Munich, Germany,199-206, April 1990.

[MCV091] McVoy, L., Kleiman, S., "Extent-likePerformance from a Unix FileSystem", ProceedingsWinter Usenix 1991, Dallas, TX, January 1991, 33-44.

[OUST85] Ousterhout, J., Costa, H„ Harrison, D.,Kunze, J., Kupfer, M., Thompson, J., "A Trace-Driven Analysis of the UNIX 4.2BSD File System,"Proceedings of the Tenth Symposium on OperatingSystem Principles, December 1985,15-24. Publishedas Operating Systems Review 19,5 (December 1985).

[OUST88] Ousterhout, J., Douglis, F., "Beating theVO Bottleneck: A Case for Log Structured File Systems", Computer Science Division (EECS), University of California, Berkeley, UCB/CSD 88/467,October 1988.

[OUST90] Ousterhout, J. "Why Aren't OperatingSystems Getting Faster As Fast as Hardware?"Proceedings of the 1990 Summer Usenix, Anaheim,CA, June 1990,247-256.

[ROSE90] Rosenblum, M., Ousterhout J. K., "TheLFS Storage Manager", Proceedings of the 1990Summer Usenix, Anaheim, CA, June 1990,315-324.

[ROSE91] Rosenblum, M., Ousterhout, J. K., "TheDesign and Implementation of a Log-Structured FileSystem", Proceedings of the Symposium on Operating System Principles, Monterey, CA, October 1991,

1-15. Published as Operating Systems Review 25, 5(October 1991). Also available as Transactions onComputer Systems 10,1 (February 1992), 26-52.

[ROSE92] Rosenblum, M., "The Design and Implementation of a Log-structured File System", PhDThesis, University of California, Berkeley, June1992. Also available as Technical Report UCB/CSD92/696.

[SELT90] Seltzer, M., Chen, P., Ousterhout J.,"Disk Scheduling Revisited,** Proceedings of the1990 Winter Usenix, Washington, D.C., January1990,313-324.

[SELT91] Seltzer, M., Stonebraker, M., "ReadOptimized File Systems: A Performance Evaluation," Proceedings 7th AnnualInternationalConference on Data Engineering, Kobe, Japan, April 1991,602-611.

[SELT93] Seltzer, M., "Transaction Support in aLog-Structured File System," To appear in theProceedings of the 1993 International Conference onData Engineering, April 1993, Vienna.

[THOM78] Thompson, K., "Unix Implementation",Bell Systems Technical Journal, 57(6), part 2, July-August 1978,1931-1946.

[TPCB90] Transaction Processing PerformanceCouncil, "TPC Benchmark B", StandardSpecification, Waterside Associates, Fremont CA.,1990.