Component Deployment with Planet You Want It Where?

Total Page:16

File Type:pdf, Size:1020Kb

Component Deployment with Planet You Want It Where? Component Deployment with PLaneT You Want it Where? Jacob Matthews University of Chicago [email protected] Abstract install it if necessary. Effectively, programmers get to treat every For the past two years we have been developing PLaneT, a pack- library, even those they write themselves, as a standard library, age manager built into PLT Scheme’s module system that simplifies giving them the advantages of libraries without the pain of library program development by doing away with the distinction between deployment. installed and uninstalled packages. In this paper we explain how Since PLaneT retrieves packages from a centralized reposi- PLaneT works and the rationales behind our major design choices, tory, it also establishes a component marketplace for developers; focusing particularly on our decision to integrate PLaneT into PLT it serves as a one-stop shop where they can publish their own pro- Scheme and the consequences that decision had for PLaneT’s de- grams and discover useful programs written by others. In effect, sign. We also report our experience as PLaneT users and developers PLaneT is an infrastructure that transforms PLT Scheme’s effec- and describe what have emerged as PLaneT’s biggest advantages tive standard library from a monolithic cathedral development ef- and drawbacks. fort into a bazaar where anyone can contribute and the most use- ful libraries rise to the top, buoyed by their quality and usefulness rather than an official blessing [11]. This bazaar-like development 1. Introduction reinforces itself to the benefit of all PLT Scheme users: in the two No matter how great your programming language is, it is always years since PLaneT has been included in PLT Scheme, users have harder to write a program in it yourself than it is to let someone contributed nearly 300,000 lines of new Scheme code in 115 pack- else write it for you. That is one reason why libraries are a big deal ages. in programming languages, big enough that some languages are In this paper, we explain our experience with building and main- associated as much with their libraries as they are with their core taining PLaneT, with particular attention to PLaneT’s more unusual features (e.g., Java with java.util and C++ with the STL). design features and how they have worked in practice. Section 2 But when you move away from the standard libraries that come sets the stage by briefly introducing some existing component sys- built in to your programming language, you can end up paying a tems such as the Comprehensive Perl Archive Network (CPAN) high price for your convenience. If your program depends on any with particular attention to their deployment strategies. Section 3 libraries, you have to make sure those dependences are installed then uses those other systems to motivate our goals for PLaneT. wherever your program will run. And any dependences those li- The next few sections explain how we tried to achieve those goals: braries have need to be installed too, and any dependences those li- section 4 explains our server design, section 5 explains our client braries have, and so on. If you don’t have any help with this task, it design with particular attention to our choice of integrating com- is often easier to avoid using too many libraries than it is to explain ponent deployment into the language rather than keeping it as an how to install dozens of dependences in a README file. A Scheme external program, section 6 discusses how PLaneT maintains PLT programmer in this situation might reasonably bemoan the fact that Scheme tool support, and section 7 explains a few complications the choice needs to be made: why, in a language like Scheme with we foresaw and tried to address in our design. In section 8 we try to so many great facilities for code reuse, is it so impractical to actu- assess how well our design has stood up over the two years PLaneT ally reuse code? has been in use. In this paper we describe our attempt at addressing that problem by presenting the PLaneT package distribution system built into 2. Some popular component systems PLT Scheme [5], a component-deployment tool that aims to make Before we explain the decisions we made for PLaneT, we need package distribution and installation entirely transparent. To the to explain some background on existing component systems, how extent possible, PLaneT does away with the notion of an uninstalled they work, and some of their pitfalls. The software development package: a developer can use any PLaneT package in a program just community has learned a lot about both the benefits of software by referring to it as though it were already installed, and whenever components and the problems they can cause. Probably the most anyone runs that program, the PLaneT system will automatically famous such problem is so-called “DLL hell,” a term coined to describe what can happen to a Microsoft Windows installation if DLLs (for “dynamically-linked libraries,” a component technol- ogy) are installed incorrectly. Under the DLL system, when a pro- gram wants some functionality from a DLL, it refers to the DLL by name only. This can become a problem because the DLL may evolve over the course of new releases; if two different programs both rely on different versions of the same library, then they cannot Proceedings of the 2006 Scheme and Functional Programming Workshop both be installed on the same system at the same time. Furthermore, University of Chicago Technical Report TR-2006-06 since DLLs have no particular package deployment strategy, soft- 157 ware installers have to install any necessary libraries themselves; The RubyGems system takes the convention a step farther; and if an installer overwrites a DLL it can inadvertently break other their “Rational Versioning Policy,” while not technically required programs, possibly even leading to a situation where the user’s en- of packages, is strongly recommended and explicitly supported by tire system is unusable. Microsoft has addressed this problem in their automatic installation tools. The rational versioning policy re- several ways; the most recent of which is its .NET assembly format, quires that a package’s version should be a dotted triple of numbers which includes metadata that includes versioning information [10]. (e.g., 1.4.2). Incrementing the first number indicates a backwards- Neither of those systems deal with component distribution — it incompatible change, incrementing the second number indicates a is the programmer’s responsibility to figure out some other way to backwards-compatible change that adds features, and an increment locate useful components and to arrange for them to be installed on of the last number indicates an internal change such as a bug-fix users’ computers, and if a user wants to upgrade a component then that should not be visible to users. The automatic installation tools it is up to that user to find and install it. Other component systems use these numbers to decide which version of a package to down- have done work to help with these tasks, though. For instance, load; if a package requests a package of version number at least CPAN [1] is a central repository of Perl libraries and scripts that 2.3.1, then the tool considers version 2.5.0 an acceptable substitute users can download, and tools allow users to install and upgrade but not version 3.4.2. these libraries automatically in some cases (more on this later). All of these systems are in some sense optimistic, because they The Ruby programming language features a similar system called all let a tool decide to substitute one version of a package for RubyGems [12]. Many Unix-like operating systems also feature another, and there is no way to know for certain that the program package distribution systems that address these problems; Debian’s making the request doesn’t depend on some hidden behavior that dpkg system [14], for instance, provides a central repository of differs between the two. Still, in practice this system seems to programs and shared libraries that users can automatically fetch, work out, since most programs are not so deeply tied to the inner install, and upgrade upon request. workings of libraries they depend on that changes to those libraries Since these systems try to do more than DLLs do, they have to will break them. solve more potential problems. The most major of these is that if a tool installs a new component that relies on functionality from other 3. Goals components, the tool must also install appropriate versions of those In 2003 we decided to build a “CPAN for PLT Scheme” called prerequisites if the user does not already have them. Identifying 1 the entire set of uninstalled prerequisites is not too difficult given PLaneT . We wanted our design to keep or improve on the good the right metadata, but automatically deciding what “appropriate” features of existing component systems while removing as many of means in this context is more of a challenge. For a human, the most the undesirable properties of those approaches as we could. Specif- appropriate version of a prerequisite would probably be the one that ically, we wanted to make it very easy for PLaneT to automatically provides all the functionality that the requiring component needs in retrieve and install packages and recursively satisfy dependencies the highest-quality way and has the fewest bugs. But an automatic with the best available packages, while giving package developers tool cannot hope to figure out which package that is, so it needs to as much flexibility as possible. We also wanted to make it easy for simplify the problem somehow.
Recommended publications
  • Automatic Dependency Management for Scientific Applications on Clusters
    Automatic Dependency Management for Scientific Applications on Clusters Ben Tovar, Nicholas Hazekamp, Nathaniel Kremer-Herman, and Douglas Thain btovar,nhazekam,nkremerh,dthain @nd.edu { } Department of Computer Science and Engineering University of Notre Dame Abstract—Software installation remains a challenge in scien- are unprivileged, and multiple incompatible versions may need tific computing. End users require custom software stacks that to exist simultaneously. are not provided through commodity channels. The resulting To address this problem, we present VC3-Builder, a user- effort needed to install software delays research in the first place, and creates friction for moving applications to new resources level system for managing software dependencies across mul- and new users. Ideally, end-users should be able to manage their tiple clusters. VC3-Builder shares some elements of design own software stacks without requiring administrator privileges. with recent systems such as Nix [8] and Spack [10], but it To that end, we describe VC3-Builder, a tool for deploying is more suited for rapid deployment by exploiting pre-existing software environments automatically on clusters. Its primary software where available and using the resources of the cluster application comes in cloud and opportunistic computing, where deployment must be performed in batch as a side effect of job itself to perform parallel and distributed builds. execution. VC3-Builder uses workflow technologies as a means We demonstrate VC3-Builder by several case studies of of exploiting cluster resources for building in a portable way. We complex applications that present a challenge for users to build demonstrate the use of VC3-Builder on three applications with and deploy manually: the MAKER bioinformatics pipeline, the complex dependencies: MAKER, Octave, and CVMFS, building CVMFS distributed filesystem, and the Octave mathematics and running on three different cluster facilities in sequential, parallel, and distributed modes.
    [Show full text]
  • Le 2016-07-20 REQUEST for PROPOSAL DEMANDE DE PROPOSITION
    1 1 RETURN BIDS TO: Title - Sujet RETOURNER LES SOUMISSIONS À: Visually Statistically Intelligent Bid Receiving - PWGSC / Réception des Solicitation No. - N° de l'invitation Date soumissions - TPSGC 45045-140073/C 2016-06-10 11 Laurier St. / 11, rue Laurier Client Reference No. - N° de référence du client Place du Portage, Phase III 000006399 Core 0B2 / Noyau 0B2 GETS Reference No. - N° de référence de SEAG Gatineau PW-$$EE-002-30267 Quebec K1A 0S5 File No. - N° de dossier CCC No./N° CCC - FMS No./N° VME Bid Fax: (819) 997-9776 002ee.45045-140073 Solicitation Closes - L'invitation prend fin Time Zone Fuseau horaire at - à 02:00 PM Eastern Daylight Saving REQUEST FOR PROPOSAL on - le 2016-07-20 Time EDT DEMANDE DE PROPOSITION F.O.B. - F.A.B. Proposal To: Public Works and Government Services Canada Plant-Usine: Destination: Other-Autre: We hereby offer to sell to Her Majesty the Queen in right Address Enquiries to: - Adresser toutes questions à: Buyer Id - Id de l'acheteur of Canada, in accordance with the terms and conditions Gabriel (ee div), Peter 002ee set out herein, referred to herein or attached hereto, the Telephone No. - N° de téléphone FAX No. - N° de FAX goods, services, and construction listed herein and on any (873) 469-4654 ( ) ( ) - attached sheets at the price(s) set out therefor. Destination - of Goods, Services, and Construction: Proposition aux: Travaux Publics et Services Destination - des biens, services et construction: Gouvernementaux Canada Nous offrons par la présente de vendre à Sa Majesté la Reine du chef du Canada, aux conditions énoncées ou Specified Herein incluses par référence dans la présente et aux annexes Précisé dans les présentes ci-jointes, les biens, services et construction énumérés ici sur toute feuille ci-annexée, au(x) prix indiqué(s).
    [Show full text]
  • Linux – Das Umfassende Handbuch 1.430 Seiten, Gebunden, Mit CD, 14
    Know-howWissen, wie’s für geht. Kreative. Leseprobe In dieser Leseprobe erhalten Sie einen Einstieg in die Linux-Welt und erfahren, wie Sie Audio und Video unter Linux nutzen. Dar- über hinaus lernen Sie die Kommandozentrale kennen: die Shell. Außerdem können Sie einen Blick in das vollständige Inhalts- und Stichwortverzeichnis des Buches werfen. »Was ist Linux?« »Installationsgrundlagen« »Audio und Video« »Die Shell« »Software- und Paketverwaltung« Inhaltsverzeichnis Index Der Autor Leseprobe weiterempfehlen Michael Kofler Linux – Das umfassende Handbuch 1.430 Seiten, gebunden, mit CD, 14. Auflage 2015 49,90 Euro, ISBN 978-3-8362-3775-8 www.rheinwerk-verlag.de/3855 “buch” — 2015/11/5 — 21:54 — page 25 — #19 1 Kapitel 1 Was ist Linux? Um die einleitende Frage zu beantworten, erkläre ich in diesem Kapitel zuerst einige wichtige Begriffe, die im gesamten Buch immer wieder verwendet werden: Betriebs- system, Unix, Distribution, Kernel etc. Ein knapper Überblick über die Merkmale von Linux und die verfügbaren Programme macht deutlich, wie weit die Anwendungs- möglichkeiten von Linux reichen. Es folgt ein kurzer Ausflug in die Geschichte von Linux: Sie erfahren, wie Linux entstanden ist und auf welchen Komponenten es basiert. Von zentraler Bedeutung ist dabei natürlich die General Public License (kurz GPL), die angibt, unter welchen Bedingungen Linux weitergegeben werden darf. Erst die GPL macht Linux zu einem freien System, wobei »frei« mehr heißt als einfach »kostenlos«. 1.1 Einführung Linux ist ein Unix-ähnliches Betriebssystem. Der wichtigste Unterschied gegenüber historischen Unix-Systemen besteht darin, dass Linux zusammen mit dem vollstän- digen Quellcode frei kopiert werden darf. Ein Betriebssystem ist ein Bündel von Programmen, mit denen die grundlegend- Betriebssystem sten Funktionen eines Rechners realisiert werden: die Schnittstelle zwischen Mensch und Maschine (also konkret: die Verwaltung von Tastatur, Bildschirm etc.) und die Verwaltung der Systemressourcen (CPU-Zeit, Speicher etc.).
    [Show full text]
  • Strategic Advisory Committee Meeting 29-30 March 2018 Agenda
    Strategic Advisory Committee Meeting 29-30 March 2018 Agenda Room E3450, NSF Building, 2415 Eisenhower Avenue, Alexandria, VA. Thursday, March 29, 2018 8:30 - 9:00 Continental breakfast 09:00 - 10:00 Director’s Report (Mohan Ramamurthy) 10:00 - 10:45 Meeting with AGS Program Directors 10:45 - 11:00 Break 11:00 - Noon Budget Report and Business Development (Terry Mitchell-Sur/Josh Young) Noon - 1:15 Lunch 1:15 - 2:00 NSF Update (Bernard Grant) 2:00- - 2:45 NOAA Climate Program Observations (David Legler) 2:45- 3:00 Break 3:00 - 4:00 Unidata Retreat and next proposal (Mohan Ramamurthy) 4:00 - 4:45 Tour of NSF (Bernard Grant) 4:30 Adjourn 6:00 Collaborative discussion on the day's proceedings over dinner at Delia’s Brick Oven ​ Pizza at 209 Swamp Fox Rd. (A short walk from NSF and hotel) (map) ​ ​ ​ Friday, March 30, 2018 09:00 - 9:30 Administrative Items (Sepi Yalda/Staff) ● Review of Action Items ● Date of Fall meeting 9:30 - 10:00 Harnessing the Data Revolution (Anjuli Bamzai) 10:00 - 10:30 NASA Update (Chris Lynnes) 10:30 - 10:50 Break/Group Photograph (location TBA) 10:50 - 11:20 NOAA Update (Jeff De La Beaujardiere) 11:20 - Noon Users Committee Scope (Josh Young) Noon - 12:30 All Other Business 12:30 - Adjourn Status Report: AWIPS and GEMPAK October 2017 - March 2018 Michael James Questions for Committee Members ● (from the GOES Status Report) Which GOES-16/17 bands and coverages should be ​ converted from netCDF-4 to McIDAS AREA format for GEMPAK/NMAP2? ● What additional data and map resources could be added to AWIPS? AWIPS Unidata continues to maintain an EDEX data server on the Jetstream cloud, serving real-time AWIPS data to CAVE clients and through the python-awips data access framework (API).
    [Show full text]
  • Opensuse Leap 15.3 Start-Up Start-Up Opensuse Leap 15.3
    openSUSE Leap 15.3 Start-Up Start-Up openSUSE Leap 15.3 Publication Date: June 22, 2021 SUSE LLC 1800 South Novell Place Provo, UT 84606 USA https://documentation.suse.com Copyright © 2006– 2021 SUSE LLC and contributors. All rights reserved. Permission is granted to copy, distribute and/or modify this document under the terms of the GNU Free Documentation License, Version 1.2 or (at your option) version 1.3; with the Invariant Section being this copyright notice and license. A copy of the license version 1.2 is included in the section entitled “GNU Free Documentation License”. For SUSE trademarks, see https://www.suse.com/company/legal/ . All other third-party trademarks are the property of their respective owners. Trademark symbols (®, ™ etc.) denote trademarks of SUSE and its aliates. Asterisks (*) denote third-party trademarks. All information found in this book has been compiled with utmost attention to detail. However, this does not guarantee complete accuracy. Neither SUSE LLC, its aliates, the authors nor the translators shall be held liable for possible errors or the consequences thereof. Contents About this guide xi 1 Available documentation xi 2 Improving the documentation xii 3 Documentation conventions xiii 4 Source code xiv 5 Acknowledgments xiv I INSTALLATION 1 1 Installation Quick Start 2 1.1 Welcome to openSUSE Leap 2 Minimum system requirements 2 • Installing openSUSE Leap 2 2 Boot parameters 17 2.1 Using the default boot parameters 17 2.2 PC (AMD64/Intel 64/Arm AArch64) 17 The boot screen on machines equipped with traditional
    [Show full text]
  • Red Hat Enterprise Linux 7 7.8 Release Notes
    Red Hat Enterprise Linux 7 7.8 Release Notes Release Notes for Red Hat Enterprise Linux 7.8 Last Updated: 2021-03-02 Red Hat Enterprise Linux 7 7.8 Release Notes Release Notes for Red Hat Enterprise Linux 7.8 Legal Notice Copyright © 2021 Red Hat, Inc. The text of and illustrations in this document are licensed by Red Hat under a Creative Commons Attribution–Share Alike 3.0 Unported license ("CC-BY-SA"). An explanation of CC-BY-SA is available at http://creativecommons.org/licenses/by-sa/3.0/ . In accordance with CC-BY-SA, if you distribute this document or an adaptation of it, you must provide the URL for the original version. Red Hat, as the licensor of this document, waives the right to enforce, and agrees not to assert, Section 4d of CC-BY-SA to the fullest extent permitted by applicable law. Red Hat, Red Hat Enterprise Linux, the Shadowman logo, the Red Hat logo, JBoss, OpenShift, Fedora, the Infinity logo, and RHCE are trademarks of Red Hat, Inc., registered in the United States and other countries. Linux ® is the registered trademark of Linus Torvalds in the United States and other countries. Java ® is a registered trademark of Oracle and/or its affiliates. XFS ® is a trademark of Silicon Graphics International Corp. or its subsidiaries in the United States and/or other countries. MySQL ® is a registered trademark of MySQL AB in the United States, the European Union and other countries. Node.js ® is an official trademark of Joyent. Red Hat is not formally related to or endorsed by the official Joyent Node.js open source or commercial project.
    [Show full text]
  • Pakete Und Container: Was Uns Flatpak Und Snap Einbringen %Pre %Pre | Whoami 4 2 1 7 8 1 7 0 7 3 / N a I R U a P / S O T O H P / M O C
    Thorsten Leemhuis Pakete und Container: Was uns Flatpak und Snap einbringen %pre %pre |whoami Image: CC BY 2.0 – paurian, https://www.fickr.com/photos/paurian/3707187124 %pre | whoami @Fedora %pre | whoami @Fedora %pre | whoami @work %pre | whoami @work %pre | whoami @work www.heise.de/thema/Kernel_Log %pre | whoami @work %pre | this talk BTW, ja, das geht in dem Tempo weiter (das hier ist Slide #10) %pre | this talk Daher: Fragen aufschreiben! Wir haben viel vor uns %pre | this talk Vorweg ein Wort zum Wort "Container" im Vortragstitel… %pre | this talk %pre | this talk %pre | this talk %pre | this talk im Englischen ein ganz unterschiedlich verwendetes Wort %pre | this talk %pre | this talk Linux-Containern ähnlich vielseitig genutzter Begrif %pre | this talk IOW: Denkt nicht zu viel an Docker- Container! Los jetzt: Was soll das mit Flatpak & Snap Motivation revolutionieren, wie Anwender Programme einrichten Motivation Warum dieser Revolutionsversuch? Motivation Programme einfacher beschafen Motivation Linux attraktiver für Nutzer machen Motivation Programme einfacher vertreiben Motivation Linux attraktiver für Entwickler machen Motivation "Was soll das, Distributionen machen doch einen guten Job" Motivation So einfach ist das nicht; Beispiel: LibreOffice 5.3 Motivation Am 1. Februar erschienen Motivation Unter Windows: Herunterladen, installieren, fertig Motivation Unter Linux? Tja… Motivation Update der Distribution abwarten? Quellcode kompilieren? Pakete aus Copr/PPAs, Backports, Entwicklungszweige? DEB/RPM-Pakete der Software- Herstellers?
    [Show full text]
  • Administrator Guide 6.0 2019.06.19
    Administrator Guide 6.0 2019.06.19 COPYRIGHT AND TRADEMARK NOTICE Copyright 1997-2019 GraphOn Corporation. All Rights Reserved. This document, as well as the software described in it, is a proprietary product of GraphOn, protected by the copyright laws of the United States and international copyright treaties. Any reproduction of this publication in whole or in part is strictly prohibited without the written consent of GraphOn. Except as otherwise expressly provided, GraphOn grants no express or implied right under any GraphOn patents, copyrights, trademarks or other intellectual property rights. Information in this document is subject to change without notice. GraphOn, the GraphOn logo, and GO-Global are trademarks or registered trademarks of GraphOn Corporation in the US and other countries. Microsoft, Windows, Windows NT, Internet Explorer, and Remote Desktop Services are trademarks of Microsoft Corporation in the United States and/or other countries. Linux is a registered trademark of Linus Torvalds. Red Hat is a trademark or registered trademark of Red Hat, Inc. in the United States and other countries. Adobe, Acrobat, and Reader are either registered trademarks or trademarks of Adobe Systems Incorporated in the United States and/or other countries. iPhone, iPad, iPod, Mac, and OS X are registered trademarks of Apple Inc. Portions copyright © 1998-2017 The OpenSSL Project. All rights reserved. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (www.openssl.org). Portions copyright © 1995-1998 Eric Young ([email protected]). All rights reserved. This product includes software written by Eric Young ([email protected]). This product includes software written by Tim Hudson ([email protected]).
    [Show full text]
  • Epiphan AV.Io HD User Guide
    User Guide Epiphan AV.io HD™ January 24, 2018 Release 4.0.0 UG107-09 Terms and conditions This document, the Epiphan web site, and the information contained therein, including but not limited to the text, videos and images as well as Epiphan System Inc.’s trademarks, trade names and logos are the property of Epiphan Systems Inc. and its affiliates and licensors, and are protected from unauthorized copying and dissemination by Canadian copyright law, United States copyright law, trademark law, international conventions and other intellectual property laws. Epiphan, Epiphan Video, Epiphan Systems, Epiphan Systems Inc., and Epiphan logos are trademarks or registered trademarks of Epiphan Systems Inc., in certain countries. All Epiphan product names and logos are trademarks or registered trademarks of Epiphan. All other company and product names and logos may be trademarks or registered trademarks of their respective owners in certain countries. For additional terms and conditions, refer to sections at the end of document. Copyright © 2018 Epiphan Systems Inc. All Rights Reserved. THE SOFTWARE LICENSE AND LIMITED WARRANTY FOR THE ACCOMPANYING PRODUCT ARE SET FORTH IN THE INFORMATION PACKET OR PRODUCT INSTALLATION SOFTWARE PACKAGE THAT SHIPPED WITH THE PRODUCT AND ARE INCORPORATED HEREIN BY REFERENCE. IF YOU ARE UNABLE TO LOCATE THE SOFTWARE LICENSES OR LIMITED WARRANTY, CONTACT YOUR EPIPHAN REPRESENTATIVE FOR A COPY. PRODUCT DESCRIPTIONS AND SPECIFICATIONS REGARDING THE PRODUCTS IN THIS MANUAL ARE SUBJECT TO CHANGE WITHOUT NOTICE. EPIPHAN PERIODICALLY ADDS OR UPDATES THE INFORMATION AND DOCUMENTS ON ITS WEB SITE WITHOUT NOTICE. ALL STATEMENTS, INFORMATION AND RECOMMENDATIONS ARE BELIEVED TO BE ACCURATE AT TIME OF WRITING BUT ARE PRESENTED WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED.
    [Show full text]
  • Generic Software Distribution and Deployment Master
    View metadata, citation and similar papers at core.ac.uk brought to you by CORE provided by NORA - Norwegian Open Research Archives UNIVERSITY OF OSLO Department of Informatics Generic Software Distribution and Deployment Master thesis Arve Knudsen 31st January 2006 Acknowledgments My family and my supervisors Hans Petter Langtangen and Halvard Moe, thank you for keeping your faith in me.A special thanks to Professor Langtangen for providing constant encouragement and invaluable input in this difficult process. Contents Acknowledgments .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. iii Chapter 1. Introduction .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. 1 1.1. A specific problem scenario .. .. .. .. .. .. .. .. .. .. .. .. .. 1 1.1.1. Manual deployment .. .. .. .. .. .. .. .. .. .. .. .. 2 1.1.2. Deployment solutions at our disposal .. .. .. .. .. .. .. 4 1.1.3. Applying PyPkg to the problem .. .. .. .. .. .. .. .. .. 5 1.2. Implementation notes .. .. .. .. .. .. .. .. .. .. .. .. .. .. 6 1.3. Thesis structure .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. 6 Chapter 2. Vision .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. 9 2.1. The current situation .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. 9 2.1.1. Distribution .. .. .. .. .. .. .. .. .. .. .. .. .. .. 9 2.1.2. Deployment .. .. .. .. .. .. .. .. .. .. .. .. .. .. 10 2.1.3. Software directories .. .. .. .. .. .. .. .. .. .. .. .. 11 2.2. The PyPkg vision .. .. .. .. .. .. .. .. .. .. .. .. .. .. .. 11 2.2.1. The conduit concept .. .. .. .. .. .. .. .. .. .. .. .
    [Show full text]
  • Papercut MF 8.5 User Manual Papercut MF 8.5 User Manual
    PaperCut MF 8.5 User Manual PaperCut MF 8.5 User Manual Table of Contents Preface ............................................................................................................xix 1. About This Guide .................................................................................. xix 2. Expectations & Prerequisites ................................................................. xix 3. Terminology used in this document ........................................................ xix 4. Notice ...................................................................................................xx 1. Introduction .................................................................................................... 1 1.1. What is PaperCut MF? ......................................................................... 1 1.1.1. Benefits .................................................................................... 1 1.1.2. Key Features ............................................................................ 1 1.1.3. System Requirements ................................................................ 2 1.2. How does PaperCut MF work? .............................................................. 3 1.2.1. Key Concepts ............................................................................ 3 1.2.2. Understanding the print process flow .......................................... 4 1.2.3. Architecture Overview ................................................................ 7 1.3. The Top-Ten Hidden Features! ............................................................
    [Show full text]
  • Software Privativo Aquel Que Es Distribuido Con Licencia De Uso Y No Se Puede Adaptar Ni Modificar Por El Usuario Por Ej: Windows Y Ios
    SOFTWARE LIBRE Y OPENSOURCE Software privativo Aquel que es distribuido con licencia de uso y no se puede adaptar ni modificar por el usuario por ej: Windows y iOS. Software libre: Es aquel que puede ser modificado por el usuario y se distribuye gratuitamente por ej. Android y Distribuciones basadas en Linux. Puntos clave 1. Costos: es el precio que tienes que pagar por software privativo al contrario con el software libre que es distribuido de manera publica y gratuita. 2. Servicio: el software privativo te ofrece soporte técnico y actualizaciones durante el tiempo de vida del mismo a diferencia del código abierto muchos usuarios trabajan de manera colaborativa para mejorar las actualizaciones y servicios. 3. Seguridad: el software privativo te Obliga a aceptar el nivel de seguridad que el proveedor te ofrece, todo lo contrario con el software libre, el cual es minuciosamente inspeccionado por la comunidad quienes tiene la capacidad de modificar e implementar características extras de seguridad. ¿Cómo Funciona Linux? El sistema operativo Linux sigue un diseño modular que es la clave de sus muchas variaciones y distribuciones. Un cargador de arranque es responsable de iniciar el kernel de Linux. El kernel está en el núcleo del sistema Linux, gestionando el acceso a la red, los procesos de programación o las aplicaciones, administrando dispositivos periféricos básicos, y supervisando los servicios del sistema de archivos. Pero realmente son los muchos los desarrolladores externos y proyectos GNU los que ofrecen funciones de alto nivel al kernel de Linux para proporcionar un sistema operativo completamente realizado. Por ejemplo, hay módulos para proporcionar una interfaz de línea de comandos, implementar una interfaz gráfica de usuario, administrar la seguridad, ofrecer servicios de entrada de video o audio, y muchos otros, cada uno de los cuales puede ser modificado y optimizado para formar distribuciones únicas para tareas específicas.
    [Show full text]