Python. Python. 1 Python. M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
|
|
|
- Rosamond Baker
- 10 years ago
- Views:
Transcription
1 Python 1 Python M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
2 Python makes you fly M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
3 Let s start ipython vs python ipython Note that you have an access to the OS shell ls pwd reverse search: ctrl + R Automatic completion works! use Tab Comments with # Great help use? or help help pow pow? M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
4 ipython II History arrow up (shows previous command in history) arrow down (shows next command in history) po arrow up (shows previous command starting with po) history # (prints the complete recorded history) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
5 Array basics You need numpy import numpy as np Alternatively, you can use (less safe) from numpy import * Several possibilities how to create an array x=np.zeros((20,30)) Creates a 20x30 array of zeros x=np.ones((20,30)) x=np.arange(10) Creates integer arrays with sequential values Starting with 0 x=np.arange(10.) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
6 Array basics II x=np.arange(3,10) x=np.arange(3.,10.,1.5) x=np.array([3.,1.,7.]) Creating arrays form literal arguments x=np.array([[3.,1.][1.,7.]]) Be careful about reals and integers! x=3 y=4 x/y x=3. y=4 x/y Array indexing starts from 0! x,x[0],x[1] M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
7 Array types Array numeric types The default for integer is usually 32-bit integers (in numpy called int32) The default for floats is 64-doubles (in numpy called float64) How to find out the type of an array x with dtype x=arange(4.) x.dtype Converting an array to a different type with adtype() y=x.astype(float32) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
8 Array operations x.max() x.min() x.std() x.mean() x1=x.copy() x-=x.mean() equivalent with x=x-x.mean() max(x) min(x) std(x) mean(x) x1=copy(x) x-=mean(x) equivalent with x=x-mean(x) First and last 10 entries of an array x = np.random.random(100) x[:10] x[-100:] x[2:5] M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
9 Multidimensional arrays Creating an N M array N = 5 M = 3 x2 = np.zeros((n,m)) Size and shape of an array size(x2) shape(x2) Reshaping of an array x3 = np.arange(10).reshape(2,5) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
10 Linear algebra import numpy.linalg as la An inverse of a matrix x = np.array([[1,1],[1,-1]]) la.inv(x) dot(x,la.inv(x)) Finding an eigenvalues and vectors x = np.array([[1,2],[2,1]]) val, vec = la.eig(x) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
11 Pyhton For statements for i in range(3): x=i*i print x Indentation determines a block of code (such as for) cycle In interactive mode starting a block causes the interpreter to prompt with... (typing an empty line with enter terminated the block) Tabs may be used for indentation, but their use is not recommended M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
12 Python If statements x=0 if x==0: print "x equals 0" elif x==1: print "x equals 1" else: print "x equals something else than 0 or 1" M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
13 Plotting - handled with matplotlib module import matplotlib.pyplot as plt import numpy as np Plotting random series of y values y = np.random.random(50) plt.figure() plt.plot(x) plt.show() M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
14 Plotting II Plotting x against y values t = np.arange(10) y1 = np.random.random(10) y2 = np.random.random(10) plt.figure() plt.plot(t,y1, r ) plt.plot(t,y2, go- ) plt.show() Clear figure plt.clf() Close all figures plt.close( all ) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
15 Other modules useful in Earth sciences For seismologist obspy module M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
16 Geochemical systems - one reservoir The concentration C i of an element i must follow (in the simplest case) dc i dt = C i τ Concentration in the box is homogeneous Initial condition C i (t = 0) = C 0 M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
17 Ordinary differential equations (ODE) We will need SciPy (Scientific tools for Python) import scipy as sp from scipy.integrate import odeint The function odeint finds solution of equation dy dt = f(y, t) With initial conditions y(0) = y 0 Where y is a length N vector and f is a mapping from R N to R N M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
18 Make your first Python script touch box model single.py #!/bin/python import numpy as np from scipy.integrate import odeint import matplotlib as mpl import matplotlib.pylab as plt Parameters of the system tau=1 y0=1 # initial conditions M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
19 ODE II Define times when you want to find a solution t = np.arange(0,10., 1.) Right hand side of the equation def func(y,t): return -y/tau Solve the system yy=odeint(func,y0,t) # solution of dc/dt=... M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
20 ODE III We know analytical solution time = np.arange(0,10.,0.1) concentration=y0*np.exp(-time/tau) # analytical solution Plotting plt.figure() plt.title( Concentration time evolution ) plt.ylabel( Concentration ) plt.xlabel( Time ) plt.plot(t,yy, ro ) plt.plot(time,concentration) Run your script in ipython execfile( box model single.py ) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
21 Box model - n reservoirs with concentrations C i Coltice at al. (GRL, 2000) Transport of an inert gas in the mantle Reservoir 6 Reservoir 5 Degassing K_n=K_top The n equations to solve dc i dt = v zn L (K i 1C i 1 K i C i ) K i = 1 i 1 or n Reservoir 4 Reservoir 3 Reservoir 2 Reservoir 1 K_0 C_0=K_bot C_n Reinjection K 0 C 0 = K bot C n = 0.2C n K n = K top = 10 v z = 1 mm/y (vertical velocity) n number of boxes L size of the domain M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
22 Box model with Python touch box model.py #!/bin/ipython import numpy as np from scipy.integrate import odeint import matplotlib as mpl import matplotlib.pylab as plt Parameters of the system vz=0.001 # m/year ktop=10.0 kbot=0.2 nn=100 # number of boxes LL=3E6 # size of mantle [m] M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
23 Box model with Python II t = np.arange(0,1.8e9, 1E6) # times - min, max, step y0=np.ones(nn) # array of initial concentration ynew=np.zeros(nn) def func(y,time): for ii in range(nn): if ii==0: # bottom ynew[0]=kbot*y[nn-1]-y[0] elif ii==nn-1: # top ynew[nn-1]=y[nn-2]-ktop*y[nn-1] else: ynew[ii]=y[ii-1]-y[ii] alpha=vz*ll/nn return alpha*ynew yy=odeint(func,y0,t) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
24 Plotting the results zz=np.arange(0.,1.,1./nn) zz=np.append(zz,1.) ntime=size(t)-1 print plotting at time:, t[ntime] plt.figure() plt.title( Concentration profile ) plt.xlabel( Concentration ) plt.ylabel( Height ) plt.plot(np.append(yy[ntime],yy[ntime][nn-1]),zz,drawstyle= steps ) plt.axis([0,max(yy[ntime]),0,1]) plt.savefig( fig1.pdf ) M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
25 Plotting the results II: Animation files=[] fig=plt.figure(figsize=(5,5)) ax=fig.add subplot(111) jj=0 for ii in range(0,size(t),size(t)/20): # 20 frames jj=jj+1 ax.cla() ax.plot(np.append(yy[ii],yy[ii][nn-1]),zz,drawstyle= steps ) fname = fig%03d.png %jj print Saving frame, fname fig.savefig(fname) files.append(fname) os.system( mencoder mf: tmp*.png -mf type=png:fps=10 / -ovc lavc -lavcopts vcodec=wmv2 -oac copy -o animation.mpg ) mplayer M.Ulvrova, L.Pouilloux (ENS LYON) Informatique L3 Automne / 25
Advanced Functions and Modules
Advanced Functions and Modules CB2-101 Introduction to Scientific Computing November 19, 2015 Emidio Capriotti http://biofold.org/ Institute for Mathematical Modeling of Biological Systems Department of
Exercise 0. Although Python(x,y) comes already with a great variety of scientic Python packages, we might have to install additional dependencies:
Exercise 0 Deadline: None Computer Setup Windows Download Python(x,y) via http://code.google.com/p/pythonxy/wiki/downloads and install it. Make sure that before installation the installer does not complain
Intro to scientific programming (with Python) Pietro Berkes, Brandeis University
Intro to scientific programming (with Python) Pietro Berkes, Brandeis University Next 4 lessons: Outline Scientific programming: best practices Classical learning (Hoepfield network) Probabilistic learning
Computational Mathematics with Python
Boolean Arrays Classes Computational Mathematics with Python Basics Olivier Verdier and Claus Führer 2009-03-24 Olivier Verdier and Claus Führer Computational Mathematics with Python 2009-03-24 1 / 40
ANSA and μeta as a CAE Software Development Platform
ANSA and μeta as a CAE Software Development Platform Michael Giannakidis, Yianni Kolokythas BETA CAE Systems SA, Thessaloniki, Greece Overview What have we have done so far Current state Future direction
CIS 192: Lecture 13 Scientific Computing and Unit Testing
CIS 192: Lecture 13 Scientific Computing and Unit Testing Lili Dworkin University of Pennsylvania Scientific Computing I Python is really popular in the scientific and statistical computing world I Why?
Computational Mathematics with Python
Computational Mathematics with Python Basics Claus Führer, Jan Erik Solem, Olivier Verdier Spring 2010 Claus Führer, Jan Erik Solem, Olivier Verdier Computational Mathematics with Python Spring 2010 1
Computational Mathematics with Python
Numerical Analysis, Lund University, 2011 1 Computational Mathematics with Python Chapter 1: Basics Numerical Analysis, Lund University Claus Führer, Jan Erik Solem, Olivier Verdier, Tony Stillfjord Spring
We will learn the Python programming language. Why? Because it is easy to learn and many people write programs in Python so we can share.
LING115 Lecture Note Session #4 Python (1) 1. Introduction As we have seen in previous sessions, we can use Linux shell commands to do simple text processing. We now know, for example, how to count words.
Scientific Programming in Python
UCSD March 9, 2009 What is Python? Python in a very high level (scripting) language which has gained widespread popularity in recent years. It is: What is Python? Python in a very high level (scripting)
Assignment 2: Option Pricing and the Black-Scholes formula The University of British Columbia Science One CS 2015-2016 Instructor: Michael Gelbart
Assignment 2: Option Pricing and the Black-Scholes formula The University of British Columbia Science One CS 2015-2016 Instructor: Michael Gelbart Overview Due Thursday, November 12th at 11:59pm Last updated
PSTricks. pst-ode. A PSTricks package for solving initial value problems for sets of Ordinary Differential Equations (ODE), v0.7.
PSTricks pst-ode A PSTricks package for solving initial value problems for sets of Ordinary Differential Equations (ODE), v0.7 27th March 2014 Package author(s): Alexander Grahn Contents 2 Contents 1 Introduction
Part VI. Scientific Computing in Python
Part VI Scientific Computing in Python Compact Course @ GRS, June 03-07, 2013 80 More on Maths Module math Constants pi and e Functions that operate on int and float All return values float ceil (x) floor
The NumPy array: a structure for efficient numerical computation
The NumPy array: a structure for efficient numerical computation Stéfan van der Walt, Stellenbosch University South Africa S. Chris Colbert, Enthought USA Gael Varoquaux, INRIA Saclay France arxiv:1102.1523v1
Postprocessing with Python
Postprocessing with Python Boris Dintrans (CNRS & University of Toulouse) [email protected] Collaborator: Thomas Gastine (PhD) Outline Outline Introduction - what s Python and why using it? - Installation
Python for Scientific Computing. http://bender.astro.sunysb.edu/classes/python-science
http://bender.astro.sunysb.edu/classes/python-science Course Goals Simply: to learn how to use python to do Numerical analysis Data analysis Plotting and visualizations Symbol mathematics Write applications...
Simulation Tools. Python for MATLAB Users I. Claus Führer. Automn 2009. Claus Führer Simulation Tools Automn 2009 1 / 65
Simulation Tools Python for MATLAB Users I Claus Führer Automn 2009 Claus Führer Simulation Tools Automn 2009 1 / 65 1 Preface 2 Python vs Other Languages 3 Examples and Demo 4 Python Basics Basic Operations
Material for tutorial. Twitter: prabhu_r. Slides: http://goo.gl/5u7pv. Demos: http://goo.gl/mc0ea. www.enthought.com/~prabhu/m2_tutorial.
Material for tutorial Twitter: prabhu_r Slides: http://goo.gl/5u7pv www.enthought.com/~prabhu/m2_tutorial.pdf Demos: http://goo.gl/mc0ea www.enthought.com/~prabhu/demos.zip 3D Data visualization with Mayavi
Modeling with Python
H Modeling with Python In this appendix a brief description of the Python programming language will be given plus a brief introduction to the Antimony reaction network format and libroadrunner. Python
Introduction to Python
Introduction to Python Sophia Bethany Coban Problem Solving By Computer March 26, 2014 Introduction to Python Python is a general-purpose, high-level programming language. It offers readable codes, and
Computer Science 1 CSci 1100 Lecture 3 Python Functions
Reading Computer Science 1 CSci 1100 Lecture 3 Python Functions Most of this is covered late Chapter 2 in Practical Programming and Chapter 3 of Think Python. Chapter 6 of Think Python goes into more detail,
Nicolas P. Rougier PyConFr Conference 2014 Lyon, October 24 25
GRAPHICS AND ANIMATIONS IN PYTHON USING MATPLOTLIB AND OPENGL Nicolas P. Rougier PyConFr Conference 2014 Lyon, October 24 25 Graphics and Animations in Python Where do we start? A Bit of Context The Python
3D Data visualization with Mayavi
3D Data visualization with Mayavi Prabhu Ramachandran Department of Aerospace Engineering IIT Bombay SciPy.in 2012, December 27, IIT Bombay. Prabhu Ramachandran (IIT Bombay) Mayavi2 tutorial 1 / 53 In
FEEG6002 - Applied Programming 5 - Tutorial Session
FEEG6002 - Applied Programming 5 - Tutorial Session Sam Sinayoko 2015-10-30 1 / 38 Outline Objectives Two common bugs General comments on style String formatting Questions? Summary 2 / 38 Objectives Revise
Maple Quick Start. Introduction. Talking to Maple. Using [ENTER] 3 (2.1)
Introduction Maple Quick Start In this introductory course, you will become familiar with and comfortable in the Maple environment. You will learn how to use context menus, task assistants, and palettes
Introduction to Python
1 Daniel Lucio March 2016 Creator of Python https://en.wikipedia.org/wiki/guido_van_rossum 2 Python Timeline Implementation Started v1.0 v1.6 v2.1 v2.3 v2.5 v3.0 v3.1 v3.2 v3.4 1980 1991 1997 2004 2010
From mathematics to a nice figure in a LaTeX document
From mathematics to a nice figure in a L A T E Xdocument: a post-processing chain Matthieu Haefele High Level Support Team Max-Planck-Institut für Plasmaphysik, München, Germany Autrans, 26-30 Septembre
CRASH COURSE PYTHON. Het begint met een idee
CRASH COURSE PYTHON nr. Het begint met een idee This talk Not a programming course For data analysts, who want to learn Python For optimizers, who are fed up with Matlab 2 Python Scripting language expensive
AMATH 352 Lecture 3 MATLAB Tutorial Starting MATLAB Entering Variables
AMATH 352 Lecture 3 MATLAB Tutorial MATLAB (short for MATrix LABoratory) is a very useful piece of software for numerical analysis. It provides an environment for computation and the visualization. Learning
Exercise 4 Learning Python language fundamentals
Exercise 4 Learning Python language fundamentals Work with numbers Python can be used as a powerful calculator. Practicing math calculations in Python will help you not only perform these tasks, but also
CUDAMat: a CUDA-based matrix class for Python
Department of Computer Science 6 King s College Rd, Toronto University of Toronto M5S 3G4, Canada http://learning.cs.toronto.edu fax: +1 416 978 1455 November 25, 2009 UTML TR 2009 004 CUDAMat: a CUDA-based
from ztf_summerschool import source_lightcurve, barycenter_times %matplotlib inline
In [2]: # imports import numpy as np import matplotlib.pyplot as plt import astropy.coordinates as coords import astropy.units as u from astropy.time import Time from astroml.time_series import \ lomb_scargle,
Modelling cellular processes with Python and Scipy
Modelling cellular processes with Python and Scipy B.G. Olivier ([email protected]), J.M. Rohwer ([email protected]) and J.-H.S. Hofmeyr ([email protected]) Dept. of Biochemistry, University of Stellenbosch, Private
Chemical and Biological Engineering Calculations using Python 3. Jeffrey J. Heys
Chemical and Biological Engineering Calculations using Python 3 Jeffrey J. Heys Copyright c 2014 Jeffrey Heys All rights reserved. This version is being made available at no cost. Please acknowledge access
CS 294-73 Software Engineering for Scientific Computing. http://www.cs.berkeley.edu/~colella/cs294fall2013. Lecture 16: Particle Methods; Homework #4
CS 294-73 Software Engineering for Scientific Computing http://www.cs.berkeley.edu/~colella/cs294fall2013 Lecture 16: Particle Methods; Homework #4 Discretizing Time-Dependent Problems From here on in,
Profiling, debugging and testing with Python. Jonathan Bollback, Georg Rieckh and Jose Guzman
Profiling, debugging and testing with Python Jonathan Bollback, Georg Rieckh and Jose Guzman Overview 1.- Profiling 4 Profiling: timeit 5 Profiling: exercise 6 2.- Debugging 7 Debugging: pdb 8 Debugging:
Scientific Programming, Analysis, and Visualization with Python. Mteor 227 Fall 2015
Scientific Programming, Analysis, and Visualization with Python Mteor 227 Fall 2015 Python The Big Picture Interpreted General purpose, high-level Dynamically type Multi-paradigm Object-oriented Functional
Data Visualization. Christopher Simpkins [email protected]
Data Visualization Christopher Simpkins [email protected] Data Visualization Data visualization is an activity in the exploratory data analysis process in which we try to figure out what story
Introduction to Matlab
Introduction to Matlab Social Science Research Lab American University, Washington, D.C. Web. www.american.edu/provost/ctrl/pclabs.cfm Tel. x3862 Email. [email protected] Course Objective This course provides
Scientific Programming with Python. Randy M. Wadkins, Ph.D. Asst. Prof. of Chemistry & Biochem.
Scientific Programming with Python Randy M. Wadkins, Ph.D. Asst. Prof. of Chemistry & Biochem. What is Python? Python for computers is: a scripting language a programming language interpreted, so it
Introduction to Python
Caltech/LEAD Summer 2012 Computer Science Lecture 2: July 10, 2012 Introduction to Python The Python shell Outline Python as a calculator Arithmetic expressions Operator precedence Variables and assignment
Vector Spaces; the Space R n
Vector Spaces; the Space R n Vector Spaces A vector space (over the real numbers) is a set V of mathematical entities, called vectors, U, V, W, etc, in which an addition operation + is defined and in which
Financial Econometrics MFE MATLAB Introduction. Kevin Sheppard University of Oxford
Financial Econometrics MFE MATLAB Introduction Kevin Sheppard University of Oxford October 21, 2013 2007-2013 Kevin Sheppard 2 Contents Introduction i 1 Getting Started 1 2 Basic Input and Operators 5
Lecture 2 Mathcad Basics
Operators Lecture 2 Mathcad Basics + Addition, - Subtraction, * Multiplication, / Division, ^ Power ( ) Specify evaluation order Order of Operations ( ) ^ highest level, first priority * / next priority
Python programming guide for Earth Scientists. Maarten J. Waterloo and Vincent E.A. Post
Python programming guide for Earth Scientists Maarten J. Waterloo and Vincent E.A. Post Amsterdam Critical Zone Hydrology group September 2015 Cover page: Meteorological tower in an abandoned agricultural
An introduction to Python Programming for Research
An introduction to Python Programming for Research James Hetherington November 4, 2015 Contents 1 Introduction 15 1.1 Why teach Python?......................................... 15 1.1.1 Why Python?.........................................
(!' ) "' # "*# "!(!' +,
MATLAB is a numeric computation software for engineering and scientific calculations. The name MATLAB stands for MATRIX LABORATORY. MATLAB is primarily a tool for matrix computations. It was developed
3.2 Sources, Sinks, Saddles, and Spirals
3.2. Sources, Sinks, Saddles, and Spirals 6 3.2 Sources, Sinks, Saddles, and Spirals The pictures in this section show solutions to Ay 00 C By 0 C Cy D 0. These are linear equations with constant coefficients
CASA. Nemesio Rodriguez-Fernandez (IRAM) Outline. - Status and Measurement Set. - Structure. - Tools. - Tasks. - Scripts.
CASA Nemesio Rodriguez-Fernandez (IRAM) Outline - Status and Measurement Set - Structure - Tools - Tasks - Scripts - CASA and GILDAS - Documentation Nemesio Rodriguez Fernandez 1 ALMA ES Proposal prep.
Online Digitizing and Editing of GIS Layers (On-Screen or Head s Up Digitizing)
Online Digitizing and Editing of GIS Layers (On-Screen or Head s Up Digitizing) 2011 Charlie Schweik, Alexander Stepanov, Maria Fernandez, Lara Aniskoff Note: This work is licensed under the Creative Commons
Introduction to Python
WEEK ONE Introduction to Python Python is such a simple language to learn that we can throw away the manual and start with an example. Traditionally, the first program to write in any programming language
Python for Computational Science and Engineering
Introduction to Python for Computational Science and Engineering (A beginner s guide) Hans Fangohr Faculty of Engineering and the Environment University of Southampton September 7, 2015 2 Contents 1 Introduction
by Przemysław Króliszewski & Sebastian Korczak. itechnologie Sp. z o. o. [email protected], [email protected].
T he game developers often faces the font problem - especially when they use the Blender Game Engine. Since 2.5 series, the BGE has got the feature to display fonts, with some settings applied in Blender.
Numerical Solution of Differential Equations
Numerical Solution of Differential Equations Dr. Alvaro Islas Applications of Calculus I Spring 2008 We live in a world in constant change We live in a world in constant change We live in a world in constant
MatLab Basics. Now, press return to see what Matlab has stored as your variable x. You should see:
MatLab Basics MatLab was designed as a Matrix Laboratory, so all operations are assumed to be done on matrices unless you specifically state otherwise. (In this context, numbers (scalars) are simply regarded
G563 Quantitative Paleontology. SQL databases. An introduction. Department of Geological Sciences Indiana University. (c) 2012, P.
SQL databases An introduction AMP: Apache, mysql, PHP This installations installs the Apache webserver, the PHP scripting language, and the mysql database on your computer: Apache: runs in the background
Sample Solutions for Assignment 2.
AMath 383, Autumn 01 Sample Solutions for Assignment. Reading: Chs. -3. 1. Exercise 4 of Chapter. Please note that there is a typo in the formula in part c: An exponent of 1 is missing. It should say 4
Microsoft Excel 2010 Linking Worksheets and Workbooks
Microsoft Excel 2010 Linking Worksheets and Workbooks Email: [email protected] Web Page: http://training.health.ufl.edu Microsoft Excel 2010: Linking Worksheets & Workbooks 1.5 hour Topics include
Programming Languages & Tools
4 Programming Languages & Tools Almost any programming language one is familiar with can be used for computational work (despite the fact that some people believe strongly that their own favorite programming
ESPResSo Summer School 2012
ESPResSo Summer School 2012 Introduction to Tcl Pedro A. Sánchez Institute for Computational Physics Allmandring 3 D-70569 Stuttgart Germany http://www.icp.uni-stuttgart.de 2/26 Outline History, Characteristics,
Online Appointments (Patients)
Online Appointments (Patients) Overview Once the patient has registered and activated their account they can use the modules available at the practice. This section of the user guide details how the patient
University of Hull Department of Computer Science. Wrestling with Python Week 01 Playing with Python
Introduction Welcome to our Python sessions. University of Hull Department of Computer Science Wrestling with Python Week 01 Playing with Python Vsn. 1.0 Rob Miles 2013 Please follow the instructions carefully.
Optimizing and interfacing with Cython. Konrad HINSEN Centre de Biophysique Moléculaire (Orléans) and Synchrotron Soleil (St Aubin)
Optimizing and interfacing with Cython Konrad HINSEN Centre de Biophysique Moléculaire (Orléans) and Synchrotron Soleil (St Aubin) Extension modules Python permits modules to be written in C. Such modules
Classroom Tips and Techniques: The Student Precalculus Package - Commands and Tutors. Content of the Precalculus Subpackage
Classroom Tips and Techniques: The Student Precalculus Package - Commands and Tutors Robert J. Lopez Emeritus Professor of Mathematics and Maple Fellow Maplesoft This article provides a systematic exposition
Tellurium and libroadrunner in a Nutshell
Tellurium and libroadrunner in a Nutshell Herbert M Sauro University of Washington [email protected] Developed by Andy Somogyi and the software team at UW with input from Maciek Swat August 10,
Display Format To change the exponential display format, press the [MODE] key 3 times.
Tools FX 300 MS Calculator Overhead OH 300 MS Handouts Other materials Applicable activities Activities for the Classroom FX-300 Scientific Calculator Quick Reference Guide (inside the calculator cover)
MBA Jump Start Program
MBA Jump Start Program Module 2: Mathematics Thomas Gilbert Mathematics Module Online Appendix: Basic Mathematical Concepts 2 1 The Number Spectrum Generally we depict numbers increasing from left to right
SAGE, the open source CAS to end all CASs?
SAGE, the open source CAS to end all CASs? Thomas Risse Faculty of Electrical and Electronics Engineering and Computer Sciences, Bremen University of Applied Sciences, Germany Abstract SAGE, the 'Software
NetworkX: Network Analysis with Python
NetworkX: Network Analysis with Python Salvatore Scellato Full tutorial presented at the XXX SunBelt Conference NetworkX introduction: Hacking social networks using the Python programming language by Aric
mouse (or the option key on Macintosh) and move the mouse. You should see that you are able to zoom into and out of the scene.
A Ball in a Box 1 1 Overview VPython is a programming language that is easy to learn and is well suited to creating 3D interactive models of physical systems. VPython has three components that you will
Department of Chemical Engineering ChE-101: Approaches to Chemical Engineering Problem Solving MATLAB Tutorial VI
Department of Chemical Engineering ChE-101: Approaches to Chemical Engineering Problem Solving MATLAB Tutorial VI Solving a System of Linear Algebraic Equations (last updated 5/19/05 by GGB) Objectives:
13-1. This chapter explains how to use different objects.
13-1 13.Objects This chapter explains how to use different objects. 13.1. Bit Lamp... 13-3 13.2. Word Lamp... 13-5 13.3. Set Bit... 13-9 13.4. Set Word... 13-11 13.5. Function Key... 13-18 13.6. Toggle
Analysis Programs DPDAK and DAWN
Analysis Programs DPDAK and DAWN An Overview Gero Flucke FS-EC PNI-HDRI Spring Meeting April 13-14, 2015 Outline Introduction Overview of Analysis Programs: DPDAK DAWN Summary Gero Flucke (DESY) Analysis
The C Programming Language course syllabus associate level
TECHNOLOGIES The C Programming Language course syllabus associate level Course description The course fully covers the basics of programming in the C programming language and demonstrates fundamental programming
Big Data Paradigms in Python
Big Data Paradigms in Python San Diego Data Science and R Users Group January 2014 Kevin Davenport! http://kldavenport.com [email protected] @KevinLDavenport Thank you to our sponsors: Setting up
CSE 6040 Computing for Data Analytics: Methods and Tools
CSE 6040 Computing for Data Analytics: Methods and Tools Lecture 12 Computer Architecture Overview and Why it Matters DA KUANG, POLO CHAU GEORGIA TECH FALL 2014 Fall 2014 CSE 6040 COMPUTING FOR DATA ANALYSIS
Getting to know your TI-83
Calculator Activity Intro Getting to know your TI-83 Press ON to begin using calculator.to stop, press 2 nd ON. To darken the screen, press 2 nd alternately. To lighten the screen, press nd 2 alternately.
Setting up Python 3.4 and numpy and matplotlib on your own Windows PC or laptop
CS-1004, Introduction to Programming for Non-Majors, C-Term 2015 Setting up Python 3.4 and numpy and matplotlib on your own Windows PC or laptop Hugh C. Lauer Adjunct Professor Worcester Polytechnic Institute
Python and Cython. a dynamic language. installing Cython factorization again. working with numpy
1 2 Python and 3 MCS 275 Lecture 39 Programming Tools and File Management Jan Verschelde, 19 April 2010 Python and 1 2 3 The Development Cycle compilation versus interpretation Traditional build cycle:
The Piranha computer algebra system. introduction and implementation details
: introduction and implementation details Advanced Concepts Team European Space Agency (ESTEC) Course on Differential Equations and Computer Algebra Estella, Spain October 29-30, 2010 Outline A Brief Overview
Solving ODEs in Matlab. BP205 M.Tremont 1.30.2009
Solving ODEs in Matlab BP205 M.Tremont 1.30.2009 - Outline - I. Defining an ODE function in an M-file II. III. IV. Solving first-order ODEs Solving systems of first-order ODEs Solving higher order ODEs
NCSS Statistical Software Principal Components Regression. In ordinary least squares, the regression coefficients are estimated using the formula ( )
Chapter 340 Principal Components Regression Introduction is a technique for analyzing multiple regression data that suffer from multicollinearity. When multicollinearity occurs, least squares estimates
CSCE 110 Programming I Basics of Python: Variables, Expressions, and Input/Output
CSCE 110 Programming Basics of Python: Variables, Expressions, and nput/output Dr. Tiffani L. Williams Department of Computer Science and Engineering Texas A&M University Fall 2011 Python Python was developed
The Whys, Hows and Whats of the Noise Power Spectrum. Helge Pettersen, Haukeland University Hospital, NO
The Whys, Hows and Whats of the Noise Power Spectrum Helge Pettersen, Haukeland University Hospital, NO Introduction to the Noise Power Spectrum Before diving into NPS curves, we need Fourier transforms
Athena Knowledge Base
Athena Knowledge Base The Athena Visual Studio Knowledge Base contains a number of tips, suggestions and how to s that have been recommended by the users of the software. We will continue to enhance this
ESCI 386 Scientific Programming, Analysis and Visualization with Python. Lesson 5 Program Control
ESCI 386 Scientific Programming, Analysis and Visualization with Python Lesson 5 Program Control 1 Interactive Input Input from the terminal is handled using the raw_input() function >>> a = raw_input('enter
Lecture Notes to Accompany. Scientific Computing An Introductory Survey. by Michael T. Heath. Chapter 10
Lecture Notes to Accompany Scientific Computing An Introductory Survey Second Edition by Michael T. Heath Chapter 10 Boundary Value Problems for Ordinary Differential Equations Copyright c 2001. Reproduction
Introduction. Chapter 1
Chapter 1 Introduction MATLAB (Matrix laboratory) is an interactive software system for numerical computations and graphics. As the name suggests, MATLAB is especially designed for matrix computations:
Computación I: intro to Matlab. Francesca Maria Marchetti
Computación I: intro to Matlab Francesca Maria Marchetti UAM, 15 September 2014 Subgroup 5165 Units 1, 2, 3, 5 (control 1) Francesca Maria Marchetti Departamento de Física Teórica de la Materia Condensada
Lecture 11: 0-1 Quadratic Program and Lower Bounds
Lecture : - Quadratic Program and Lower Bounds (3 units) Outline Problem formulations Reformulation: Linearization & continuous relaxation Branch & Bound Method framework Simple bounds, LP bound and semidefinite
Negative Exponents and Scientific Notation
3.2 Negative Exponents and Scientific Notation 3.2 OBJECTIVES. Evaluate expressions involving zero or a negative exponent 2. Simplify expressions involving zero or a negative exponent 3. Write a decimal
Guide to Using the Ti-nspire for Methods - The simple and the overcomplicated Version 1.5
Guide to Using the Ti-nspire for Methods - The simple and the overcomplicated Version 1.5 Ok guys and girls, this is a guide/reference for using the Ti-nspire for Mathematical Methods CAS. It will cover
Tentative NumPy Tutorial
Tentative NumPy Tutorial This tutorial is unfinished. The original authors were not NumPy experts nor native English speakers so it needs reviewing. Please do not hesitate to click the edit button. You
FX 115 MS Training guide. FX 115 MS Calculator. Applicable activities. Quick Reference Guide (inside the calculator cover)
Tools FX 115 MS Calculator Handouts Other materials Applicable activities Quick Reference Guide (inside the calculator cover) Key Points/ Overview Advanced scientific calculator Two line display VPAM to
a. all of the above b. none of the above c. B, C, D, and F d. C, D, F e. C only f. C and F
FINAL REVIEW WORKSHEET COLLEGE ALGEBRA Chapter 1. 1. Given the following equations, which are functions? (A) y 2 = 1 x 2 (B) y = 9 (C) y = x 3 5x (D) 5x + 2y = 10 (E) y = ± 1 2x (F) y = 3 x + 5 a. all
SAMPLE. Computer Algebra System (Classpad 330 using OS 3 or above) Application selector. Icolns that access working zones. Icon panel (Master toolbar)
A P P E N D I X B Computer Algebra System (Classpad 330 using OS 3 or above) B.1 Introduction For reference material on basic operations of the calculator, refer to the free downloadable documentation
