Introduction to Modern Fortran
|
|
|
- Belinda Franklin
- 9 years ago
- Views:
Transcription
1 Introduction to Modern Fortran p. 1/?? Introduction to Modern Fortran Procedures Nick Maclaren Computing Service ext November 2007
2 Introduction to Modern Fortran p. 2/?? Sub-Dividing The Problem Most programs are thousands of lines Few people can grasp all the details You often use similar code in several places You often want to test parts of the code Designs often break up naturally into steps Hence, all sane programmers use procedures
3 Introduction to Modern Fortran p. 3/?? What Fortran Provides There must be a single main program There are subroutines and functions All are collectively called procedures A subroutine is some out--of--line code There are very few restrictions on what it can do It is always called exactly where it is coded A function s purpose is to return a result There are some restrictions on what it can do It is called only when its result is needed
4 Introduction to Modern Fortran p. 4/?? Example Cholesky (1) We saw this when considering arrays It is a very typical, simple subroutine SUBROUTINE CHOLESKY (A) IMPLICIT NONE INTEGER :: J, N REAL :: A(:, :), X N = UBOUND(A, 1) DO J = 1, N... END DO END SUBROUTINE CHOLESKY
5 Introduction to Modern Fortran p. 5/?? Example Cholesky (2) And this is how it is called PROGRAM MAIN IMPLICIT NONE REAL, DIMENSION(5, 5) :: A = 0.0 REAL, DIMENSION(5) :: Z... CALL CHOLESKY (A)... END PROGRAM MAIN We shall see how to declare it later
6 Introduction to Modern Fortran p. 6/?? Example Variance FUNCTION Variance (Array) IMPLICIT NONE REAL :: Variance, X REAL, INTENT(IN), DIMENSION(:) :: Array X = SUM(Array)/SIZE(Array) Variance = SUM((Array--X) ** 2)/SIZE(Array) END FUNCTION Variance REAL, DIMENSION(1000) :: data... Z = Variance(data) We shall see how to declare it later
7 Introduction to Modern Fortran p. 7/?? Example Sorting (1) This was the harness of the selection sort Replace the actual sorting code by a call PROGRAM sort10 IMPLICIT NONE INTEGER, DIMENSION(1:10) :: nums...! Sort the numbers into ascending order of magnitude CALL SORTIT (nums)! Write out the sorted list... END PROGRAM sort10
8 Introduction to Modern Fortran p. 8/?? Example Sorting (2) SUBROUTINE SORTIT (array) IMPLICIT NONE INTEGER :: temp, array(:), J, K L1: DO J = 1, UBOUND(array,1)--1 L2: DO K = J+1, UBOUND(array,1) IF(array(J) > array(k)) THEN temp = array(k) array(k) = array(j) array(j) = temp END IF END DO L2 END DO L1 END SUBROUTINE SORTIT
9 Introduction to Modern Fortran p. 9/?? CALL Statement The CALL statement evaluates its arguments The following is an over--simplified description Variables and array sections define memory Expressions are stored in a hidden variable It then transfers control to the subroutine Passing the locations of the actual arguments Upon return, the next statement is executed
10 Introduction to Modern Fortran p. 10/?? SUBROUTINE Statement Declares the procedure and its arguments These are called dummy arguments in Fortran The subroutine s interface is defined by: The SUBROUTINE statement itself The declarations of its dummy arguments And anything that those use (see later) SUBROUTINE SORTIT (array) INTEGER :: [ temp, ] array(:) [, J, K ]
11 Introduction to Modern Fortran p. 11/?? Statement Order A SUBROUTINE statement starts a subroutine Any USE statements must come next Then IMPLICIT NONE Then the rest of the declarations Then the executable statements It ends at an END SUBROUTINE statement PROGRAM and FUNCTION are similar There are other rules, but you may ignore them
12 Introduction to Modern Fortran p. 12/?? Dummy Arguments Their names exist only in the procedure They are declared much like local variables Any actual argument names are irrelevant Or any other names outside the procedure The dummy arguments are associated with the actual arguments Think of association as a bit like aliasing
13 Introduction to Modern Fortran p. 13/?? Argument Matching Dummy and actual argument lists must match The number of arguments must be the same Each argument must match in type and rank That can be relaxed in several ways See under advanced use of procedures We shall come back to array arguments shortly Most of the complexities involve them This is for compatibility with old standards
14 Introduction to Modern Fortran p. 14/?? Functions Often the required result is a single value It is easier to write a FUNCTION subprogram E.g. to find the largest of three values: Find the largest of the first and second Find the largest of that and the third Yes, I know that the MAX function does this! The function name defines a local variable Its value on return is the result returned The RETURN statement does not take a value
15 Introduction to Modern Fortran p. 15/?? Example (1) FUNCTION largest --- of (first, second, third) IMPLICIT NONE INTEGER :: largest --- of INTEGER :: first, second, third IF (first > second) THEN largest --- of = first ELSE largest --- of = second END IF IF (third > largest --- of) largest --- of = third END FUNCTION largest --- of
16 Introduction to Modern Fortran p. 16/?? Example (2) INTEGER :: trial1, trial2,trial3, total, count total = 0 ; count = 0 DO PRINT *, Type three trial values: READ *, trial1, trial2, trial3 IF (MIN(trial1, trial2, trial3) < 0) EXIT count = count + 1 total = total + & largest --- of(trial1, trial2, trial3) END DO PRINT *, Number of trial sets =, count, & Total of best of 3 =,total
17 Introduction to Modern Fortran p. 17/?? Warning: Time Warp Unfortunately, we need to define a module We shall cover those quite a lot later The one we shall define is trivial Just use it, and don t worry about the details Everything you need to know will be explained
18 Introduction to Modern Fortran p. 18/?? Using Modules (1) This is how to compile procedures separately First create a file (e.g. mymod.f90) like: MODULE mymod CONTAINS FUNCTION Variance (Array) REAL :: Variance, X REAL, INTENT(IN), DIMENSION(:) :: Array X = SUM(Array)/SIZE(Array) Variance = SUM((Array--X) ** 2)/SIZE(Array) END FUNCTION Variance END MODULE mymod
19 Introduction to Modern Fortran p. 19/?? Using Modules (2) The module name need not be the file name Doing that is strongly recommended, though You can include any number of procedures You now compile it, but don t link it nagfor --C=all --c mymod.f90 It will create files like mymod.mod and mymod.o They contain the interface and the code
20 Introduction to Modern Fortran p. 20/?? Using Modules (3) You use it in the following way You can use any number of modules PROGRAM main USE mymod REAL, DIMENSION(10) :: array PRINT *, Type 10 values READ *, array PRINT *, Variance =, Variance(array) END PROGRAM main nagfor --C=all --o main main.f90 mymod.o
21 Introduction to Modern Fortran p. 21/?? Internal Procedures (1) PROGRAM, SUBROUTINE or FUNCTION Can use CONTAINS much like a module Included procedures are internal subprograms Most useful for small, private auxiliary ones You can include any number of procedures Visible in the outer procedure only Internal subprograms may not contain their own internal subprograms
22 Introduction to Modern Fortran p. 22/?? Internal Procedures (2) PROGRAM main REAL, DIMENSION(10) :: vector PRINT *, Type 10 values READ *, vector PRINT *, Variance =, Variance(vector) CONTAINS FUNCTION Variance (Array) REAL :: Variance, X REAL, INTENT(IN), DIMENSION(:) :: Array X = SUM(Array)/SIZE(Array) Variance = SUM((Array--X) ** 2)/SIZE(Array) END FUNCTION Variance END PROGRAM main
23 Introduction to Modern Fortran p. 23/?? Internal Procedures (3) Everything accessible in the enclosing procedure can also be used in the internal procedure This includes all of the local declarations And anything imported by USE (covered later) Internal procedures need only a few arguments Just the things that vary between calls Everything else can be used directly
24 Introduction to Modern Fortran p. 24/?? Internal Procedures (4) A local name takes precedence PROGRAM main REAL :: temp = 1.23 CALL pete (4.56) CONTAINS SUBROUTINE pete (temp) PRINT *, temp END SUBROUTINE pete END PROGRAM main Will print 4.56, not 1.23 Avoid doing this it s very confusing
25 Introduction to Modern Fortran p. 25/?? Using Procedures Use either technique for solving test problems They are the best techniques for real code Simplest, and give full access to functionality We will cover some other ones later Note that, if a procedure is in a module it may still have internal subprograms
26 Introduction to Modern Fortran p. 26/?? Example MODULE mymod CONTAINS SUBROUTINE Sorter (array, opts)... CONTAINS FUNCTION Compare (value1, value2, flags)... END FUNCTION Compare SUBROUTINE Swap (loc1, loc2)... END FUNCTION Swap END SUBROUTINE Sorter END MODULE mymod
27 Introduction to Modern Fortran p. 27/?? INTENT (1) You can make arguments read--only SUBROUTINE Summarise (array, size) INTEGER, INTENT(IN) :: size REAL, DIMENSION(size) :: array That will prevent you writing to it by accident Or calling another procedure that does that It may also help the compiler to optimise Strongly recommended for read--only args
28 Introduction to Modern Fortran p. 28/?? INTENT (2) You can also make them write--only Less useful, but still very worthwhile SUBROUTINE Init (array, value) IMPLICIT NONE REAL, DIMENSION(:), INTENT(OUT) :: array REAL, INTENT(IN) :: value array = value END SUBROUTINE Init As useful for optimisation as INTENT(IN)
29 Introduction to Modern Fortran p. 29/?? INTENT (3) The default is effectively INTENT(INOUT) But specifying INTENT(INOUT) is useful It will trap the following nasty error SUBROUTINE Munge (value) REAL, INTENT(INOUT) :: value value = * value PRINT *, value END SUBROUTINE Munge CALL Munge(1.23)
30 Introduction to Modern Fortran p. 30/?? Example SUBROUTINE expsum(n, k, x, sum) IMPLICIT NONE INTEGER, INTENT(IN) :: n REAL, INTENT(IN) :: k, x REAL, INTENT(OUT) :: sum INTEGER :: i sum = 0.0 DO i = 1, n sum = sum + exp(--i * k * x) END DO END SUBROUTINE expsum
31 Introduction to Modern Fortran p. 31/?? Aliasing Two arguments may overlap only if read--only Also applies to arguments and global data If either is updated, weird things happen Fortran doesn t have any way to trap that Nor do any other current languages sorry Use of INTENT(IN) will stop it in many cases Be careful when using array arguments Including using array elements as arguments
32 Introduction to Modern Fortran p. 32/?? PURE Functions You can declare a function to be PURE All data arguments must specify INTENT(IN) It must not modify any global data It must not do I/O (except with internal files) It must call only PURE procedures Some restrictions on more advanced features Generally overkill but good practice Most built--in procedures are PURE
33 Introduction to Modern Fortran p. 33/?? Example This is the cleanest way to define a function PURE FUNCTION Variance (Array) IMPLICIT NONE REAL :: Variance, X REAL, INTENT(IN), DIMENSION(:) :: Array X = SUM(Array)/SIZE(Array) Variance = SUM((Array--X) ** 2)/SIZE(Array) END FUNCTION Variance Most safety, and best possible optimisation
34 Introduction to Modern Fortran p. 34/?? ELEMENTAL Functions Functions can be declared as ELEMENTAL Like PURE, but arguments must be scalar You can use them on arrays and in WHERE They apply to each element, like built--in SIN ELEMENTAL FUNCTION Scale (arg1, arg2) REAL, INTENT(IN) :: arg1, arg2 Scale = arg1/sqrt(arg1 ** 2+arg2 ** 2) END FUNCTION Scale REAL, DIMENSION(100) :: arr1, arr2, array array = Scale(arr1, arr2)
35 Introduction to Modern Fortran p. 35/?? Keyword Arguments (1) SUBROUTINE AXIS (X0, Y0, Length, Min, Max, Intervals) REAL, INTENT(IN) :: X0, Y0, Length, Min, Max INTEGER, INTENT(IN) :: Intervals END SUBROUTINE AXIS CALL AXIS(0.0, 0.0, 100.0, 0.1, 1.0, 10) Error prone to write and unclear to read And it can be a lot worse than that!
36 Introduction to Modern Fortran p. 36/?? Keyword Arguments (2) Dummy arg. names can be used as keywords You don t have to remember their order SUBROUTINE AXIS (X0, Y0, Length, Min, Max, Intervals)... CALL AXIS(Intervals=10, Length=100.0, & Min=0.1, Max=1.0, X0=0.0, Y0=0.0) The argument order now doesn t matter The keywords identify the dummy arguments
37 Introduction to Modern Fortran p. 37/?? Keyword Arguments (3) Keywords arguments can follow positional The following is allowed SUBROUTINE AXIS (X0, Y0, Length, Min, Max, Intervals)... CALL AXIS(0.0, 0.0, Intervals=10, Length=100.0, & Min=0.1, Max=1.0) Remember that the best code is the clearest Use whichever convention feels most natural
38 Introduction to Modern Fortran p. 38/?? Keyword Reminder Keywords are not names in the calling procedure They are used only to map to dummy arguments The following works, but is somewhat confusing SUBROUTINE Nuts (X, Y, Z) REAL, DIMENSION(:) :: X INTEGER :: Y, Z END SUBROUTINE Nuts INTEGER :: X REAL, DIMENSION(100) :: Y, Z CALL Nuts (Y=X, Z=1, X=Y)
39 Introduction to Modern Fortran p. 39/?? Hiatus That is most of the basics of procedures Except for arrays and CHARACTER Now might be a good time to do some examples The first few questions cover the material so far
40 Introduction to Modern Fortran p. 40/?? Assumed Shape Arrays (1) The best way to declare array arguments You must declare procedures as above Specify all bounds as simply a colon ( : ) The rank must match the actual argument The lower bounds default to one (1) The upper bounds are taken from the extents REAL, DIMENSION(:) :: vector REAL, DIMENSION(:, :) :: matrix REAL, DIMENSION(:, :, :) :: tensor
41 Introduction to Modern Fortran p. 41/?? Example SUBROUTINE Peculiar (vector, matrix) REAL, DIMENSION(:), INTENT(INOUT) :: vector REAL, DIMENSION(:, :), INTENT(IN) :: matrix... END SUBROUTINE Peculiar REAL, DIMENSION(1000), :: one REAL, DIMENSION(100, 100) :: two CALL Peculiar (one(101:160), two(21:, 26:75) ) vector will be DIMENSION(1:60) matrix will be DIMENSION(1:80, 1:50)
42 Introduction to Modern Fortran p. 42/?? Assumed Shape Arrays (2) Query functions were described earlier SIZE, SHAPE, LBOUND and UBOUND So you can write completely generic procedures SUBROUTINE Init (matrix, scale) REAL, DIMENSION(:, :), INTENT(OUT) :: matrix INTEGER, INTENT(IN) :: scale DO N = 1, UBOUND(matrix,2) DO M = 1, UBOUND(matrix,1) matrix(m, N) = scale * M + N END DO END DO END SUBROUTINE Init
43 Introduction to Modern Fortran p. 43/?? Cholesky Decomposition SUBROUTINE CHOLESKY(A) IMPLICIT NONE INTEGER :: J, N REAL, INTENT(INOUT) :: A(:, :), X N = UBOUND(A, 1) IF (N < 1.OR. UBOUND(A, 2) /= N) CALL Error( " Invalid array passed to CHOLESKY " ) DO J = 1, N... END DO END SUBROUTINE CHOLESKY Now I have added appropriate checking
44 Introduction to Modern Fortran p. 44/?? Setting Lower Bounds Even when using assumed shape arrays you can set any lower bounds you want You do that in the called procedure SUBROUTINE Orrible (vector, matrix, n) REAL, DIMENSION(2 * n+1:) :: vector REAL, DIMENSION(0:, 0:) :: matrix... END SUBROUTINE Orrible
45 Introduction to Modern Fortran p. 45/?? Warning Argument overlap will not be detected Not even for assumed shape arrays A common cause of obscure errors No other language does much better
46 Introduction to Modern Fortran p. 46/?? Explicit Array Bounds In procedures, they are more flexible Any reasonable integer expression is allowed Essentially, you can use any ordinary formula Using only constants and integer variables Few programmers will ever hit the restrictions The most common use is for workspace But it applies to all array declarations
47 Introduction to Modern Fortran p. 47/?? Automatic Arrays (1) Local arrays with run--time bounds are called automatic arrays Bounds may be taken from an argument Or a constant or variable in a module SUBROUTINE aardvark (size) USE sizemod! This defines worksize INTEGER, INTENT(IN) :: size REAL, DIMENSION(1:worksize) :: array REAL, DIMENSION(1:size * (size+1)) :: array --- 2
48 Introduction to Modern Fortran p. 48/?? Automatic Arrays (2) Another very common use is a shadow array i.e. one the same shape as an argument SUBROUTINE pard (matrix) REAL, DIMENSION(:, :) :: matrix REAL, DIMENSION(UBOUND(matrix, 1), & UBOUND(matrix, 2)) :: & matrix --- 2, matrix And so on automatic arrays are very flexible
49 Introduction to Modern Fortran p. 49/?? Explicit Shape Array Args (1) We cover these because of their importance They were the only mechanism in Fortran 77 But, generally, they should be avoided In this form, all bounds are explicit They are declared just like automatic arrays The dummy should match the actual argument Making an error will usually cause chaos Only the very simplest uses are covered There are more details in the extra slides
50 Introduction to Modern Fortran p. 50/?? Explicit Shape Array Args (2) You can use constants SUBROUTINE Orace (matrix, array) INTEGER, PARAMETER :: M = 5, N = 10 REAL, DIMENSION(1:M, 1:N) :: matrix REAL, DIMENSION(1000) :: array... END SUBROUTINE Orace INTEGER, PARAMETER :: M = 5, N = 10 REAL, DIMENSION(1:M, 1:N) :: table REAL, DIMENSION(1000) :: workspace CALL Orace(table, workspace)
51 Introduction to Modern Fortran p. 51/?? Explicit Shape Array Args (3) It is common to pass the bounds as arguments SUBROUTINE Weeble (matrix, m, n) INTEGER, INTENT(IN) :: m, n REAL, DIMENSION(1:m, 1:n) :: matrix... END SUBROUTINE Weeble You can use expressions, of course But it is not really recommended Purely on the grounds of human confusion
52 Introduction to Modern Fortran p. 52/?? Explicit Shape Array Args (4) You can define the bounds in a module Either as a constant or in a variable SUBROUTINE Wobble (matrix) USE sizemod! This defines m and n REAL, DIMENSION(1:m, 1:n) :: matrix... END SUBROUTINE Weeble The same remarks about expressions apply
53 Introduction to Modern Fortran p. 53/?? Assumed Size Array Args The last upper bound can be * I.e. unknown, but assumed to be large enough SUBROUTINE Weeble (matrix, n) REAL, DIMENSION(n, *) :: matrix... END SUBROUTINE Weeble You will see this, but generally avoid it It makes it very hard to locate bounds errors It also implies several restrictions
54 Introduction to Modern Fortran p. 54/?? Warnings The size of the dummy array must not exceed the size of the actual array argument Compilers will rarely detect this error There are also some performance problems when passing assumed shape and array sections to explicit shape or assumed size dummies That is in the advanced slides on procedures Sorry but it s complicated to explain
55 Introduction to Modern Fortran p. 55/?? Example (1) We have a subroutine with an interface like: SUBROUTINE Normalise (array, size) INTEGER, INTENT(IN) :: size REAL, DIMENSION(size) :: array The following calls are correct: REAL, DIMENSION(1:10) :: data CALL Normalise (data, 10) CALL Normalise (data(2:5), SIZE(data(2:5))) CALL Normalise (data, 7)
56 Introduction to Modern Fortran p. 56/?? Example (2) SUBROUTINE Normalise (array, size) INTEGER, INTENT(IN) :: size REAL, DIMENSION(size) :: array The following calls are not correct: INTEGER, DIMENSION(1:10) :: indices REAL :: var, data(10) CALL Normalise (indices, 10)! wrong base type CALL Normalise (var, 1)! not an array CALL Normalise (data, 10.0)! wrong type CALL Normalise (data, 20)! dummy array too big
57 Introduction to Modern Fortran p. 57/?? Character Arguments Few scientists do anything very fancy with these See the advanced foils for anything like that People often use a constant length You can specify this as a digit string Or define it using PARAMETER That is best done in a module Or define it as an assumed length argument
58 Introduction to Modern Fortran p. 58/?? Explicit Length Character (1) The dummy should match the actual argument You are likely to get confused if it doesn t SUBROUTINE sorter (list) CHARACTER(LEN=8), DIMENSION(:) :: list... END FUNCTION sorter CHARACTER(LEN=8) :: data(1000)... CALL sorter(data)
59 Introduction to Modern Fortran p. 59/?? Explicit Length Character (2) MODULE Constants INTEGER, PARAMETER :: charlen = 8 END MODULE Constants SUBROUTINE sorter (list) USE Constants CHARACTER(LEN=charlen), DIMENSION(:) :: list... END FUNCTION sorter USE Constants CHARACTER(LEN=charlen) :: data(1000) CALL sorter(data)
60 Introduction to Modern Fortran p. 60/?? Assumed Length CHARACTER A CHARACTER length can be assumed The length is taken from the actual argument You use an asterisk ( *) for the length It acts very like an assumed shape array Note that it is a property of the type It is independent of any array dimensions
61 Introduction to Modern Fortran p. 61/?? Example (1) FUNCTION is --- palindrome (word) LOGICAL :: is --- palindrome CHARACTER(LEN= * ), INTENT(IN) :: word INTEGER :: N, I is --- palindrome =.False. N = LEN(word) comp: DO I = 1, (N--1)/2 IF (word(i:i) /= word(n+1--i:n+1--i)) THEN RETURN END IF END DO comp is --- palindrome =.True. END FUNCTION is --- palindrome
62 Introduction to Modern Fortran p. 62/?? Example (2) Such arguments do not have to be read--only SUBROUTINE reverse --- word (word) CHARACTER(LEN= *), INTENT(INOUT) :: word CHARACTER(LEN=1) :: c N = LEN(word) DO I = 1, (N--1)/2 c = word(i:i) word(i:i) = word(n+1--i:n+1--i) word(n+1--i:n+1--i) = c END DO END SUBROUTINE reverse --- word
63 Introduction to Modern Fortran p. 63/?? Character Workspace The rules are very similar to those for arrays The length can be an almost arbitrary expression But it usually just shadows an argument SUBROUTINE sort --- words (words) CHARACTER(LEN= *) :: words(:) CHARACTER(LEN=LEN(words)) :: temp... END SUBROUTINE sort --- words
64 Introduction to Modern Fortran p. 64/?? Character Valued Functions Functions can return CHARACTER values Fixed--length ones are the simplest FUNCTION truth (value) IMPLICIT NONE CHARACTER(LEN=8) :: truth LOGICAL, INTENT(IN) :: value IF (value) THEN truth =.True. ELSE truth =.False. END IF END FUNCTION truth
65 Introduction to Modern Fortran p. 65/?? Static Data Sometimes you need to store values locally Use a value in the next call of the procedure You do this with the SAVE attribute Initialised variables get that automatically It is good practice to specify it anyway The best style avoids most such use It can cause trouble with parallel programming But it works, and lots of programs rely on it
66 Introduction to Modern Fortran p. 66/?? Example This is a futile example, but shows the feature SUBROUTINE Factorial (result) IMPLICIT NONE REAL, INTENT(OUT) :: result REAL, SAVE :: mult = 1.0, value = 1.0 mult = mult+1.0 value = value * mult result = value END SUBROUTINE Factorial
67 Introduction to Modern Fortran p. 67/?? Warning Omitting SAVE will usually appear to work But even a new compiler version may break it As will increasing the level of optimisation Decide which variables need it during design Always use SAVE if you want it And preferably never when you don t! Never assume it without specifying it
68 Introduction to Modern Fortran p. 68/?? Delayed Until Modules Sometimes you need to share global data It s trivial, and can be done very cleanly Procedures can be passed as arguments This is a very important facility for some people For historical reasons, this is a bit messy However, internal procedures can t be Ask if you want to know why it s technical We will cover both of these under modules It just happens to be simplest that way!
69 Introduction to Modern Fortran p. 69/?? Other Features There is a lot that we haven t covered We will return to some of it later The above covers the absolute basics Plus some other features you need to know Be a bit cautious when using other features Some have been omitted because of gotchas And I have over--simplified a few areas
70 Introduction to Modern Fortran p. 70/?? Extra Slides Topics in the advanced slides on procedures Argument association and updating The semantics of function calls Optional arguments Array-- and character--valued functions Mixing explicit and assumed shape arrays Array arguments and sequence association Miscellaneous other points
Chapter 5 Names, Bindings, Type Checking, and Scopes
Chapter 5 Names, Bindings, Type Checking, and Scopes Chapter 5 Topics Introduction Names Variables The Concept of Binding Type Checking Strong Typing Scope Scope and Lifetime Referencing Environments Named
Information technology Programming languages Fortran Enhanced data type facilities
ISO/IEC JTC1/SC22/WG5 N1379 Working draft of ISO/IEC TR 15581, second edition Information technology Programming languages Fortran Enhanced data type facilities This page to be supplied by ISO. No changes
Simple File Input & Output
Simple File Input & Output Handout Eight Although we are looking at file I/O (Input/Output) rather late in this course, it is actually one of the most important features of any programming language. The
but never to show their absence Edsger W. Dijkstra
Fortran 90 Arrays Program testing can be used to show the presence of bugs, but never to show their absence Edsger W. Dijkstra Fall 2009 1 The DIMENSION Attribute: 1/6 A Fortran 90 program uses the DIMENSION
Debugging. Common Semantic Errors ESE112. Java Library. It is highly unlikely that you will write code that will work on the first go
Debugging ESE112 Java Programming: API, Psuedo-Code, Scope It is highly unlikely that you will write code that will work on the first go Bugs or errors Syntax Fixable if you learn to read compiler error
Chapter 7: Additional Topics
Chapter 7: Additional Topics In this chapter we ll briefly cover selected advanced topics in fortran programming. All the topics come in handy to add extra functionality to programs, but the feature you
Moving from CS 61A Scheme to CS 61B Java
Moving from CS 61A Scheme to CS 61B Java Introduction Java is an object-oriented language. This document describes some of the differences between object-oriented programming in Scheme (which we hope you
Pseudo code Tutorial and Exercises Teacher s Version
Pseudo code Tutorial and Exercises Teacher s Version Pseudo-code is an informal way to express the design of a computer program or an algorithm in 1.45. The aim is to get the idea quickly and also easy
MATH10212 Linear Algebra. Systems of Linear Equations. Definition. An n-dimensional vector is a row or a column of n numbers (or letters): a 1.
MATH10212 Linear Algebra Textbook: D. Poole, Linear Algebra: A Modern Introduction. Thompson, 2006. ISBN 0-534-40596-7. Systems of Linear Equations Definition. An n-dimensional vector is a row or a column
PL / SQL Basics. Chapter 3
PL / SQL Basics Chapter 3 PL / SQL Basics PL / SQL block Lexical units Variable declarations PL / SQL types Expressions and operators PL / SQL control structures PL / SQL style guide 2 PL / SQL Block Basic
Why (and Why Not) to Use Fortran
Why (and Why Not) to Use Fortran p. 1/?? Why (and Why Not) to Use Fortran Instead of C++, Matlab, Python etc. Nick Maclaren University of Cambridge Computing Service [email protected], 01223 334761 June 2012
One Dimension Array: Declaring a fixed-array, if array-name is the name of an array
Arrays in Visual Basic 6 An array is a collection of simple variables of the same type to which the computer can efficiently assign a list of values. Array variables have the same kinds of names as simple
Sources: On the Web: Slides will be available on:
C programming Introduction The basics of algorithms Structure of a C code, compilation step Constant, variable type, variable scope Expression and operators: assignment, arithmetic operators, comparison,
Stack Allocation. Run-Time Data Structures. Static Structures
Run-Time Data Structures Stack Allocation Static Structures For static structures, a fixed address is used throughout execution. This is the oldest and simplest memory organization. In current compilers,
Parameter passing in LISP
Parameter passing in LISP The actual parameters in a function call are always expressions, represented as lists structures. LISP provides two main methods of parameter passing: Pass/Call-by-value. The
Organization of Programming Languages CS320/520N. Lecture 05. Razvan C. Bunescu School of Electrical Engineering and Computer Science bunescu@ohio.
Organization of Programming Languages CS320/520N Razvan C. Bunescu School of Electrical Engineering and Computer Science [email protected] Names, Bindings, and Scopes A name is a symbolic identifier used
PGR Computing Programming Skills
PGR Computing Programming Skills Dr. I. Hawke 2008 1 Introduction The purpose of computing is to do something faster, more efficiently and more reliably than you could as a human do it. One obvious point
Concepts and terminology in the Simula Programming Language
Concepts and terminology in the Simula Programming Language An introduction for new readers of Simula literature Stein Krogdahl Department of Informatics University of Oslo, Norway April 2010 Introduction
Symbol Tables. Introduction
Symbol Tables Introduction A compiler needs to collect and use information about the names appearing in the source program. This information is entered into a data structure called a symbol table. The
3. Mathematical Induction
3. MATHEMATICAL INDUCTION 83 3. Mathematical Induction 3.1. First Principle of Mathematical Induction. Let P (n) be a predicate with domain of discourse (over) the natural numbers N = {0, 1,,...}. If (1)
PART-A Questions. 2. How does an enumerated statement differ from a typedef statement?
1. Distinguish & and && operators. PART-A Questions 2. How does an enumerated statement differ from a typedef statement? 3. What are the various members of a class? 4. Who can access the protected members
[Refer Slide Time: 05:10]
Principles of Programming Languages Prof: S. Arun Kumar Department of Computer Science and Engineering Indian Institute of Technology Delhi Lecture no 7 Lecture Title: Syntactic Classes Welcome to lecture
CHM 579 Lab 1: Basic Monte Carlo Algorithm
CHM 579 Lab 1: Basic Monte Carlo Algorithm Due 02/12/2014 The goal of this lab is to get familiar with a simple Monte Carlo program and to be able to compile and run it on a Linux server. Lab Procedure:
Parameter Passing in Pascal
Parameter Passing in Pascal Mordechai Ben-Ari Department of Science Teaching Weizmann Institute of Science Rehovot 76100 Israel [email protected] Abstract This paper claims that reference parameters
COMP 356 Programming Language Structures Notes for Chapter 10 of Concepts of Programming Languages Implementing Subprograms.
COMP 356 Programming Language Structures Notes for Chapter 10 of Concepts of Programming Languages Implementing Subprograms 1 Activation Records activation declaration location Recall that an activation
Name: Class: Date: 9. The compiler ignores all comments they are there strictly for the convenience of anyone reading the program.
Name: Class: Date: Exam #1 - Prep True/False Indicate whether the statement is true or false. 1. Programming is the process of writing a computer program in a language that the computer can respond to
Oracle Database: SQL and PL/SQL Fundamentals
Oracle University Contact Us: 1.800.529.0165 Oracle Database: SQL and PL/SQL Fundamentals Duration: 5 Days What you will learn This course is designed to deliver the fundamentals of SQL and PL/SQL along
Oracle Database: SQL and PL/SQL Fundamentals
Oracle University Contact Us: +966 12 739 894 Oracle Database: SQL and PL/SQL Fundamentals Duration: 5 Days What you will learn This Oracle Database: SQL and PL/SQL Fundamentals training is designed to
Object Oriented Software Design
Object Oriented Software Design Introduction to Java - II Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa September 14, 2011 G. Lipari (Scuola Superiore Sant Anna) Introduction
THE NAS KERNEL BENCHMARK PROGRAM
THE NAS KERNEL BENCHMARK PROGRAM David H. Bailey and John T. Barton Numerical Aerodynamic Simulations Systems Division NASA Ames Research Center June 13, 1986 SUMMARY A benchmark test program that measures
Python Lists and Loops
WEEK THREE Python Lists and Loops You ve made it to Week 3, well done! Most programs need to keep track of a list (or collection) of things (e.g. names) at one time or another, and this week we ll show
Lecture 6. Weight. Tension. Normal Force. Static Friction. Cutnell+Johnson: 4.8-4.12, second half of section 4.7
Lecture 6 Weight Tension Normal Force Static Friction Cutnell+Johnson: 4.8-4.12, second half of section 4.7 In this lecture, I m going to discuss four different kinds of forces: weight, tension, the normal
Parameter Passing. Parameter Passing. Parameter Passing Modes in Fortran. Parameter Passing Modes in C
Parameter Passing In this set of notes you will learn about: Parameter passing modes Call by Call by reference Call by sharing Call by result Call by /result Call by name Subroutine closures as parameters
Storage Classes CS 110B - Rule Storage Classes Page 18-1 \handouts\storclas
CS 110B - Rule Storage Classes Page 18-1 Attributes are distinctive features of a variable. Data type, int or double for example, is an attribute. Storage class is another attribute. There are four storage
arrays C Programming Language - Arrays
arrays So far, we have been using only scalar variables scalar meaning a variable with a single value But many things require a set of related values coordinates or vectors require 3 (or 2, or 4, or more)
CS 141: Introduction to (Java) Programming: Exam 1 Jenny Orr Willamette University Fall 2013
Oct 4, 2013, p 1 Name: CS 141: Introduction to (Java) Programming: Exam 1 Jenny Orr Willamette University Fall 2013 1. (max 18) 4. (max 16) 2. (max 12) 5. (max 12) 3. (max 24) 6. (max 18) Total: (max 100)
VISUAL GUIDE to. RX Scripting. for Roulette Xtreme - System Designer 2.0
VISUAL GUIDE to RX Scripting for Roulette Xtreme - System Designer 2.0 UX Software - 2009 TABLE OF CONTENTS INTRODUCTION... ii What is this book about?... iii How to use this book... iii Time to start...
JavaScript: Introduction to Scripting. 2008 Pearson Education, Inc. All rights reserved.
1 6 JavaScript: Introduction to Scripting 2 Comment is free, but facts are sacred. C. P. Scott The creditor hath a better memory than the debtor. James Howell When faced with a decision, I always ask,
I PUC - Computer Science. Practical s Syllabus. Contents
I PUC - Computer Science Practical s Syllabus Contents Topics 1 Overview Of a Computer 1.1 Introduction 1.2 Functional Components of a computer (Working of each unit) 1.3 Evolution Of Computers 1.4 Generations
Keil C51 Cross Compiler
Keil C51 Cross Compiler ANSI C Compiler Generates fast compact code for the 8051 and it s derivatives Advantages of C over Assembler Do not need to know the microcontroller instruction set Register allocation
Oracle Database: SQL and PL/SQL Fundamentals NEW
Oracle University Contact Us: + 38516306373 Oracle Database: SQL and PL/SQL Fundamentals NEW Duration: 5 Days What you will learn This Oracle Database: SQL and PL/SQL Fundamentals training delivers the
Lecture 3: Finding integer solutions to systems of linear equations
Lecture 3: Finding integer solutions to systems of linear equations Algorithmic Number Theory (Fall 2014) Rutgers University Swastik Kopparty Scribe: Abhishek Bhrushundi 1 Overview The goal of this lecture
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.
Year 9 set 1 Mathematics notes, to accompany the 9H book.
Part 1: Year 9 set 1 Mathematics notes, to accompany the 9H book. equations 1. (p.1), 1.6 (p. 44), 4.6 (p.196) sequences 3. (p.115) Pupils use the Elmwood Press Essential Maths book by David Raymer (9H
2) Write in detail the issues in the design of code generator.
COMPUTER SCIENCE AND ENGINEERING VI SEM CSE Principles of Compiler Design Unit-IV Question and answers UNIT IV CODE GENERATION 9 Issues in the design of code generator The target machine Runtime Storage
Mechanics 1: Vectors
Mechanics 1: Vectors roadly speaking, mechanical systems will be described by a combination of scalar and vector quantities. scalar is just a (real) number. For example, mass or weight is characterized
ASCII Encoding. The char Type. Manipulating Characters. Manipulating Characters
The char Type ASCII Encoding The C char type stores small integers. It is usually 8 bits. char variables guaranteed to be able to hold integers 0.. +127. char variables mostly used to store characters
LOBs were introduced back with DB2 V6, some 13 years ago. (V6 GA 25 June 1999) Prior to the introduction of LOBs, the max row size was 32K and the
First of all thanks to Frank Rhodes and Sandi Smith for providing the material, research and test case results. You have been working with LOBS for a while now, but V10 has added some new functionality.
Classes and Objects in Java Constructors. In creating objects of the type Fraction, we have used statements similar to the following:
In creating objects of the type, we have used statements similar to the following: f = new (); The parentheses in the expression () makes it look like a method, yet we never created such a method in our
Encoding Text with a Small Alphabet
Chapter 2 Encoding Text with a Small Alphabet Given the nature of the Internet, we can break the process of understanding how information is transmitted into two components. First, we have to figure out
Duration Vendor Audience 5 Days Oracle End Users, Developers, Technical Consultants and Support Staff
D80198GC10 Oracle Database 12c SQL and Fundamentals Summary Duration Vendor Audience 5 Days Oracle End Users, Developers, Technical Consultants and Support Staff Level Professional Delivery Method Instructor-led
VB.NET Programming Fundamentals
Chapter 3 Objectives Programming Fundamentals In this chapter, you will: Learn about the programming language Write a module definition Use variables and data types Compute with Write decision-making statements
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
QA Analysis of the WRF Program
QA Analysis of the WRF Program WRF Workshop, Boulder Colorado, 26-28th June 2012 Mark Anderson 1 John Collins 1,2,3,4 Brian Farrimond 1,2,4 [email protected] [email protected] [email protected]
Informatica e Sistemi in Tempo Reale
Informatica e Sistemi in Tempo Reale Introduction to C programming Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa October 25, 2010 G. Lipari (Scuola Superiore Sant Anna)
Good FORTRAN Programs
Good FORTRAN Programs Nick West Postgraduate Computing Lectures Good Fortran 1 What is a Good FORTRAN Program? It Works May be ~ impossible to prove e.g. Operating system. Robust Can handle bad data e.g.
Perl in a nutshell. First CGI Script and Perl. Creating a Link to a Script. print Function. Parsing Data 4/27/2009. First CGI Script and Perl
First CGI Script and Perl Perl in a nutshell Prof. Rasley shebang line tells the operating system where the Perl interpreter is located necessary on UNIX comment line ignored by the Perl interpreter End
Glossary of Object Oriented Terms
Appendix E Glossary of Object Oriented Terms abstract class: A class primarily intended to define an instance, but can not be instantiated without additional methods. abstract data type: An abstraction
Handout 1. Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner.
Handout 1 CS603 Object-Oriented Programming Fall 15 Page 1 of 11 Handout 1 Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner. Java
Writing Control Structures
Writing Control Structures Copyright 2006, Oracle. All rights reserved. Oracle Database 10g: PL/SQL Fundamentals 5-1 Objectives After completing this lesson, you should be able to do the following: Identify
Object Oriented Software Design
Object Oriented Software Design Introduction to Java - II Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa October 28, 2010 G. Lipari (Scuola Superiore Sant Anna) Introduction
Guide to Performance and Tuning: Query Performance and Sampled Selectivity
Guide to Performance and Tuning: Query Performance and Sampled Selectivity A feature of Oracle Rdb By Claude Proteau Oracle Rdb Relational Technology Group Oracle Corporation 1 Oracle Rdb Journal Sampled
Euler s Method and Functions
Chapter 3 Euler s Method and Functions The simplest method for approximately solving a differential equation is Euler s method. One starts with a particular initial value problem of the form dx dt = f(t,
Discrete Mathematics and Probability Theory Fall 2009 Satish Rao, David Tse Note 2
CS 70 Discrete Mathematics and Probability Theory Fall 2009 Satish Rao, David Tse Note 2 Proofs Intuitively, the concept of proof should already be familiar We all like to assert things, and few of us
14:440:127 Introduction to Computers for Engineers. Notes for Lecture 06
14:440:127 Introduction to Computers for Engineers Notes for Lecture 06 Rutgers University, Spring 2010 Instructor- Blase E. Ur 1 Loop Examples 1.1 Example- Sum Primes Let s say we wanted to sum all 1,
SAS: A Mini-Manual for ECO 351 by Andrew C. Brod
SAS: A Mini-Manual for ECO 351 by Andrew C. Brod 1. Introduction This document discusses the basics of using SAS to do problems and prepare for the exams in ECO 351. I decided to produce this little guide
Fortran 90/95 Programming Manual
Fortran 90/95 Programming Manual fifth revision (2005) Tanja van Mourik Chemistry Department University College London Copyright: Tanja van Mourik Fortran 90/95 Programming Manual Brief History of Fortran
csce4313 Programming Languages Scanner (pass/fail)
csce4313 Programming Languages Scanner (pass/fail) John C. Lusth Revision Date: January 18, 2005 This is your first pass/fail assignment. You may develop your code using any procedural language, but you
AppendixA1A1. Java Language Coding Guidelines. A1.1 Introduction
AppendixA1A1 Java Language Coding Guidelines A1.1 Introduction This coding style guide is a simplified version of one that has been used with good success both in industrial practice and for college courses.
Programming Exercises
s CMPS 5P (Professor Theresa Migler-VonDollen ): Assignment #8 Problem 6 Problem 1 Programming Exercises Modify the recursive Fibonacci program given in the chapter so that it prints tracing information.
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
Generalizing Overloading for C++2000
Generalizing Overloading for C++2000 Bjarne Stroustrup AT&T Labs, Florham Park, NJ, USA Abstract This paper outlines the proposal for generalizing the overloading rules for Standard C++ that is expected
To give it a definition, an implicit function of x and y is simply any relationship that takes the form:
2 Implicit function theorems and applications 21 Implicit functions The implicit function theorem is one of the most useful single tools you ll meet this year After a while, it will be second nature to
Managing Variability in Software Architectures 1 Felix Bachmann*
Managing Variability in Software Architectures Felix Bachmann* Carnegie Bosch Institute Carnegie Mellon University Pittsburgh, Pa 523, USA [email protected] Len Bass Software Engineering Institute Carnegie
CS104: Data Structures and Object-Oriented Design (Fall 2013) October 24, 2013: Priority Queues Scribes: CS 104 Teaching Team
CS104: Data Structures and Object-Oriented Design (Fall 2013) October 24, 2013: Priority Queues Scribes: CS 104 Teaching Team Lecture Summary In this lecture, we learned about the ADT Priority Queue. A
Dynamic Programming Problem Set Partial Solution CMPSC 465
Dynamic Programming Problem Set Partial Solution CMPSC 465 I ve annotated this document with partial solutions to problems written more like a test solution. (I remind you again, though, that a formal
C++ INTERVIEW QUESTIONS
C++ INTERVIEW QUESTIONS http://www.tutorialspoint.com/cplusplus/cpp_interview_questions.htm Copyright tutorialspoint.com Dear readers, these C++ Interview Questions have been designed specially to get
An Introduction to Assembly Programming with the ARM 32-bit Processor Family
An Introduction to Assembly Programming with the ARM 32-bit Processor Family G. Agosta Politecnico di Milano December 3, 2011 Contents 1 Introduction 1 1.1 Prerequisites............................. 2
Computers. An Introduction to Programming with Python. Programming Languages. Programs and Programming. CCHSG Visit June 2014. Dr.-Ing.
Computers An Introduction to Programming with Python CCHSG Visit June 2014 Dr.-Ing. Norbert Völker Many computing devices are embedded Can you think of computers/ computing devices you may have in your
COLLEGE ALGEBRA. Paul Dawkins
COLLEGE ALGEBRA Paul Dawkins Table of Contents Preface... iii Outline... iv Preliminaries... Introduction... Integer Exponents... Rational Exponents... 9 Real Exponents...5 Radicals...6 Polynomials...5
Access Queries (Office 2003)
Access Queries (Office 2003) Technical Support Services Office of Information Technology, West Virginia University OIT Help Desk 293-4444 x 1 oit.wvu.edu/support/training/classmat/db/ Instructor: Kathy
13 Classes & Objects with Constructors/Destructors
13 Classes & Objects with Constructors/Destructors 13.1 Introduction In object oriented programming, the emphasis is on data rather than function. Class is a way that binds the data & function together.
Semantic Analysis: Types and Type Checking
Semantic Analysis Semantic Analysis: Types and Type Checking CS 471 October 10, 2007 Source code Lexical Analysis tokens Syntactic Analysis AST Semantic Analysis AST Intermediate Code Gen lexical errors
ASSEMBLY LANGUAGE PROGRAMMING (6800) (R. Horvath, Introduction to Microprocessors, Chapter 6)
ASSEMBLY LANGUAGE PROGRAMMING (6800) (R. Horvath, Introduction to Microprocessors, Chapter 6) 1 COMPUTER LANGUAGES In order for a computer to be able to execute a program, the program must first be present
Dynamic Programming. Lecture 11. 11.1 Overview. 11.2 Introduction
Lecture 11 Dynamic Programming 11.1 Overview Dynamic Programming is a powerful technique that allows one to solve many different types of problems in time O(n 2 ) or O(n 3 ) for which a naive approach
Session 7 Fractions and Decimals
Key Terms in This Session Session 7 Fractions and Decimals Previously Introduced prime number rational numbers New in This Session period repeating decimal terminating decimal Introduction In this session,
SmartArrays and Java Frequently Asked Questions
SmartArrays and Java Frequently Asked Questions What are SmartArrays? A SmartArray is an intelligent multidimensional array of data. Intelligent means that it has built-in knowledge of how to perform operations
Visual Basic Programming. An Introduction
Visual Basic Programming An Introduction Why Visual Basic? Programming for the Windows User Interface is extremely complicated. Other Graphical User Interfaces (GUI) are no better. Visual Basic provides
MATLAB Tutorial. Chapter 6. Writing and calling functions
MATLAB Tutorial Chapter 6. Writing and calling functions In this chapter we discuss how to structure a program with multiple source code files. First, an explanation of how code files work in MATLAB is
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
Arrays. number: Motivation. Prof. Stewart Weiss. Software Design Lecture Notes Arrays
Motivation Suppose that we want a program that can read in a list of numbers and sort that list, or nd the largest value in that list. To be concrete about it, suppose we have 15 numbers to read in from
Ed. v1.0 PROGRAMMING LANGUAGES WORKING PAPER DRAFT PROGRAMMING LANGUAGES. Ed. v1.0
i PROGRAMMING LANGUAGES ii Copyright 2011 Juhász István iii COLLABORATORS TITLE : PROGRAMMING LANGUAGES ACTION NAME DATE SIGNATURE WRITTEN BY István Juhász 2012. március 26. Reviewed by Ágnes Korotij 2012.
INSTALL NOTES Elements Environments Windows 95 Users
NEURON DATA INSTALL NOTES Elements Environments Windows 95 Users Modifying Environment Variables You must modify the environment variables of your system to be able to compile and run Elements Environment
Vector and Matrix Norms
Chapter 1 Vector and Matrix Norms 11 Vector Spaces Let F be a field (such as the real numbers, R, or complex numbers, C) with elements called scalars A Vector Space, V, over the field F is a non-empty
MATRIX ALGEBRA AND SYSTEMS OF EQUATIONS
MATRIX ALGEBRA AND SYSTEMS OF EQUATIONS Systems of Equations and Matrices Representation of a linear system The general system of m equations in n unknowns can be written a x + a 2 x 2 + + a n x n b a
Solving Problems Recursively
Solving Problems Recursively Recursion is an indispensable tool in a programmer s toolkit Allows many complex problems to be solved simply Elegance and understanding in code often leads to better programs:
Chapter 1: Key Concepts of Programming and Software Engineering
Chapter 1: Key Concepts of Programming and Software Engineering Software Engineering Coding without a solution design increases debugging time - known fact! A team of programmers for a large software development
v w is orthogonal to both v and w. the three vectors v, w and v w form a right-handed set of vectors.
3. Cross product Definition 3.1. Let v and w be two vectors in R 3. The cross product of v and w, denoted v w, is the vector defined as follows: the length of v w is the area of the parallelogram with
