Disk Space Management Topics for SAS in the Solaris

Total Page:16

File Type:pdf, Size:1020Kb

Disk Space Management Topics for SAS in the Solaris NESUG 17 Administration & Support Disk Space Management Topics for SASR in the SolarisTM Operating Environment Adeline J. Wilcox Delmarva Foundation for Medical Care, Inc. Hanover, MD 1ABSTRACT Adding disk space to SunR enterprise servers has become a relatively inexpensive solution. Still, these gigabytes and terabytes are finite and must be managed. I address two related topics, file compression and reporting disk space usage BY user. First, I describe a Kornshell script that calls sed, awk, and SAS before producing a SAS listing showing gigabytes used by userid. Second, I performed factorial experiments in which I compared the CHAR, BINARY, and NO values of the SAS data set COMPRESS option with each other and with the UNIX compress program. UNIX compress effectively compressed all three types of test SAS data sets but minimized file size when SAS COMPRESS=NO. Using ten replicates, I also measured the CPU time required to run PROC FREQ on one character variable from each test data set compressed the three different ways with SAS. As expected, PROC FREQ executed most quickly on SAS data sets with COMPRESS=NO. When no UNIX compression was used, SAS took, on average, 73 percent longer to execute PROC FREQ on SAS data sets with SAS COMPRESS=CHAR than those with SAS COMPRESS=NO. 2INTRODUCTION This paper covers two related topics, file compression and reporting disk space usage by userid, both specific to running SAS on Solaris. The first topic, reporting disk space usage by userid, may be relevant to any UNIX or Linux system running the KornShell, sed, awk and SAS. Identifying users using the most disk space can help system administrators determine which users may need a reminder to delete old files or help archiving or compressing files. Here I am using the term system admininstrator to mean any person trying to help manage a Sun server, not just the superuser(s). Relevance of the second topic beyond Solaris to other Unices is unknown because I conducted my file com- pression experiments only on Solaris. Both time and space matter to SAS users working with large files. I ran factorial experiments to look at the effects of two different file compression treatments, SAS compression and UNIX compression, on both CPU time and disk space occupied by the files. 3 REPORTING DISK SPACE USAGE I’ve written a system of three programs named sizerept.ksh, sizerept.sed, and sizerept.sas that produce a SAS listing showing disk space usage by userid within a file system in gigabytes. Each of these programs is listed below. Unless you are a superuser, the ability to run this system depends on read access to the file system and the good will of the other users of the file system to give you read permission on all their files and directories. Alternatively, you could ask your superuser to execute this system for you. I execute this system by invoking sizerept.ksh at my KornShell prompt with an argument such as /projdata/, where the argument names the file system on which I want a report of disk space usage. Line 14 of sizerept.ksh writes the output of the shell command df with the option -k to standard output, a file named sizerept.out where the available disk space is reported by df in kilobytes (Gilly). With a variable named reporton, Line 15 passes the value of the string in the argument naming the file system to the KornShell where it will be available to the SAS program in which it will be assigned to a macro variable. Line 16 recursively lists all files in subdirectories under the directory named in the argument as well as all files in 1 NESUG 17 Administration & Support the top directory. File size in bytes is listed with each file name. The ouput of the ls -aFlR command is piped to my sed script named sizerept.sed that deletes all records from the listing that are not file names. Next, I pipe the output of my sed script to an awk command that prints only the columns containing the UNIX userid and file size to an ASCII file that my SAS program named sizerept.sas will read. The call to my SAS program comes on Line 17 of sizerept.ksh. The first line of my SAS program named sizerept.sas that is not a comment is Line 13. Here SAS gets the value of the environment variable named reporton from the KornShell and assigns it to the macro variable PATHNAME. SAS reads the output of the shell command df intoaWORKdatasetnamedREADONE.WithPROCSUMMARY, I sum disk space used in bytes BY userid. Because there are 1024 = 210 bytes in a kilobyte and so on, I divide total bytes by 10243 = 1073741824 to obtain gigabytes in DATA step TWO. I use PROC PRINT to write my report to a file named sizerept.lst. This output file shows, for the file system named in the TITLE, total disk space usage by userid in gigabytes. The value PRINTed by the SUM statement on Line 33 of sizerept.sas can be compared with the output of the df command written to sizerept.out. The disk space, in kilobytes, reported as used by the df command with the -k option, may be divided by 10242 to get a value in gigabytes approximately equal to that output by my system in sizerept.lst. 1 #!/bin/ksh 2 #PROGRAM: sizerept.ksh 3 #FUNCTION: report disk space usage by user on a file system or subdirectory 4 #INPUTS: argument naming the file system or subdirectory 5 #OUTPUTS: sizerept.out 6 #CALLS TO: sizerept.sed, awk, sizerept.sas 7 #SPECIAL NOTES: 8 #AUTHOR: Adeline Wilcox DATE: 21Jan04 9 #UPDATED: DATE: 10 date 11 exec 1 >sizerept.out 12 exec 2 >&1 13 df -k >&1 14 export reporton=$(print $1) 15 ls -aFlR $1 | sizerept.sed | awk ’{ print $3""$5}’>sizerept.txt 16 sas sizerept -log sizerept.log 17 if (($? > 0)) 18 then 19 print "Something went wrong with sizerept.sas" 20 print "Something went wrong with sizerept.sas" > /dev/tty 21 exit 22 fi 23 rm sizerept.txt 24 date 1 #!/bin/sed -f 2 #PROGRAM: sizerept.sed 3 #FUNCTION: delete records not representing files 4 #INPUTS: 5 #OUTPUTS: 6 #CALLS TO: nothing 7 #SPECIAL NOTES: 8 #AUTHOR: Adeline Wilcox DATE: 15Jan04 9 #UPDATED: DATE: 10 /^d/d 11 /^$/d 12 /^total/d 13 /^\/projdata/d 2 NESUG 17 Administration & Support 1 options ps=67 ls=80 noovp nostimer dkricond=error dkrocond=error nomautosource; 2 /*****************************************************************************/ 3 /*PROGRAM: sizerept.sas 4 /*FUNCTION: report on disk space usage 5 /*INPUTS: sizerept.txt 6 /*OUTPUTS: sizerept.log, sizerept.lst 7 /*CALLS TO: nothing 8 /*SPECIAL NOTES: 9 /*AUTHOR: Adeline Wilcox DATE: 15Jan04 10 /*UPDATED: DATE: 11 /*****************************************************************************/ 12 %let pathname=%sysget(reporton); 13 filename gotthis ’~/sizerept.txt’; 14 data readone; infile gotthis truncover; 15 input userid $ bytes; 16 run; 17 proc summary data=readone; 18 class userid; 19 var bytes; 20 ways 1; 21 output out=sumone sum=totbytes; 22 run; 23 data two; set sumone(rename=(_FREQ_=numfiles) drop=_TYPE_); 24 gigs=round(totbytes/1073741824,4.1); 25 run; 26 proc sort data=two; by descending gigs; 27 run; 28 options nonumber; 29 title1 "Disk space use in &pathname by userid"; 30 title2 "excludes any subdirectories that Adeline can’t read"; 31 proc print data=two; 32 sum gigs; 33 run; 4 FILE COMPRESSION ALGORITHMS On the Sun Enterprise server on which I work, I’ve found man pages for four file compression algorithms. These are gzip, compress, zip,andbzip2. More information about these algorithms may be found in the March 2001 issue of the now defunct periodical Server/Workstation Expert. http://swexpert.com/C9/SE.C9.MAR.01.pdf In their piece titled ”Squishing Data”, Jeffreys Copeland and Haemer state that gzip is more efficient than the older compress algorithm. They report that the man page for the even newer bzip2 algorithm says that it is faster than gzip. For reasons explained by Copeland and Haemer, the zip algorithm is less efficient than gzip.On Solaris, I’ve had trouble running gzip and bzip2 on larger files. bzip2 has given me bzip2: Input file yourfile.sas7bdat doesn’t exist, skipping. and gzip has told me yourfile.sas7bdat: Value too large for defined data type returning an exit status of 1, indicating an error. Unlike gzip, zip,andbzip2, compress is large file aware. So for the last two years, I’ve stuck with the compress algorithm and successfully compressed every file. An even newer compression tool named rzip may be found on some systems(Zawodny). Accordingtothemanpageforcompress on Solaris, compress uses ”adaptive Lempel-Ziv coding”. The SAS doc says that SAS COMPRESS=CHAR uses run length-encoding while SAS COMPRESS=BINARY uses both run-length encoding and sliding window compression. here SAS compression has been used, SAS logs may contain an authoritative NOTE such as the one I found after running a SAS program. NOTE: Compressing data set BIGSPACE.UNCH0 decreased size by 12.71 percent. 3 NESUG 17 Administration & Support Actually, SAS only estimates the percent change in file size resulting from SAS compression (Thacher). When I looked at the file size with the shell command ls -l, I saw that SAS COMPRESS=CHAR reduced the file size by nearly 18 percent. The reported increase in size resulting from SAS COMPRESS=BINARY was 16.31 percent but the increase in file size found by running the ls -l command was under 10 percent. While this difference surely isn’t important in daily work, it may be of interest in compression benchmarking. In this paper, all measures of file size were obtained from Solaris not SAS.
Recommended publications
  • Table of Contents Modules and Packages
    Table of Contents Modules and Packages...........................................................................................1 Software on NAS Systems..................................................................................................1 Using Software Packages in pkgsrc...................................................................................4 Using Software Modules....................................................................................................7 Modules and Packages Software on NAS Systems UPDATE IN PROGRESS: Starting with version 2.17, SGI MPT is officially known as HPE MPT. Use the command module load mpi-hpe/mpt to get the recommended version of MPT library on NAS systems. This article is being updated to reflect this change. Software programs on NAS systems are managed as modules or packages. Available programs are listed in tables below. Note: The name of a software module or package may contain additional information, such as the vendor name, version number, or what compiler/library is used to build the software. For example: • comp-intel/2016.2.181 - Intel Compiler version 2016.2.181 • mpi-sgi/mpt.2.15r20 - SGI MPI library version 2.15r20 • netcdf/4.4.1.1_mpt - NetCDF version 4.4.1.1, built with SGI MPT Modules Use the module avail command to see all available software modules. Run module whatis to view a short description of every module. For more information about a specific module, run module help modulename. See Using Software Modules for more information. Available Modules (as
    [Show full text]
  • An Optimal Real-Time Controller for Vertical Plasma Stabilization N
    1 An optimal real-time controller for vertical plasma stabilization N. Cruz, J.-M. Moret, S. Coda, B.P. Duval, H.B. Le, A.P. Rodrigues, C.A.F. Varandas, C.M.B.A. Correia and B. Gonc¸alves Abstract—Modern Tokamaks have evolved from the initial ax- presents important advantages since it allows the creation isymmetric circular plasma shape to an elongated axisymmetric of divertor plasmas, the increase of the plasma current and plasma shape that improves the energy confinement time and the density limit as well as providing plasma stability. However, triple product, which is a generally used figure of merit for the conditions needed for fusion reactor performance. However, the an elongated plasma is unstable due to the forces that pull elongated plasma cross section introduces a vertical instability the plasma column upward or downward. The result of these that demands a real-time feedback control loop to stabilize forces is a plasma configuration that tends to be pushed up or the plasma vertical position and velocity. At the Tokamak down depending on the initial displacement disturbance. For Configuration Variable (TCV) in-vessel poloidal field coils driven example, a small displacement downwards results in the lower by fast switching power supplies are used to stabilize highly elongated plasmas. TCV plasma experiments have used a PID poloidal field coils pulling the plasma down, with increased algorithm based controller to correct the plasma vertical position. strength as the plasma gets further from the equilibrium posi- In late 2013 experiments a new optimal real-time controller was tion. To compensate this instability, feedback controllers have tested improving the stability of the plasma.
    [Show full text]
  • Aligning Intent and Behavior in Software Systems: How Programs Communicate & Their Distribution and Organization
    © 2020 William B. Dietz ALIGNING INTENT AND BEHAVIOR IN SOFTWARE SYSTEMS: HOW PROGRAMS COMMUNICATE & THEIR DISTRIBUTION AND ORGANIZATION BY WILLIAM B. DIETZ DISSERTATION Submitted in partial fulfillment of the requirements for the degree of Doctor of Philosophy in Computer Science in the Graduate College of the University of Illinois at Urbana-Champaign, 2020 Urbana, Illinois Doctoral Committee: Professor Vikram Adve, Chair Professor John Regehr, University of Utah Professor Tao Xie Assistant Professor Sasa Misailovic ABSTRACT Managing the overwhelming complexity of software is a fundamental challenge because complex- ity is the root cause of problems regarding software performance, size, and security. Complexity is what makes software hard to understand, and our ability to understand software in whole or in part is essential to being able to address these problems effectively. Attacking this overwhelming complexity is the fundamental challenge I seek to address by simplifying how we write, organize and think about programs. Within this dissertation I present a system of tools and a set of solutions for improving the nature of software by focusing on programmer’s desired outcome, i.e. their intent. At the program level, the conventional focus, it is impossible to identify complexity that, at the system level, is unnecessary. This “accidental complexity” includes everything from unused features to independent implementations of common algorithmic tasks. Software techniques driving innovation simultaneously increase the distance between what is intended by humans – developers, designers, and especially the users – and what the executing code does in practice. By preserving the declarative intent of the programmer, which is lost in the traditional process of compiling and linking and building software, it is easier to abstract away unnecessary details.
    [Show full text]
  • Volume 5: DAF Variable Detail Pages
    Anc hor Volume 5: DAF Variable Detail Pages August 2020 Submitted to: Social Security Administration Office of Retirement and Disability Policy Office of Research, Demonstration, and Employment Support Washington, DC 20024-2796 Project Officers: Paul O’Leary and Debra Tidwell-Peters Contract Number: SS00-16-60003 Submitted by: Mathematica 1100 1st Street, NE 12th Floor Washington, DC 20002-4221 Telephone: (202) 484-9220 Facsimile: (202) 863-1763 Project Director: Jody Schimmel Hyde Reference Number: 50214.Y3.T05.530.360 Suggested Citation: “Disability Analysis File 2018 (DAF18) Documentation: Data from January 1994 through December 2018.” Washington, DC: Mathematica, August 2020. This page has been left blank for double-sided copying. MATHEMATICA CONTENTS GLOSSARY .................................................................................................................................................. .v OVERVIEW OF DAF DOCUMENTATION ................................................................................................... .ix QUICK REFERENCE GUIDE ....................................................................................................................... 1 PART A DAF VARIABLE DETAIL PAGES .................................................................................................. 7 PART B RSA VARIABLE DETAIL PAGES .............................................................................................. 635 iii This page has been left blank for double-sided copying. MATHEMATICA GLOSSARY AB Accelerated
    [Show full text]
  • Kafl: Hardware-Assisted Feedback Fuzzing for OS Kernels
    kAFL: Hardware-Assisted Feedback Fuzzing for OS Kernels Sergej Schumilo1, Cornelius Aschermann1, Robert Gawlik1, Sebastian Schinzel2, Thorsten Holz1 1Ruhr-Universität Bochum, 2Münster University of Applied Sciences Motivation IJG jpeg libjpeg-turbo libpng libtiff mozjpeg PHP Mozilla Firefox Internet Explorer PCRE sqlite OpenSSL LibreOffice poppler freetype GnuTLS GnuPG PuTTY ntpd nginx bash tcpdump JavaScriptCore pdfium ffmpeg libmatroska libarchive ImageMagick BIND QEMU lcms Adobe Flash Oracle BerkeleyDB Android libstagefright iOS ImageIO FLAC audio library libsndfile less lesspipe strings file dpkg rcs systemd-resolved libyaml Info-Zip unzip libtasn1OpenBSD pfctl NetBSD bpf man mandocIDA Pro clamav libxml2glibc clang llvmnasm ctags mutt procmail fontconfig pdksh Qt wavpack OpenSSH redis lua-cmsgpack taglib privoxy perl libxmp radare2 SleuthKit fwknop X.Org exifprobe jhead capnproto Xerces-C metacam djvulibre exiv Linux btrfs Knot DNS curl wpa_supplicant Apple Safari libde265 dnsmasq libbpg lame libwmf uudecode MuPDF imlib2 libraw libbson libsass yara W3C tidy- html5 VLC FreeBSD syscons John the Ripper screen tmux mosh UPX indent openjpeg MMIX OpenMPT rxvt dhcpcd Mozilla NSS Nettle mbed TLS Linux netlink Linux ext4 Linux xfs botan expat Adobe Reader libav libical OpenBSD kernel collectd libidn MatrixSSL jasperMaraDNS w3m Xen OpenH232 irssi cmark OpenCV Malheur gstreamer Tor gdk-pixbuf audiofilezstd lz4 stb cJSON libpcre MySQL gnulib openexr libmad ettercap lrzip freetds Asterisk ytnefraptor mpg123 exempi libgmime pev v8 sed awk make
    [Show full text]
  • Pipenightdreams Osgcal-Doc Mumudvb Mpg123-Alsa Tbb
    pipenightdreams osgcal-doc mumudvb mpg123-alsa tbb-examples libgammu4-dbg gcc-4.1-doc snort-rules-default davical cutmp3 libevolution5.0-cil aspell-am python-gobject-doc openoffice.org-l10n-mn libc6-xen xserver-xorg trophy-data t38modem pioneers-console libnb-platform10-java libgtkglext1-ruby libboost-wave1.39-dev drgenius bfbtester libchromexvmcpro1 isdnutils-xtools ubuntuone-client openoffice.org2-math openoffice.org-l10n-lt lsb-cxx-ia32 kdeartwork-emoticons-kde4 wmpuzzle trafshow python-plplot lx-gdb link-monitor-applet libscm-dev liblog-agent-logger-perl libccrtp-doc libclass-throwable-perl kde-i18n-csb jack-jconv hamradio-menus coinor-libvol-doc msx-emulator bitbake nabi language-pack-gnome-zh libpaperg popularity-contest xracer-tools xfont-nexus opendrim-lmp-baseserver libvorbisfile-ruby liblinebreak-doc libgfcui-2.0-0c2a-dbg libblacs-mpi-dev dict-freedict-spa-eng blender-ogrexml aspell-da x11-apps openoffice.org-l10n-lv openoffice.org-l10n-nl pnmtopng libodbcinstq1 libhsqldb-java-doc libmono-addins-gui0.2-cil sg3-utils linux-backports-modules-alsa-2.6.31-19-generic yorick-yeti-gsl python-pymssql plasma-widget-cpuload mcpp gpsim-lcd cl-csv libhtml-clean-perl asterisk-dbg apt-dater-dbg libgnome-mag1-dev language-pack-gnome-yo python-crypto svn-autoreleasedeb sugar-terminal-activity mii-diag maria-doc libplexus-component-api-java-doc libhugs-hgl-bundled libchipcard-libgwenhywfar47-plugins libghc6-random-dev freefem3d ezmlm cakephp-scripts aspell-ar ara-byte not+sparc openoffice.org-l10n-nn linux-backports-modules-karmic-generic-pae
    [Show full text]
  • Systems Cost/Performance Analysis (Study 2.3) Final Report
    AEROSPffE REPORT NO. AZ "'14(7343)-1, VOL III Systems Cost/Performance Analysis (Study 2.3) Final Report Volume IH: Programmer's Manual and User's Guide Prepared by V'< ADVANCED MISSION ANALYSIS DIRECTORATE Advanced Orbital Systems Division 27 September 1974 Prepared for OFFICE OF MANNED SPACE FLIGHT NATIONAL AERONAUTICS AND SPACE ADMINISTRATION Washington, D.C. 20546 Contract No. NASW-2575 Systems Engineering Operations THE AEROSPACE CORPORATION .(NASA-C-lP3377) SYSTEMS COSr/PERFORACE N75-309211 ANALYSIS (STUDY 2.3). VOLUME 3: IPROG AMER'S MANUAL AND USER'S GUIDE Final Report (Aerospace Corp., El Segundo, Calif.) Unclas 592 p HC $13.25 CSCL 05A G3/8-1 34377 ) Aerospace Report No. ATR-74(7343)-I, Vol, III SYSTEMS COST/PERFORMANCE ANALYSIS (STUDY 2. 3) FINAL REPORT Volume III: Programmer's Manual and User's Guide Prepared by Advanced Mission Analysis Directorate Advanced Orbital Systems Division Z7 September 1974 Systems Engineering Operations THE AEROSPACE CORPORATION El Segundo, California Prepared for OFFICE OF MANNED SPACE FLIGHT NATIONAL AERONAUTICS AND SPACE ADMINISTRATION Washington, D. C. Contract No. NASW-2575 PAGE INTENTIONALLY BLANK Aerospace Report No. ATR-74(7343)-I, Vol. III SYSTEMS COST/PERFORMANCE ANALYSIS (STUDY 2. 3) FINAL REPORT Volume III: Programmer's Manual and User's Guide Prepared R *F.OJ , Man e Data Sys ems An sis Section Data Processing Subdivision Approved L. Sashkin, Director R. H. Herndon, Assoc. Group Data Processing Subdivision Director Information Processing Division Advanced Mission Analysis Engineering Science Operations Directorate Advanced Orbital Systems Division PRECEDING PAGE-iii- BLANK NOT FILMED PAGE INTENTIONALLY BLANK FOREWORD This report documents The Aerospace Corporation effort on Study 2.3, Systems Cost/Perfbrmance Analysis, performed under NASA Contract NASW-2575 during Fiscal Year 1974.
    [Show full text]
  • Porovnání Komprimaˇcních Program ˚U Na Textových Korpusech
    MASARYKOVA UNIVERZITA FAKULTA}w¡¢£¤¥¦§¨ INFORMATIKY !"#$%&'()+,-./012345<yA| Porovnání komprimaˇcních program ˚una textových korpusech BAKALÁRSKÁˇ PRÁCE Jakub Foltas Brno, 2014 Prohlášení Prohlašuji, že tato bakaláˇrskápráce je mým p ˚uvodnímautorským dílem, které jsem vypracoval samostatnˇe.Všechny zdroje, prameny a literaturu, které jsem pˇrivypracování používal nebo z nich ˇcerpal, v práci ˇrádnˇecituji s uvedením úplného odkazu na pˇríslušnýzdroj. Jakub Foltas Vedoucí práce: RNDr. Miloš Jakubíˇcek ii Podˇekování Chtˇelbych podˇekovatvedoucímu mé bakaláˇrské práce RNDr. Mi- loši Jakubíˇckoviza odborné vedení, cenné rady a trpˇelivost,kterou se mnou mˇel.Také bych rád podˇekovalsvé rodinˇea pˇrátel˚umza podporu, kterou mi v dobˇepsaní bakaláˇrsképráce poskytovali. iii Shrnutí Bakaláˇrskápráce se zabývá porovnáním volnˇedostupných bezeztrá- tových komprimaˇcníchprogram ˚una textových korpusech. Hlavním cílem výzkumu bylo najít vhodný komprimaˇcníprogram, který by nahradil souˇcasnˇepoužívaný program XZ v Laboratoˇripro zpraco- vání pˇrirozeného jazyka pˇriMasarykovˇeuniverzitˇe. Testování na dvou odlišných textových korpusech se podrobilo celkem dvacet volnˇedostupných komprimaˇcníchprogram ˚u.Primár- ním kritériem porovnání byla urˇcenavelikost komprimace. Dále byla porovnávána doba bˇehuprogramu a programové vytížení pamˇeti. Dalším pˇredmˇetemzkoumání byly úˇcinkypˇredzpracováníkorpus ˚u pˇredsamotnou komprimací testovanými programy. Tˇriprogramy dokázaly korektnˇezkomprimovat oba zadané kor- pusy a významnˇepˇredˇcilysouˇcasnˇepoužívaný
    [Show full text]
  • IZO: Applications of Large-Window Compression to Virtual Machine Management
    IZO: Applications of Large-Window Compression to Virtual Machine Management Mark A. Smith, Jan Pieper, Daniel Gruhl, and Lucas Villa Real – IBM Almaden Research Center ABSTRACT The increased use of virtual machines in the enterprise environment presents an interesting new set of challenges for the administrators of today’s information systems. In addition to the management of the sheer volume of easily-created new data on physical machines, VMs themselves contain data that is important to the user of the virtual machine. Efficient storage, transmission, and backup of VM images has become a growing concern. We present IZO, a novel large-window compression tool inspired by data deduplication algorithms, which provides significantly faster and better compression than existing large-window compression tools. We apply this tool to a number of VM management domains, including deep-freeze, backup, and transmission, to more efficiently store, administer, and move virtual machines. Introduction We find this property analogous to the way a suitcase is packed. It is possible to simply stuff all of Virtual machines are becoming an increasingly one’s clothes into a suitcase, sit on the lid, and zip it important tool for reducing costs in enterprise comput- ing. The ability to generate a machine for a task, and up. However, if the clothes are folded first, and then know it has a clean install of a given OS can be an compressed, they will fit in a smaller space in less invaluable time saver. It provides a degree of separa- time. Large-window compression can be thought of as tion that simplifies support (a major cost) as people all the folding step, while small-window gzip style com- get their ‘‘own’’ machines [26].
    [Show full text]
  • Lightning Talk Presentations
    Automated Kaguya TC and MRO CTX Stereo DEM Generation 5th Planetary Data Workshop and 2nd Planetary Science Informatics & Data Analytics Meeting Processing Session 1: June 28, 2021 Lauren A. Adoram-Kershner, [email protected] Ben H. Wheeler, [email protected] Jason R. Laura, [email protected] Robin L. Fergason, [email protected] David P. Mayer, [email protected] Motivation • The volume of stereographic images coupled with manual generation standard means a lot of DEM potential. Figure 2: Distribution of • Targeted generation; not covering full datasets. Kaguya TC stereopairs. • Served across various research institutes applying their own processing. • Difficulty tracing provenance of processing typically contained in separate paper(s). Method: Serving LOLA RDR ASAP-Stereo, Ames Stereo Automated Pipeline A. M. Annex1, K. W. Lewis1. 1Department of Earth and Planetary Sciences, Johns Hopkins University, Baltimore, MD 21218, USA ([email protected]) 1 @AndrewAnnex [email protected] www.andrewannex.com What is ASAP-Stereo? 1. Python Library and CLI, higher-level wrapper for Ames Stereo Pipeline 2. Framework to implement ASP workflows, currently implements “asp_scripts” for HiRISE & CTX with enhancements Why use ASAP-Stereo? 1. Reproducibility with Jupyter Notebooks, avoid ad hoc processing! 2. Speedups over asp_scripts 3. Ease of use, less monitoring 2 @AndrewAnnex [email protected] www.andrewannex.com Try ASAP-Stereo! Welcoming contributions for other instruments! Links: https://asap-stereo.readthedocs.io https://asap-stereo.readthedocs.io/en/main/install.html
    [Show full text]
  • UCLA Electronic Theses and Dissertations
    UCLA UCLA Electronic Theses and Dissertations Title Datacomp: Locally-independent Adaptive Compression for Real-World Systems Permalink https://escholarship.org/uc/item/0c3453tc Author Peterson, Peter Andrew Harrington Publication Date 2013 Peer reviewed|Thesis/dissertation eScholarship.org Powered by the California Digital Library University of California UNIVERSITY OF CALIFORNIA Los Angeles Datacomp: Locally-independent Adaptive Compression for Real-World Systems A dissertation submitted in partial satisfaction of the requirements for the degree Doctor of Philosophy in Computer Science by Peter Andrew Harrington Peterson 2013 © Copyright Peter Andrew Harrington Peterson 2013 ABSTRACT OF THE DISSERTATION Datacomp: Locally-independent Adaptive Compression for Real-World Systems by Peter Andrew Harrington Peterson Doctor of Philosophy in Computer Science University of California, Los Angeles, 2013 Professor Todd Millstein, Co-chair Professor Peter Reiher, Co-chair Typically used to save space, non-lossy data compression can save time and energy during communication if the cost to compress and send data is less than the cost of sending uncompressed data. However, compression can degrade efficiency if it compresses insufficiently or delays the operation significantly, which can depend on many factors. Because predicting the best strategy is risky and difficult, compression (if available) is typically manually controlled, resulting in missed opportunities and avoidable losses. This dissertation describes Datacomp, a general-purpose Adaptive Compression (AC) framework that improves efficiency in terms of time, space and energy for real-world workloads on real-world systems like laptops and smartphones. Prior systems are limited in important ways or rely on external hosts for prediction and compression, reducing their effectiveness or imposing unnecessary dependencies.
    [Show full text]
  • MIGRATORY COMPRESSION Coarse-Grained Data Reordering to Improve Compressibility
    MIGRATORY COMPRESSION Coarse-grained Data Reordering to Improve Compressibility Xing Lin*, Guanlin Lu, Fred Douglis, Philip Shilane, Grant Wallace *University of Utah EMC Corporation Data Protection and Availability Division © Copyright 2014 EMC Corporation. All rights reserved. 1 Overview Compression: finds redundancy among strings within a certain distance (window size) – Problem: window sizes are small, and similarity across a larger distance will not be identified Migratory compression (MC): coarse-grained reorganization to group similar blocks to improve compressibility – A generic pre-processing stage for standard compressors – In many cases, improve both compressibility and throughput – Effective for improving compression for archival storage © Copyright 2014 EMC Corporation. All rights reserved. 2 Background • Compression Factor (CF) = ratio of original / compressed • Throughput = original size / (de)compression time Compressor MAX Window size Techniques gzip 64 KB LZ; Huffman coding bzip2 900 KB Run-length encoding; Burrows-Wheeler Transform; Huffman coding 7z 1 GB LZ; Markov chain-based range coder © Copyright 2014 EMC Corporation. All rights reserved. 3 Background • Compression Factor (CF) = ratio of original / compressed • Throughput = original size / (de)compression time Compressor MAX Window size Techniques gzip 64 KB LZ; Huffman coding bzip2 900 KB Run-length encoding; Burrows-Wheeler Transform; Huffman coding 7z 1 GB LZ; Markov chain-based range coder © Copyright 2014 EMC Corporation. All rights reserved. 4 Background • Compression Factor (CF) = ratio of original / compressed • Throughput = original size / (de)compression time Compressor MAX Window size Techniques Example Throughput vs. CF gzip 64 KB LZ; Huffman coding 14 gzip bzip2 900 KB Run-length encoding; Burrows- 12 Wheeler Transform; Huffman coding 10 (MB/s) 7z 1 GB LZ; Markov chain-based range 8 coder Tput 6 bzip2 4 7z 2 0 Compression 2.0 2.5 3.0 3.5 4.0 4.5 5.0 Compression Factor (X) The larger the window, the better the compression but slower © Copyright 2014 EMC Corporation.
    [Show full text]