Weather forecast in Accra
|
|
- Gerburg Althaus
- vor 4 Jahren
- Abrufe
Transkript
1 Weather forecast in Accra Thursday Friday Saturday Sunday 30 C 31 C 29 C 28 C f = 9 5 c + 32 Temperature in Fahrenheit Temperature in Celsius 2
2 Converting Celsius to Fahrenheit f = 9 5 c + 32 tempc = 21 tempf = ((9.0 / 5.0) * tempc) print 'Saturday:', tempf, 'F' Saturday: F But we want the whole forecast, not just one day # Saturday's forecast in C temp_sun_c = 19 # Sunday's forecast in C temp_mon_c = 23 # Monday's forecast in Ctemp_tues_C = 26 # Tuesday's forecast in C... 3
3 Converting Celsius to Fahrenheit # Saturday's forecast in C temp_sun_c = 19 # Sunday's forecast in C temp_mon_c = 23 # Monday's forecast in C... temp_sat_f = ((9.0 / 5.0) * temp_sat_c) print 'Saturday:', temp_sat_f, 'F temp_sun_f = ((9.0 / 5.0) * temp_sun_c ) print 'Sunday:', temp_sun_f, 'F temp_mon_f= ((9.9 / 5.0) * temp_mon_c ) print 'Monday:', temp_mon_f, 'F... Repetitive! What if we want to spell out 'Fahrenheit' instead of 'F'? Must change everywhere! Easy to make mistakes 4
4 Functions 5
5 Functions A function is a sequence of statements that has been given a name. function name list of function arguments def NAME (PARAMETERS): STATEMENTS function definition any set of statements function signature 7 7
6 Defining a function function name, follows same naming rules as variables name for each parameter function body 8
7 Calling a function c starts with the same initial value as temp_sat_c had function call argument passed into function 9
8 Flow of execution Program execution always starts at the first line that is *not* a statement inside a function 10
9 Flow of execution Function calls are like detours in the execution flow. 11
10 Flow of execution 12
11 Flow of execution F 13
12 Different numbers of parameters def print_as_fahrenheit (c, day): print day + ':', f, 'F' print_as_fahrenheit(21, 'Saturday') Saturday: F def print_forecast_intro(): print 'Welcome to your weather forecast!' print_forecast_intro() Welcome to your weather forecast! 14
13 Different numbers of parameters 15 def print_as_fahrenheit (c, day): print day + ':', f, 'F' What happens here? print_as_fahrenheit(21) TypeError: print_as_fahrenheit() takes exactly 2 arguments (1 given) print_as_fahrenheit(21, 'Saturday', Sunday ) TypeError: print_as_fahrenheit() takes exactly 2 arguments (3 given) print_as_fahrenheit('saturday', 21) TypeError: can't multiply sequence by non-int of type 'float'
14 Returning a value return statement return EXPRESSION A return statement ends the function immediately. any expression, or nothing 16
15 What is the output here? print Celsius: + c print Fahrenheit: + f convert_to_fahrenheit(27) Celsius: 27 17
16 More than one return statement def absolute_value(c): if c < 0: return -c else: return c If c is negative, the function returns here. 18
17 More than one return statement def absolute_value(c): if c < 0: return c return c Good rule: Every path through the function must have a return statement. If you don't add one, Python will add one for you that returns nothing (the value None). 19
18 Functions can call functions f = convert_to_fahrenheit(c) 20
19 Functions can call functions f = convert_to_fahrenheit(c) 21
20 Functions can call functions f = convert_to_fahrenheit(c) 22
21 Functions can call functions f = convert_to_fahrenheit(c) 23
22 Functions can call functions f = convert_to_fahrenheit(c) 24
23 Functions can call functions f = convert_to_fahrenheit(c) 25
24 Functions can call functions f = convert_to_fahrenheit(c) 26
25 What is wrong here? this function has to be defined before it is called NameError: name 'print_as_fahrenheit' is not defined f = convert_to_fahrenheit(c) what about this one? 27 The two functions are in the same level. Therefore, one function can call the other functions even if it is defined after the calling function.
26 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) main Each function call gets its own stack frame
27 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) main temp_sat_c
28 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. The parameter variable is initialized to a copy of the argument value. f = convert_to_fahrenheit(c) print_as_fahrenheit c main temp_sat_c A new frame is added to the top of stack. Frames below the top of the stack become inactive. 30
29 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) print_as_fahrenheit Variables defined inside the function are called local variables. c 21 f main temp_sat_c
30 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) convert_to_fahrenheit print_as_fahrenheit c 21 c f main temp_sat_c
31 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) convert_to_fahrenheit print_as_fahrenheit c 21 f 69.8 c 21 f main temp_sat_c
32 Scoping in functions The return value is passed back to the function's caller. A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) convert_to_fahrenheit print_as_fahrenheit c 21 f c 21 f 69.8 main temp_sat_c
33 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. When a function returns, its stack frame is popped off the stack. f = convert_to_fahrenheit(c) print_as_fahrenheit c 21 f 69.8 main temp_sat_c The stack frame for the calling function is now active again. 35
34 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) print_as_fahrenheit c 21 f 69.8 main temp_sat_c F 36
35 Scoping in functions A stack diagram keeps track of where each variable is defined, and its value. f = convert_to_fahrenheit(c) main temp_sat_c
36 Tricky issues with scoping Changes to a variable in the current scope do not affect variables in other scopes. c = c * 10 convert_to_fahrenheit c 210 f 69.8 f = convert_to_fahrenheit(c) print_as_fahrenheit c 21 f main temp_sat_c 21 unaffected by changes to c in convert_to_fahrenheit 38 38
37 Why use functions? Generalization: the same code can be used more than once, with parameters to allow for differences. BEFORE temp_sat_f = ((9.0 / 5.0) * 21) print 'Saturday:', temp_sat_f, 'F' temp_sun_f = ((9.0 / 5.0) * 19) print 'Sunday:', temp_sun_f, 'F' temp_mon_f = ((9.9 / 5.0) * 23) print 'Monday:', temp_mon_f, 'F' Would not have made this typo. AFTER def print_as_fahrenheit(c, day): print day + ':', f, 'F' print_as_fahrenheit(21, 'Saturday') print_as_fahrenheit(19, 'Sunday') print_as_fahrenheit(23, 'Monday') Only type these lines once
38 Why use functions? Maintenance: much easier to make changes. BEFORE temp_sat_f = ((9.0 / 5.0) * 21) print 'Saturday:', temp_sat_f, 'F' temp_sun_f = ((9.0 / 5.0) * 19) print 'Sunday:', temp_sun_f, 'F' temp_mon_f = ((9.9 / 5.0) * 23) print 'Monday:', temp_mon_f, 'F' Can change to "Fahrenheit" with only one change. AFTER def print_as_fahrenheit(c, day): print day + ':', f, 'F' print_as_fahrenheit(21, 'Saturday') print_as_fahrenheit(19, 'Sunday') print_as_fahrenheit(23, 'Monday') 40 40
39 Why use functions? Encapsulation: much easier to read and debug! BEFORE AFTER temp_sat_f = ((9.0 / 5.0) * 21) print 'Saturday:', temp_sat_f, 'F' temp_sun_f = ((9.0 / 5.0) * 19) print 'Sunday:', temp_sun_f, 'F' temp_mon_f = ((9.9 / 5.0) * 23) print 'Monday:', temp_mon_f, 'F' def print_as_fahrenheit(c, day): print day + ':', f, 'F' print_as_fahrenheit(21, 'Saturday') print_as_fahrenheit(19, 'Sunday') print_as_fahrenheit(23, 'Monday') What are we doing here? We re printing as Fahrenheit! 41 41
40 Method overloading We want to return the sum of two or three variables. Java makes this difficult. //In Java: Private int add(int a, int b) { return a+b } Private int add(int a, int b, int c) { return a+b+c } Private double add(double a, double b) { return a+b+c } //Etc //repeat for float, byte, short, double, int, and every combination of 2 or 3 42
41 Method Overloading Python makes this easy. def add(a, b, c=0) return a+b+c #This doesn t work: def add(a, b): return a+b def add(a, b, c): return a+b+c: 43
Accelerating Information Technology Innovation
Accelerating Information Technology Innovation http://aiti.mit.edu Ghana Summer 2011 Lecture 05 Functions Weather forecast in Accra Thursday Friday Saturday Sunday 30 C 31 C 29 C 28 C f = 9 5 c + 32 Temperature
Magic Figures. We note that in the example magic square the numbers 1 9 are used. All three rows (columns) have equal sum, called the magic number.
Magic Figures Introduction: This lesson builds on ideas from Magic Squares. Students are introduced to a wider collection of Magic Figures and consider constraints on the Magic Number associated with such
Wie man heute die Liebe fürs Leben findet
Wie man heute die Liebe fürs Leben findet Sherrie Schneider Ellen Fein Click here if your download doesn"t start automatically Wie man heute die Liebe fürs Leben findet Sherrie Schneider Ellen Fein Wie
Ein Stern in dunkler Nacht Die schoensten Weihnachtsgeschichten. Click here if your download doesn"t start automatically
Ein Stern in dunkler Nacht Die schoensten Weihnachtsgeschichten Click here if your download doesn"t start automatically Ein Stern in dunkler Nacht Die schoensten Weihnachtsgeschichten Ein Stern in dunkler
FACHKUNDE FüR KAUFLEUTE IM GESUNDHEITSWESEN FROM THIEME GEORG VERLAG
FACHKUNDE FüR KAUFLEUTE IM GESUNDHEITSWESEN FROM THIEME GEORG VERLAG DOWNLOAD EBOOK : FACHKUNDE FüR KAUFLEUTE IM GESUNDHEITSWESEN Click link bellow and free register to download ebook: FACHKUNDE FüR KAUFLEUTE
Die Bedeutung neurowissenschaftlicher Erkenntnisse für die Werbung (German Edition)
Die Bedeutung neurowissenschaftlicher Erkenntnisse für die Werbung (German Edition) Lisa Johann Click here if your download doesn"t start automatically Download and Read Free Online Die Bedeutung neurowissenschaftlicher
Aus FanLiebe zu Tokio Hotel: von Fans fã¼r Fans und ihre Band
Aus FanLiebe zu Tokio Hotel: von Fans fã¼r Fans und ihre Band Click here if your download doesn"t start automatically Aus FanLiebe zu Tokio Hotel: von Fans fã¼r Fans und ihre Band Aus FanLiebe zu Tokio
Java Tools JDK. IDEs. Downloads. Eclipse. IntelliJ. NetBeans. Java SE 8 Java SE 8 Documentation
Java Tools JDK http://www.oracle.com/technetwork/java/javase/ Downloads IDEs Java SE 8 Java SE 8 Documentation Eclipse http://www.eclipse.org IntelliJ http://www.jetbrains.com/idea/ NetBeans https://netbeans.org/
Killy Literaturlexikon: Autoren Und Werke Des Deutschsprachigen Kulturraumes 2., Vollstandig Uberarbeitete Auflage (German Edition)
Killy Literaturlexikon: Autoren Und Werke Des Deutschsprachigen Kulturraumes 2., Vollstandig Uberarbeitete Auflage (German Edition) Walther Killy Click here if your download doesn"t start automatically
Wer bin ich - und wenn ja wie viele?: Eine philosophische Reise. Click here if your download doesn"t start automatically
Wer bin ich - und wenn ja wie viele?: Eine philosophische Reise Click here if your download doesn"t start automatically Wer bin ich - und wenn ja wie viele?: Eine philosophische Reise Wer bin ich - und
Was heißt Denken?: Vorlesung Wintersemester 1951/52. [Was bedeutet das alles?] (Reclams Universal-Bibliothek) (German Edition)
Was heißt Denken?: Vorlesung Wintersemester 1951/52. [Was bedeutet das alles?] (Reclams Universal-Bibliothek) (German Edition) Martin Heidegger Click here if your download doesn"t start automatically Was
Handbuch der therapeutischen Seelsorge: Die Seelsorge-Praxis / Gesprächsführung in der Seelsorge (German Edition)
Handbuch der therapeutischen Seelsorge: Die Seelsorge-Praxis / Gesprächsführung in der Seelsorge (German Edition) Reinhold Ruthe Click here if your download doesn"t start automatically Handbuch der therapeutischen
Funktion der Mindestreserve im Bezug auf die Schlüsselzinssätze der EZB (German Edition)
Funktion der Mindestreserve im Bezug auf die Schlüsselzinssätze der EZB (German Edition) Philipp Heckele Click here if your download doesn"t start automatically Download and Read Free Online Funktion
Im Fluss der Zeit: Gedanken beim Älterwerden (HERDER spektrum) (German Edition)
Im Fluss der Zeit: Gedanken beim Älterwerden (HERDER spektrum) (German Edition) Ulrich Schaffer Click here if your download doesn"t start automatically Im Fluss der Zeit: Gedanken beim Älterwerden (HERDER
Warum nehme ich nicht ab?: Die 100 größten Irrtümer über Essen, Schlanksein und Diäten - Der Bestseller jetzt neu!
Warum nehme ich nicht ab?: Die 100 größten Irrtümer über Essen, Schlanksein und Diäten - Der Bestseller jetzt neu! (German Edition) Susanne Walsleben Click here if your download doesn"t start automatically
DIBELS TM. German Translations of Administration Directions
DIBELS TM German Translations of Administration Directions Note: These translations can be used with students having limited English proficiency and who would be able to understand the DIBELS tasks better
Martin Luther. Click here if your download doesn"t start automatically
Die schönsten Kirchenlieder von Luther (Vollständige Ausgabe): Gesammelte Gedichte: Ach Gott, vom Himmel sieh darein + Nun bitten wir den Heiligen Geist... der Unweisen Mund... (German Edition) Martin
Level 1 German, 2014
90886 908860 1SUPERVISOR S Level 1 German, 2014 90886 Demonstrate understanding of a variety of German texts on areas of most immediate relevance 9.30 am Wednesday 26 November 2014 Credits: Five Achievement
Level 2 German, 2013
91126 911260 2SUPERVISOR S Level 2 German, 2013 91126 Demonstrate understanding of a variety of written and / or visual German text(s) on familiar matters 9.30 am Monday 11 November 2013 Credits: Five
Mercedes OM 636: Handbuch und Ersatzteilkatalog (German Edition)
Mercedes OM 636: Handbuch und Ersatzteilkatalog (German Edition) Mercedes-Benz Click here if your download doesn"t start automatically Mercedes OM 636: Handbuch und Ersatzteilkatalog (German Edition) Mercedes-Benz
Harry gefangen in der Zeit Begleitmaterialien
Episode 015 - A very strange date Focus: how to express the exact date, the year and the names of the months Grammar: ordinal numbers, expressing dates, the pronoun es It's the 31 st of April, but April
Zu + Infinitiv Constructions
Zu + Infinitiv Constructions You have probably noticed that in many German sentences, infinitives appear with a "zu" before them. These "zu + infinitive" structures are called infinitive clauses, and they're
Reparaturen kompakt - Küche + Bad: Waschbecken, Fliesen, Spüle, Armaturen, Dunstabzugshaube... (German Edition)
Reparaturen kompakt - Küche + Bad: Waschbecken, Fliesen, Spüle, Armaturen, Dunstabzugshaube... (German Edition) Peter Birkholz, Michael Bruns, Karl-Gerhard Haas, Hans-Jürgen Reinbold Click here if your
Where are we now? The administration building M 3. Voransicht
Let me show you around 9 von 26 Where are we now? The administration building M 3 12 von 26 Let me show you around Presenting your company 2 I M 5 Prepositions of place and movement There are many prepositions
FAHRZEUGENTWICKLUNG IM AUTOMOBILBAU FROM HANSER FACHBUCHVERLAG DOWNLOAD EBOOK : FAHRZEUGENTWICKLUNG IM AUTOMOBILBAU FROM HANSER FACHBUCHVERLAG PDF
Read Online and Download Ebook FAHRZEUGENTWICKLUNG IM AUTOMOBILBAU FROM HANSER FACHBUCHVERLAG DOWNLOAD EBOOK : FAHRZEUGENTWICKLUNG IM AUTOMOBILBAU FROM Click link bellow and free register to download ebook:
Fachübersetzen - Ein Lehrbuch für Theorie und Praxis
Fachübersetzen - Ein Lehrbuch für Theorie und Praxis Radegundis Stolze Click here if your download doesn"t start automatically Fachübersetzen - Ein Lehrbuch für Theorie und Praxis Radegundis Stolze Fachübersetzen
Introduction to Python. Introduction. First Steps in Python. pseudo random numbers. May 2016
to to May 2016 to What is Programming? All computers are stupid. All computers are deterministic. You have to tell the computer what to do. You can tell the computer in any (programming) language) you
D-BAUG Informatik I. Exercise session: week 1 HS 2018
1 D-BAUG Informatik I Exercise session: week 1 HS 2018 Java Tutorials 2 Questions? expert.ethz.ch 3 Common questions and issues. expert.ethz.ch 4 Need help with expert? Mixed expressions Type Conversions
VGM. VGM information. HAMBURG SÜD VGM WEB PORTAL - USER GUIDE June 2016
Overview The Hamburg Süd VGM-Portal is an application which enables to submit VGM information directly to Hamburg Süd via our e-portal web page. You can choose to insert VGM information directly, or download
LEBEN OHNE REUE: 52 IMPULSE, DIE UNS DARAN ERINNERN, WAS WIRKLICH WICHTIG IST (GERMAN EDITION) BY BRONNIE WARE
LEBEN OHNE REUE: 52 IMPULSE, DIE UNS DARAN ERINNERN, WAS WIRKLICH WICHTIG IST (GERMAN EDITION) BY BRONNIE WARE DOWNLOAD EBOOK : LEBEN OHNE REUE: 52 IMPULSE, DIE UNS DARAN EDITION) BY BRONNIE WARE PDF Click
VGM. VGM information. HAMBURG SÜD VGM WEB PORTAL USER GUIDE June 2016
Overview The Hamburg Süd VGM Web portal is an application that enables you to submit VGM information directly to Hamburg Süd via our e-portal Web page. You can choose to enter VGM information directly,
Volksgenossinnen: Frauen in der NS- Volksgemeinschaft (Beiträge zur Geschichte des Nationalsozialismus) (German Edition)
Volksgenossinnen: Frauen in der NS- Volksgemeinschaft (Beiträge zur Geschichte des Nationalsozialismus) (German Edition) Hg. von Sybille Steinbacher Click here if your download doesn"t start automatically
Level 1 German, 2012
90886 908860 1SUPERVISOR S Level 1 German, 2012 90886 Demonstrate understanding of a variety of German texts on areas of most immediate relevance 9.30 am Tuesday 13 November 2012 Credits: Five Achievement
Ab 40 reif für den Traumjob!: Selbstbewusstseins- Training Für Frauen, Die Es Noch Mal Wissen Wollen (German Edition)
Ab 40 reif für den Traumjob!: Selbstbewusstseins- Training Für Frauen, Die Es Noch Mal Wissen Wollen (German Edition) Anja Kolberg Click here if your download doesn"t start automatically Ab 40 reif für
EVANGELISCHES GESANGBUCH: AUSGABE FUR DIE EVANGELISCH-LUTHERISCHE LANDESKIRCHE SACHSEN. BLAU (GERMAN EDITION) FROM EVANGELISCHE VERLAGSAN
EVANGELISCHES GESANGBUCH: AUSGABE FUR DIE EVANGELISCH-LUTHERISCHE LANDESKIRCHE SACHSEN. BLAU (GERMAN EDITION) FROM EVANGELISCHE VERLAGSAN DOWNLOAD EBOOK : EVANGELISCHES GESANGBUCH: AUSGABE FUR DIE EVANGELISCH-LUTHERISCHE
42 Zitate großer Philosophen: Über das Leben, das Universum und den ganzen Rest (German Edition)
42 Zitate großer Philosophen: Über das Leben, das Universum und den ganzen Rest (German Edition) Click here if your download doesn"t start automatically 42 Zitate großer Philosophen: Über das Leben, das
Level 2 German, 2015
91126 911260 2SUPERVISOR S Level 2 German, 2015 91126 Demonstrate understanding of a variety of written and / or visual German text(s) on familiar matters 2.00 p.m. Friday 4 December 2015 Credits: Five
Hardwarekonfiguration an einer Siemens S7-300er Steuerung vornehmen (Unterweisung Elektriker / - in) (German Edition)
Hardwarekonfiguration an einer Siemens S7-300er Steuerung vornehmen (Unterweisung Elektriker / - in) (German Edition) Thomas Schäfer Click here if your download doesn"t start automatically Hardwarekonfiguration
Diabetes zu heilen natürlich: German Edition( Best Seller)
Diabetes zu heilen natürlich: German Edition( Best Seller) Dr Maria John Click here if your download doesn"t start automatically Diabetes zu heilen natürlich: German Edition( Best Seller) Dr Maria John
Willy Pastor. Click here if your download doesn"t start automatically
Albrecht Dürer - Der Mann und das Werk (Vollständige Biografie mit 50 Bildern): Das Leben Albrecht Dürers, eines bedeutenden Künstler (Maler, Grafiker... und der Reformation (German Edition) Willy Pastor
Sagen und Geschichten aus dem oberen Flöhatal im Erzgebirge: Pfaffroda - Neuhausen - Olbernhau - Seiffen (German Edition)
Sagen und Geschichten aus dem oberen Flöhatal im Erzgebirge: Pfaffroda - Neuhausen - Olbernhau - Seiffen (German Edition) Dr. Frank Löser Click here if your download doesn"t start automatically Sagen und
Aus FanLiebe zu Tokio Hotel: von Fans fã¼r Fans und ihre Band
Aus FanLiebe zu Tokio Hotel: von Fans fã¼r Fans und ihre Band Click here if your download doesn"t start automatically Aus FanLiebe zu Tokio Hotel: von Fans fã¼r Fans und ihre Band Aus FanLiebe zu Tokio
CNC ZUR STEUERUNG VON WERKZEUGMASCHINEN (GERMAN EDITION) BY TIM ROHR
(GERMAN EDITION) BY TIM ROHR READ ONLINE AND DOWNLOAD EBOOK : CNC ZUR STEUERUNG VON WERKZEUGMASCHINEN (GERMAN EDITION) BY TIM ROHR PDF Click button to download this ebook READ ONLINE AND DOWNLOAD CNC ZUR
Benjamin Whorf, Die Sumerer Und Der Einfluss Der Sprache Auf Das Denken (Philippika) (German Edition)
Benjamin Whorf, Die Sumerer Und Der Einfluss Der Sprache Auf Das Denken (Philippika) (German Edition) Sebastian Fink Click here if your download doesn"t start automatically Benjamin Whorf, Die Sumerer
Die einfachste Diät der Welt: Das Plus-Minus- Prinzip (GU Reihe Einzeltitel)
Die einfachste Diät der Welt: Das Plus-Minus- Prinzip (GU Reihe Einzeltitel) Stefan Frà drich Click here if your download doesn"t start automatically Die einfachste Diät der Welt: Das Plus-Minus-Prinzip
Im Zeichen der Sonne: Schamanische Heilrituale (German Edition)
Im Zeichen der Sonne: Schamanische Heilrituale (German Edition) Click here if your download doesn"t start automatically Im Zeichen der Sonne: Schamanische Heilrituale (German Edition) Im Zeichen der Sonne:
Ermittlung des Maschinenstundensatzes (Unterweisung Industriekaufmann / -kauffrau) (German Edition)
Ermittlung des Maschinenstundensatzes (Unterweisung Industriekaufmann / -kauffrau) (German Edition) Click here if your download doesn"t start automatically Ermittlung des Maschinenstundensatzes (Unterweisung
Nürnberg und der Christkindlesmarkt: Ein erlebnisreicher Tag in Nürnberg (German Edition)
Nürnberg und der Christkindlesmarkt: Ein erlebnisreicher Tag in Nürnberg (German Edition) Karl Schön Click here if your download doesn"t start automatically Nürnberg und der Christkindlesmarkt: Ein erlebnisreicher
Prüfung Psychotherapie: 900 Fragen und kommentierte Antworten (German Edition)
Prüfung Psychotherapie: 900 Fragen und kommentierte Antworten (German Edition) Jürgen von Dall'Armi Click here if your download doesn"t start automatically Prüfung Psychotherapie: 900 Fragen und kommentierte
RECHNUNGSWESEN. KOSTENBEWUßTE UND ERGEBNISORIENTIERTE BETRIEBSFüHRUNG. BY MARTIN GERMROTH
RECHNUNGSWESEN. KOSTENBEWUßTE UND ERGEBNISORIENTIERTE BETRIEBSFüHRUNG. BY MARTIN GERMROTH DOWNLOAD EBOOK : RECHNUNGSWESEN. KOSTENBEWUßTE UND Click link bellow and free register to download ebook: RECHNUNGSWESEN.
Level 2 German, 2016
91126 911260 2SUPERVISOR S Level 2 German, 2016 91126 Demonstrate understanding of a variety of written and / or visual German texts on familiar matters 2.00 p.m. Tuesday 29 November 2016 Credits: Five
Max und Moritz: Eine Bubengeschichte in Sieben Streichen (German Edition)
Max und Moritz: Eine Bubengeschichte in Sieben Streichen (German Edition) Wilhelm Busch Click here if your download doesn"t start automatically Max und Moritz: Eine Bubengeschichte in Sieben Streichen
Fußballtraining für jeden Tag: Die 365 besten Übungen (German Edition)
Fußballtraining für jeden Tag: Die 365 besten Übungen (German Edition) Frank Thömmes Click here if your download doesn"t start automatically Fußballtraining für jeden Tag: Die 365 besten Übungen (German
Informatik 1 Kurzprüfung 2 LÖSUNG
Informatik 1 Kurzprüfung 2 LÖSUNG Herbstsemester 2013 Dr. Feli Friedrich 4.12.2013 Name, Vorname:............................................................................ Legi-Nummer:..............................................................................
Flow - der Weg zum Glück: Der Entdecker des Flow-Prinzips erklärt seine Lebensphilosophie (HERDER spektrum) (German Edition)
Flow - der Weg zum Glück: Der Entdecker des Flow-Prinzips erklärt seine Lebensphilosophie (HERDER spektrum) (German Edition) Mihaly Csikszentmihalyi Click here if your download doesn"t start automatically
Die gesunde Schilddrüse: Was Sie unbedingt wissen sollten über Gewichtsprobleme, Depressionen, Haarausfall und andere Beschwerden (German Edition)
Die gesunde Schilddrüse: Was Sie unbedingt wissen sollten über Gewichtsprobleme, Depressionen, Haarausfall und andere Beschwerden (German Edition) Mary J. Shomon Click here if your download doesn"t start
Soziale Arbeit mit rechten Jugendcliquen: Grundlagen zur Konzeptentwicklung (German Edition)
Soziale Arbeit mit rechten Jugendcliquen: Grundlagen zur Konzeptentwicklung (German Edition) Click here if your download doesn"t start automatically Soziale Arbeit mit rechten Jugendcliquen: Grundlagen
ETHISCHES ARGUMENTIEREN IN DER SCHULE: GESELLSCHAFTLICHE, PSYCHOLOGISCHE UND PHILOSOPHISCHE GRUNDLAGEN UND DIDAKTISCHE ANSTZE (GERMAN
ETHISCHES ARGUMENTIEREN IN DER SCHULE: GESELLSCHAFTLICHE, PSYCHOLOGISCHE UND PHILOSOPHISCHE GRUNDLAGEN UND DIDAKTISCHE ANSTZE (GERMAN READ ONLINE AND DOWNLOAD EBOOK : ETHISCHES ARGUMENTIEREN IN DER SCHULE:
Das Zeitalter der Fünf 3: Götter (German Edition)
Das Zeitalter der Fünf 3: Götter (German Edition) Trudi Canavan Click here if your download doesn"t start automatically Das Zeitalter der Fünf 3: Götter (German Edition) Trudi Canavan Das Zeitalter der
Harry gefangen in der Zeit Begleitmaterialien
Episode 011 Grammar 1. Plural forms of nouns Most nouns can be either singular or plural. The plural indicates that you're talking about several units of the same thing. Ist das Bett zu hart? Sind die
ZWISCHEN TRADITION UND REBELLION - FRAUENBILDER IM AKTUELLEN BOLLYWOODFILM (GERMAN EDITION) BY CHRISTINE STöCKEL
Read Online and Download Ebook ZWISCHEN TRADITION UND REBELLION - FRAUENBILDER IM AKTUELLEN BOLLYWOODFILM (GERMAN EDITION) BY CHRISTINE STöCKEL DOWNLOAD EBOOK : ZWISCHEN TRADITION UND REBELLION - FRAUENBILDER
Registration of residence at Citizens Office (Bürgerbüro)
Registration of residence at Citizens Office (Bürgerbüro) Opening times in the Citizens Office (Bürgerbüro): Monday to Friday 08.30 am 12.30 pm Thursday 14.00 pm 17.00 pm or by appointment via the Citizens
Mallorca Die Sehenswürdigkeiten: Sehenswürdigkeiten,Plaja de Palma,Schönste Strände an der Ostküste (German Edition)
Mallorca Die Sehenswürdigkeiten: Sehenswürdigkeiten,Plaja de Palma,Schönste Strände an der Ostküste (German Edition) Reinhard Werner Click here if your download doesn"t start automatically Mallorca Die
Die Intrige: Historischer Roman (German Edition)
Die Intrige: Historischer Roman (German Edition) Ehrenfried Kluckert Click here if your download doesn"t start automatically Die Intrige: Historischer Roman (German Edition) Ehrenfried Kluckert Die Intrige:
Level 1 German, 2016
90886 908860 1SUPERVISOR S Level 1 German, 2016 90886 Demonstrate understanding of a variety of German texts on areas of most immediate relevance 2.00 p.m. Wednesday 23 November 2016 Credits: Five Achievement
Star Trek: die Serien, die Filme, die Darsteller: Interessante Infod, zusammengestellt aus Wikipedia-Seiten (German Edition)
Star Trek: die Serien, die Filme, die Darsteller: Interessante Infod, zusammengestellt aus Wikipedia-Seiten (German Edition) Doktor Googelberg Click here if your download doesn"t start automatically Star
Ausführliche Unterrichtsvorbereitung: Der tropische Regenwald und seine Bedeutung als wichtiger Natur- und Lebensraum (German Edition)
Ausführliche Unterrichtsvorbereitung: Der tropische Regenwald und seine Bedeutung als wichtiger Natur- und Lebensraum (German Edition) Sebastian Gräf Click here if your download doesn"t start automatically
GERMAN LANGUAGE Tania Hinderberger-Burton, Ph.D American University
GERMAN LANGUAGE Tania Hinderberger-Burton, Ph.D American University www.companyname.com 2016 Jetfabrik Multipurpose Theme. All Rights Reserved. 10. Word Order www.companyname.com 2016 Jetfabrik Multipurpose
Informatik für Mathematiker und Physiker Woche 2. David Sommer
Informatik für Mathematiker und Physiker Woche 2 David Sommer David Sommer 25. September 2018 1 Heute: 1. Self-Assessment 2. Feedback C++ Tutorial 3. Modulo Operator 4. Exercise: Last Three Digits 5. Binary
25 teams will compete in the ECSG Ghent 2017 Senior Class Badminton.
ECSG 2017 Badminton Briefing : Senior Class 25 teams will compete in the ECSG Ghent 2017 Senior Class Badminton. Including 8 Belgian, 1 Danish, 1 French, 21 German, and 1 Maltese Teams. Teams have been
Die "Badstuben" im Fuggerhaus zu Augsburg
Die "Badstuben" im Fuggerhaus zu Augsburg Jürgen Pursche, Eberhard Wendler Bernt von Hagen Click here if your download doesn"t start automatically Die "Badstuben" im Fuggerhaus zu Augsburg Jürgen Pursche,
Level 1 German, 2013
90883 908830 1SUPERVISOR S Level 1 German, 2013 90883 Demonstrate understanding of a variety of spoken German texts on areas of most immediate relevance 9.30 am Tuesday 12 November 2013 Credits: Five Achievement
Wortstellung. Rule 1. The verb is the second unit of language in a sentence. The first unit of language in a sentence can be:
Rule 1 Wortstellung The verb is the second unit of language in a sentence The first unit of language in a sentence can be: The person or thing doing the verb (this is called the subject) Eg. - Meine Freunde
Konkret - der Ratgeber: Die besten Tipps zu Internet, Handy und Co. (German Edition)
Konkret - der Ratgeber: Die besten Tipps zu Internet, Handy und Co. (German Edition) Kenny Lang, Marvin Wolf, Elke Weiss Click here if your download doesn"t start automatically Konkret - der Ratgeber:
JOBS OF TEENAGERS CODE 250
JOBS OF TEENAGERS Fertigkeit Hören Relevante(r) Deskriptor(en) Deskriptor 1: Kann Gesprächen über vertraute Themen die Hauptpunkte entnehmen, wenn Standardsprache verwendet und auch deutlich gesprochen
C++ kurz & gut (German Edition)
C++ kurz & gut (German Edition) Kyle Loudon, Rainer Grimm Click here if your download doesn"t start automatically C++ kurz & gut (German Edition) Kyle Loudon, Rainer Grimm C++ kurz & gut (German Edition)
Englisch-Grundwortschatz
Englisch-Grundwortschatz Die 100 am häufigsten verwendeten Wörter also auch so so in in even sogar on an / bei / in like wie / mögen their with but first only and time find you get more its those because
Elektrosmog im Büro: Optimierung von Büro- Arbeitsplätzen (German Edition)
Elektrosmog im Büro: Optimierung von Büro- Arbeitsplätzen (German Edition) Manfred Reitetschläger Click here if your download doesn"t start automatically Elektrosmog im Büro: Optimierung von Büro-Arbeitsplätzen
Kurze Geschichten fuer Kinder und auch fuer Solche, welche die Kinder lieb haben (German Edition)
Kurze Geschichten fuer Kinder und auch fuer Solche, welche die Kinder lieb haben (German Edition) Click here if your download doesn"t start automatically Kurze Geschichten fuer Kinder und auch fuer Solche,
Tschernobyl: Auswirkungen des Reaktorunfalls auf die Bundesrepublik Deutschland und die DDR (German Edition)
Tschernobyl: Auswirkungen des Reaktorunfalls auf die Bundesrepublik Deutschland und die DDR (German Edition) Melanie Arndt Click here if your download doesn"t start automatically Tschernobyl: Auswirkungen
Killy Literaturlexikon: Autoren Und Werke Des Deutschsprachigen Kulturraumes 2., Vollstandig Uberarbeitete Auflage (German Edition)
Killy Literaturlexikon: Autoren Und Werke Des Deutschsprachigen Kulturraumes 2., Vollstandig Uberarbeitete Auflage (German Edition) Walther Killy Click here if your download doesn"t start automatically
Materialien zu unseren Lehrwerken
Word order Word order is important in English. The word order for subjects, verbs and objects is normally fixed. The word order for adverbial and prepositional phrases is more flexible, but their position
Aufschieberitis dauerhaft kurieren: Wie Sie Sich Selbst Führen Und Zeit Gewinnen (German Edition)
Aufschieberitis dauerhaft kurieren: Wie Sie Sich Selbst Führen Und Zeit Gewinnen (German Edition) Click here if your download doesn"t start automatically Aufschieberitis dauerhaft kurieren: Wie Sie Sich
Informatik - Übungsstunde
Informatik - Übungsstunde Jonas Lauener (jlauener@student.ethz.ch) ETH Zürich Woche 08-25.04.2018 Lernziele const: Reference const: Pointer vector: iterator using Jonas Lauener (ETH Zürich) Informatik
Der zerbrochene Krug: Vollständige Ausgabe (German Edition)
Der zerbrochene Krug: Vollständige Ausgabe (German Edition) Click here if your download doesn"t start automatically Der zerbrochene Krug: Vollständige Ausgabe (German Edition) Der zerbrochene Krug: Vollständige
Sinn und Aufgabe eines Wissenschaftlers: Textvergleich zweier klassischer Autoren (German Edition)
Sinn und Aufgabe eines Wissenschaftlers: Textvergleich zweier klassischer Autoren (German Edition) Click here if your download doesn"t start automatically Sinn und Aufgabe eines Wissenschaftlers: Textvergleich
Kursbuch Naturheilverfahren: Curriculum der Weiterbildung zur Erlangung der Zusatzbezeichnung Naturheilverfahren (German Edition)
Kursbuch Naturheilverfahren: Curriculum der Weiterbildung zur Erlangung der Zusatzbezeichnung Naturheilverfahren (German Edition) Click here if your download doesn"t start automatically Kursbuch Naturheilverfahren:
Klimahysterie - was ist dran?: Der neue Nairobi- Report über Klimawandel, Klimaschwindel und Klimawahn (German Edition)
Klimahysterie - was ist dran?: Der neue Nairobi- Report über Klimawandel, Klimaschwindel und Klimawahn (German Edition) Michael Limburg Click here if your download doesn"t start automatically Klimahysterie
Microsoft Outlook Das Handbuch (German Edition)
Microsoft Outlook 2010 - Das Handbuch (German Edition) Thomas Joos Click here if your download doesn"t start automatically Microsoft Outlook 2010 - Das Handbuch (German Edition) Thomas Joos Microsoft Outlook
Privatverkauf von Immobilien - Erfolgreich ohne Makler (German Edition)
Privatverkauf von Immobilien - Erfolgreich ohne Makler (German Edition) Edgar Freiherr Click here if your download doesn"t start automatically Privatverkauf von Immobilien - Erfolgreich ohne Makler (German
Tourismus in ländlichen Räumen der Entwicklungsländer: Chancen und Risiken (German Edition)
Tourismus in ländlichen Räumen der Entwicklungsländer: Chancen und Risiken (German Edition) Click here if your download doesn"t start automatically Tourismus in ländlichen Räumen der Entwicklungsländer:
Renten wegen Erwerbsminderung: Die wichtigsten Regeln (German Edition) Click here if your download doesn"t start automatically
Renten wegen Erwerbsminderung: Die wichtigsten Regeln (German Edition) Click here if your download doesn"t start automatically Renten wegen Erwerbsminderung: Die wichtigsten Regeln (German Edition) Renten
Relevante(r) Deskriptor(en) Deskriptor 5: Kann einfachen Interviews, Berichten, Hörspielen und Sketches zu vertrauten Themen folgen.
SUMMER HOLIDAY TIPS Fertigkeit Hören Relevante(r) Deskriptor(en) Deskriptor 5: Kann einfachen Interviews, Berichten, Hörspielen und Sketches zu vertrauten Themen folgen. (B1) Themenbereich(e) Kultur, Medien
Robert Kopf. Click here if your download doesn"t start automatically
Neurodermitis, Atopisches Ekzem - Behandlung mit Homöopathie, Schüsslersalzen (Biochemie) und Naturheilkunde: Ein homöopathischer, biochemischer und naturheilkundlicher Ratgeber (German Edition) Robert
Introduction to Python. Introduction. First Steps in Python. pseudo random numbers. May 2018
to to May 2018 to What is Programming? All computers are stupid. All computers are deterministic. You have to tell the computer what to do. You can tell the computer in any (programming) language) you
"Die Brücke" von Franz Kafka. Eine Interpretation (German Edition)
"Die Brücke" von Franz Kafka. Eine Interpretation (German Edition) Johanna Uminski Click here if your download doesn"t start automatically "Die Brücke" von Franz Kafka. Eine Interpretation (German Edition)
Intrinsische Motivation und Advanced Nursing Practice: Unterstützungsmöglichkeiten im Unterricht (German Edition)
Intrinsische Motivation und Advanced Nursing Practice: Unterstützungsmöglichkeiten im Unterricht (German Edition) Karin Eder Click here if your download doesn"t start automatically Intrinsische Motivation
Pressglas-Korrespondenz
Stand 14.01.2016 PK 2015-3/56 Seite 1 von 5 Seiten Abb. 2015-3/56-01 und Abb. 2015-3/56-02 Vase mit drei Gesichtern: Frau, Mann und Kind, farbloses Pressglas, teilweise mattiert, H 18,8 cm, D 15 cm Vase