KEMBAR78
PPL Unit 4 | PDF | Concurrent Computing | Thread (Computing)
0% found this document useful (0 votes)
2K views21 pages

PPL Unit 4

Concurrency refers to events happening simultaneously. In programming, concurrent processes run interleaved through context switching and share resources like CPU cores. This is different from parallel programming where processes run simultaneously on separate CPU cores. Concurrency is implemented through multithreading to improve performance by distributing load across cores. However, concurrent programming is challenging due to problems coordinating shared resources, which can result in issues like deadlocks where processes wait indefinitely for each other.

Uploaded by

themojlvl
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
2K views21 pages

PPL Unit 4

Concurrency refers to events happening simultaneously. In programming, concurrent processes run interleaved through context switching and share resources like CPU cores. This is different from parallel programming where processes run simultaneously on separate CPU cores. Concurrency is implemented through multithreading to improve performance by distributing load across cores. However, concurrent programming is challenging due to problems coordinating shared resources, which can result in issues like deadlocks where processes wait indefinitely for each other.

Uploaded by

themojlvl
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 21

PRINCIPLES OF PROGRAMMING LANGUAGES

UNIT-4
Concurrent Programming
Concurrency generally refers to events or circumstances that
are happening or existing at the same time.

In programming terms, concurrent programming is a technique


in which two or more processes start, run in an interleaved
fashion through context switching and complete in an overlapping
time period by managing access to shared resources e.g. on a single
core of CPU.

This doesn’t necessarily mean that multiple processes will be running


at the same instant – even if the results might make it seem like it.

Difference between Concurrent & Parallel


programming

In parallel programming, parallel processing is


achieved through hardware parallelism e.g. executing
two processes on two separate CPU cores
simultaneously.

A Real World Example

Concurrent: Two Queues & a Single Espresso machine.


Parallel: Two Queues & Two Espresso machines.

Concepts and communication


Concurrency is a property of systems (program, network, computer, etc.) in which several
computations are executing simultaneously, and potentially interacting with each other.
The computations start, run, and complete in overlapping time periods; they can run at the
exact same instant (e.g. parallelism), but are not required to.

Concurrency in Programming

Concurrency is implemented in programming logic by explicitly giving computations or


processes within a system their own separate execution point or thread of control. This
allows these computations to avoid waiting for all other computations to complete – as is
the case in sequential programming.

Concurrent Computing vs. Parallel Computing

Although concurrent computing is considered a parent category that encompasses parallel


programming, they share some distinct differences.

In parallel computing, execution occurs at the exact same instant typically with the goal of
optimizing modular computations. This forces parallel computing to utilize more than one
processing core because each thread of control is running simultaneously and takes up the
core’s entire clock cycle for the duration of execution – and thus parallel computing is
impossible on a single-core machine. This differs from concurrent computing which
focuses on the lifetime of the computations overlapping and not necessarily their moments
of execution. For example, the execution steps of a process can be broken up into time
slices, and if the entire process doesn’t finish during its time slice then it can be paused
while another process begins.

Why use Concurrent Programming?

The ultimate benefit of concurrent programming is to utilize the resources of the


executing machine to the fullest extent. This typically results in a speed boost in execution
time because the program is no longer subject to normal sequential behavior. Starting in
the early 2000’s, a common trend in personal computers has been to use multi-core
processing units instead of a single omni-powerful CPU core. This helps to optimize the
total execution time of a process with multiple threads by spreading the load across all
cores. How processes and threads get scheduled is best left to its own discussion and
getting down to that level of task scheduling is OS-specific, so I won’t dig deeper into how
processes and threads are scheduled – but feel free to read up on some of
the synchronization patterns employed.

The concept of concurrency is employed in modern programming languages typically


through a process called multithreading. Multithreading allows a program to run on
multiple threads while still under the same parent process, thus providing the benefits of
parallelization (faster execution, more efficient use of the computer’s resources, etc.) but
also carrying with it the problems of parallelization too (discussed more below), which is
why some languages make use of a mechanism called the Global Interpreter Lock (GIL).
The GIL is found most commonly in the standard implementations of Python and Ruby
(CPython and Ruby MRI, respectively), and prevents more than one thread from executing
at a time – even on multi-core processors. This might seem like a massive design flaw, but
the GIL exists to prevent any thread-unsafe activities – meaning that all code executing on
a thread does not manipulate any shared data structures in a manner that risks the safe
execution of the other threads. Typically language implementations with a GIL increase the
speed of single-threaded programs and make integrations with C libraries easier (because
they are often not thread-safe), but all at the price of losing multithreading capabilities.

However, if concurrency through a language implementation with a GIL is a strong concern,


there are usually ways around this hindrance. While multithreading is not an
option, applications interpreted through a GIL can still be designed to run on
different processes entirely – each one with their own GIL.

Problems with Concurrent Programming

It has been said that the first rule of concurrent programming is it’s hard. Because the idea
behind concurrency is to execute computations simultaneously, the potential exists for
these separate tasks to access and unintentionally distort shared resources among them
(e.g. thread-unsafe behavior). When shared resources are accessed, a
programmatic arbiter is typically involved which handles the allocation of those resources
– but this type of activity can ultimately create indeterminacy and lead to issues such
as deadlock (where multiple computations are waiting on each other to finish, and thus
never do), and starvation (where resources are constantly denied to a certain task).

This makes coordination when executing concurrent tasks extremely important because
even areas where the developer has little control – such as memory allocation on the stack
or the heap – can become indeterminate.
The Future of Concurrent Programming

Concurrent programming is incredibly powerful even given its obvious flaws, and thus it
has been a very active field in theoretical computer science research. In programming,
several languages have provided phenomenal support to give developers the tools to take
advantage of concurrent behavior; this is perhaps most evident in the API behind Go, one
of the newest popular languages created by developers at Google. Other languages, such
as Python and Ruby, see the negative power of concurrency and thus default to using a GIL.

Countless models have been built to better understand concurrency and describe various
theories, such as the Actor Model, CSP Model, and Disruptor Model. However, just as with
most programming concepts, there is no silver bullet for concurrent programming. If you
build an application that employs concurrency, be sure to plan it carefully and know what’s
going on at all times – or else you risk the cleanliness of your data.

Deadlocks
In concurrent computing, a deadlock is a state in which each member of a group is waiting for
another member, including itself, to take action, such as sending a message or more commonly
releasing a lock. Deadlock is a common problem in multiprocessing systems, parallel computing,
and distributed systems, where software and hardware locks are used to arbitrate shared resources
and implement process synchronization.
In an operating system, a deadlock occurs when a process or thread enters a waiting state because
a requested system resource is held by another waiting process, which in turn is waiting for another
resource held by another waiting process. If a process is unable to change its state indefinitely
because the resources requested by it are being used by another waiting process, then the system
is said to be in a deadlock.
In a communications system, deadlocks occur mainly due to lost or corrupt signals rather than
resource contention.

Semaphores
Semaphores are integer variables that are used to solve the critical section problem by using two
atomic operations, wait and signal that are used for process synchronization.
The definitions of wait and signal are as follows −

• Wait
The wait operation decrements the value of its argument S, if it is positive. If S is negative
or zero, then no operation is performed.

wait(S)
{
while (S<=0);

S--;
}

• Signal
The signal operation increments the value of its argument S.

signal(S)
{
S++;
}
Types of Semaphores
There are two main types of semaphores i.e. counting semaphores and binary semaphores.
Details about these are given as follows −

• Counting Semaphores
These are integer value semaphores and have an unrestricted value domain. These
semaphores are used to coordinate the resource access, where the semaphore count is
the number of available resources. If the resources are added, semaphore count
automatically incremented and if the resources are removed, the count is decremented.

• Binary Semaphores
The binary semaphores are like counting semaphores but their value is restricted to 0 and
1. The wait operation only works when the semaphore is 1 and the signal operation
succeeds when semaphore is 0. It is sometimes easier to implement binary semaphores
than counting semaphores.

Advantages of Semaphores
Some of the advantages of semaphores are as follows −

• Semaphores allow only one process into the critical section. They follow the mutual exclusion
principle strictly and are much more efficient than some other methods of synchronization.
• There is no resource wastage because of busy waiting in semaphores as processor time is not
wasted unnecessarily to check if a condition is fulfilled to allow a process to access the critical
section.
• Semaphores are implemented in the machine independent code of the microkernel. So they are
machine independent.
Disadvantages of Semaphores
Some of the disadvantages of semaphores are as follows −

• Semaphores are complicated so the wait and signal operations must be implemented in the
correct order to prevent deadlocks.
• Semaphores are impractical for last scale use as their use leads to loss of modularity. This
happens because the wait and signal operations prevent the creation of a structured layout for
the system.
• Semaphores may lead to a priority inversion where low priority processes may access the critical
section first and high priority processes later.

Monitors
Monitors are a synchronization construct that were created to overcome the problems caused by
semaphores such as timing errors.
Monitors are abstract data types and contain shared data variables and procedures. The shared
data variables cannot be directly accessed by a process and procedures are required to allow a
single process to access the shared data variables at a time.
This is demonstrated as follows:

monitor monitorName
{
data variables;

Procedure P1(....)
{

Procedure P2(....)
{

Procedure Pn(....)
{

Initialization Code(....)
{

}
}

Only one process can be active in a monitor at a time. Other processes that need to access the
shared variables in a monitor have to line up in a queue and are only provided access when the
previous process release the shared variables.

Threads
In general, as we know that thread is a very thin twisted string usually of the cotton or silk fabric
and used for sewing clothes and such. The same term thread is also used in the world of
computer programming. Now, how do we relate the thread used for sewing clothes and the thread
used for computer programming? The roles performed by the two threads is similar here. In
clothes, thread hold the cloth together and on the other side, in computer programming, thread
hold the computer program and allow the program to execute sequential actions or many actions
at once.
Thread is the smallest unit of execution in an operating system. It is not in itself a program but
runs within a program. In other words, threads are not independent of one other and share code
section, data section, etc. with other threads. These threads are also known as lightweight
processes.

States of Thread
To understand the functionality of threads in depth, we need to learn about the lifecycle of the
threads or the different thread states. Typically, a thread can exist in five distinct states. The
different states are shown below −

New Thread

A new thread begins its life cycle in the new state. However, at this stage, it has not yet started
and it has not been allocated any resources. We can say that it is just an instance of an object.

Runnable

As the newly born thread is started, the thread becomes runnable i.e. waiting to run. In this state,
it has all the resources but still task scheduler have not scheduled it to run.

Running

In this state, the thread makes progress and executes the task, which has been chosen by task
scheduler to run. Now, the thread can go to either the dead state or the non-runnable/ waiting
state.

Non-running/waiting

In this state, the thread is paused because it is either waiting for the response of some I/O request
or waiting for the completion of the execution of other thread.

Dead

A runnable thread enters the terminated state when it completes its task or otherwise terminates.
The following diagram shows the complete life cycle of a thread −
Synchronization
Thread synchronization may be defined as a method with the help of which we can be assured
that two or more concurrent threads are not simultaneously accessing the program segment
known as critical section. On the other hand, as we know that critical section is the part of the
program where the shared resource is accessed. Hence we can say that synchronization is the
process of making sure that two or more threads do not interface with each other by accessing
the resources at the same time. The diagram below shows that four threads trying to access the
critical section of a program at the same time.

To make it clearer, suppose two or more threads trying to add the object in the list at the same
time. This act cannot lead to a successful end because either it will drop one or all the objects or
it will completely corrupt the state of the list. Here the role of the synchronization is that only one
thread at a time can access the list.

Issues in thread synchronization


We might encounter issues while implementing concurrent programming or applying
synchronizing primitives. In this section, we will discuss two major issues. The issues are −

• Deadlock
• Race condition

Race condition

This is one of the major issues in concurrent programming. Concurrent access to shared
resources can lead to race condition. A race condition may be defined as the occurring of a
condition when two or more threads can access shared data and then try to change its value at
the same time. Due to this, the values of variables may be unpredictable and vary depending on
the timings of context switches of the processes.

Deadlock

Deadlock is a troublesome issue one can face while designing the concurrent systems. We can
illustrate this issue with the help of the dining philosopher problem as follows −
Edsger Dijkstra originally introduced the dining philosopher problem, one of the famous
illustrations of one of the biggest problem of concurrent system called deadlock.
In this problem, there are five famous philosophers sitting at a round table eating some food from
their bowls. There are five forks that can be used by the five philosophers to eat their food.
However, the philosophers decide to use two forks at the same time to eat their food.
Now, there are two main conditions for the philosophers. First, each of the philosophers can be
either in eating or in thinking state and second, they must first obtain both the forks, i.e., left and
right. The issue arises when each of the five philosophers manages to pick the left fork at the
same time. Now they all are waiting for the right fork to be free but they will never relinquish their
fork until they have eaten their food and the right fork would never be available. Hence, there
would be a deadlock state at the dinner table.
Logic Programming
Introduction
Logic programming is a computer programming paradigm
where program statements express facts and rules about problems within a system
of formal logic. Rules are written as logical clauses with a head and a body; for
instance, "H is true if B1, B2, and B3 are true." Facts are expressed similar to rules,
but without a body; for instance, "H is true."

Some logic programming languages, such as Datalog and ASP (Answer Set
Programming), are purely declarative. They allow for statements about what the
program should accomplish, with no explicit step-by-step instructions on how to do
so. Others, such as Prolog, are a combination of declarative and imperative. They
may also include procedural statements, such as "To solve H, solve B1, B2, and
B3."

Rules
• Everything not defined is undefined. This may be a tautology, but it is a useful one. Many
of the rules below are just special cases of this rule.
• All parameters must be valid. The contract for a function applies only when the caller
adheres to the conditions, and one of the conditions is that the parameters are actually
what they claim to be. This is a special case of the “everything not defined is undefined”
rule.
o Pointers are not NULL unless explicitly permitted otherwise.
o Pointers actually point to what they purport to point to. If a function accepts a
pointer to a CRITICAL_SECTION, then you really have to pass pointer to a
valid CRITICAL_SECTION.
o Pointers are properly aligned. Pointer alignment is a fundamental architectural
requirement, yet something many people overlook having been pampered by a
processor architecture that is very forgiving of alignment errors.
o The caller has the right to use the memory being pointed to. This means no
pointers to memory that has been freed or memory that the caller does not have
control over.
o All buffers are valid to the size declared or implied. If you pass a pointer to a
buffer and say that it is ten bytes in length, then the buffer really needs to be ten
bytes in length.
o Handles refer to valid objects that have not been destroyed. If a function wants a
window handle, then you really have to pass a valid window handle.
• All parameters are stable.
o You cannot change a parameter while the function call is in progress.
o If you pass a pointer, the pointed-to memory will not be modified by another
thread for the duration of the call.
o You can’t free the pointed-to memory either.
• The correct number of parameters is passed with the correct calling convention. This is
another special case of the “everything not defined is undefined” rule.
o Thank goodness modern compilers refuse to pass the wrong number of
parameters, though you’d be surprised how many people manage to sneak the
wrong number of parameters past the compiler anyway, usually by devious
casting.
o When invoking a method on an object, the this parameter is the object. Again,
this is something modern compilers handle automatically, though people using
COM from C (and yes they exist) have to pass the this parameter manually, and
occasionally they mess up.
• Function parameter lifetime.
o The called function can use the parameters during the execution of the function.
o The called function cannot use the parameters once the function has returned. Of
course, if the caller and the callee have agreed on a means of extending the
lifetime, then those rules apply.
▪ The lifetime of a parameter that is a pointer to a COM object can be
extended by the use of the IUnknown::AddRef method.
▪ Many functions are passed parameters with the express intent that they
be used after the function returns. It is then the caller’s responsibility to
ensure that the lifetime of the parameter is at least as long as the function
needs it. For example, if you register a callback function, then the callback
function needs to be valid until you deregister the callback function.
• Input buffers.
o A function is permitted to read from the full extent of the buffer provided by the
caller, even if not all of the buffer is required to determine the result.
• Output buffers.
o An output buffer cannot overlap an input buffer or another output buffer.
o A function is permitted to write to the full extent of the buffer provided by the
caller, even if not all of the buffer is required to hold the result.
o If a function needs only part of a buffer to hold the result of a function call, the
contents of the unused portion of the buffer are undefined.
o If a function fails and the documentation does not specify the buffer contents on
failure, then the contents of the output buffer are undefined. This is a special case
of the “everything not defined is undefined” rule.
o Note that COM imposes its own rules on output buffers. COM requires that all
output buffers be in a marshallable state even on failure. For objects that require
nontrivial marshalling (interface pointers and BSTRs being the most common
examples), this means that the output pointer must be NULL on failure.
Structured Data and Scope of the variables
Structured data is the data which conforms to a data model, has a well define structure, follows a
consistent order and can be easily accessed and used by a person or a computer program.
Structured data is usually stored in well-defined schemas such as Databases. It is generally tabular with
column and rows that clearly define its attributes.
SQL (Structured Query language) is often used to manage structured data stored in databases.
Characteristics of Structured Data:
• Data conforms to a data model and has easily identifiable structure
• Data is stored in the form of rows and columns
Example : Database
• Data is well organised so, Definition, Format and Meaning of data is explicitly known
• Data resides in fixed fields within a record or file
• Similar entities are grouped together to form relations or classes
• Entities in the same group have same attributes
• Easy to access and query, So data can be easily used by other programs
• Data elements are addressable, so efficient to analyse and process

The scope of a variable is the region of your program in which it is defined. Traditionally, JavaScript
defines only two scopes-global and local.
• Global Scope − A variable with global scope can be accessed from within any part of the
JavaScript code.
• Local Scope − A variable with a local scope can be accessed from within a function where it is
declared.

Example : Global vs. Local Variable

The following example declares two variables by the name num - one outside the function (global scope)
and the other within the function (local scope).

var num = 10
function test() {
var num = 100
console.log("value of num in test() "+num)
}
console.log("value of num outside test() "+num)
test()
The variable when referred to within the function displays the value of the locally scoped variable.
However, the variable num when accessed outside the function returns the globally scoped instance.
The following output is displayed on successful execution.
value of num outside test() 10
value of num in test() 100
Operators and Functions
In programming, a function is a named section of a program that performs a specific task. In
this sense, a function is a type of procedure or routine. Some programming languages make a
distinction between a function, which returns a value, and a procedure, which performs some
operation but does not return a value.
Most programming languages come with a prewritten set of functions that are kept in a library.
You can also write your own functions to perform specialized tasks.

Operators are symbols that tell the compiler to perform specific mathematical or logical
manipulations. In this tutorial , we will try to cover the most commonly used operators in
programming.
First, let's categorize them:
1. Arithmetic
2. Relational
3. Bitwise
4. Logical
5. Assignment
6. Increment
7. Miscellaneous
Arithmetic Operators:
Symbol Operation Usage Explanation

+ addition x+y Adds values on either side of the operator

Subtracts the right hand operand from the left


- subtraction x-y
hand operand

Multiplies values on either side of the


* multiplication x*y
operator

Divides the left hand operand by the right


/ division x/y
hand operand

Divides the left hand operand by the right


% modulus x%y
hand operand and returns remainder

Relational Operators: These operators are used for comparison. They return
either true or false based on the comparison result. The operator '==' should not be confused
with '='. The relational operators are as follows:
Symbol Operation Usage Explanation

Checks if the values of two operands are equal


== equal x == y
or not, if yes then condition becomes true.
Symbol Operation Usage Explanation

Checks if the values of two operands are equal


!= not equal x != y or not, if values are not equal then condition
becomes true.

Checks if the value of the left operand is


> greater than x>y greater than the value of the right operand, if
yes then condition becomes true

Checks if the value of the left operand is less


< less than x<y than the value of the right operand, if yes then
condition becomes true.

Checks if the value of the left operand is


greater than
>= x >= y greater than or equal to the value of the right
or equal
operand, if yes then condition becomes true.

Checks if the value of the left operand is less


less than or
<= x <= y than or equal to the value of the right operand,
equal
if yes then condition becomes true.

Bitwise Operators: These operators are very useful and we have some tricks based on these
operators. These operators convert the given integers into binary and then perform the
required operation, and give back the result in decimal representation.
Symbol Operation Usage Explanation

bitwise Sets the bit to the result if it is set in both


& x&y
AND operands.

Sets the bit to the result if it is set in either


| bitwise OR x|y
operand.

bitwise
^ x^y Sets the bit if it is set in one operand but not both
XOR

bitwise Unary operator and has the effect of 'flipping'


~ ~x
NOT bits,i.e, flips 1 to 0 and 0 to 1.

The left operand's value is moved left by the


<< left shift x << y number of bits specified by the right operand. It
is equivalent to multiplying x by 2y

The left operand's value is moved right by the


>> right shift x >> y number of bits specified by the right operand.It is
equivalent to dividing x by 2y
Examples:
Assume x=42, y=27
x=00101010
y=00011011

x&y = 0000 1010= 10 (in decimal)


x|y = 0011 1011= 59
x ^ y = 0011 0001= 49
~x = 1101 0101
x<<2 = 1010 1000= 168. Notice, the bits are shifted 2 units to the left and the new bits are filled
by 0s.
x>>2 = 0000 1010=10$$. Notice, the bits are shifted 2 units to the right and the new bits are
filled by 0s.
For more information about how these operators work, see : Bit Manipulation

Logical Operators: These operators take boolean values as input and return boolean values as
output.
Note: In C,C++ any non-zero number is treated as true and 0 as false but this doesn't hold for
Java.
Symbol Operation Usage Explanation

logical x && Returns true if both x and y are true else returns
&&
AND y false.

Returns false if neither x nor y is true else


|| logical OR x || y
returns true

logical Unary operator. Returns true if x is false else


! !x
NOT returns false.

Assignment Operators:
Symbol Operation Usage Equivalence Explanation

Assigns value from the right


= assignment x=y side operand(s) to the left
side operand.

Adds the right side operand


add and to the left side operand and
+= x += y x = x+y
assignment assigns the result to the left
side operand.

Subtracts the right side


subtract and
-= x -= y x= x-y operand from the left side
assignment
operand and assigns the
Symbol Operation Usage Equivalence Explanation

result to the left side


operand.

Multiplies the right side


operand with the left side
multiply and
*= x *= y x= x*y operand and assigns the
assignment
result to the left side
operand.

Divides the left side operand


divide and with the right side operand
/= x /= y x= x/y
assignment and assigns the result to the
left side operand.

Takes modulus using the two


modulus and operands and assigns the
%= x%=y x= x%y
assignment result to the left side
operand.

Shifts the value of x by y bits


left shift and
<<= x<<=y x= x<< y towards the left and stores
assignment
the result back in x.

Shifts the value of x by y bits


right shift and
>>= x>>=y x= x>>y towards the right and stores
assignment
the result back in x.

bitwise AND
Does x&y and stores result
&= and x&=y x= x&y
back in x.
assignment

bitwise OR
Does x|y and stores result
|= and x|=y x= x|y
back in x
assignment

bitwise XOR
Does x^y and stores result
^= and x^=y x= x^y
back in x.
assignment

Increment/Decrement Operators: These are unary operators. Unary operators are the
operators which require only one operand.
Symbol Operation Usage Explanation

++ Postincrement x++ Increment x by 1 after using its value


Symbol Operation Usage Explanation

-- Postdecrement x-- Decrement x by 1 after using its value

++ Preincrement ++x Increment x by 1 before using its value

-- Predecrement --x Decrement x by 1 before using its value


Examples:
Let x=10
then, after y=x++; y=10 and x=11, this is because x is assigned to y before its increment.
but if we had written y=++x; y=11 and x=11, because x is assigned to y after its increment.
Same holds for decrement operators.

Miscellaneous Operators:
Conditional Operator: It is similar to if-else:

x = (condition) ? a : b
If condition is true,then a is assigned to x else b is assigned to x. It is a ternary operator because
it uses the condition, a and b i.e. three operands (the condition is also treated as a boolean
operand).

Operator Precedence and Associativity:


Precedence Rules: The precedence rules specify which operator is evaluated first when two
operators with different precedence are adjacent in an expression.
For example: x=a+++b
This expression can be seen as postfix increment on a and addition with b or prefix increment
on b and addtion to a. Such issues are resolved by using precedence rules.
Associativity Rules: The associativity rules specify which operator is evaluated first when two
operators with the same precedence are adjacent in an expression.
For example: a∗b/c
Operator Precedence: The following table describes the precedence order of the operators
mentioned above. Here, the operators with the highest precedence appear at the top and those
with the lowest at the bottom. In any given expression, the operators with higher precedence
will be evaluated first.
LR= Left to Right
RL=Right to Left
Category Associativity Operator

Postfix LR ++ --

Unary RL + - ! ~ ++ --

Multiplicative LR */%

Additive LR +-
Category Associativity Operator

Shift LR << >>

Relational LR < <= > >=

Equality LR == !=

Bitwise AND LR &

Bitwise XOR LR ^

Bitwise OR LR |

Logical AND LR &&

Logical OR LR ||

Conditional RL ?:

Assignment RL = += -= *= /= %= >>= <<= &= ^= |=

Recursion and recursive rules

Recursion:
• Functions can call other functions.
• Functions can even call themselves. This is called recursion.
• If a function is called recursively, it is required that for some condition, which will eventually be
true, that the function not call itself again, but return to its calling function.

Rules of recursion:
1. Base cases: You must always have some base or trivial case, which can be solved without
recursion.
2. Making progress: For the cases that are to be solved recursively, the recursive call must always be
to a case that makes progress toward the base case.
3. Design rule: Assume that all the recursive calls work. Use proof by induction.
4. Compound Interest Rule: Never duplicate work by solving the same instance of a problem in
separate recursive calls. If possible, use dynamic programming.

Lists
In computer science, a list or sequence is an abstract data type that represents a countable number
of ordered values, where the same value may occur more than once. An instance of a list is a
computer representation of the mathematical concept of a tuple or finite sequence; the (potentially)
infinite analog of a list is a stream.[1]:§3.5 Lists are a basic example of containers, as they contain other
values. If the same value occurs multiple times, each occurrence is considered a distinct item.
The name list is also used for several concrete data structures that can be used to
implement abstract lists, especially linked lists and arrays. In some contexts, such as
in Lisp programming, the term list may refer specifically to a linked list rather than an array. In class-
based programming, lists are usually provided as instances of subclasses of a generic "list" class,
and traversed via separate iterators.
Many programming languages provide support for list data types, and have special syntax and
semantics for lists and list operations. A list can often be constructed by writing the items in
sequence, separated by commas, semicolons, and/or spaces, within a pair of delimiters such
as parentheses '()', brackets '[]', braces '{}', or angle brackets '<>'. Some languages may allow list
types to be indexed or sliced like array types, in which case the data type is more accurately
described as an array.
In type theory and functional programming, abstract lists are usually defined inductively by two
operations: nil that yields the empty list, and cons, which adds an item at the beginning of a list.

Input and Output


Input and output, or I/O is the communication between an information processing system, such as a
computer, and the outside world, possibly a human or another information processing system. Inputs are the
signals or data received by the system and outputs are the signals or data sent from it.

Every task we have the computer do happens inside the central processing unit (CPU) and the associated
memory. Once our program is loaded into memory and the operating system directs the CPU to start executing
our programming statements the computer looks like this:

CPU – Memory – Input/Output Devices

Our program now loaded into memory has basically two areas:

• Machine instructions – our instructions for what we want done


• Data storage – our variables that we using in our program
Often our program contains instructions to interact with the input/output devices. We need to move data into
(read) and/or out of (write) the memory data area. A device is a piece of equipment that is electronically
connected to the memory so that data can be transferred between the memory and the device. Historically this
was done with punched cards and printouts. Tape drives were used for electronic storage. With time we
migrated to using disk drives for storage with keyboards and monitors (with monitor output called soft copy)
replacing punch cards and printouts (called hard copy).

Most computer operating systems and by extension programming languages have identified the keyboard as
the standard input device and the monitor as the standard output device. Often the keyboard and monitor
are treated as the default device when no other specific device is indicated.

Program Control
Program Control Instructions are the machine code that are used by machine or in assembly
language by user to command the processor act accordingly. These instructions are of various
types. These are used in assembly language by user also. But in level language, user code is
translated into machine code and thus instructions are passed to instruct the processor do the
task.

Types of Program Control Instructions:


There are different types of Program Control Instructions:

1. Compare Instruction:
Compare instruction is specifically provided, which is similar t a subtract instruction except the
result is not stored anywhere, but flags are set according to the result.
Example:
CMP R1, R2 ;

2. Unconditional Branch Instruction:


It causes an unconditional change of execution sequence to a new location.
Example:
JUMP L2
Mov R3, R1 goto L2

3. Conditional Branch Instruction:


A conditional branch instruction is used to examine the values stored in the condition code
register to determine whether the specific condition exists and to branch if it does.
Example:
Assembly Code : BE R1, R2, L1
Compiler allocates R1 for x and R2 for y
High Level Code: if (x==y) goto L1;

4. Subroutines:
A subroutine is a program fragment that lives in user space, performs a well-defined task. It is
invoked by another user program and returns control to the calling program when finished.
Example:
CALL and RET
5. Halting Instructions:
• NOP Instruction – NOP is no operation. It cause no change in the processor state other
than an advancement of the program counter. It can be used to synchronize timing.
• HALT – It brings the processor to an orderly halt, remaining in an idle state until restarted
by interrupt, trace, reset or external action.

6. Interrupt Instructions:
Interrupt is a mechanism by which an I/O or an instruction can suspend the normal execution of
processor and get itself serviced.
• RESET – It reset the processor. This may include any or all setting registers to an initial
value or setting program counter to standard starting location.
• TRAP – It is non-maskable edge and level triggered interrupt. TRAP has the highest
priority and vectored interrupt.
• INTR – It is level triggered and maskable interrupt. It has the lowest priority. It can be
disabled by resetting the processor.

Logic Program design


A logic model is a tool used to design and build the evaluation of programs. It uses a simple visual to
represent the relationship between the challenge or problem, the resources available, the activities
and the goals of the program. Logic models demonstrate the causal relationship between what you
put into a relationship and what you hope to get out of it.

You might also like