Pointers and References

Maat: px
Weergave met pagina beginnen:

Download "Pointers and References"

Transcriptie

1 Steven Zeil October 2, 2013

2 Outline 1 References 2 Working with Can Be Dangerous 3 The Secret World of and Arrays Pointer and Strings and Member Functions

3 Indirection and references allow us to add a layer of indirection to our data. Instead of giving an answer directly, we give the location where the answer can be found.

4 References Outline I 1 References 2 Working with Can Be Dangerous 3 The Secret World of and Arrays Pointer and Strings and Member Functions

5 References References Reference types are introduced by the use of & in a type expression. Reference types hold the address of an already existing data value Example double z [ ] ;. i n t k = i j ; double& zk = z [ k ] ; zk holds the address of z[k].

6 References Initializing References z When reference variables are declared, they must be immediately initialized to the location of some existing data value, e.g., double& zk = z [ k ] ; // zk get a d d r e s s o f z [ k ] One initialized, a reference cannot be reset to point to a different location zk

7 References Accessing data Via References z zk One initialized, we can use the reference much like any ordinary variable: double& zk = z [ k ] ; // zk get a d d r e s s o f z [ k ] cout << zk ; // a c c e s s e s data s t o r e d // at t h a t l o c a t i o n 4.0

8 References Assignment and References Subsequent assignments to a reference variable will store new values at that location, but will not change the location. double& zk = z [ k ] ; // zk get a d d r e s s o f z [ k ] zk = 1. 0 ; // changes the v a l u e o f z [ k ] ++k ; zk = 2. 0 ; // changes the v a l u e o f z [ k 1]

9 References Example: working with indirection Question: What would the output of the following code be? i n t a = 1 ; i n t b = a ; cout << a << " " << b << e n d l ; a = 2 ; cout << a << " " << b << e n d l ; b = 3 ; cout << a << " " << b << e n d l ;

10 References Example: working with indirection (cont.) Let s make a one-character change... Question: What would the output of the following code be? i n t a = 1 ; i n t& b = a ; cout << a << " " << b << e n d l ; a = 2 ; cout << a << " " << b << e n d l ; b = 3 ; cout << a << " " << b << e n d l ;

11 References References and Loops Once initialized, a reference cannot be reset to a different location. However, if we declare a reference within a loop body: f o r ( i n t i = 0 ; i < 100; ++i ) { i n t k = l o n g A n d C o m p l i c a t e d C a l c u l a t i o n ( i ) ; double& zk = z [ k ] ; dosomethingwith ( zk ) ; } Then each time around the loop we are initializing a different reference variable Variables that are declared inside a { } are destroyed when we reach the closing }. So, each time around the loop, zk refers to a different element of the array.

12 References Const References When we modify a reference type by pre-pending const : We are allowed to look at the data value whose address is stored in the reference. But we cannot alter the data value via that reference Money p r i c e (24, 9 5 ) ; Money& s a l e P r i c e = p r i c e ; const Money& o l d P r i c e = p r i c e ; p r i c e. d o l l a r s = 2 5 ; // OK s a l e P r i c e. d o l l a r s = 2 6 ; // OK o l d P r i c e. c e n t s = 0 ; // i l l e g a l, cannot change v a l u e Note that both of the legal assignments would affect the values seen in all three variables.

13 References References and Functions You ve seen lots of functions using reference parameters void foo ( Money& m, const Time& t ) ; We ve explained in the past that this was pass by reference, a special parameter passing mechanism. In fact, as far as the compiler is concerned, there is no special parameter passing mechanism. This is still pass by copy. But the type of data being copied and passed are references All the special behavior associated with reference parameters stems from the normal properties of references Passes addresses instead of actual data Allows alteration of data back in the caller... Unless the reference type is marked const, in which case we can look but not touch.

14 References References and Functions (returns) References are also sometimes used as return types const Money& getamountbid ( Bid& b ) { return b. amountbid ; }. cout << getamountbid ( mybid ). d o l l a r s ; Slight improvement in efficiency the Money value does not need to be copied.

15 References References and Functions (returns) cont. Money& getamountbid ( Bid& b ) { return b. amountbid ; }. getamountbid ( mybid ). d o l l a r s = 0 ;

16 Outline I 1 References 2 Working with Can Be Dangerous 3 The Secret World of and Arrays Pointer and Strings and Member Functions

17 , like references, store the location or address of data. relax many of the restrictions on references need not be initialized when declared (a bad idea) When initialized, they need not hold an address of existing data can be null instead After initialization, they can be reassigned to refer to a different data element.

18 , like references, store the location or address of data. relax many of the restrictions on references need not be initialized when declared (a bad idea) When initialized, they need not hold an address of existing data can be null instead After initialization, they can be reassigned to refer to a different data element. But pointers lose some of the convenience of references: Require special syntax to access the data referred to by a pointer

19 Working with Declaring Pointer Variables A pointer declared like this double p ; contains, essentially, random bits. To be useful, it must be initialized double p =... or, later, re-assigned p =...

20 Working with Initializing Pointer Variables I Where do new pointer values come from? can be given the addresses stored in other pointers: i n t q =.... i n t p = q ; But that doesn t really answer the question. It just defers it. can be assigned the address of an existing data value via the & operator: i n t a = 2 3 ; i n t p = &a ; But this is rare, dangerous, and generally frowned upon

21 Working with Initializing Pointer Variables II can be given the address of newly allocated data: i n t p = new i n t ; i n t pa = new i n t [ ] ; can be set to null, a special value indicating that it does not point to any real data. There are multiple ways to do this: 0 is a null pointer i n t p = 0 ; That s not zero. It s a null pointer. NULL is a special symbol declared in <cstdlib> #i n clude <c s t d l i b >. i n t p = NULL ;

22 Working with Initializing Pointer Variables III Coming soon, courtesy of the new C++11 standard i n t p = n u l l p t r ;

23 Working with Dereferencing a Pointer Accessing data whose address is stored in a pointer is called dereferencing the pointer. The unary operator * provides access to the data whose location is stored in a pointer: Money p = new Money (100, 2 5 ) ;. Money m = p ; // g e t s the whole data element p = Money ( 0, 1 5 ) ; // and we can s t o r e t h e r e

24 Working with Dereferencing and Structs The operator -> provides access to struct members via a pointer: Money p = new Money (100, 2 5 ) ;. i n t t o t a l C e n t s = 100 p >d o l l a r s + p >c e n t s ; p >d o l l a r s = 0 ; These two statements are equivalent: p >d o l l a r s = 0 ; ( p ). d o l l a r s = 0 ;

25 Working with Assignment and Subsequent assignments to a pointer variable will change the location it points to. double zk = &(z [ k ] ) ; // zk get a d d r e s s o f z [ k ] zk = 1. 0 ; // changes the v a l u e o f z [ k ] zk = &(z [ k + 1 ] ) ; zk = 2. 0 ; // changes the v a l u e o f z [ k+1]

26 Working with Example: working with pointers Question: What would the output of the following code be? i n t a = 1 ; i n t b = 2 ; i n t pa = &a ; i n t pb = &b ; cout << a << " " << pa << " " << b << e n d l ; a = 3 ; cout << a << " " << pa << " " << b << e n d l ; pb = 4 ; cout << a << " " << pa << " " << b << e n d l ; pa = pb ; cout << a << " " << pa << " " << b << e n d l ;

27 Working with Const When we modify a pointer type by pre-pending const : We are allowed to look at the data value whose address is stored in the reference. But we cannot alter the data value via that reference Money p r i c e (24, 9 5 ) ; Money s a l e P r i c e = &p r i c e ; const Money o l d P r i c e = s a l e P r i c e ; p r i c e. d o l l a r s = 2 5 ; // OK s a l e P r i c e >d o l l a r s = 2 6 ; // OK o l d P r i c e >c e n t s = 0 ; // i l l e g a l, cannot change v a l u e Same as the affect of const on references

28 Working with Where is data Stored? The memory of a running C++ program is divided into three main areas: The static area holds variables that have a single fixed address for the lifetime of the execution. Variables declared outside of any enclosing { } or marked as static. The runtime stack (a.k.a. activation stack or automatic storage) has a block of storage for each function that has been called but from which we have not yet returned. All copy parameters and local variables for the function are stored in that block. The block is created when we enter the function body and destroyed when we leave the body. The heap is a programmer-controlled scratch pad where we can store variables But the programmer has the responsibility for managing data stored there

29 Working with How Functions Work i n t foo ( i n t a, i n t b ) { return a+b 1; } would compile into a block of code equivalent to s t a c k [ 1 ] = s t a c k [ 3 ] + s t a c k [ 2 ] 1 ; jump to a d d r e s s i n s t a c k [ 0 ]

30 Working with The Runtime Stack s t a c k [ 1 ] = s t a c k [ 3 ] + s t a c k [ 2 ] 1 ; jump to a d d r e s s i n s t a c k [ 0 ] the stack is the runtime stack (a.k.a. the activation stack) used to track function calls at the system level, stack[0] is the top value on the stack, stack[1] the value just under that one, and so on.

31 Working with An Example of Function Activation I Suppose that we were executing this code, and had just come to the call to resolveauction within main. #i n c l u de " time. h" void r e s o l v e A u c t i o n ( Item item ) {. i n t. h = item. auctionendsat. gettime ( ) ; } i n t main ( i n t argc, char argv ) {. r e s o l v e A u c t i o n ( item ) ;

32 Working with An Example of Function Activation II }. The runtime stack (a.ka., the activation stack) would, at this point in time, contain a single activation record for the main function, as that is the only function currently executing:

33 Working with An Example of Function Activation III When main calls resolveauction, a new record is added to the stack with space for all the data required for this new function call.

34 Working with An Example of Function Activation IV When resolveauction calls gettime, another new record is added to the stack with space for all the data required for that new function call.

35 Working with An Example of Function Activation V But once gethours returns (to resolveauction), that activation record is removed from the stack. resolveauction is once again the active function. And when resolveauction returns, its record is likewise removed from the stack.

36 Working with Example of Overall Memory layout Activation Stack Heap main() argc: 3 argv: Boston itinerary() from: Boston to: N.Y. N.Y. Wash DC hubs: Boston N.Y. "Boston" "airline.exe" "N.Y." Static Area

37 Working with Allocating Data on the Heap We allocate data with new and remove it with delete: i n t p = new i n t ; i n t pa = new i n t [ ] ;. delete p ; delete [ ] pa ; Note the slightly different forms for arrays versus single instances.

38 Working with Dynamic Allocation Programmers often distinguish between dynamic and static activities: Something is dynamic if it happens at run-time, under control of the program. Something is static if it happens at compile-time and/or is controlled by the compiler. i n t p = new i n t ; i n t pa = new i n t [ ] ; Allocation of data via new is called dynamic allocation of data.

39 Working with Summary: versus References References Type Declaration & * Initialization must be initialized optional points to existing data may be null Dereferencing automatic *, -> Management automatic new, delete Dangerous? minimal very

40 Can Be Dangerous Potential Problems with uninitialized pointers, memory leaks and dangling pointers.

41 Can Be Dangerous Uninitialized pointers Uninitialized pointer pose a significant thread. the value stored in an uninitialized pointer could be randomly pointing anywhere in memory. Storing a value using an uninitialized pointer has the potential to overwrite anything in your program, including your program itself Your best defense: Never write a declaration like Money p ; Always give your pointers an initial value Money p = 0 ; Null if you can t make it point to a real data value.

42 Can Be Dangerous Memory Leaks A memory leak occurs when all pointers to a value allocated on the heap has been lost, e.g., i n t i s q r t ( i n t i ) { i n t work = new i n t ; work = i ; while ( ( work ) ( work ) > i ) ( work ) ; return work ; } When we return from this function the local variable work is lost. But that has the only copy of the address of the int that we allocated on the heap. Each call to this function will leak a bit of memory.

43 Can Be Dangerous Dangling Dangling pointers refer to a pointer which was pointing at an object that has been deleted. i n t p = new i n t ; i n t q = p ;. delete p ; The pointer q still has the address of the object even though the memory for that object has been returned to the system. If the memory allocated to the deleted object is re-used for another purpose, The value visible via q may appear to spontaneously change Storing a value via q may corrupt that other data

44 The Secret World of Outline I 1 References 2 Working with Can Be Dangerous 3 The Secret World of and Arrays Pointer and Strings and Member Functions

45 The Secret World of and Arrays What s in a Name? (of an array) i n t a [ ] ; double b [ ] ; You know what expressions like a[i] and b[2] do But what about just a or b?

46 The Secret World of and Arrays Arrays are i n t a [ ] ; double b [ ] ; Arrays are really pointers a has type * int b has type * double They point to the first ([0]) element.

47 The Secret World of and Arrays Pointer Arithmetic You can add integers to pointers pointerarith.cpp > g++ p o i n t e r A r i t h. cpp >. / a. out i 0 x1eea010 d 0 x1eea030 i 0 x1eea014 d 0 x1eea038 > Actually adds to the address the number of bytes required to store one data value of the type pointed to

48 The Secret World of and Arrays Pointer Arithmetic 2 You can subtract pointers from one another pointerarith2.cpp > g++ p o i n t e r A r i t h 2. cpp >. / a. out p 0 x 7 f f f c q 0 x 7 f f f c 3 8 c q p 3 > Computes how many element-sized blocks away from wach other the two addresses are

49 The Secret World of and Arrays OK, Why do Pointer Arithmetic? Pointer arithmetic is actually illegal and pretty much useless except when the addresses are all within a single array. double b [ ] ; b is a pointer to the start of the array b[i] is simply a convenient shorthand for * (b+i)

50 The Secret World of and Arrays, Arrays, and Functions This is why, when arrays are passed to functions, they are generally passed as pointers: double sumoverarray ( double a, i n t n ) { double s = 0. 0 ; f o r ( i n t i = 0 ; i < n ; ++i ) s += a [ i ] ; return s ; }

51 The Secret World of Pointer and Strings Not all strings are created equal. In C++ s parent language, C, there is no std::string Strings were stored in character arrays End of a string was indicated by a byte containing the ASCII character NUL (value 0) Less than satisfactory NUL is actually a useful character in some contexts Many string operations were needlessly slow C++ retains the C string operations for backwards compatibility.

52 The Secret World of Pointer and Strings String Literals The most common place where strings and character arrays meet is in string literals. "abc" does not have type std::string Its data type is actually const char* And it actually takes up 4 characters, not 3 The std::string type provides a constructor s t r i n g ( const char c h a r A r r a y ) ; for building new string s from character arrays.

53 The Secret World of Pointer and Strings main The main function in C++ programs has the prototype i n t main ( i n t argc, char argv ) argc is the number of command line parameters. argv holds the command line parameters. Question: Why are there two asterisks in char**?

54 The Secret World of and Member Functions Hide the Parameter Remember that when we convert standalone functions to member functions, one parameter becomes implicit: s t r u c t. Money { } ; Money add ( Money l e f t, Money r i g h t ) ; becomes s t r u c t Money {. Money add ( Money r i g h t ) ; } ;

55 The Secret World of and Member Functions Revealing the Hidden Parameter That parameter really does exist Its name is this Its data type, for any struct S, is S* s t r u c t Money { smvdots Money add ( / Money t h i s, / Money r i g h t ) ; } ;

56 The Secret World of and Member Functions Using this Sometimes we need to make explicit reference to the implicit parameter. Suppose that we had Money Money : : add ( Money r i g h t ) { Money r e s u l t ; r e s u l t. d o l l a r s = d o l l a r s + r i g h t. d o l l a r s ; r e s u l t. c e n t s = c e n t s + r i g h t. c e n t s ; return r e s u l t ; } and wanted to add some debugging output...

57 The Secret World of and Member Functions Explicit this Money Money : : add ( Money r i g h t ) { c e r r << " E n t e r i n g Money : : add, adding " << t h i s << " to " << r i g h t << e n d l ; Money r e s u l t ; r e s u l t. d o l l a r s = d o l l a r s + r i g h t. d o l l a r s ; r e s u l t. c e n t s = c e n t s + r i g h t. c e n t s ; return r e s u l t ; } There s really no other way to pass the whole left value to another function or operator.

SAMPLE 11 = + 11 = + + Exploring Combinations of Ten + + = = + + = + = = + = = 11. Step Up. Step Ahead

SAMPLE 11 = + 11 = + + Exploring Combinations of Ten + + = = + + = + = = + = = 11. Step Up. Step Ahead 7.1 Exploring Combinations of Ten Look at these cubes. 2. Color some of the cubes to make three parts. Then write a matching sentence. 10 What addition sentence matches the picture? How else could you

Nadere informatie

ALGORITMIEK: answers exercise class 7

ALGORITMIEK: answers exercise class 7 Problem 1. See slides 2 4 of lecture 8. Problem 2. See slides 4 6 of lecture 8. ALGORITMIEK: answers exercise class 7 Problem 5. a. Als we twee negatieve (< 0) getallen bij elkaar optellen is het antwoord

Nadere informatie

2019 SUNEXCHANGE USER GUIDE LAST UPDATED

2019 SUNEXCHANGE USER GUIDE LAST UPDATED 2019 SUNEXCHANGE USER GUIDE LAST UPDATED 0 - -19 1 WELCOME TO SUNEX DISTRIBUTOR PORTAL This user manual will cover all the screens and functions of our site. MAIN SCREEN: Welcome message. 2 LOGIN SCREEN:

Nadere informatie

MyDHL+ Van Non-Corporate naar Corporate

MyDHL+ Van Non-Corporate naar Corporate MyDHL+ Van Non-Corporate naar Corporate Van Non-Corporate naar Corporate In MyDHL+ is het mogelijk om meerdere gebruikers aan uw set-up toe te voegen. Wanneer er bijvoorbeeld meerdere collega s van dezelfde

Nadere informatie

Deel 1: schriftelijk deel

Deel 1: schriftelijk deel Examen Computerarchitectuur en systeemsoftware Donderdag 15 januari 2009, namiddag Deel 1: schriftelijk deel Algemene bemerkingen: Het examen bestaat uit 2 delen. Dit zijn de vragen voor het eerste deel.

Nadere informatie

Add the standing fingers to get the tens and multiply the closed fingers to get the units.

Add the standing fingers to get the tens and multiply the closed fingers to get the units. Digit work Here's a useful system of finger reckoning from the Middle Ages. To multiply $6 \times 9$, hold up one finger to represent the difference between the five fingers on that hand and the first

Nadere informatie

The first line of the input contains an integer $t \in \mathbb{n}$. This is followed by $t$ lines of text. This text consists of:

The first line of the input contains an integer $t \in \mathbb{n}$. This is followed by $t$ lines of text. This text consists of: Document properties Most word processors show some properties of the text in a document, such as the number of words or the number of letters in that document. Write a program that can determine some of

Nadere informatie

Introductie in flowcharts

Introductie in flowcharts Introductie in flowcharts Flow Charts Een flow chart kan gebruikt worden om: Processen definieren en analyseren. Een beeld vormen van een proces voor analyse, discussie of communicatie. Het definieren,

Nadere informatie

RECEPTEERKUNDE: PRODUCTZORG EN BEREIDING VAN GENEESMIDDELEN (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM

RECEPTEERKUNDE: PRODUCTZORG EN BEREIDING VAN GENEESMIDDELEN (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM Read Online and Download Ebook RECEPTEERKUNDE: PRODUCTZORG EN BEREIDING VAN GENEESMIDDELEN (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM DOWNLOAD EBOOK : RECEPTEERKUNDE: PRODUCTZORG EN BEREIDING VAN STAFLEU

Nadere informatie

General info on using shopping carts with Ingenico epayments

General info on using shopping carts with Ingenico epayments Inhoudsopgave 1. Disclaimer 2. What is a PSPID? 3. What is an API user? How is it different from other users? 4. What is an operation code? And should I choose "Authorisation" or "Sale"? 5. What is an

Nadere informatie

The genesis of the game is unclear. Possibly, dominoes originates from China and the stones were brought here by Marco Polo, but this is uncertain.

The genesis of the game is unclear. Possibly, dominoes originates from China and the stones were brought here by Marco Polo, but this is uncertain. Domino tiles Dominoes is a game played with rectangular domino 'tiles'. Today the tiles are often made of plastic or wood, but in the past, they were made of real stone or ivory. They have a rectangle

Nadere informatie

Basic operations Implementation options

Basic operations Implementation options Priority Queues Heaps Heapsort Student questions EditorTrees WA 6 File Compression Graphs Hashing Anything else Written Assignments 7 and 8 have been updated for this term. Each of them is smaller than

Nadere informatie

Luister alsjeblieft naar een opname als je de vragen beantwoordt of speel de stukken zelf!

Luister alsjeblieft naar een opname als je de vragen beantwoordt of speel de stukken zelf! Martijn Hooning COLLEGE ANALYSE OPDRACHT 1 9 september 2009 Hierbij een paar vragen over twee stukken die we deze week en vorige week hebben besproken: Mondnacht van Schumann, en het eerste deel van het

Nadere informatie

(1) De hoofdfunctie van ons gezelschap is het aanbieden van onderwijs. (2) Ons gezelschap is er om kunsteducatie te verbeteren

(1) De hoofdfunctie van ons gezelschap is het aanbieden van onderwijs. (2) Ons gezelschap is er om kunsteducatie te verbeteren (1) De hoofdfunctie van ons gezelschap is het aanbieden van onderwijs (2) Ons gezelschap is er om kunsteducatie te verbeteren (3) Ons gezelschap helpt gemeenschappen te vormen en te binden (4) De producties

Nadere informatie

ANGSTSTOORNISSEN EN HYPOCHONDRIE: DIAGNOSTIEK EN BEHANDELING (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM

ANGSTSTOORNISSEN EN HYPOCHONDRIE: DIAGNOSTIEK EN BEHANDELING (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM Read Online and Download Ebook ANGSTSTOORNISSEN EN HYPOCHONDRIE: DIAGNOSTIEK EN BEHANDELING (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM DOWNLOAD EBOOK : ANGSTSTOORNISSEN EN HYPOCHONDRIE: DIAGNOSTIEK STAFLEU

Nadere informatie

L.Net s88sd16-n aansluitingen en programmering.

L.Net s88sd16-n aansluitingen en programmering. De L.Net s88sd16-n wordt via één van de L.Net aansluitingen aangesloten op de LocoNet aansluiting van de centrale, bij een Intellibox of Twin-Center is dat de LocoNet-T aansluiting. L.Net s88sd16-n aansluitingen

Nadere informatie

FOR DUTCH STUDENTS! ENGLISH VERSION NEXT PAGE. Toets Inleiding Kansrekening 1 8 februari 2010

FOR DUTCH STUDENTS! ENGLISH VERSION NEXT PAGE. Toets Inleiding Kansrekening 1 8 februari 2010 FOR DUTCH STUDENTS! ENGLISH VERSION NEXT PAGE Toets Inleiding Kansrekening 1 8 februari 2010 Voeg aan het antwoord van een opgave altijd het bewijs, de berekening of de argumentatie toe. Als je een onderdeel

Nadere informatie

Firewall van de Speedtouch 789wl volledig uitschakelen?

Firewall van de Speedtouch 789wl volledig uitschakelen? Firewall van de Speedtouch 789wl volledig uitschakelen? De firewall van de Speedtouch 789 (wl) kan niet volledig uitgeschakeld worden via de Web interface: De firewall blijft namelijk op stateful staan

Nadere informatie

S e v e n P h o t o s f o r O A S E. K r i j n d e K o n i n g

S e v e n P h o t o s f o r O A S E. K r i j n d e K o n i n g S e v e n P h o t o s f o r O A S E K r i j n d e K o n i n g Even with the most fundamental of truths, we can have big questions. And especially truths that at first sight are concrete, tangible and proven

Nadere informatie

DALISOFT. 33. Configuring DALI ballasts with the TDS20620V2 DALI Tool. Connect the TDS20620V2. Start DALISOFT

DALISOFT. 33. Configuring DALI ballasts with the TDS20620V2 DALI Tool. Connect the TDS20620V2. Start DALISOFT TELETASK Handbook Multiple DoIP Central units DALISOFT 33. Configuring DALI ballasts with the TDS20620V2 DALI Tool Connect the TDS20620V2 If there is a TDS13620 connected to the DALI-bus, remove it first.

Nadere informatie

Example. Dutch language lesson. Dutch & German Language Education Pieter Wielick

Example. Dutch language lesson. Dutch & German Language Education Pieter Wielick Example Dutch language lesson Demonstrative Adjectives Close: dit and deze `dit' agrees with `het' and is used to indicate objects that are close, like `this' in English. `deze' agrees with `de' and is

Nadere informatie

Travel Survey Questionnaires

Travel Survey Questionnaires Travel Survey Questionnaires Prot of Rotterdam and TU Delft, 16 June, 2009 Introduction To improve the accessibility to the Rotterdam Port and the efficiency of the public transport systems at the Rotterdam

Nadere informatie

Data Handling Ron van Lammeren - Wageningen UR

Data Handling Ron van Lammeren - Wageningen UR Data Handling 1 2010-2011 Ron van Lammeren - Wageningen UR Can I answer my scientific questions? Geo-data cycle Data handling / introduction classes of data handling data action models (ISAC) Queries (data

Nadere informatie

Classification of triangles

Classification of triangles Classification of triangles A triangle is a geometrical shape that is formed when 3 non-collinear points are joined. The joining line segments are the sides of the triangle. The angles in between the sides

Nadere informatie

Settings for the C100BRS4 MAC Address Spoofing with cable Internet.

Settings for the C100BRS4 MAC Address Spoofing with cable Internet. Settings for the C100BRS4 MAC Address Spoofing with cable Internet. General: Please use the latest firmware for the router. The firmware is available on http://www.conceptronic.net! Use Firmware version

Nadere informatie

8+ 60 MIN Alleen te spelen in combinatie met het RIFUGIO basisspel. Only to be played in combination with the RIFUGIO basicgame.

8+ 60 MIN Alleen te spelen in combinatie met het RIFUGIO basisspel. Only to be played in combination with the RIFUGIO basicgame. 8+ 60 MIN. 2-5 Alleen te spelen in combinatie met het RIFUGIO basisspel. Only to be played in combination with the RIFUGIO basicgame. HELICOPTER SPEL VOORBEREIDING: Doe alles precies hetzelfde als bij

Nadere informatie

FOR DUTCH STUDENTS! ENGLISH VERSION NEXT PAGE. Toets Inleiding Kansrekening 1 7 februari 2011

FOR DUTCH STUDENTS! ENGLISH VERSION NEXT PAGE. Toets Inleiding Kansrekening 1 7 februari 2011 FOR DUTCH STUDENTS! ENGLISH VERSION NEXT PAGE Toets Inleiding Kansrekening 1 7 februari 2011 Voeg aan het antwoord van een opgave altijd het bewijs, de berekening of de argumentatie toe. Als je een onderdeel

Nadere informatie

De grondbeginselen der Nederlandsche spelling / Regeling der spelling voor het woordenboek der Nederlandsche taal (Dutch Edition)

De grondbeginselen der Nederlandsche spelling / Regeling der spelling voor het woordenboek der Nederlandsche taal (Dutch Edition) De grondbeginselen der Nederlandsche spelling / Regeling der spelling voor het woordenboek der Nederlandsche taal (Dutch Edition) L. A. te Winkel Click here if your download doesn"t start automatically

Nadere informatie

L.Net s88sd16-n aansluitingen en programmering.

L.Net s88sd16-n aansluitingen en programmering. De L.Net s88sd16-n wordt via één van de L.Net aansluitingen aangesloten op de LocoNet aansluiting van de centrale, bij een Intellibox of Twin-Center is dat de LocoNet-T aansluiting. L.Net s88sd16-n aansluitingen

Nadere informatie

AN URBAN PLAYGROUND AFSTUDEERPROJECT

AN URBAN PLAYGROUND AFSTUDEERPROJECT AN URBAN PLAYGROUND 2005 Het vraagstuk van de openbare ruimte in naoorlogse stadsuitbreidingen, in dit geval Van Eesteren s Amsterdam West, is speels benaderd door het opknippen van een traditioneel stadsplein

Nadere informatie

Appendix A: The factor analysis for the immersion questionnaire

Appendix A: The factor analysis for the immersion questionnaire 1 Appendix A: The factor analysis for the immersion questionnaire 2 3 Summary of exploratory factor analysis for the immersion questionnaire. Ik voelde mij zoals de hoofdpersoon zich voelde. 0.85 0.23-0.03-0.05-0.13

Nadere informatie

After that, the digits are written after each other: first the row numbers, followed by the column numbers.

After that, the digits are written after each other: first the row numbers, followed by the column numbers. Bifid cipher The bifid cipher is one of the classical cipher techniques that can also easily be executed by hand. The technique was invented around 1901 by amateur cryptographer Felix Delastelle. The cipher

Nadere informatie

Tentamen Objectgeorienteerd Programmeren

Tentamen Objectgeorienteerd Programmeren Tentamen Objectgeorienteerd Programmeren 5082IMOP6Y maandag 16 november 2015 13:00 15:00 Schrijf je naam en studentnummer op de regel hieronder. Sla deze pagina niet om tot de surveillant vertelt dat het

Nadere informatie

Ontpopping. ORGACOM Thuis in het Museum

Ontpopping. ORGACOM Thuis in het Museum Ontpopping Veel deelnemende bezoekers zijn dit jaar nog maar één keer in het Van Abbemuseum geweest. De vragenlijst van deze mensen hangt Orgacom in een honingraatpatroon. Bezoekers die vaker komen worden

Nadere informatie

Concept of Feedback. P.S. Gandhi Mechanical Engineering IIT Bombay

Concept of Feedback. P.S. Gandhi Mechanical Engineering IIT Bombay Concept of Feedback P.S. Gandhi Mechanical Engineering IIT Bombay Recap Goal of the course: understanding and learning Assignments: optional to start with Contact hour with TAs: Monday AN: time? Meeting

Nadere informatie

3HUIRUPDQFH0HDVXUHPHQW RI'\QDPLFDOO\&RPSLOHG -DYD([HFXWLRQV

3HUIRUPDQFH0HDVXUHPHQW RI'\QDPLFDOO\&RPSLOHG -DYD([HFXWLRQV 3HUIRUPDQFH0HDVXUHPHQW RI'\QDPLFDOO\&RPSLOHG -DYD([HFXWLRQV Tia Newhall and Barton P. Miller {newhall *, bart}@cs.wisc.edu Computer Sciences University of Wisconsin 1210 W. Dayton St. Madison, WI 53706

Nadere informatie

Chapter 4 Understanding Families. In this chapter, you will learn

Chapter 4 Understanding Families. In this chapter, you will learn Chapter 4 Understanding Families In this chapter, you will learn Topic 4-1 What Is a Family? In this topic, you will learn about the factors that make the family such an important unit, as well as Roles

Nadere informatie

It s all about the money Group work

It s all about the money Group work It s all about the money Group work Tijdsduur: 45 minuten Kernwoorden: money (geld) coin (munt), banknote (bankbiljet), currency (munteenheid) Herhalings-/uitbreidingswoorden: debate (debat), proposal

Nadere informatie

Esther Lee-Varisco Matt Zhang

Esther Lee-Varisco Matt Zhang Esther Lee-Varisco Matt Zhang Want to build a wine cellar Surface temperature varies daily, seasonally, and geologically Need reasonable depth to build the cellar for lessened temperature variations Building

Nadere informatie

MyDHL+ ProView activeren in MyDHL+

MyDHL+ ProView activeren in MyDHL+ MyDHL+ ProView activeren in MyDHL+ ProView activeren in MyDHL+ In MyDHL+ is het mogelijk om van uw zendingen, die op uw accountnummer zijn aangemaakt, de status te zien. Daarnaast is het ook mogelijk om

Nadere informatie

!!!! Wild!Peacock!Omslagdoek!! Vertaling!door!Eerlijke!Wol.!! Het!garen!voor!dit!patroon!is!te!verkrijgen!op! Benodigdheden:!!

!!!! Wild!Peacock!Omslagdoek!! Vertaling!door!Eerlijke!Wol.!! Het!garen!voor!dit!patroon!is!te!verkrijgen!op!  Benodigdheden:!! WildPeacockOmslagdoek VertalingdoorEerlijkeWol. Hetgarenvoorditpatroonisteverkrijgenopwww.eerlijkewol.nl Benodigdheden: 4strengenWildPeacockRecycledSilkYarn rondbreinaaldnr8(jekuntnatuurlijkookgewonebreinaaldengebruiken,maar

Nadere informatie

Opgave 2 Geef een korte uitleg van elk van de volgende concepten: De Yield-to-Maturity of a coupon bond.

Opgave 2 Geef een korte uitleg van elk van de volgende concepten: De Yield-to-Maturity of a coupon bond. Opgaven in Nederlands. Alle opgaven hebben gelijk gewicht. Opgave 1 Gegeven is een kasstroom x = (x 0, x 1,, x n ). Veronderstel dat de contante waarde van deze kasstroom gegeven wordt door P. De bijbehorende

Nadere informatie

Engels op Niveau A2 Workshops Woordkennis 1

Engels op Niveau A2 Workshops Woordkennis 1 A2 Workshops Woordkennis 1 A2 Workshops Woordkennis 1 A2 Woordkennis 1 Bestuderen Hoe leer je 2000 woorden? Als je een nieuwe taal wilt spreken en schrijven, heb je vooral veel nieuwe woorden nodig. Je

Nadere informatie

z x 1 x 2 x 3 x 4 s 1 s 2 s 3 rij rij rij rij

z x 1 x 2 x 3 x 4 s 1 s 2 s 3 rij rij rij rij ENGLISH VERSION SEE PAGE 3 Tentamen Lineaire Optimalisering, 0 januari 0, tijdsduur 3 uur. Het gebruik van een eenvoudige rekenmachine is toegestaan. Geef bij elk antwoord een duidelijke toelichting. Als

Nadere informatie

B1 Woordkennis: Spelling

B1 Woordkennis: Spelling B1 Woordkennis: Spelling Bestuderen Inleiding Op B1 niveau gaan we wat meer aandacht schenken aan spelling. Je mag niet meer zoveel fouten maken als op A1 en A2 niveau. We bespreken een aantal belangrijke

Nadere informatie

MyDHL+ Global Mail zending aanmaken

MyDHL+ Global Mail zending aanmaken MyDHL+ Global Mail zending aanmaken Global Mail zending aanmaken In MyDHL+ is het aanmaken van een Global Mail zending zo eenvoudig mogelijk gemaakt. De website en deze handleiding zal u stap voor stap

Nadere informatie

CS 202 Fundamental Structures of Computer Science II Bilkent University Computer Engineering Department

CS 202 Fundamental Structures of Computer Science II Bilkent University Computer Engineering Department Hashing CS 202 Fundamental Structures of Computer Science II Bilkent University Computer Engineering Department Bilkent University 1 Hashing We will now see a data structure that will allow the following

Nadere informatie

Understanding and being understood begins with speaking Dutch

Understanding and being understood begins with speaking Dutch Understanding and being understood begins with speaking Dutch Begrijpen en begrepen worden begint met het spreken van de Nederlandse taal The Dutch language links us all Wat leest u in deze folder? 1.

Nadere informatie

MyDHL+ Uw accountnummer(s) delen

MyDHL+ Uw accountnummer(s) delen MyDHL+ Uw accountnummer(s) delen met anderen Uw accountnummer(s) delen met anderen in MyDHL+ In MyDHL+ is het mogelijk om uw accountnummer(s) te delen met anderen om op uw accountnummer een zending te

Nadere informatie

Puzzle. Fais ft. Afrojack Niveau 3a Song 6 Lesson A Worksheet. a Lees de omschrijvingen. Zet de Engelse woorden in de puzzel.

Puzzle. Fais ft. Afrojack Niveau 3a Song 6 Lesson A Worksheet. a Lees de omschrijvingen. Zet de Engelse woorden in de puzzel. Puzzle a Lees de omschrijvingen. Zet de Engelse woorden in de puzzel. een beloning voor de winnaar iemand die piano speelt een uitvoering 4 wat je wil gaan doen; voornemens 5 niet dezelfde 6 deze heb je

Nadere informatie

Preschool Kindergarten

Preschool Kindergarten Preschool Kindergarten Objectives Students will recognize the values of numerals 1 to 10. Students will use objects to solve addition problems with sums from 1 to 10. Materials Needed Large number cards

Nadere informatie

Daylight saving time. Assignment

Daylight saving time. Assignment Daylight saving time Daylight saving time (DST or summertime) is the arrangement by which clocks are advanced by one hour in spring and moved back in autumn to make the most of seasonal daylight Spring:

Nadere informatie

Cambridge Assessment International Education Cambridge International General Certificate of Secondary Education. Published

Cambridge Assessment International Education Cambridge International General Certificate of Secondary Education. Published Cambridge Assessment International Education Cambridge International General Certificate of Secondary Education DUTCH 055/02 Paper 2 Reading MARK SCHEME Maximum Mark: 45 Published This mark scheme is published

Nadere informatie

Main language Dit is de basiswoordenschat. Deze woorden moeten de leerlingen zowel passief als actief kennen.

Main language Dit is de basiswoordenschat. Deze woorden moeten de leerlingen zowel passief als actief kennen. Lesbrief Les 2.1: My family Main language Dit is de basiswoordenschat. Deze woorden moeten de leerlingen zowel passief als actief kennen. Nouns: brother, sister, cousin, mother, father, aunt, uncle, grandmother,

Nadere informatie

Calculator spelling. Assignment

Calculator spelling. Assignment Calculator spelling A 7-segmentdisplay is used to represent digits (and sometimes also letters). If a screen is held upside down by coincide, the digits may look like letters from the alphabet. This finding

Nadere informatie

Duurzaam projectmanagement - De nieuwe realiteit van de projectmanager (Dutch Edition)

Duurzaam projectmanagement - De nieuwe realiteit van de projectmanager (Dutch Edition) Duurzaam projectmanagement - De nieuwe realiteit van de projectmanager (Dutch Edition) Ron Schipper Click here if your download doesn"t start automatically Duurzaam projectmanagement - De nieuwe realiteit

Nadere informatie

Online Resource 1. Title: Implementing the flipped classroom: An exploration of study behaviour and student performance

Online Resource 1. Title: Implementing the flipped classroom: An exploration of study behaviour and student performance Online Resource 1 Title: Implementing the flipped classroom: An exploration of study behaviour and student performance Journal: Higher Education Authors: Anja J. Boevé, Rob R. Meijer, Roel J. Bosker, Jorien

Nadere informatie

Activant Prophet 21. Prophet 21 Version 12.0 Upgrade Information

Activant Prophet 21. Prophet 21 Version 12.0 Upgrade Information Activant Prophet 21 Prophet 21 Version 12.0 Upgrade Information This class is designed for Customers interested in upgrading to version 12.0 IT staff responsible for the managing of the Prophet 21 system

Nadere informatie

Group work to study a new subject.

Group work to study a new subject. CONTEXT SUBJECT AGE LEVEL AND COUNTRY FEATURE OF GROUP STUDENTS NUMBER MATERIALS AND TOOLS KIND OF GAME DURATION Order of operations 12 13 years 1 ste year of secundary school (technical class) Belgium

Nadere informatie

Handleiding Zuludesk Parent

Handleiding Zuludesk Parent Handleiding Zuludesk Parent Handleiding Zuludesk Parent Met Zuludesk Parent kunt u buiten schooltijden de ipad van uw kind beheren. Hieronder vind u een korte handleiding met de mogelijkheden. Gebruik

Nadere informatie

HANDBOEK HARTFALEN (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM

HANDBOEK HARTFALEN (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM HANDBOEK HARTFALEN (DUTCH EDITION) FROM BOHN STAFLEU VAN LOGHUM READ ONLINE AND DOWNLOAD EBOOK : HANDBOEK HARTFALEN (DUTCH EDITION) FROM BOHN Click button to download this ebook READ ONLINE AND DOWNLOAD

Nadere informatie

MyDHL+ Exportzending aanmaken

MyDHL+ Exportzending aanmaken MyDHL+ Exportzending aanmaken Exportzending aanmaken In MyDHL+ is het aanmaken van een exportzending zo eenvoudig mogelijk gemaakt. De website en deze handleiding zal u stap voor stap erdoorheen leiden.

Nadere informatie

Melding Loonbelasting en premies Aanmelding werkgever. Registration for loonbelasting en premies Registration as an employer

Melding Loonbelasting en premies Aanmelding werkgever. Registration for loonbelasting en premies Registration as an employer Melding Loonbelasting en premies Aanmelding werkgever Registration for loonbelasting en premies Registration as an employer Over dit formulier About this form Waarom dit formulier? Dit formulier is bestemd

Nadere informatie

01/ M-Way. cables

01/ M-Way. cables 01/ 2015 M-Way cables M-WaY Cables There are many ways to connect devices and speakers together but only few will connect you to the music. My Way of connecting is just one of many but proved it self over

Nadere informatie

Het beheren van mijn Tungsten Network Portal account NL 1 Manage my Tungsten Network Portal account EN 14

Het beheren van mijn Tungsten Network Portal account NL 1 Manage my Tungsten Network Portal account EN 14 QUICK GUIDE C Het beheren van mijn Tungsten Network Portal account NL 1 Manage my Tungsten Network Portal account EN 14 Version 0.9 (June 2014) Per May 2014 OB10 has changed its name to Tungsten Network

Nadere informatie

voltooid tegenwoordige tijd

voltooid tegenwoordige tijd SirPalsrok @meestergijs It has taken me a while to make this grammar explanation. My life has been quite busy and for that reason I had little time. My week was full of highs and lows. This past weekend

Nadere informatie

open standaard hypertext markup language internetprotocol transmission control protocol internet relay chat office open xml

open standaard hypertext markup language internetprotocol transmission control protocol internet relay chat office open xml DOWNLOAD OR READ : OPEN STANDAARD HYPERTEXT MARKUP LANGUAGE INTERNETPROTOCOL TRANSMISSION CONTROL PROTOCOL INTERNET RELAY CHAT OFFICE OPEN XML PDF EBOOK EPUB MOBI Page 1 Page 2 relay chat office open xml

Nadere informatie

Comics FILE 4 COMICS BK 2

Comics FILE 4 COMICS BK 2 Comics FILE 4 COMICS BK 2 The funny characters in comic books or animation films can put smiles on people s faces all over the world. Wouldn t it be great to create your own funny character that will give

Nadere informatie

Meetkunde en Lineaire Algebra

Meetkunde en Lineaire Algebra Hoofdstuk 1 Meetkunde en Lineaire Algebra Vraag 1.1 Het trapoppervlak is een afwikkelbaar oppervlak met oneindig veel singuliere punten. Vraag 1.2 Het schroefoppervlak is een afwikkelbaar oppervlak met

Nadere informatie

PRIVACYVERKLARING KLANT- EN LEVERANCIERSADMINISTRATIE

PRIVACYVERKLARING KLANT- EN LEVERANCIERSADMINISTRATIE For the privacy statement in English, please scroll down to page 4. PRIVACYVERKLARING KLANT- EN LEVERANCIERSADMINISTRATIE Verzamelen en gebruiken van persoonsgegevens van klanten, leveranciers en andere

Nadere informatie

Never trust a bunny. D. J. Bernstein University of Illinois at Chicago. Tanja Lange Technische Universiteit Eindhoven

Never trust a bunny. D. J. Bernstein University of Illinois at Chicago. Tanja Lange Technische Universiteit Eindhoven Never trust a bunny D. J. Bernstein University of Illinois at Chicago Tanja Lange Technische Universiteit Eindhoven The HB(n; ; 0 ) protocol (2001 Hopper Blum) Secret s 2 F n 2. Reader sends random C 2

Nadere informatie

04/11/2013. Sluitersnelheid: 1/50 sec = 0.02 sec. Frameduur= 2 x sluitersnelheid= 2/50 = 1/25 = 0.04 sec. Framerate= 1/0.

04/11/2013. Sluitersnelheid: 1/50 sec = 0.02 sec. Frameduur= 2 x sluitersnelheid= 2/50 = 1/25 = 0.04 sec. Framerate= 1/0. Onderwerpen: Scherpstelling - Focusering Sluitersnelheid en framerate Sluitersnelheid en belichting Driedimensionale Arthrokinematische Mobilisatie Cursus Klinische Video/Foto-Analyse Avond 3: Scherpte

Nadere informatie

Demultiplexing reads FASTA format genome sequencing reads run

Demultiplexing reads FASTA format genome sequencing reads run Demultiplexing reads In bioinformatics, FASTA format is a text-based format for representing either nucleotide sequences or peptide sequences, in which nucleotides or amino acids are represented using

Nadere informatie

Chromosomal crossover

Chromosomal crossover Chromosomal crossover As one of the last steps of genetic recombination two homologous chromosomes can exchange genetic material during meiosis in a process that is referred to as synapsis. Because of

Nadere informatie

Handleiding Installatie ADS

Handleiding Installatie ADS Handleiding Installatie ADS Versie: 1.0 Versiedatum: 19-03-2014 Inleiding Deze handleiding helpt u met de installatie van Advantage Database Server. Zorg ervoor dat u bij de aanvang van de installatie

Nadere informatie

Zo werkt het in de apotheek (Basiswerk AG) (Dutch Edition)

Zo werkt het in de apotheek (Basiswerk AG) (Dutch Edition) Zo werkt het in de apotheek (Basiswerk AG) (Dutch Edition) C.R.C. Huizinga-Arp Click here if your download doesn"t start automatically Zo werkt het in de apotheek (Basiswerk AG) (Dutch Edition) C.R.C.

Nadere informatie

MyDHL+ Duties Taxes Paid

MyDHL+ Duties Taxes Paid MyDHL+ Duties Taxes Paid MyDHL+ - verbeterde werkwijze zending aanmaken met service Duties Taxes Paid Intraship In Intraship kiest u voor de Extra service optie Duty Taxes Paid als u wilt dat de transportkosten,

Nadere informatie

Media en creativiteit. Winter jaar vier Werkcollege 7

Media en creativiteit. Winter jaar vier Werkcollege 7 Media en creativiteit Winter jaar vier Werkcollege 7 Kwartaaloverzicht winter Les 1 Les 2 Les 3 Les 4 Les 5 Les 6 Les 7 Les 8 Opbouw scriptie Keuze onderwerp Onderzoeksvraag en deelvragen Bespreken onderzoeksvragen

Nadere informatie

TOEGANG VOOR NL / ENTRANCE FOR DUTCH : https://www.stofs.co.uk/en/register/live/?regu lator=c&camp=24759

TOEGANG VOOR NL / ENTRANCE FOR DUTCH : https://www.stofs.co.uk/en/register/live/?regu lator=c&camp=24759 DISCLAIMER : 1. Het is een risicovolle belegging / It is an investment with risc. 2. Gebruik enkel geld dat u kan missen / Only invest money you can miss. 3. Gebruik de juiste procedure / Use the correct

Nadere informatie

Vergaderen in het Engels

Vergaderen in het Engels Vergaderen in het Engels In dit artikel beschrijven we verschillende situaties die zich kunnen voordoen tijdens een business meeting. Na het doorlopen van deze zinnen zal je genoeg kennis hebben om je

Nadere informatie

3 I always love to do the shopping. A Yes I do! B No! I hate supermarkets. C Sometimes. When my mother lets me buy chocolate.

3 I always love to do the shopping. A Yes I do! B No! I hate supermarkets. C Sometimes. When my mother lets me buy chocolate. 1 Test yourself read a Lees de vragen van de test. Waar gaat deze test over? Flash info 1 In the morning I always make my bed. A Yes. B No. C Sometimes, when I feel like it. 2 When I see an old lady with

Nadere informatie

Leeftijdcheck (NL) Age Check (EN)

Leeftijdcheck (NL) Age Check (EN) Leeftijdcheck (NL) Age Check (EN) [Type text] NL: Verkoopt u producten die niet aan jonge bezoekers verkocht mogen worden of heeft uw webwinkel andere (wettige) toelatingscriteria? De Webshophelpers.nl

Nadere informatie

Hoe te verbinden met NDI Remote Office (NDIRO): Apple OS X How to connect to NDI Remote Office (NDIRO): Apple OS X

Hoe te verbinden met NDI Remote Office (NDIRO): Apple OS X How to connect to NDI Remote Office (NDIRO): Apple OS X Handleiding/Manual Hoe te verbinden met (NDIRO): Apple OS X How to connect to (NDIRO): Apple OS X Inhoudsopgave / Table of Contents 1 Verbinden met het gebruik van Apple OS X (Nederlands)... 3 2 Connect

Nadere informatie

Four-card problem. Input

Four-card problem. Input Four-card problem The four-card problem (also known as the Wason selection task) is a logic puzzle devised by Peter Cathcart Wason in 1966. It is one of the most famous tasks in the study of deductive

Nadere informatie

Genetic code. Assignment

Genetic code. Assignment Genetic code The genetic code consists of a number of lines that determine how living cells translate the information coded in genetic material (DNA or RNA sequences) to proteins (amino acid sequences).

Nadere informatie

MyDHL+ Dangerous Goods

MyDHL+ Dangerous Goods MyDHL+ Dangerous Goods Dangerous Goods zending aanmaken In MyDHL+ is het aanmaken van uw zending zo eenvoudig mogelijk gemaakt. De website en daarbij deze handleiding zal u stap voor stap erdoorheen leiden.

Nadere informatie

CTI SUITE TSP DETAILS

CTI SUITE TSP DETAILS CTI SUITE TSP DETAILS TAPI allows an application to access telephony services provided by a telecom PABX. In order to implement its access to ETRADEAL, a TAPI interface has been developed by Etrali. As

Nadere informatie

/ /

/   / Cookie statement / www.temagroningen.nl / board@temagroningen.nl / www.temagroningen.nl / board@temagroningen.nl Dutch hospitality is a cookie with your coffee or tea. Digital hospitality is a cookie for

Nadere informatie

Handleiding Digipass DP310

Handleiding Digipass DP310 Handleiding Digipass DP310 Deze handleiding geeft u uitleg over het activeren en gebruik maken van uw Digipass. Toetsen van de Digipass OK: voor het aan- of uitschakelen van het apparaat of om een handeling

Nadere informatie

Win a meet and greet with Adam Young from the band Owl City!

Win a meet and greet with Adam Young from the band Owl City! 1 Meet and greet read Lees de tekst. Wat is de prijs die je kunt winnen? early too late on time vroeg te laat op tijd Win a meet and greet with Adam Young from the band Owl City! Do you have a special

Nadere informatie

GS1 Data Source. Guide to the Management of Digital Files for Suppliers

GS1 Data Source. Guide to the Management of Digital Files for Suppliers Guide to the Management of Digital Files for Suppliers Version 1.3, Final - approved, 25 May 2018 Summary Document property Name Value GS1 Data Source Date 25 May 2018 Version 1.3 Status Description Final

Nadere informatie

Appendix A: List of variables with corresponding questionnaire items (in English) used in chapter 2

Appendix A: List of variables with corresponding questionnaire items (in English) used in chapter 2 167 Appendix A: List of variables with corresponding questionnaire items (in English) used in chapter 2 Task clarity 1. I understand exactly what the task is 2. I understand exactly what is required of

Nadere informatie

Read this story in English. My personal story

Read this story in English. My personal story My personal story Netherlands 32 Female Primary Topic: SOCIETAL CONTEXT Topics: CHILDHOOD / FAMILY LIFE / RELATIONSHIPS IDENTITY Year: 1990 2010 marriage/co-habitation name/naming court/justice/legal rights

Nadere informatie

BathySurvey. A Trimble Access hydrographic survey module

BathySurvey. A Trimble Access hydrographic survey module BathySurvey A Trimble Access hydrographic survey module Contents 1. Introduction... 3 2. Installation... 4 3. Main Screen... 5 4. Device... 6 5. Jobs... 7 6. Settings Odom Echotrac... 8 7. Settings Ohmex

Nadere informatie

Find Neighbor Polygons in a Layer

Find Neighbor Polygons in a Layer Find Neighbor Polygons in a Layer QGIS Tutorials and Tips Author Ujaval Gandhi http://google.com/+ujavalgandhi Translations by Dick Groskamp This work is licensed under a Creative Commons Attribution 4.0

Nadere informatie

Vertaling Engels Gedicht / songteksten

Vertaling Engels Gedicht / songteksten Vertaling Engels Gedicht / songteksten Vertaling door een scholier 1460 woorden 23 januari 2002 5,4 399 keer beoordeeld Vak Engels Songtekst 1 Another day in paradise Artiest: Brandy & Ray J She calls

Nadere informatie

Machine-Level Programming III: Procedures

Machine-Level Programming III: Procedures Machine-Level Programming III: Procedures Topics IA32 stack discipline Register saving conventions Creating pointers to local variables IA32 Region of memory managed with stack discipline Grows toward

Nadere informatie

Contents. An Augmented Backus-Naur Format, (ABNF), Parser Generator for Erlang. Anders Nygren ABNF Using abnfc Implementation Todo

Contents. An Augmented Backus-Naur Format, (ABNF), Parser Generator for Erlang. Anders Nygren ABNF Using abnfc Implementation Todo An Augmented Backus-Naur Format, (ABNF), Parser Generator for Erlang Anders Nygren anygren@txm.com.mx ABNF Using abnfc Implementation Todo Contents 1 Why abnfc? ABNF used for specifying many important

Nadere informatie

OUTDOOR HD BULLET IP CAMERA PRODUCT MANUAL

OUTDOOR HD BULLET IP CAMERA PRODUCT MANUAL OUTDOOR HD BULLET IP CAMERA PRODUCT MANUAL GB - NL GB PARTS & FUNCTIONS 1. 7. ---- 3. ---- 4. ---------- 6. 5. 2. ---- 1. Outdoor IP camera unit 2. Antenna 3. Mounting bracket 4. Network connection 5.

Nadere informatie

1a. We werken het geval voor het tandenpoetsen uit. De concepten zijn (we gebruiken Engelse termen en afkortingen):

1a. We werken het geval voor het tandenpoetsen uit. De concepten zijn (we gebruiken Engelse termen en afkortingen): Uitwerking Huiswerkopgave Inleiding Modelleren Hoofdstuk 3 1a. We werken het geval voor het tandenpoetsen uit. De concepten zijn (we gebruiken Engelse termen en afkortingen): tube=[cap:{open,close},hand:{l,r,none}]

Nadere informatie