Understanding the Potential of Interpreter-Based Optimizations for Python

Total Page:16

File Type:pdf, Size:1020Kb

Understanding the Potential of Interpreter-Based Optimizations for Python Understanding the Potential of Interpreter-based Optimizations for Python UCSB Technical Report #2010-14 August 11, 2010 Nagy Mostafa Chandra Krintz Calin Cascaval David Edelsohn Priya Nagpurkar Peng Wu Computer Science Department IBM T.J.Watson Research Center University of California, Santa Barbara Yorktown Heights, NY {nagy,ckrintz}@cs.ucsb.edu {cascaval,edelsohn,pnagpurkar,pengwu}@us.ibm.com ABSTRACT used for embedded server-side and client-side embedded scripting, The increasing popularity of scripting languages as general pur- respectively; Google uses JavaScript for their desktop applications, pose programming environments calls for more efficient execu- including GMail and Google Docs, while PHP is the most com- tion. Most of these languages, such as Python, Ruby, PHP, and monly used language for writing wiki software [30]. JavaScript are interpreted. Interpretation is a natural implemen- Development frameworks (e.g. Rails for Ruby and PHP tation given the dynamic nature of these languages and interpreter (TRAX), Django for Python, etc.), high level syntax, and language portability has facilitated wide-spread use. In this work, we analyze dynamism (runtime resolution of variable types and extensive use the performance of CPython, a commonly used Python interpreter, of runtime reflection) all play a key role in the use of dynamic lan- to identify major sources of overhead. Based on our findings, we guages for increasingly complex applications. investigate the efficiency of a number of optimizations and explore Although researchers and open source efforts continue to pur- the design options and trade-offs involved. sue ways of dynamically compiling these programs [21, 22, 26, 29, 11, 9], the most popular versions of the distributed runtimes Keywords for dynamic scripting languages employ interpreters for execution. dynamic scripting language, performance profiling, language inter- Interpretation plays a key role in the wide-spread use of these pretation languages – the ease of development facilitates rapid prototyping and language evolution. Moreover, the runtime is architecture- 1. INTRODUCTION independent (e.g., written in C) and thus can be compiled to any system without significant porting effort, as opposed to retreating a Scripting languages such as Python, Ruby, PHP, and JavaScript compiler or JIT system. Even when compilation is an option, dy- have experienced rapid uptake in the commercial sector for soft- namic languages are challenging to compile because types are not ware development and general widespread use in recent years. The known statically, and must be inferred and speculatively translated. popularity of these languages stems from two factors: 1) rapid pro- Interpretation, however, is an inherently inefficient execution en- totyping through high level syntax, language flexibility and dy- gine. The interpreter must decode and dispatch each bytecode namism, and a large collection of frameworks and libraries, thus (compact representation of source instructions). This incurs an enabling programmer productivity; and 2) cross-platform portabil- overhead not present in the execution of native (compiled) code. In ity – interpreters and runtime systems are available on a large num- addition, interpretation of each bytecode is done independent of ev- ber of systems. These features make it easy for non-experts and ery other, resulting in poor code quality compared to code produced experts alike to employ these languages quickly for a wide variety by even the simplest code generator. There has been significant of tasks and to deploy fairly complex applications on a variety of research to identify ways of optimizing the interpretation process platforms. for non-scripting, statically typed, high-level languages (e.g. Java, Many of these languages were originally designed for “script- OCaML), while maintaining the portability of the runtime [23, 17, ing”, i.e., for writing short programs for text processing or as “glue 7, 31]. Such approaches target the interpreter dispatch loop since code” between (or embedded within) modules or components writ- significant time is spent there for these languages. ten in other languages. Recently, they are increasingly employed Modern scripting languages however are very different from for more complex, general-purpose, and self-contained applica- OCaML and Java given their dynamic nature. In this paper, we tions. For example, Python is used in Linux for software pack- show that dispatch optimization provides only minimal benefits to aging and distribution, for peer-to-peer sharing [3] and computer Python programs. We, hence, investigate the primary sources of aided design [8, 19], for cloud computing [10, 5] as well as compu- overhead and based on our findings, we identify and evaluate a set tationally intensive tasks [24]. PHP and JavaScript are commonly of optimizations that target these sources of overhead in an attempt to improve the performance of Python programs. Using caching of attributes to avoid name lookup, elimination of loads/stores to/from the operand stack, and inlining, we are able to extract performance improvement of up to 28%. 2. BACKGROUND Python is a general-purpose high-level object-oriented program- ming language with dynamic typing. There are several implemen- Benchmark Description 9 2to3 A Python 2 to Python 3 translator translating itself 8 django Django Python web framework building a 150x150-cell HTML table 7 html5lib Parse the HTML 5 specification using html5lib 6 pickle Use the pure-Python pickle module to pickle a variety of datasets 5 pybench Run the standard Python PyBench benchmark suite richards The classic Richards benchmark 4 rietveld Macrobenchmark for Django using the Rietveld [20] code review app % 3 spambayes Run a canned mailbox through a SpamBayes [25] ham/spam classifier 2 unpickle Uses the cPickle module to un-serialize a variety of datasets 1 0 Table 1: The Unladen-Swallow Benchmarks -1 tations of the Python language [13, 14, 27]. In this work, we focus on the most widely used reference implementation: CPython [6]. The CPython is a simple implementation of the language written Figure 1: Effect of Direct Threaded Interpretation on CPython in C that is portable and easy to understand and extend. CPython employs switch-based interpretation and a combination of simple reference counting and cycle-detecting garbage collection. It com- DTI is a technique that replaces the opcode of every bytecode piles Python source to high-level type-generic bytecodes that run (upon first execution or ahead-of-time) with the address or label of on a stack-based virtual machine. Being type-generic bytecodes, its handler [1]. This replacement increases the size of each instruc- they must defer associating abstract operations with specific im- tion (and still requires replicated code for decoding at the end of plementations until runtime. This is carried out via a sequence each handler) but reduces the overhead of indirect branches in two of type-checks and indirect-branches which makes bytecode han- ways. (1) For every indirect branch, the number of possible targets dling slower than for statically-typed languages. CPython performs decreases, which enhances target prediction. (2) Any biased rela- name-based late binding on variables and methods (attributes). Ev- tion between opcodes is exploited. Such optimization and others ery Python object has a dictionary (a hash table), that maps at- reduce the overhead of conditional and indirect branches, which tributes names to values. When loading an attribute, a chain of hash are typically hard to predict and are thus costly on modern archi- table lookups are performed on the receiver object and its type and tectures, and proves efficient for statically-typed languages where super-types. Not only attributes are stored in dictionaries, so are the dispatch process is the bottleneck [7, 2]. global variables. Figure 1 shows the effect of Direct-Threaded interpretation on CPython also implements descriptors which are setter/getter ob- CPython performance. On average, there is a small speedup of jects that are used to associate an action with attribute access. 2.5%. For most benchmarks, speedup is around 2% and in one Among these actions is binding methods to objects dynamically at case we actually get a slowdown. This results validates our claim runtime. When a method is loaded from an object dictionary, its de- and shows that bytecode dispatching is not a bottleneck anymore scriptor is found instead which, when invoked, created the method for interpreters with high-level of abstraction. object on-the-fly and binds it to the receiver. To understand, at a high level, where time is being spent in Python programs, we classify the bytecodes into several classes 3. METHODOLOGY based on their actions. For each class, we measure the number To understand the behavior of Python programs, their sources of of bytecodes executed and the percentage of time spent there. The overhead and the impact of interpreter optimizations on CPython, classes we use are as follows: we evaluate the performance of benchmarks out of the Un- Type Resolution and Field Access includes LOAD/STORE_ATTR LOAD/STORE_GLOBAL laden Swallow project [28] which are listed and described in Ta- and . When given LOAD/STORE_ATTR ble 1. These benchmarks exercise common activities found in an attribute name and a receiver object, Python programs including parsing and translation, (de-)serializing perform the necessary work to resolve the attribute name. This datasets, and HTML manipulation. Also included in this list is operation is expensive and involves a number of indirections pybench, which implements a set of microbenchmarks that ex- and dictionary lookups, specially if the attribute lies up in the ercise low level Python activities including function calls, compar- inheritance chain. LOAD/STORE_GLOBAL ison operators, looping constructs, string manipulation, basic arith- perform the same task for global vari- metic, and others [18]. ables. They look for the attribute name in the global dictio- We modified the CPython-2.6 [6] source to collect a variety of nary, if not found they look for it in the builtins dictionary. profiles and to experiment with different optimizations.
Recommended publications
  • Faster Cpython Documentation Release 0.0
    Faster CPython Documentation Release 0.0 Victor Stinner January 29, 2016 Contents 1 FAT Python 3 2 Everything in Python is mutable9 3 Optimizations 13 4 Python bytecode 19 5 Python C API 21 6 AST Optimizers 23 7 Old AST Optimizer 25 8 Register-based Virtual Machine for Python 33 9 Read-only Python 39 10 History of Python optimizations 43 11 Misc 45 12 Kill the GIL? 51 13 Implementations of Python 53 14 Benchmarks 55 15 PEP 509: Add a private version to dict 57 16 PEP 510: Specialized functions with guards 59 17 PEP 511: API for AST transformers 61 18 Random notes about PyPy 63 19 Talks 65 20 Links 67 i ii Faster CPython Documentation, Release 0.0 Contents: Contents 1 Faster CPython Documentation, Release 0.0 2 Contents CHAPTER 1 FAT Python 1.1 Intro The FAT Python project was started by Victor Stinner in October 2015 to try to solve issues of previous attempts of “static optimizers” for Python. The main feature are efficient guards using versionned dictionaries to check if something was modified. Guards are used to decide if the specialized bytecode of a function can be used or not. Python FAT is expected to be FAT... maybe FAST if we are lucky. FAT because it will use two versions of some functions where one version is specialised to specific argument types, a specific environment, optimized when builtins are not mocked, etc. See the fatoptimizer documentation which is the main part of FAT Python. The FAT Python project is made of multiple parts: 3 Faster CPython Documentation, Release 0.0 • The fatoptimizer project is the static optimizer for Python 3.6 using function specialization with guards.
    [Show full text]
  • Pykota Documentation
    PyKota Documentation A full featured Print Quota Solution for CUPS Jérôme Alet C@LL - Conseil Internet & Logiciels Libres 48 Avenue Vincent Arnaud 06300 Nice France Email : [email protected] Phone : +33 (0) 4 93 27 12 98 PyKota Documentation: A full featured Print Quota Solution for CUPS by Jérôme Alet Copyright © 2003, 2004, 2005, 2006 Jerome Alet Abstract This document will describe the setup of the PyKota Print Quota system for the Common UNIX Printing System, and its day-to-day use. Legal Notice This documentation is licensed under the terms of the GNU General Public License as described below. This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. A copy of the entire license is included in the section entitled "GNU General Public License". In case you encounter any problem, please contact Jérôme Alet (mailto:[email protected]) , author of the present document. $Date: 2006-12-03 11:50:20 +0100 (dim, 03 déc 2006) $ $Revision: 2422 $ Table of Contents 1.
    [Show full text]
  • Writing a Custom Rpython-Based DSL Interpreter to Solve Pdes
    Sean Fisk, Grand Valley State University Advisor: Davide Del Vento, NCAR SIParCS 2013 1 Huh? • DSL: domain-specific language – Often a programming language • PDE: partial differential equation – Relates rate of change to continuous variables – Can be solved analytically or numerically • RPython – A specialized version of Python used for writing interpreters SIParCS 2013 2 Goal Design and build a simple programming language to implement finite difference using stencils. SIParCS 2013 3 Finite Difference • A way to solve partial differential equations • Frequently used in weather simulations • Specify a grid, a transformation matrix (stencil), and time step SIParCS 2013 4 Stencils – A Simple Example Matrix to transform (M) Stencil (S) Transformed Matrix Other cells use a wrap-around. SIParCS 2013 5 Stencils – End Result Matrix to transform Stencil Transformed matrix SIParCS 2013 6 Stencil Language Instruction Action STO Rx V Store a value in register Rx ADD Rx V Add value V to register Rx PR Rx Print value in register Rx CMX Mx A B Create matrix Mx with dimension (A, B) SMX Mx … Set values of Mx with A × B arguments SMXF Mx “filename” Set values of Mx from file “filename” PMX Mx Print matrix Mx PDE Mx My Apply stencil Mx to My and store result in My BNE Rx V L Branch to relative location L if Rx ≠ V • Registers use integers • Matrices use real numbers (floats) • Matrices must have odd dimensions SIParCS 2013 7 Sample Program # Create matrices CMX 0 3 3 SMXF 0 "sample-programs/matrices/stencil" CMX 1 3 3 SMXF 1 "sample-programs/matrices/psi"
    [Show full text]
  • Benchmarking Python Interpreters
    DEGREE PROJECT IN COMPUTER SCIENCE AND ENGINEERING 300 CREDITS, SECOND CYCLE STOCKHOLM, SWEDEN 2016 Benchmarking Python Interpreters MEASURING PERFORMANCE OF CPYTHON, CYTHON, JYTHON AND PYPY ALEXANDER ROGHULT KTH ROYAL INSTITUTE OF TECHNOLOGY SCHOOL OF COMPUTER SCIENCE AND COMMUNICATION Benchmarking Python Interpreters Measuring Performance of CPython, Cython, Jython and PyPy ALEXANDER ROGHULT Master’s Thesis in Computer Science School of Computer Science and Communication(CSC) Royal Institute of Technology, Stockholm Supervisor: Douglas Wikström Examiner: Johan Håstad Abstract For the Python programming language there are several different interpreters and implementations. In this thesis project the performance regarding execution time is evalu- ated for four of these; CPython, Cython, Jython and PyPy. The performance was measured in a test suite, created dur- ing the project, comprised of tests for Python dictionaries, lists, tuples, generators and objects. Each test was run with both integers and objects as test data with varying prob- lem size. Each test was implemented using Python code. For Cython and Jython separate versions of the test were also implemented which contained syntax and data types specific for that interpreter. The results showed that Jython and PyPy were fastest for a majority of the tests when running code with only Python syntax and data types. Cython uses the Python C/API and is therefore dependent on CPython. The per- formance of Cython was therefore often similar to CPython. Cython did perform better on some of the tests when using Cython syntax and data types, as it could therefore de- crease its reliance to CPython. Each interpreter was able to perform fastest on at least one test, showing that there is not an interpreter that is best for all problems.
    [Show full text]
  • Pypy's Approach to Virtual Machine Construction
    PyPy’s Approach to Virtual Machine Construction Armin Rigo Samuele Pedroni Heinrich-Heine-Universitat¨ Dusseldorf¨ AB Strakt Institut fur¨ Informatik Norra Agatan˚ 10A Universitatsstraße¨ 1 416 64 Goteborg¨ D-40225 Dusseldorf¨ Sweden Deutschland [email protected] [email protected] Abstract in use by writing three versions of his virtual machine: for C/Posix, The PyPy project seeks to prove both on a research and a practical for Java, and for CLI/.NET. This is, at least, the current situation of level the feasibility of constructing a virtual machine (VM) for a the Python programming language, where independent volunteers dynamic language in a dynamic language – in this case, Python. have developed and are now maintaining Java and .NET versions The aim is to translate (i.e. compile) the VM to arbitrary target of Python, which follow the evolution of the “official” C version environments, ranging in level from C/Posix to Smalltalk/Squeak (CPython). via Java and CLI/.NET, while still being of reasonable efficiency However, we believe that platform standardization does not within these environments. have to be a necessary component of this equation. We are basically A key tool to achieve this goal is the systematic reuse of the using the standard “meta-programming” argument: if one could Python language as a system programming language at various write the VM at a sufficiently high level of abstraction in a language levels of our architecture and translation process. For each level, supporting such level, then the VM itself could be automatically we design a corresponding type system and apply a generic type translated to any lower-level platform.
    [Show full text]
  • Latest/Gc Info.Html
    Faster CPython Documentation Release 0.0 Victor Stinner Mar 17, 2021 Contents 1 CPython Garbage Collection3 2 Tracing GC for CPython 13 3 Projects to optimize CPython 3.7 17 4 Projects to optimize CPython 3.6 19 5 Notes on Python and CPython performance, 2017 23 6 FAT Python 27 7 Everything in Python is mutable 33 8 Optimizations 37 9 Python bytecode 43 10 Python C API 45 11 AST Optimizers 47 12 Register-based Virtual Machine for Python 49 13 Read-only Python 57 14 History of Python optimizations 63 15 Misc 65 16 Kill the GIL? 71 17 Implementations of Python 73 18 Benchmarks 75 19 Random notes about PyPy 77 20 Talks 79 i 21 Links 81 ii Faster CPython Documentation, Release 0.0 Contents: Contents 1 Faster CPython Documentation, Release 0.0 2 Contents CHAPTER 1 CPython Garbage Collection See also Tracing GC for CPython. 1.1 Terminology • GC: garbage collection, i.e. automatic freeing of unused memory • GIL: the CPython global interpreter lock (prevents multiple threads from corrupting things). • RC: a reference counting GC or the reference count for an object • Tracing: tracing based GC. A tracing GC works by starting from roots, following object references to determine all alive objects. • Mark and Sweep (M&S): a form of tracing GC. It is one of the older methods and without elaborations doesn’t work well for large programs (collection time is O(n) where n is heap size). • Root: In tracing collection, an object pointer that is followed to determine which objects are alive.
    [Show full text]
  • 1 Introduction
    Representation-based Just-in-time Specialization and the Psyco prototype for Python Armin Rigo Abstract. A powerful application of specialization is to remove interpretative overhead: a language can be implemented with an interpreter, whose performance is then improved by specializing it for a given program source. This approach is only moderately successful with very dynamic languages, where the outcome of each single step can be highly dependent on run-time data. We introduce in the present paper two novel specialization techniques and discuss in particular their potential to close the performance gap between dynamic and static languages: Just-in-time specialization, or specialization by need, introduces the \unlifting" ability for a value to be promoted from run-time to compile-time during specialization { the converse of the lift operator of partial evaluation. Its presence gives an unusual and powerful perspective on the specialization process. Representations are a generalization of the traditional specialization domains, i.e. the compile-time/run-time dichotomy (also called static/dynamic, or \variables known at specialization time"/\variables only known at run time"). They provide a theory of data specialization. These two techniques together shift some traditional problems and limitations of specialization. We present the prototype Psyco for the Python language. 1 Introduction Most programming languages can be implemented by interpretation, which is a generally relatively simple and clear approach. The drawback is efficiency. Some languages are designed to lead themselves naturally to more efficient ex- ecution techniques (typically static compilation). Others require more involved techniques. We present in the following a technique at the intersection of on-line partial evaluation and just-in-time compilation.
    [Show full text]
  • Programming with Python
    pythonTM a programming language changes the world Vol. I Case Studies & Success Stories 2nd Edition Turbocharged 2 Programming with Python Software quality is a vital ingredient to success in A comprehensive standard library and thousands of industry and science. Ubiquitous IT systems control additional libraries in the Python Package Index provide the business processes of the global economy. developers with high-quality solutions which they can Increasingly powerful computers and sophisticated easily integrate into their applications to meet virtually algorithms provide the platform for new scientific any requirement. discoveries. And global communication is inconceiv- In this way, Python frees up vast resources, which can be able without intelligent software. earmarked for more productive use elsewhere. In the race for customers, the pole position belongs to those who get to market faster than their competitors. Better and more creative solutions combined with the ability to respond instantly to new challenges drive the race. Writing secure and reliable programs in The Master Key for a fraction of the time normally required gets you first across the finish line. System Integration Python offers unique benefits for system integration. On the one hand, there are huge numbers of Python libraries, with The Programming Language which virtually any third-party system can be integrated. On the other hand, the libraries of many other programming of the Agile Era languages can also be used in Python. Once they have been programmed, Python applications can Agility is the hallmark of our times and Python is the pro- run on all operating systems for which a Python interpreter gramming language of the agile era.
    [Show full text]
  • Hovedoppgave-Ekornholmen.Pdf (9.180Mb)
    Nye forestilte fellesskap? En studie av relasjoner mellom mennesker som møtes i vIRCeligheten Anne Ekornholmen Hovedoppgave ved Institutt for medievitenskap Universitetet i Bergen mai 2000 Forord What sort of relationship is formed between people who experience each other only through electronic media (Meyrowitz 1985:119)? Utgangspunktet for oppgaven var dette spørsmålet fra boka No Sense of Place. Nysgjerrigheten ble vakt, samtidig som ambisjonene begynte å spire; disse teoriene bør prøves ut på studier av Internett. I etterkant av arbeidet med denne oppgaven har jeg ikke lenger tall på alle historiene jeg har blitt fortalt underveis, om kjærester som møttes på nettet, om entusiaster som har reist til USA, Paris og Sverige for å treffe en de bare kjente via tastaturet. Flere av hovedpersonene i historiene trodde ikke selv at slike relasjoner var mulig før de opplevde det, og også jeg startet som skeptiker. Men alle fortellingene ’fra virkeligheten’ ga meg tro på at det er et uutforsket område for sosiale forbindelser på nettet. En stor takk går derfor til alle som har spurt, fortalt og diskutert problemstillingen med meg i løpet av de siste par årene. Jeg er glad dere ikke slo dere til ro med min énsetnings-variant, når dere lurte på hva jeg egentlig skrev om. Det har gitt meg mange viktige innspill underveis. De utrolig positive informantene mine fortjener mange slags takk. Uten deres refleksjoner og erfaringer omkring dette trivielle og mystiske temaet, hadde jeg stått og stampet i døde, elektroniske tekster. Takk også til veileder Karl Knapskog for all oppfølging. Han fikk meg til å tro at det var mulig å gjennomføre prosjektet på normert tid.
    [Show full text]
  • Prototyping Go's Select in Stackless Python with Stackless.Py
    Prototyping Go’s Select in Stackless Python with Stackless.py 1st draught Andrew Francis Montreal Python #13 April 26th, 2010 [email protected] May 3rd, Notes • Based on early feedback, I am going to change the structure of this talk somewhat. • The title will change to: – Prototyping Go’s Select for Stackless Python with Stackless.py Purpose • Illustrate how PyPy’s stackless.py module can be used to prototype new Stackless Python features. • The example is the Select statement in the Go Language. What You Should Take Away? • A basic knowledge of Stackless Python concepts and exposure to its API. • The power of Python to quickly prototype concepts. – Sometimes a prototype illustrates the infeasibility of a concept. – “fearless programming” i., typeless, referenceless, clutterless …. Motivation • Masha Rabinovich: Go's microthreads and channels are only partially exposed to the programmer, and in a very limited way. In order to make them usable you need select. In Stackless, you do not need select and in fact, there has been no demand for anything like it. Taken from Richard Tew’s “Stuff What I Posted http://posted-stuff.blogspot.com/2009/11/comparing-go-and-stackless- python.html Why Go? Brief Overview Section Two Basics • Tasklets – Light weight threads that execute in user space. – Low over head – Fast context switching • Channels – Used for concurrency and communications. – Rendezvous semantics Stackless Example import stackless def reader(channel): print "entering reader " print channel.receive() print "exiting reader" def writer(channel):
    [Show full text]
  • Open Source Compliance Document
    Medigate Tech Ltd. (“Medigate”) OPEN SOURCE SOFTWARE TERMS The following third party software and third party open source software components are provided by Medigate in conjunction with the Medigate software. Each component is subject to its terms and conditions, as set forth below. Apache License, Version 2.0 Licensed under the Apache License, Version 2.0 (the “License”); you may not use this file except in compliance with the License. You may obtain a copy of the License at: http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an “AS IS” BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. Full license terms are available below. # Component Name Link to License Link to Source Copyright notice Code 1. rsa-3.4.2-py2.py3-none-any.whl http://www.apache.org/licenses/LI https://github.com Copyright 2011 Sybren A. Stüvel The component is licensed under Apache CENSE-2.0 /sybrenstuvel/pyth <[email protected]>. and Amazon license. The Company has on-rsa/ elected to use Apache v.2. 2. pykerberos-1.2.1.tar.gz http://www.apache.org/licenses/LI https://github.com Copyright (c) 2006-2013 Apple The component is licensed under Apache CENSE-2.0 /02strich/pykerber Inc. All rights reserved. and Amazon license. The Company has os elected to use Apache v.2. 3. pyOpenSSL-19.0.0-py2.py3-none- http://www.apache.org/licenses/LI https://github.com Copyright (C) Jean-Paul Calderone any.whl CENSE-2.0 /pyca/pyopenssl/tr 2008-2015, All rights reserved.
    [Show full text]
  • Programming with Python
    pythonTM a programming language changes the world Content is ready... NOW we need the final support by additional sponsors to produce and distribute. Ad Sponsorship The production of the brochure will Don’t miss your chance to present image brochure – space is limited ! ReferenceAd Sponsorship Entry WithThe produ the referencection of theenry brochure sponsorship will you can support the production too! Don’t miss your chance to present image brochurebrochure – space is limited ! ! Final Production Content Case Studies & Success Stories Vol. I Turbocharged Programming with Python Software quality is a vital ingredient to success in A comprehensive standard library and thousands of industry and science. Ubiquitous IT systems control additional libraries in the Python Package Index provide the business processes of the global economy. developers with high-quality solutions which they can Increasingly powerful computers and sophisticated easily integrate into their applications to meet virtually algorithms provide the platform for new scientific any requirement. discoveries. And global communication is inconceiv- In this way, Python frees up vast resources, which can be able without intelligent software. earmarked for more productive use elsewhere. In the race for customers, the pole position belongs to those who get to market faster than their competitors. Better and more creative solutions combined with the ability to respond instantly to new challenges drive the race. Writing secure and reliable programs in The Master Key for a fraction of the time normally required gets you first across the finish line. System Integration Python offers unique benefits for system integration. On the one hand, there are huge numbers of Python libraries, with The Programming Language which virtually any third-party system can be integrated.
    [Show full text]