Distributed Systems / Middleware Distributed Programming in Erlang
|
|
|
- Blaze Franklin
- 10 years ago
- Views:
Transcription
1 Distributed Systems / Middleware Distributed Programming in Erlang Alessandro Sivieri Dipartimento di Elettronica e Informazione Politecnico, Italy [email protected] Slides based on previous works by Alessandro Margara
2 Outline Introduction Functional Programming Data structures Single assignment Pattern matching Functional abstractions Dynamic code loading Concurrent / Distributed Programming Processes Fault tolerance Distributed Erlang Socket based distribution OTP Introduction 2
3 Why Erlang? The world is parallel. If you want to write programs that behave as other objects behave in the real world, then these programs will have a concurrent structure. Use a language that was designed for writing concurrent applications, and development becomes a lot easier. Erlang programs model how we think and interact. Joe Armstrong 3
4 Erlang history Programming experiments: how to program a telephone exchange Erlang emerges as a dialect of Prolog. Implementation is a Prolog interpreter 1 developer (Joe Armstrong) Own abstract machine, JAM 3 developers, 10 users Turbo Erlang (BEAM compiler) Distributed Erlang OTP (Open Telecom Platform) formed AXD301 switch announced Over a million lines of Erlang Reliability of nine 9s 4
5 Erlang history/ Erlang banned within Ericsson for other products Erlang fathers quit Ericsson Open source Erlang Armstrong re-hired by Ericsson Native symmetric multiprocessing is added to runtime system November. Latest stable release: R15B03 5
6 Getting started To run Erlang programs we will use the BEAM emulator Similar to Java JVM Programs are compiled in BEAM ByteCode and then executed inside the emulator Similar to Python It offers an interactive shell... that we will use to run our examples To start the BEAM compiler type the command erl 6
7 Installing Erlang Windows Binary installation of the latest version are available at Linux (Debian-based systems) apt-get install erlang Linux / Mac OS X Build from sources Download latest available version (R15B03) at Compile and install 7
8 What is Erlang? Erlang is a functional and concurrent programming language Why functional? Computation is performed by means of mathematical function evaluation Often recursive Functions are first-class values Can be used as parameters to define higher order abstractions Why concurrent? Asynchronous message passing Message passing = No shared memory No side effects No locks Asynchronous = No synchronous invocations Isolation between processes Fault-tolerance Efficient concurrency management Lightweight processes and efficient communication 8
9 Our approach Few slides on the syntax Many examples Available online as source code Focusing on the following aspects Features and abstractions offered by functional programming languages Concurrent / distributed programming We will use only base Erlang We will mention some abstractions built inside existing libraries as examples of functional programming power The only exception will be CORBA (for the mini project) 9
10 Outline Introduction Functional Programming Data structures Single assignment Pattern matching Functional abstractions Dynamic code loading Concurrent / Distributed Programming Processes Fault tolerance Distributed Erlang Socket based distribution OTP Introduction 10
11 What is a functional language Programming paradigm Computation is the evaluation of mathematical functions No state No mutability Based on λ-calculus Formal system from the 1930s Many different forms Purity, academic vs. industrial languages, hybrid languages 11
12 Functional language: elegance Combining simplicity, power, and a certain ineffable grace of design. Jargon File A designer knows he has achieved perfection not when there is nothing left to add, but when there is nothing left to take away. Antoine de Saint-Exupery 12
13 Functional language: elegance Clear solution Easy to follow the code logic Resembles the mathematical solution (especially for algorithms) 13
14 Functional language: compactness Of a design, describes the valuable property that it can all be apprehended at once in one's head. This generally means the thing created from the design can be used with greater facility and fewer errors than an equivalent tool that is not compact. Jargon File 14
15 Functional language: compactness Code easy to read and follow i.e., variables always mean the same thing in the whole listing The solution does not add extra intermediate passages (especially in an obscure way) i.e., cycles to copy data structures or other modifications not essential to the algorithm Brief vs. verbose 15
16 Example: quicksort Reminder: 1. Pick an element (pivot) 2. Move elements less than the pivot on its left, and elements greater than the pivot on its right: now the pivot is in its final position 3. Recursively order the sublists of lesser and greater elements 16
17 C quicksort 17
18 Erlang quicksort 18
19 Functional language: safety 19
20 Functional language: safety No state + immutability => no side effects (!) (Erlang) Process supervision and monitoring 20
21 An exception Without side effects, there would be no I/O Pure function: Always evaluates the same result given the same argument values Evaluation of the result does not cause side effects Pure functional languages encapsulate I/O in structures called monads (we won t treat them) 21
22 Functional language features Functions are first-class citizens Parameters Return values Assigned to variables Anonymous («lambda») functions Higher order functions Take another function as parameter Return a function 22
23 Functional language features Recursion The only way to perform a loop (!) State variables are passed along with the other function parameters (more on this later) Tail recursion (do not waste your stack) Evaluation strategies Eager: arguments are always evaluated before invoking the function This is the strategy of Erlang Lazy: arguments are evaluated only if they are needed inside the function 23
24 Functional language features The most important data type is the list Structured as a sequence of cells, each with two pointers To the current data To the next cell Each cell is created with the cons operation Two operations (car and cdr) return the two pointers; sometimes they simply return the current data and the pointer to the rest of the list, and they are called head and tail 24
25 Functional language features Immutability Each operation introducing some modifications to a data structure or a variable returns a new data structure or a new variable The input is always left unmodified (then, of course, I/O ) Pattern matching Used to extract variables from various data structures (i.e., lists, tuples) Erlang has a very powerful pattern matching also on bit sequences 25
26 Termination characters syntax or: the main error source in your/our first Erlang listings Five possible termination characters:. is used for single lines in the shell or for the last line of a function, is used for each intermediate line in a function (logical and) -> is used for each pattern in function declaration, case/if/receive/try/catch ; is used for terminating a code block inside case/if/receive/try/catch (more on this later) (logical or) (no termination character) is used for terminating the last code block inside case/if/receive/try/catch 26
27 Variables Variables must start with a capital letter Variables are untyped A = B = erlang. C = * Variables don t vary!!! Single assignment 27
28 Single assigment A variable that has had a value assigned to it is called a bound variable otherwise it is called an unbound variable All variables start off unbound When Erlang sees a statement such as X = 1234, it binds variable X to the value 1234 Before getting bound, X could take any value Once it gets a value, it holds on to it forever 28
29 Single assignment Single assignment is like algebra If you use a variable X on different parts of an equation, it always keeps the same value Not like in imperative programming languages where statements like X = X + 1 are allowed In Erlang X = X + 1 is an error Why single assignment is good? Only one possible value inside a given scope Increases readability X will always represent the same value Prevents from modifications in global state Global variables cannot be modified by functions Forces better design choices Isolation of different functions Fault-tolerance Hot-swap 29
30 Atoms Atoms are used to represent different non-numerical constant values Atoms start with a lower case letter Atoms are global, and this is achieved without the use of macro definition or include files The value of an atom is just the atom If you want to write a calendar application the atoms monday, tuesday etc. will have the same value everywhere Sometimes, you may need (ticks) for specifying atom names with strange characters Remember that also module, function, host names (and many other types) are actually atoms 30
31 Tuples A tuple is a structure composed by a fixed number of unnamed fields For example X = {temp, 12} creates a tuple with two fields the first field is the atom temp the second field is the integer value 12 the tuple is assigned to variable X 31
32 Pattern matching Pattern matching is a central concept in Erlang The pattern matching operator is = It evaluates the right side and than matches the result against the pattern on the left side We have already seen an example of pattern matching Variable assignment X = 10 Erlang says to itself What can I do to make this statement true? In this case it binds the value 10 to the variable X, so that the equation is satisfied 32
33 Pattern matching Pattern matching works with tuples enabling programmers to extract values Point = {point, 10, 12} {point, X, Y} = Point Assigns 10 to variable X and 12 to variable Y {point, Z, Z} = Point Returns an error: it is not possible to make the statement true { _, _, W} = Point Assigns 12 to variable W _ is the anonymous variable: different occurrences don t have to hold the same value 33
34 Lists Lists are used to store multiple things Es. ToBuy = [{apple, 10}, {pear, 12}, {lemon, 3}] Lists can have heterogeneous elements Es. [erlang, 10, {lemon, 3}] The first element of a list is called Head If you remove the Head from the list what s left is called the Tail of the list If T is a list than also [H T] is a list separates the Head from the Tail [ ] is the empty list 34
35 Lists Pattern matching can be applied to lists as well Buy = [{apple, 10}, {pear, 12}, {orange, 4}, {lemon, 6}] [AppleTuple, PearTuple Others] = Buy Assigns {apple, 10} to AppleTuple Assigns {pear, 12} to PearTuple Assigns [{orange, 4}, {lemon, 6}] to Others NewBuy = [{milk, 2} Others] Assigns [{milk, 2}, {orange, 4}, {lemon, 6}] to NewBuy 35
36 List comprehensions Creating lists from existing lists Standard construct in functional languages [ Element Element <- List, conditions ] Example: 36
37 Strings Strictly speaking there are no strings in Erlang Strings are really just lists of integer Strings are enclosed in double quotation marks For example you can write S = Hello Hello is just a shorthand for the list of integers representing the individual characters in the string The shell prints a list of integers as a string if and only if all integers in the list represent a printable character 37
38 Dictionaries A dictionary performs exactly as a list of 2- dimension tuples [{Key1, Value1}, {Key2, Value2}, {Key3, Value3}] Becomes: dict:new() dict:append(newkey, NewValue, Dict) Value = dict:fetch(key, Dict) You can move from lists to dictionaries and back easily (dict:from_list, dict:to_list) 38
39 Modules Erlang programs are splitted in modules Each module is a.erl file To compile a module m.erl you can either Call erlc m.erl from outside the BEAM emulator Or call c(m) from within the BEAM emulator This creates a m.beam file, containing the bytecode of the module 39
40 Modules Each module consists of a set of functions Used internally Or externally visible Each module starts with -module(module-name). module-name must be the name of the file -export([fun1/arity1, fun2/arity2, fun-n/arity-n]) Where fun1, fun2, fun-n are the names of the functions that have to become visible outside the module And arity1, arity2, arity-n are the arity (i.e. number of input parameters) required by each function 40
41 Functions A function is univocally identified by a name and an arity Each function consists of an ordered list of clauses Each clause has a pattern and a piece of code During a function call clauses are evaluated in order When the pattern of a clause is matched, then the associated code is evaluated and the function returns If no single pattern can be matched, then an error is generated 41
42 Functions Example: we define a module geometry with only one (exported) function of arity 1, which computes the area of different figures We can use it within the BEAM emulator to compute the area of a square geometry:area({square, 10}) 42
43 Functions Sometimes it is useful to check constraints on input values For this reason Erlang introduces guards Introduced after a pattern, using the when keyword The example shows a single guard (X > Y) It is possible to combine single guards using logical and (,) or logical or (;) Beware that if you want shortcircuit expressions, you have to use andalso or orelse 43
44 Case and if expressions Pattern matching and guards can be used to define conditional blocks Case expressions If expressions Expressions are evaluated in order If no match is found an error is generated Beware that in If expressions you always need the else part 44
45 Erlang: a functional PL In just a few slides we have already seen all the building blocks of Erlang We can now write every sequential program Without while, for statements! Erlang is a functional programming language Everything is performed through function evaluation Functions are values It is possible to assign functions to variables to use functions as parameters for other functions and to return function as result of other functions 45
46 Erlang: a functional PL There are no loop statements Iteration is performed using recursive functions Example: we want to sum all the elements of a list of integers We recursively sum the head to the rest of the list until we arrive to the empty list 46
47 Saving space: tail recursion In the previous code H+sum(T) cannot be evaluated until the function sum(t) returns Every function call requires stack space The function sum(x) evaluates in O(length(X)) space We can implement the same function to evaluate in constant space Using an accumulator Using tail recursion ( = the last thing a function does is calling itself) Same cost as in imperative programming loops Every recursive function can be transformed in a tail recursive function It is good practice to use tail recursion 47
48 Higher order function A common task is the execution of the same transformation on all the elements of a list We can write a single function for each possible transformation Or we can use the possibility to use functions as values Map executes a generic task on all the elements of a list It is said to be a higher order function Use the function as parameter Compile Assign a function to a variable 48
49 Functions that return functions Not only can functions be used as arguments to functions but functions can also return functions It is not used that often, at least wrt to the previous mode Suppose we have a list of something (es. Fruit) Fruit = [apple, pear, orange] We can define a function Test that returns a function that checks whether an element is in a list Test = fun(l) -> (fun(x) -> lists:member(x, L) end) end. lists:member is a function that returns true if X is in L We can now create a function IsFruit IsFruit = Test(Fruit) IsFruit(apple) will return true IsFruit(cat) will return false 49
50 Programming abstractions Using higher order functions enables programmers to create different levels of abstractions This is conceptually similar to the creation of object hierarchies in Object Oriented Languages like Java or C# Object Oriented Languages simplify reuse of code by defining abstract members Functional Languages use function parameterization: Functions are values Functions can be used as parameters 50
51 Data manipulation Functional languages allow you to write extremely compact code when manipulating data map(): applies a given function to all members of a list fold(): applies a given function to all members of a list, passing an accumulator for getting a result of that function filter(): filters a list according to a given function zip(): puts together two lists in a single list of 2- dimension tuples The same holds for dictionaries 51
52 Data manipulation 52
53 Bit syntax Erlang has a very interesting bit syntax Header = <<IpVersion:4, HLen:4, SrvcType:8, TotLen:16, ID:16, Flgs:3, FragOff:13, TTL:8, Proto:8, HdrChkSum:16, SrcIP:32, DestIP:32, RestDgram/binary>> 53
54 Pattern matching on bits You can specify: The type of the variable (integer, float, binary) The signedness The endianess The size (from 1 to 256 bits) You can match some pattern in case/receive Remember to add a final field ready to get the rest of the variable, especially if working on network protocols the payload has (probably) no fixed size 54
55 Exception handling In Erlang exceptions are raised automatically when the system encounters an error Pattern matching errors Function call with incorrectly typed arguments It is also possible to throw exceptions explicitly throw(why) throws an exception that the caller is expected to handle erlang:error(why) is used to denote crashing errors ; something that the caller is not supposed to manage exit(why) explicitly stops a process; if the exception is not managed a message is broadcast to all linked processes (more on this later) 55
56 Exception handling Exception handling is very similar to a case expression ExceptionType is an atom, which defines the kind of exception (throw, exit, error) one wants to catch Result evaluated here if no exception occurred Exceptions (if any) Evaluated here 56
57 Some examples Write a function that returns the maximum element in a list Works only with non-empty lists! 57
58 Some examples Write a function that reverses the order of a list 58
59 Dynamic code loading Dynamic code loading is a feature directly built inside Erlang A module can access a function of another modules in two ways: Importing modules -import(module_name) Using fully qualified names module_name:function_name The former continues to adopt the previously loaded version of a module The latter ensures that the latest version of the module is used Even if the module has been recompiled 59
60 Dynamic code loading Politecnico Two possible versions of a module can exist at the same time No more than two versions are allowed If a third version is created: B1 is removed Existing computation aborted B2 continues to exist B3 is the new current version A B:f() B3 f() f() B:f() B2 B1 60
61 Dynamic code loading Dynamic code loading is a low level feature It enables programmers to change system code at runtime To fix bugs To include new functionalities To improve performance Higher level abstractions have been designed on top of it OTP (Open Telecom Platform) offers Implementation of design patterns that simplify error-free code loading Tools to automatize installation of new software versione involving multiple modules upgrades 61
62 Dynamic code loading: example If we change value and compile, dyncode1 will print the new value Prints the value computed by dyncode2 every 2 seconds 62
63 Outline Introduction Functional Programming Data structures Single assignment Pattern matching Functional abstractions Dynamic code loading Concurrent / Distributed Programming Processes Fault tolerance Distributed Erlang Socket based distribution OTP Introduction 63
64 Concurrent programming Erlang is sometimes described as a concurrency oriented programming language This does not only mean that writing concurrent programs is Possible Easy Efficient This refers to the possibility to take into account concurrency when designing complex systems Erlang forces programmers to think about processes as independent actors communicating only through message passing 64
65 Concurrent programming Cuncurrent programming requires just three new primitives: Pid = spawn(fun). Creates a new concurrent process that evaluates Fun. The new process runs in parallel with the caller. Spawn returns a Pid (process identifier) which can be used to send messages to the process Pid! Message. Sends Message to the process with identifier Pid. Message sending is asyncronous: the sender has not to wait, but can continue its own task Receive end. Used to receive messages: messages are evaluated using pattern matching. Messages are stored in a sort of mailbox (persistent!) until the received function is called 65
66 Simple Server The server waits for messages containing the sender Pid, a function and a number Sends back Fun(Num) and waits again In the shell we start the server We send a request We receive the response 66
67 Clock In this example we define a process that executes a function Fun periodically (period = Time) We introduce two new keywords After: defines what to do if no matching message is received after Time elapsed Register: associate the Pid of a process to an atom 67
68 Variable Write a program that simulates a simple integer variable (allowing init, add, sub and get operations) 68
69 Fault tolerance A key feature of Erlang is its ability to simplify the design of fault tolerant programs This is achieved through process linking A process P can link to process Q by calling the link(q) function When one process dies, an Exit signal is sent to every linked process 69
70 Fault tolerance What happens when a process receives an exit signal? If the receiver hasn t declare itself as system process, the message will cause it too to exit Otherwise the message will be processed as a normal one process_flag(trap_exit, true) turns a process into a system process Function to process errors Uses an ad-hoc process Creates a link to the given process Becomes a system process 70
71 Microseconds/process Politecnico Concurrency: performance Process creation times C / Java Erlang Source: J.Armstrong Concurrency oriented programming in Erlang Number of processes 71
72 Microseconds/message Politecnico Concurrency: performance Message sending times C / Java Erlang Source: J.Armstrong Concurrency oriented programming in Erlang Number of processes 72
73 Distributed programming Erlang enables the programmers to distribute concurrent processes on different machines We will talk about two main distribution models: Distributed Erlang: provides a method for programming applications that run on a single administrative domain (trusted environment, like a LAN) Processes run in Erlang nodes All mechanisms for message passing, error hadling etc. works as in the single node scenario Socket-based distribution: uses TCP/IP sockets to send messages in an untrusted environment Less powerful but more secure model Used to easily interact with programs written in other languages 73
74 Distributed Erlang Distributed Erlang enables programmers to spread processes on different nodes. A node a can communicate with a node b if It knows b s name a and b share the same cookie To start a node with a given name and cookie run erl sname name setcookie cookie (same host) erl name name@host setcookie cookie (across hosts) We will see how distribution works with two examples: Sending messages to remote nodes Implementing the Remote Procedure Call (RPC) pattern Spawning processes on remote nodes 74
75 Distributed Erlang Set up your environment Start Erlang with the -name option Ensure that both nodes have the same cookie Start the node with setcookie cookie Make sure that the hostnames are resolvable By DNS or Adding an entry to /etc/hosts Make sure that all systems have the same version of the code Manually copy the bytecode or Use the shell command nl(mod) It loads the module Mod on all connected nodes Useful for dynamic code loading Test if everything is working using the ping function net_adm:ping(node_name) 75
76 Fault tolerant server Two processes Server Error handler If the server crashes, the error handler Traps the error message Starts a new server Terminates Every time a new server starts it creates a new error handler 76
77 Fault tolerant server The client can call the dist:ask function to send a message to the server If the server does not respond in 100ms, then it returns Server crashed Suppose our client wants to execute the function support:dup The module has not been loaded by the server Sends the message to the process registered as server on the Host machine 77
78 Fault tolerant server Client s shell Check the server Load the module on the server The server is up and working again! Call 2 contains an error. The server crashes! 78
79 Fault tolerant server Server s shell Starts the server When request 2 is processed, the wrong message format crashes the server The error is trapped and the server (together with a new error handler) is started 79
80 Distributed Erlang Distributed Erlang also enables programmers to spawn processes on a specific node Without modifying our previous code we can start the server from the client shell 80
81 Code mobility The nl instruction loads a module on a remote machine This realizes code mobility It is also possible to move locally defined functions, like in the example below This works only on the same host, otherwise the two hosts have to share the bytecode! Defines a local function Uses the function to call the server 81
82 A complete example Topic based publishsubscribe The dispatcher receives subscriptions and publications from clients It sends published messages to interested (subscribed) clients Similar to topic based communication in JMS Publish Publish Subscribe Send Publish Subscribe 82
83 Exported functions We define a module that exposes the following functions: startdispatcher: starts the dispatcher of messages, that waits for publish/subscribe commands startclient: starts a process on the client that waits for messages publish: publishes a message for a given topic subscribe: used by clients to express their interests 83
84 The dispatcher The dispatcher keeps a list of interests Organized as a list of tuples {ClientID, ClientTopicsList} Modified when a subscription is received Used to compute the destinations of a published message 84
85 The dispatcher 85
86 The dispatcher Recursively analyze interests copying them into Result Until Interests becomes empty Or until the client identifier is found and the new topic is added to the list of interests (First if clause) 86
87 The dispatcher: improvements Is our implementation of the dispatcher efficient? We use a list of {Client, Interests} to represent the interest table When we process a publish message we need to check the topic in the Interests list of every client We can easily modify our code to store, for each topic, the set of interested clients using a list of {Topic, Clients} We only have to slightly modify 3 functions 87
88 The dispatcher: improvements 88
89 The dispatcher: now with stdlib 89
90 Socket based distribution Erlang offers facility for socket communications We introduce them using a single example (echo server) This enables interaction with other programming languages 90
91 Socket based distribution On the server side: Listen Accept (blocking) Receive On the client side: Connect Send Receive 91
92 Outline Introduction Functional Programming Data structures Single assignment Pattern matching Functional abstractions Dynamic code loading Concurrent / Distributed Programming Processes Fault tolerance Distributed Erlang Socket based distribution OTP Introduction 92
93 Open Telecom Platform (OTP) What is OTP (Open Telecom Platform)? A set of design principles A set of libraries Developed and used by Ericsson to build large-scale, fault-tolerant, distributed applications It also offers different powerful tools: A complete Web Server An FTP Server A CORBA ORB 93
94 OTP Behaviors There exist structures/patterns used in a great number of different programs Client / Server Server waits for client commands, execute and return responses Worker / Supervisor Workers are processes that perform the computation Supervisors monitor the behavior of workers React when errors are detected (e.g. by restarting the worker) Hierarchies (trees) of supervisors can be created as well Event Manager / Handlers Similar to Java listeners or to publish-subscribe paradigm The manager detects an event The handlers process the event 94
95 OTP Behaviors Let s take, for example, the client server paradigm What varies in different applications adopting this design paradigm? Basically, what the server does The functional part of the problem The structure is fixed The non-functional part of the problem The idea is to use higher order functions abstraction The common non-functional part is implemented in modules called behaviors The functional part has to be implemented in modules that export predefined functions Callback functions Do not reinvent the wheel! 95
96 Applications OTP dictates also a common structure for applications i.e. pieces of code providing a specific functionality Following this structure applications can be: Started, stopped, configured and monitored as a unit Reused to build higher level applications Included applications Often applications are defined as distributed Run on different cooperating nodes Realize fault tolerance using distributed worker/supervisor pattern This simplifies the design of component based architectures where different functional units can be combined to solve a complex task 96
97 Release handling Applications come with a release resource file that defines dependencies between applications It is possible to express dependencies involving the versions of considered applications Release handling tools Start from release resource files Can generate automatic procedures to update a particular application Automatic resolution of dependencies Based on low level dynamic code loading Work in distributed scenario Try to upgrade without stopping involved applications Not always possible Sometimes it is necessary to restart the application after upgrade Not always easy to configure correctly 97
98 CORBA One of the mini projects asks you to write an application exploiting the capabilities of CORBA Starting from the same type and service definitions, allow an object oriented language and a functional language to communicate with each other seamlessly Fortunately, OTP has a working CORBA implementation Not much harder to use than the Java implementation 98
99 CORBA for Erlang: Orber 99
100 CORBA Our goal: the service is implemented in Java, the clients in both Java and Erlang The ORB daemon for Java will be running together with the Erlang daemon (which will be connected to the former) A request to the service from Erlang will be routed to the Orber daemon, which will route it to the ORB daemon, and finally it will reach the Java implementation The response will travel back 100
101 Orber The first step is to generate all the required files from the IDL file The idl compiler is the same Erlang compiler (erlc) erlc Account.idl As with Java, several files will be generated Headers (*.hrl) and sources (*.erl) Implementation stubs are not generated in this way, you need to add one option (and then fill the *_impl.erl files): erlc +"{be,erl_template}" Account.idl For details in how the data types are translated, refer to the documentation 101
102 Orber IDL structs are translated as objects in Java, as records in Erlang IDL interfaces are translated as interfaces in Java, as modules in Erlang Note that Erlang generates modules and methods with the underscore in several places, this implies that you need to escape each method invocation by using the tick ( ) at the beginning and end of each name i.e., 'Finance_Bank':createNewAccount() i.e, 'oe_account':'oe_register'() 102
103 Orber The *_impl.erl files are structured in a «gen_server» way You need to fill only the methods corresponding to the service functions, and ignore all the rest Of course, you can add other functions and data structures, if needed by your implementation 103
104 Orber initialization Java has the ORB daemon, in Erlang you need to execute a sequence of methods to start the daemon The examples do not maintain any persistency explains the details of all the possible options After the initialization, the usual operations apply: 1. Get a reference to the Naming Service 2. Get a reference to your own service 3. Perform any invocation on that service 104
105 Orber vs. Java: client initialization 105
106 Orber: examples (see code) Bank example Chat example 106
107 References J. Armstrong: Programming Erlang: Software for a Concurrent World. Pragmatic bookshelf, R. Virding, C. Wikstrom, M. Williams: Concurrent Programming in Erlang (2 nd Ed). Prentice Hall Intl, J.Armstrong: A History of Erlang. In Proceedings of the 3 rd conference on History of Programming Languages, J. Armstrong: Concurrency Oriented Programming in Erlang. Invited paper in FFG, C. Wikstrom: Distributed Programming in Erlang. In Proceedings of th 1 st International Symposium on Parallel Symbolic Computation, J. Larson: Erlang for Concurrent Programming. Queue Documentation available at: OTP Team Design Principles 107
Middleware Lou Somers
Middleware Lou Somers April 18, 2002 1 Contents Overview Definition, goals, requirements Four categories of middleware Transactional, message oriented, procedural, object Middleware examples XML-RPC, SOAP,
Real Time Programming: Concepts
Real Time Programming: Concepts Radek Pelánek Plan at first we will study basic concepts related to real time programming then we will have a look at specific programming languages and study how they realize
PERFORMANCE COMPARISON OF COMMON OBJECT REQUEST BROKER ARCHITECTURE(CORBA) VS JAVA MESSAGING SERVICE(JMS) BY TEAM SCALABLE
PERFORMANCE COMPARISON OF COMMON OBJECT REQUEST BROKER ARCHITECTURE(CORBA) VS JAVA MESSAGING SERVICE(JMS) BY TEAM SCALABLE TIGRAN HAKOBYAN SUJAL PATEL VANDANA MURALI INTRODUCTION Common Object Request
Chapter 2: Remote Procedure Call (RPC)
Chapter 2: Remote Procedure Call (RPC) Gustavo Alonso Computer Science Department Swiss Federal Institute of Technology (ETHZ) [email protected] http://www.iks.inf.ethz.ch/ Contents - Chapter 2 - RPC
Building highly available systems in Erlang. Joe Armstrong
Building highly available systems in Erlang Joe Armstrong How can we get 10 nines reliability? Why Erlang? Erlang was designed to program fault-tolerant systems Overview n Types of HA systems n Architecture/Algorithms
Chapter 6, The Operating System Machine Level
Chapter 6, The Operating System Machine Level 6.1 Virtual Memory 6.2 Virtual I/O Instructions 6.3 Virtual Instructions For Parallel Processing 6.4 Example Operating Systems 6.5 Summary Virtual Memory General
Example of Standard API
16 Example of Standard API System Call Implementation Typically, a number associated with each system call System call interface maintains a table indexed according to these numbers The system call interface
Erlang a platform for developing distributed software systems
Erlang a platform for developing distributed software systems Lars-Åke Fredlund 1 / 55 Problems of distributed systems Distributed programming is hard Challenges for concurrency: process coordination and
Firewall Builder Architecture Overview
Firewall Builder Architecture Overview Vadim Zaliva Vadim Kurland Abstract This document gives brief, high level overview of existing Firewall Builder architecture.
KITES TECHNOLOGY COURSE MODULE (C, C++, DS)
KITES TECHNOLOGY 360 Degree Solution www.kitestechnology.com/academy.php [email protected] [email protected] Contact: - 8961334776 9433759247 9830639522.NET JAVA WEB DESIGN PHP SQL, PL/SQL
09336863931 : provid.ir
provid.ir 09336863931 : NET Architecture Core CSharp o Variable o Variable Scope o Type Inference o Namespaces o Preprocessor Directives Statements and Flow of Execution o If Statement o Switch Statement
The Service Revolution software engineering without programming languages
The Service Revolution software engineering without programming languages Gustavo Alonso Institute for Pervasive Computing Department of Computer Science Swiss Federal Institute of Technology (ETH Zurich)
Application Monitor Application (APPMON)
Application Monitor Application (APPMON) version 1.0 Magnus Fröberg 1997-05-02 Typeset in L A TEX from SGML source using the DOCBUILDER 3.0 Document System. Contents 1 APPMON Reference Manual 1 1.1 appmon
The Service Availability Forum Specification for High Availability Middleware
The Availability Forum Specification for High Availability Middleware Timo Jokiaho, Fred Herrmann, Dave Penkler, Manfred Reitenspiess, Louise Moser Availability Forum [email protected], [email protected],
COMMMUNICATING COOPERATING PROCESSES
COMMMUNICATING COOPERATING PROCESSES The producer-consumer paradigm A buffer of items can be filled by the producer and emptied by the consumer. The producer and the consumer must be synchronized: the
MapReduce. MapReduce and SQL Injections. CS 3200 Final Lecture. Introduction. MapReduce. Programming Model. Example
MapReduce MapReduce and SQL Injections CS 3200 Final Lecture Jeffrey Dean and Sanjay Ghemawat. MapReduce: Simplified Data Processing on Large Clusters. OSDI'04: Sixth Symposium on Operating System Design
EVALUATION. WA1844 WebSphere Process Server 7.0 Programming Using WebSphere Integration COPY. Developer
WA1844 WebSphere Process Server 7.0 Programming Using WebSphere Integration Developer Web Age Solutions Inc. USA: 1-877-517-6540 Canada: 1-866-206-4644 Web: http://www.webagesolutions.com Chapter 6 - Introduction
Infrastructure that supports (distributed) componentbased application development
Middleware Technologies 1 What is Middleware? Infrastructure that supports (distributed) componentbased application development a.k.a. distributed component platforms mechanisms to enable component communication
PROFESSIONAL. Node.js BUILDING JAVASCRIPT-BASED SCALABLE SOFTWARE. Pedro Teixeira WILEY. John Wiley & Sons, Inc.
PROFESSIONAL Node.js BUILDING JAVASCRIPT-BASED SCALABLE SOFTWARE Pedro Teixeira WILEY John Wiley & Sons, Inc. INTRODUCTION xxvii CHAPTER 1: INSTALLING NODE 3 Installing Node on Windows 4 Installing on
Distributed Data Mining Algorithm Parallelization
Distributed Data Mining Algorithm Parallelization B.Tech Project Report By: Rishi Kumar Singh (Y6389) Abhishek Ranjan (10030) Project Guide: Prof. Satyadev Nandakumar Department of Computer Science and
Last Class: OS and Computer Architecture. Last Class: OS and Computer Architecture
Last Class: OS and Computer Architecture System bus Network card CPU, memory, I/O devices, network card, system bus Lecture 3, page 1 Last Class: OS and Computer Architecture OS Service Protection Interrupts
Topics. Introduction. Java History CS 146. Introduction to Programming and Algorithms Module 1. Module Objectives
Introduction to Programming and Algorithms Module 1 CS 146 Sam Houston State University Dr. Tim McGuire Module Objectives To understand: the necessity of programming, differences between hardware and software,
Chapter 15 Functional Programming Languages
Chapter 15 Functional Programming Languages Introduction - The design of the imperative languages is based directly on the von Neumann architecture Efficiency (at least at first) is the primary concern,
E-mail Listeners. E-mail Formats. Free Form. Formatted
E-mail Listeners 6 E-mail Formats You use the E-mail Listeners application to receive and process Service Requests and other types of tickets through e-mail in the form of e-mail messages. Using E- mail
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
SOFT 437. Software Performance Analysis. Ch 5:Web Applications and Other Distributed Systems
SOFT 437 Software Performance Analysis Ch 5:Web Applications and Other Distributed Systems Outline Overview of Web applications, distributed object technologies, and the important considerations for SPE
Computer Network. Interconnected collection of autonomous computers that are able to exchange information
Introduction Computer Network. Interconnected collection of autonomous computers that are able to exchange information No master/slave relationship between the computers in the network Data Communications.
C#5.0 IN A NUTSHELL. Joseph O'REILLY. Albahari and Ben Albahari. Fifth Edition. Tokyo. Sebastopol. Beijing. Cambridge. Koln.
Koln C#5.0 IN A NUTSHELL Fifth Edition Joseph Albahari and Ben Albahari O'REILLY Beijing Cambridge Farnham Sebastopol Tokyo Table of Contents Preface xi 1. Introducing C# and the.net Framework 1 Object
Agent Languages. Overview. Requirements. Java. Tcl/Tk. Telescript. Evaluation. Artificial Intelligence Intelligent Agents
Agent Languages Requirements Overview Java Tcl/Tk Telescript Evaluation Franz J. Kurfess, Cal Poly SLO 211 Requirements for agent Languages distributed programming large-scale (tens of thousands of computers)
Charles Dierbach. Wiley
Charles Dierbach Wiley Contents Preface Acknowledgments About the Author XXI xxv xxvii Introduction 1 MOTIVATION 2 FUNDAMENTALS 2 1.1 What Is Computer Science? 2 1.1.1 The Essence of Computational Problem
So today we shall continue our discussion on the search engines and web crawlers. (Refer Slide Time: 01:02)
Internet Technology Prof. Indranil Sengupta Department of Computer Science and Engineering Indian Institute of Technology, Kharagpur Lecture No #39 Search Engines and Web Crawler :: Part 2 So today we
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
[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
A standards-based approach to application integration
A standards-based approach to application integration An introduction to IBM s WebSphere ESB product Jim MacNair Senior Consulting IT Specialist [email protected] Copyright IBM Corporation 2005. All rights
Event-based middleware services
3 Event-based middleware services The term event service has different definitions. In general, an event service connects producers of information and interested consumers. The service acquires events
Operating System Monitor Application (OS MON)
Operating System Monitor Application (OS MON) version 1.3 Joe Armstrong 1997-05-02 Typeset in L A TEX from SGML source using the DOCBUILDER 3.0 Document System. Contents 1 OS MON Reference Manual 1 1.1
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
Agenda. Distributed System Structures. Why Distributed Systems? Motivation
Agenda Distributed System Structures CSCI 444/544 Operating Systems Fall 2008 Motivation Network structure Fundamental network services Sockets and ports Client/server model Remote Procedure Call (RPC)
Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY. 6.828 Operating System Engineering: Fall 2005
Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY 6.828 Operating System Engineering: Fall 2005 Quiz II Solutions Average 84, median 83, standard deviation
Introduction CORBA Distributed COM. Sections 9.1 & 9.2. Corba & DCOM. John P. Daigle. Department of Computer Science Georgia State University
Sections 9.1 & 9.2 Corba & DCOM John P. Daigle Department of Computer Science Georgia State University 05.16.06 Outline 1 Introduction 2 CORBA Overview Communication Processes Naming Other Design Concerns
Model Simulation in Rational Software Architect: Business Process Simulation
Model Simulation in Rational Software Architect: Business Process Simulation Mattias Mohlin Senior Software Architect IBM The BPMN (Business Process Model and Notation) is the industry standard notation
Lecture 1: Introduction
Programming Languages Lecture 1: Introduction Benjamin J. Keller Department of Computer Science, Virginia Tech Programming Languages Lecture 1 Introduction 2 Lecture Outline Preview History of Programming
16.1 MAPREDUCE. For personal use only, not for distribution. 333
For personal use only, not for distribution. 333 16.1 MAPREDUCE Initially designed by the Google labs and used internally by Google, the MAPREDUCE distributed programming model is now promoted by several
ELEC 377. Operating Systems. Week 1 Class 3
Operating Systems Week 1 Class 3 Last Class! Computer System Structure, Controllers! Interrupts & Traps! I/O structure and device queues.! Storage Structure & Caching! Hardware Protection! Dual Mode Operation
Middleware: Past and Present a Comparison
Middleware: Past and Present a Comparison Hennadiy Pinus ABSTRACT The construction of distributed systems is a difficult task for programmers, which can be simplified with the use of middleware. Middleware
Characteristics of Java (Optional) Y. Daniel Liang Supplement for Introduction to Java Programming
Characteristics of Java (Optional) Y. Daniel Liang Supplement for Introduction to Java Programming Java has become enormously popular. Java s rapid rise and wide acceptance can be traced to its design
The Clean programming language. Group 25, Jingui Li, Daren Tuzi
The Clean programming language Group 25, Jingui Li, Daren Tuzi The Clean programming language Overview The Clean programming language first appeared in 1987 and is still being further developed. It was
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)
Cloud Computing. Up until now
Cloud Computing Lecture 11 Virtualization 2011-2012 Up until now Introduction. Definition of Cloud Computing Grid Computing Content Distribution Networks Map Reduce Cycle-Sharing 1 Process Virtual Machines
Socket = an interface connection between two (dissimilar) pipes. OS provides this API to connect applications to networks. home.comcast.
Interprocess communication (Part 2) For an application to send something out as a message, it must arrange its OS to receive its input. The OS is then sends it out either as a UDP datagram on the transport
The Real Challenges of Configuration Management
The Real Challenges of Configuration Management McCabe & Associates Table of Contents The Real Challenges of CM 3 Introduction 3 Parallel Development 3 Maintaining Multiple Releases 3 Rapid Development
MAPREDUCE Programming Model
CS 2510 COMPUTER OPERATING SYSTEMS Cloud Computing MAPREDUCE Dr. Taieb Znati Computer Science Department University of Pittsburgh MAPREDUCE Programming Model Scaling Data Intensive Application MapReduce
CSE 373: Data Structure & Algorithms Lecture 25: Programming Languages. Nicki Dell Spring 2014
CSE 373: Data Structure & Algorithms Lecture 25: Programming Languages Nicki Dell Spring 2014 What is a Programming Language? A set of symbols and associated tools that translate (if necessary) collections
Crash Course in Java
Crash Course in Java Based on notes from D. Hollinger Based in part on notes from J.J. Johns also: Java in a Nutshell Java Network Programming and Distributed Computing Netprog 2002 Java Intro 1 What is
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.
Client/Server Computing Distributed Processing, Client/Server, and Clusters
Client/Server Computing Distributed Processing, Client/Server, and Clusters Chapter 13 Client machines are generally single-user PCs or workstations that provide a highly userfriendly interface to the
Mutual Exclusion using Monitors
Mutual Exclusion using Monitors Some programming languages, such as Concurrent Pascal, Modula-2 and Java provide mutual exclusion facilities called monitors. They are similar to modules in languages that
The C Programming Language course syllabus associate level
TECHNOLOGIES The C Programming Language course syllabus associate level Course description The course fully covers the basics of programming in the C programming language and demonstrates fundamental programming
CSCI E 98: Managed Environments for the Execution of Programs
CSCI E 98: Managed Environments for the Execution of Programs Draft Syllabus Instructor Phil McGachey, PhD Class Time: Mondays beginning Sept. 8, 5:30-7:30 pm Location: 1 Story Street, Room 304. Office
Hands On Activities: TCP/IP Network Monitoring and Management
Hands On Activities: TCP/IP Network Monitoring and Management 1. TCP/IP Network Management Tasks TCP/IP network management tasks include Examine your physical and IP network address Traffic monitoring
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,
Objectives. Chapter 2: Operating-System Structures. Operating System Services (Cont.) Operating System Services. Operating System Services (Cont.
Objectives To describe the services an operating system provides to users, processes, and other systems To discuss the various ways of structuring an operating system Chapter 2: Operating-System Structures
Bounded Cost Algorithms for Multivalued Consensus Using Binary Consensus Instances
Bounded Cost Algorithms for Multivalued Consensus Using Binary Consensus Instances Jialin Zhang Tsinghua University [email protected] Wei Chen Microsoft Research Asia [email protected] Abstract
FAQs. This material is built based on. Lambda Architecture. Scaling with a queue. 8/27/2015 Sangmi Pallickara
CS535 Big Data - Fall 2015 W1.B.1 CS535 Big Data - Fall 2015 W1.B.2 CS535 BIG DATA FAQs Wait list Term project topics PART 0. INTRODUCTION 2. A PARADIGM FOR BIG DATA Sangmi Lee Pallickara Computer Science,
WESTMORELAND COUNTY PUBLIC SCHOOLS 2011 2012 Integrated Instructional Pacing Guide and Checklist Computer Math
Textbook Correlation WESTMORELAND COUNTY PUBLIC SCHOOLS 2011 2012 Integrated Instructional Pacing Guide and Checklist Computer Math Following Directions Unit FIRST QUARTER AND SECOND QUARTER Logic Unit
Replication on Virtual Machines
Replication on Virtual Machines Siggi Cherem CS 717 November 23rd, 2004 Outline 1 Introduction The Java Virtual Machine 2 Napper, Alvisi, Vin - DSN 2003 Introduction JVM as state machine Addressing non-determinism
How To Write Portable Programs In C
Writing Portable Programs COS 217 1 Goals of Today s Class Writing portable programs in C Sources of heterogeneity Data types, evaluation order, byte order, char set, Reading period and final exam Important
The ConTract Model. Helmut Wächter, Andreas Reuter. November 9, 1999
The ConTract Model Helmut Wächter, Andreas Reuter November 9, 1999 Overview In Ahmed K. Elmagarmid: Database Transaction Models for Advanced Applications First in Andreas Reuter: ConTracts: A Means for
Monitoring Infrastructure (MIS) Software Architecture Document. Version 1.1
Monitoring Infrastructure (MIS) Software Architecture Document Version 1.1 Revision History Date Version Description Author 28-9-2004 1.0 Created Peter Fennema 8-10-2004 1.1 Processed review comments Peter
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
COM 440 Distributed Systems Project List Summary
COM 440 Distributed Systems Project List Summary This list represents a fairly close approximation of the projects that we will be working on. However, these projects are subject to change as the course
socketio Documentation
socketio Documentation Release 0.1 Miguel Grinberg January 17, 2016 Contents 1 What is Socket.IO? 3 2 Getting Started 5 3 Rooms 7 4 Responses 9 5 Callbacks 11 6 Namespaces 13 7 Using a Message Queue 15
Service-Oriented Architecture and Software Engineering
-Oriented Architecture and Software Engineering T-86.5165 Seminar on Enterprise Information Systems (2008) 1.4.2008 Characteristics of SOA The software resources in a SOA are represented as services based
Chapter Outline. Chapter 2 Distributed Information Systems Architecture. Middleware for Heterogeneous and Distributed Information Systems
Prof. Dr.-Ing. Stefan Deßloch AG Heterogene Informationssysteme Geb. 36, Raum 329 Tel. 0631/205 3275 [email protected] Chapter 2 Architecture Chapter Outline Distributed transactions (quick
Origins of Operating Systems OS/360. Martin Grund HPI
Origins of Operating Systems OS/360 HPI Table of Contents IBM System 360 Functional Structure of OS/360 Virtual Machine Time Sharing 2 Welcome to Big Blue 3 IBM System 360 In 1964 IBM announced the IBM-360
irods and Metadata survey Version 0.1 Date March Abhijeet Kodgire [email protected] 25th
irods and Metadata survey Version 0.1 Date 25th March Purpose Survey of Status Complete Author Abhijeet Kodgire [email protected] Table of Contents 1 Abstract... 3 2 Categories and Subject Descriptors...
Efficient database auditing
Topicus Fincare Efficient database auditing And entity reversion Dennis Windhouwer Supervised by: Pim van den Broek, Jasper Laagland and Johan te Winkel 9 April 2014 SUMMARY Topicus wants their current
Refactoring Erlang Programs
Erlang programs 1 Zoltán Horváth, László Lövei, Zoltán Csörnyei, Tamás Kozsik, Anikó Víg, Tamás Nagy, Roland Király, Melinda Tóth, Róbert Kitlei Dept. Programming Languages and Compilers Eötvös Loránd
Middleware. Peter Marwedel TU Dortmund, Informatik 12 Germany. technische universität dortmund. fakultät für informatik informatik 12
Universität Dortmund 12 Middleware Peter Marwedel TU Dortmund, Informatik 12 Germany Graphics: Alexandra Nolte, Gesine Marwedel, 2003 2010 年 11 月 26 日 These slides use Microsoft clip arts. Microsoft copyright
What can DDS do for You? Learn how dynamic publish-subscribe messaging can improve the flexibility and scalability of your applications.
What can DDS do for You? Learn how dynamic publish-subscribe messaging can improve the flexibility and scalability of your applications. 2 Contents: Abstract 3 What does DDS do 3 The Strengths of DDS 4
Chapter 3. Internet Applications and Network Programming
Chapter 3 Internet Applications and Network Programming 1 Introduction The Internet offers users a rich diversity of services none of the services is part of the underlying communication infrastructure
The Java Series. Java Essentials I What is Java? Basic Language Constructs. Java Essentials I. What is Java?. Basic Language Constructs Slide 1
The Java Series Java Essentials I What is Java? Basic Language Constructs Slide 1 What is Java? A general purpose Object Oriented programming language. Created by Sun Microsystems. It s a general purpose
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
Lesson 4 Web Service Interface Definition (Part I)
Lesson 4 Web Service Interface Definition (Part I) Service Oriented Architectures Module 1 - Basic technologies Unit 3 WSDL Ernesto Damiani Università di Milano Interface Definition Languages (1) IDLs
Life of a Packet CS 640, 2015-01-22
Life of a Packet CS 640, 2015-01-22 Outline Recap: building blocks Application to application communication Process to process communication Host to host communication Announcements Syllabus Should have
Python Programming: An Introduction To Computer Science
Python Programming: An Introduction To Computer Science Chapter 8 Booleans and Control Structures Python Programming, 2/e 1 Objectives æ To understand the concept of Boolean expressions and the bool data
Message Oriented Middlewares
Message Oriented Middlewares Fabienne Boyer, [email protected] Introduction RPC Synchronous communications Explicit identification of the receiver(s) 1-1 connexion -> Strongly coupled components
Apache Thrift and Ruby
Apache Thrift and Ruby By Randy Abernethy In this article, excerpted from The Programmer s Guide to Apache Thrift, we will install Apache Thrift support for Ruby and build a simple Ruby RPC client and
Chapter 1 - Web Server Management and Cluster Topology
Objectives At the end of this chapter, participants will be able to understand: Web server management options provided by Network Deployment Clustered Application Servers Cluster creation and management
qwertyuiopasdfghjklzxcvbnmqwerty uiopasdfghjklzxcvbnmqwertyuiopasd fghjklzxcvbnmqwertyuiopasdfghjklzx cvbnmqwertyuiopasdfghjklzxcvbnmq
qwertyuiopasdfghjklzxcvbnmqwerty uiopasdfghjklzxcvbnmqwertyuiopasd fghjklzxcvbnmqwertyuiopasdfghjklzx cvbnmqwertyuiopasdfghjklzxcvbnmq Introduction to Programming using Java wertyuiopasdfghjklzxcvbnmqwertyui
Chapter 1. Dr. Chris Irwin Davis Email: [email protected] Phone: (972) 883-3574 Office: ECSS 4.705. CS-4337 Organization of Programming Languages
Chapter 1 CS-4337 Organization of Programming Languages Dr. Chris Irwin Davis Email: [email protected] Phone: (972) 883-3574 Office: ECSS 4.705 Chapter 1 Topics Reasons for Studying Concepts of Programming
WebSphere ESB Best Practices
WebSphere ESB Best Practices WebSphere User Group, Edinburgh 17 th September 2008 Andrew Ferrier, IBM Software Services for WebSphere [email protected] Contributions from: Russell Butek ([email protected])
Monitoring, Tracing, Debugging (Under Construction)
Monitoring, Tracing, Debugging (Under Construction) I was already tempted to drop this topic from my lecture on operating systems when I found Stephan Siemen's article "Top Speed" in Linux World 10/2003.
Scientific versus Business Workflows
2 Scientific versus Business Workflows Roger Barga and Dennis Gannon The formal concept of a workflow has existed in the business world for a long time. An entire industry of tools and technology devoted
icloud for Developers
Extracted from: icloud for Developers Automatically Sync Your ios Data, Everywhere, All the Time This PDF file contains pages extracted from icloud for Developers, published by the Pragmatic Bookshelf.
PART OF THE PICTURE: The TCP/IP Communications Architecture
PART OF THE PICTURE: The / Communications Architecture 1 PART OF THE PICTURE: The / Communications Architecture BY WILLIAM STALLINGS The key to the success of distributed applications is that all the terminals
Habanero Extreme Scale Software Research Project
Habanero Extreme Scale Software Research Project Comp215: Java Method Dispatch Zoran Budimlić (Rice University) Always remember that you are absolutely unique. Just like everyone else. - Margaret Mead
1 Organization of Operating Systems
COMP 730 (242) Class Notes Section 10: Organization of Operating Systems 1 Organization of Operating Systems We have studied in detail the organization of Xinu. Naturally, this organization is far from
PART IV Performance oriented design, Performance testing, Performance tuning & Performance solutions. Outline. Performance oriented design
PART IV Performance oriented design, Performance testing, Performance tuning & Performance solutions Slide 1 Outline Principles for performance oriented design Performance testing Performance tuning General
