KEMBAR78
CS Exam Prep: Compilation & Polymorphism | PDF | Pointer (Computer Programming) | Array Data Structure
0% found this document useful (0 votes)
133 views17 pages

CS Exam Prep: Compilation & Polymorphism

The document contains a model question paper and solution for a programming language course. It discusses compilation vs interpretation, stack based allocation using frames and activation records, explicit parametric polymorphism in Ada, precedence and associativity of operators in C, and ordering of expressions and short circuit evaluation. Key points include: - Compilation translates to machine code ahead of time while interpretation executes statements on the fly. - Stack frames contain arguments, locals, and bookkeeping and grow downward on most machines. - Ada code shows generic functions to find min of integers and reals using explicit parametric polymorphism. - Precedence and associativity define order of operations without parentheses in languages like C.
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)
133 views17 pages

CS Exam Prep: Compilation & Polymorphism

The document contains a model question paper and solution for a programming language course. It discusses compilation vs interpretation, stack based allocation using frames and activation records, explicit parametric polymorphism in Ada, precedence and associativity of operators in C, and ordering of expressions and short circuit evaluation. Key points include: - Compilation translates to machine code ahead of time while interpretation executes statements on the fly. - Stack frames contain arguments, locals, and bookkeeping and grow downward on most machines. - Ada code shows generic functions to find min of integers and reals using explicit parametric polymorphism. - Precedence and associativity define order of operations without parentheses in languages like C.
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/ 17

Programming Language 10CS666

MODEL Question paper and solution

1 a) With diagrams, explain the compilation and interpretation. Compare the two.
(7 marks)

Ans: The compiler translates the high-level source program into an equivalent target program
typically in machine language and then goes away. At some arbitrary later time, the user
tells the operating system to run the target program.
An alternative style of implementation for high-level languages is known as
interpretation

output

Unlike a compiler, an interpreter stays around for the execution of the application
the interpreter reads statements in that language more or less one at a time, executing them
as it goes along. Compilation, by contrast, generally leads to better performance. In general,
a decision made at compile time is a decision that does not need to be made at run time. For
example, if the compiler can guarantee that variable x will always lie at location 49378, it
can generate machine language instructions that access this location whenever the source
program refers to x. By contrast, an interpreter may need to look x up in a table every time
it is accessed, in order to find its location.
While the conceptual difference between compilation and interpretation is clear, most
language implementations include a mixture of both. They typically look like this:

We generally say that a language is interpreted when the initial translator is simple. If the
translator is complicated, we say that the language is compiled.

b) What is a frame with respect to stack based allocation? With relevant diagram,
explain the contents and importance of activation record. (7 marks)

Each instance of a subroutine at run time has its own frame (also called an activation record) on
the stack, containing arguments and return values, local variables, temporaries, and
bookkeeping
information. Arguments to be passed to subsequent routines lie at the top of the frame, where
the callee can easily find them.

Dept of CSE,SJBIT 1
Programming Language 10CS666

While the location of a stack frame cannot be predicted at compile time the compiler
cannot in general tell what other frames may already be on the stack, the offsets of
objects within a frame usually can be statically determined. More- over, the compiler
can arrange for a particular register, known as the frame pointer, to always point to a
known location within the frame of the current subroutine. Code that needs to access a
local variable within the current frame, or an argument near the top of the calling
frame, can do so by adding a predetermined offset to the value in the frame pointer.
simplified picture of a typical stack appears as below:

The stack grows “downward” toward lower addresses in most language implementations.
Some machines provide special push and pop instructions that assume this direction of
growth. Arguments and returns typically have positive offsets from the frame pointer; local
variables, temporaries, and bookkeeping information typically have negative offsets.

c) Explain the explicit parametric polymorphism. Write a Ada code to find the
smallest of two integers and smallest of two real numbers. (6 marks)

In parametric polymorphism the code takes a type (or set of types) as a parameter, either
explicitly or implicitly. In subtype polymorphism the code is designed to work with values
of some specific type T, but the programmer can define additional types to be extensions
or refinements of T, and the polymorphic code will work with these subtypes as well.

Explicit parametric polymorphism is also known as genericity. Generic facilities appear in


Ada, C++, Clu, Eiffel, Modula-3, and recent versions of Java and C#, among others.
Generics (Eplicit parametric polymorphism) are usually, though not always, implemented
by creating multiple copies of the polymorphic code, one specialized for each needed
concrete type. Inheritance is al- most always implemented by creating a single copy of
the code, and by insert- ing sufficient “metadata” in the representation of objects that the

Dept of CSE,SJBIT 2
Programming Language 10CS666

code can tell when to treat them differently.


function min(a, b : integer)
return integer is ... function
min(x, y : real) return real is
...
In Fortran, however, we could get by with a single function:
real function min(x, y)
real x, y
...

2 a) What is unlimited extent of local variables? With a LSP code, bring out how it
is useful and implemented. What are the problems? (6 marks)

Pascal, C, and C++ require special mechanisms for recursive types and sub- routines.
Pascal handles the former by making pointers an exception to the rules and the latter by
introducing so-called forward declarations. C and C++ handle both cases uniformly, by
distinguishing between the declaration of an object and its definition. Informally, a
declaration introduces a name and indicates its scope. A definition describes the thing to
which the name is bound. If a declaration is not complete enough to be a definition, then a
separate definition must appear elsewhere in the scope. In C we can write

struct manager; /* declaration only */


struct employee {
struct manager *boss;
struct employee *next_employee;
...
};
struct manager { /* definition */
struct employee *first_employee;
...
};
and
void list_tail(follow_set fs); /* declaration only
*/
void list(follow_set fs)
{
switch (input_token) {
case id : match(id); list_tail(fs);
...
}
void list_tail(follow_set fs) /* definition */
{

Dept of CSE,SJBIT 3
Programming Language 10CS666

switch (input_token) {
case comma : match(comma); list(fs);
...
}

b) What is precedence and associativity of operators in a PL? Explain the same taking
the arithmetic operators of C language. (6 marks)

Ans: Most languages provide a rich set of built-in arithmetic and logical
operators. When written in infix notation, without parentheses, these operators lead to am-
biguity as to what is an operand of what. In Fortran, for example, which uses ** for
exponentiation, how should we parse a + b * c**d**e/f? Should this
group as

((((a + b) * c)**d)**e)/f
or
a + (((b * c)**d)**(e/f))
Precedence rules specify that certain operators, in the absence of parentheses, group “more
tightly” than other operators. Associativity rules specify that s
quences of operators of equal precedence group to the right or to the left. In most languages
multiplication and division group more tightly than addition and sub- traction. Other levels
of precedence vary widely from one language to another.

c) Write notes on:


i) ordering within expression ii) short circuit evaluation (8marks)

ordering within expression

Ans: While precedence and associativity rules define the order in which binary infix
operators are applied within an expression, they do not specify the order in which the operands
of a given operator are evaluated. For example, in the expression
a - f(b) - c * d
we know from associativity that f(b) will be subtracted from a before perform- ing the
second subtraction, and we know from precedence that the right operand of that second
subtraction will be the result of c * d, rather than merely c, but without additional
information we do not know whether a - f(b) will be evaluated before or after c * d.
Similarly, in a subroutine call with multiple arguments
f(a, g(b), c)
we do not know the order in which the arguments will be evaluated.

Dept of CSE,SJBIT 4
Programming Language 10CS666

short circuit evaluation

Ans: Boolean expressions provide a special and important opportunity for code
improvement and increased readability. Consider the expression (a < b) and (b <
c). If a is greater than b, there is really no point in checking to see whether b is less than c;
we know the overall expression must be false. Similarly, in the expression (a > b) or (b
> c), if a is indeed greater than b there is no point in checking to see whether b is greater
than c; we know the overall expression must be true.

Short-circuit evaluation can save significant amounts of time in certain situa-


tions:
if (very_unlikely_condition && very_expensive_function()) ...
But time is not the only consideration, or even the most important one. Short- circuiting
changes the semantics of Boolean expressions. In C, for example, one can use the following
code to search for an element in a list.
p = my_list;
while (p && p->key != val)
p = p->next;
C short-circuits its && and || operators, and uses zero for both nil and false, so p->key
will be accessed if and only if p is non-nil. The syntactically similar code in Pascal does not
work, because Pascal does not short-circuit and and or:
p := my_list;
while (p <> nil) and (p^.key <> val) do (* ouch! *)
p := p^.next;

3
a) Explain with suitable examples, the characteristics of sequencing and selection
control flows in PLs. (10 marks)

Ans: Like assignment, sequencing is central to imperative programming. It is the


principal means of controlling the order in which side effects occur: when one
statement follows another in the program text, the first statement executes before the
second. In most imperative languages, lists of statements can be enclosed with
begin. . . end or {. . . } delimiters and then used in any context in which a single
statement is expected. Such a delimited list is usually called a compound statement.
A compound statement preceded by a set of declarations is sometimes called a block.

The various sequencing constructs in Lisp are used only in program fragments that
do not conform to a purely functional programming model.

Selection statements in most imperative languages employ some variant of the


if. . . then . . . else notation introduced in Algol 60:

Dept of CSE,SJBIT 5
Programming Language 10CS666

if condition then statement


else if condition then statement
else if condition then statement
...
else statement

b) Compare iteration v/s recursion. Write a C code to compute n! using these.


(10 marks)
Iteration and recursion are the two mechanisms that allow a computer to perform similar
operations repeatedly. Without at least one of these mechanisms, the running time of a
program (and hence the amount of work it can do and the amount of space it can use) is a
linear function of the size of the program text, and the computational power of the language
is no greater than that of a finite automaton. In a very real sense, it is iteration and recursion
that make computers useful. In this section we focus on iteration.
Programmers in imperative languages tend to use iteration more than they use recursion
(recursion is more common in functional languages). In most languages, iteration takes the
form of loops. Like the statements in a sequence, the iterations of a loop are generally executed
for their side effects: their modifications of variables.

fact()
{
int n,fact;
fct=fact((-1)+fact(n-2));
}

4 a) Explain the two purposes served by a type in PL. (5marks)

Most programming languages include a notion of type for expressions and/or objects.1
Types serve two principal purposes:
1. Types provide implicit context for many operations, so the programmer does not have to
specify that context explicitly.

2. Types limit the set of operations that may be performed in a semantically valid
program. They prevent the programmer from adding a character and a record, for example,
or from taking the arctangent of a set, or passing a file as a parameter to a subroutine that
expects an integer

b) What is type inference? Describe the contexts in which it occurs. (8 marks)

Type inference:
For simple arithmetic operators, the principal type system subtlety arises when one or more
operands have subrange types (what Ada calls subtypes with range constraints). Given the
following Pascal definitions, for example,

Dept of CSE,SJBIT 6
Programming Language 10CS666

type Atype = 0..20; Btype =


10..20;
var a : Atype;
b : Btype;
what is the type of a + b? Certainly it is neither Atype nor Btype, since the pos- sible
values range from 10 to 40. One could imagine it being a new anonymous subrange type
with 10 and 40 as bounds. The usual answer in Pascal and its de- scendants is to say that
the result of any arithmetic operation on a subrange has the subrange’s base type, in this
case integer.

c) What is a dope vector? What purpose does it serve? (3 marks)

For every array, a compiler maintains dimension, bounds, and size information in the
symbol table. For every record, it maintains the offset of every field. When the bounds and
size of array dimensions are statically known, the compiler can look them up in the symbol
table in order to compute the address of elements of the array. When the bounds and size
are not statically known, the compiler must arrange for them to be available when the
compiled program needs to compute an address at run time. The usual mechanism
employs a run-time desciptor, or dope vector for the array.7 Typically, a dope vector for
an array of dynamic shape will contain the lower bound of each dimension and the size of
every dimension except the last.

The dope vector for an array of dynamic shape is generally placed next to the pointer to the
array in the fixed-size part of the stack frame. The contents of the dope vector are initialized
at elaboration time, or whenever the array changes shape.

d) Explain the difference between row major and column major layout for
contiguously allocated arrays (4 marks)

Ans: Arrays in most language implementations are stored in contiguous locations in


memory.
For multidimensional arrays, it still makes sense to put the first element of the array
in the array’s first memory location. But which element comes next? There are two reasonable
answers, called row-major and column-major order. In row- major order, consecutive
locations in memory hold elements that differ by one in the final subscript (except at the
ends of rows). A[2, 4], for example, is fol- lowed by A[2, 5]. In column-major order,
consecutive locations hold elements that differ by one in the initial subscript: A[2, 4] is
followed by A[3, 4].

The difference between row- and column-major layout can be important for programs that
use nested loops to access all the elements of a large, multidi- mensional array. On
modern machines the speed of such loops is often lim- ited by memory system
performance, which depends heavily on the effective- ness of caching

Dept of CSE,SJBIT 7
Programming Language 10CS666

Fig. Row- and column-major memory layout for two-dimensional arrays.

5 a) what is dangling references? How are they created? What problems do they result
in ? Explain with example? (8 marks)

In C:
free(my_ptr);
In C++:
delete my_ptr;

C++ provides additional functionality: prior to reclaiming the space, it automatically calls
any user-provided destructor function for the object. A destructor can reclaim space for
subsidiary objects, remove the object from indices or tables, print messages, or perform any
other operation appropriate at the end of the object’s lifetime.
_
A dangling reference is a live pointer that no longer points to a valid object. In languages like
Algol 68 or C, which allow the programmer to create pointers to stack objects, a dangling
reference may be created when a subroutine returns while some pointer in a wider scope still
refers to a local object of that subroutine.

In a language with explicit reclamation of heap objects, a dangling reference is created


whenever the programmer reclaims an object to which pointers still refer.

Problems:
 Algol 68 addresses the problem of dangling references to stack objects by
forbidding a pointer from pointing to any object whose lifetime is briefer than
that of the pointer itself.
 Unfortunately, this rule is difficult to enforce. Among other things, since both
pointers and objects to which pointers might refer can be passed as arguments to
subroutines, dynamic semantic checks are possible only if reference parameters
are accompanied by a hidden indication of lifetime.

Dept of CSE,SJBIT 8
Programming Language 10CS666

 Ada 95 has a more restrictive rule that is easier to enforce: it forbids a pointer
from pointing to any object whose lifetime is briefer than that of the pointer’s
type.

b)Discuss the advantages and disadvanges of the interoperability pointers and arrays
in c language? (8 marks)

Pointers and arrays are closely linked in C. Consider the following declarations.
Array names and pointers
in C int n;
int *a; /* pointer to integer */
int b[10];
advantages
1.a = b; /* make a point to the initial element of b */
2. n = a[3];
3. n = *(a+3); /* equivalent to previous line */
4. n = b[3];

5. n = *(b+3);

 An unsubscripted array name in C is automatically converted to a pointer to the


array’s first element in line 1. Lines 3 and 5 illustrate pointer arithmetic: given a
pointer to an element of an array, the addition of an integer k produces a pointer
to the element k positions later in the array The prefix * is a pointer dereference
operator.

 Pointer arithmetic is valid only within the bounds of a single array, but C
compilers are not required to check this.

 C allows pointers to be subtracted from one another or compared for ordering,


provided that they refer to elements of the same array. The comparison p < q, for
example, tests to
 see if p refers to an element closer to the beginning of the array than the one
referred to by q. The expression p - q returns the number of array positions that
separate the elements to which p and q refer.

 All arithmetic operations on pointers “scale” their results as appropriate, based


on the size of the referenced objects.

Disadvantages
 Programmers need to be aware that the two are not the same, particularly in the
context of variable declarations, which need to allocate space when elaborated.

 The declaration of a pointer variable allocates space to hold a pointer, while the
declaration of an array variable allocates space to hold the whole array.

Dept of CSE,SJBIT 9
Programming Language 10CS666

 In the case of an array the declaration must specify a size for each dimension.
Thus int *a[n], when elab-orated, will allocate space for n row pointers; int
a[n][m] will allocate space for a two-dimensional array with contiguous layout.

 For a twodimensional array with contiguous layout, the formal parameter may be
declared as int a[ ][m] or int (*a)[m].

 The size of the first dimension is irrelevant; all that is passed is a pointer, and C
performs no dynamic checks to ensure that references are within the bounds of
the array.

 In most cases, sizeof can be evaluated at compile time; the principal exception
occurs for variable-length arrays, whose shape is not known until elaboration
time.

c)what is a pointer reversal? What problem does it address? (4 marks)

The collector explores the path to a given block, it reverses the pointers it follows, so that
each points back to the previous block instead of forward to the next.

The collector keeps track of the current block and the block from
whence it came

Dept of CSE,SJBIT 10
Programming Language 10CS666

When it returns from block W to block Y, the collector uses the reversed pointer in Y to
restore its notion of previous block (R in our example). It then flips the reversed pointer back
to W and updates its notion of current block to Y.

If the block to which it has returned contains additional pointers, the collector proceeds
forward again; otherwise it returns across the previous reversed pointer and tries again. At
most one pointer in every block will be reversed at any given time. This pointer must be
marked, probably by means of another bookkeeping

6a) With a typical stack frame layout,explain how calling sequences operates in
subroutines? How do calling sequences differ in RISC and CISC? (10 marks)

 Each routine, as it is called, is given a new stack frame, or activation record, at


the top of the stack. This frame may contain arguments and/or return values,
including the return address and saved registers local variables, and/or
temporaries. When a subroutine returns, its frame is popped from the stack.

 The frame pointer register contains an address within the frame. Objects in the
frame are accessed via displacement addressing with respect to the frame pointer.

 If the size of an object (e.g., a local array) is not k nown at compile Offsets from
frame pointer time, then the object is placed in a variable-size area at the top of
the frame; its address and dope vector are stored in the fixed-size portion of the
frame, at a statically known offset from the frame pointer

Dept of CSE,SJBIT 11
Programming Language 10CS666

Fig: example of nested subroutine

 Whether or not a subroutine is called directly by the lexically surrounding


routine, we can be sure that the surrounding routine is active; there is no other
way that the current routine could have been visible, allowing it to be called.

 Consider for example, the subroutine nesting shown in Figure. If subroutine


Visibility of nested routines D is called directly from B, then clearly B’s frame
will already be on the stack.

 It is not visible in A or E, because it is nested inside of B. A moment’s thought


makes clear that it is only when control enters B that D comes into view. It can
therefore be called by C, or by any other routine that is nested inside of C or D,
but only because these are also within B. _

b) Explain the mechanism of exception handling and its implementation. Distinguish


between exception implementation in functional languages and imperative languages?
(10marks)

An exception can be defined as an unexpected—or at least unusual— condition that arises


during program execution, and that cannot easily be handled in the local context.

It may be detected automatically by the language implementation, or the program may raise
it explicitly. The most common exceptions are various sorts of run-time errors.

To cope with such errors without an exception-handling mechanism, the programmer has
basically three options, none of which is entirely satisfactory:

1. “Invent” a value that can be used by the caller when a real value could not be returned.
2. Return an explicit “status” value to the caller, who must inspect it after every call. The
status may be written into an extra, explicit parameter, stored in a global variable, or encoded
as otherwise invalid bit patterns of a function’s regular return value.
3. Pass a closure for an error-handling routine that the normal routine can call when it runs
into trouble.

Defining Exceptions

 In many languages, including Clu, Ada, Modula-3, Python, Java, C#, and ML,
most dynamic semantic errors result in exceptions, which the program can then
catch.

 The programmer can also define additional, application-specific exceptions.


Examples of predefined exceptions include arithmetic overflow, division by

Dept of CSE,SJBIT 12
Programming Language 10CS666

zero, end-of-file on input, subscript and subrange errors, and null pointer
dereference.

 In Ada, exception is a built-in type; an exception is simply an object of this What


is an exception? type: declare empty_queue : exception;

When control enters a protected block, the handler for that block is added to the head of the
list. When an exception arises, either implicitly or as a result of a raise statement, the
language run-time system pops the innermost handler off the list and calls it.

The handler begins by checking to see if it matches the exception that occurred if not, it
simply reraises it:

if exception matches duplicate in set


...
else
reraise exception

Exception Propagation
Syntax in other languages is similar. In C++:

Exception handler in C++


try {
...
// protected block of code
...
} catch(end_of_file) {
...
} catch(io_error e) {
// handler for any io_error other than end_of_file
...
} catch(...) {
// handler for any exception not previously named
// (in this case, the triple-dot ellipsis is a valid C++ token;
// it does not indicate missing code)
}

The handlers attached to a block of code are always examined in order; control is transferred
to the first one that matches the exception. In Ada, a handler matches
if it names the propagating exception or if it is a “catch-all” others clause.

Dept of CSE,SJBIT 13
Programming Language 10CS666

7a) explain the concept of coroutines in PL? (5 marks)

A coroutine is represented by a closure and into which we can jump by means of a nonlocal
goto—in this case a special operation known as transfer.

Coroutines are execution contexts that exist concurrently but execute one at a time, and that
transfer control to each other explicitly, by name. Coroutines can be used to implement
iterators and threads

Stack Allocation
There are concurrent (i.e., simultaneously started but not completed), coroutines cannot share
a single stack: their subroutine calls and returns, taken as a whole, do not occur in last-in-
first-out order.

The simplest solution is to give each coroutine a fixed amount of statically allocated stack
space. This approach is adopted in Modula-2, which requires the programmer to specify the
size and location of the stack when initializing a coroutine.

coroutine only runs when specified as the target of a transfer, there is never any need to
terminate it explicitly: if it is running it can transfer to something else, which never transfers
back.

b)explain three benefits provided by abstraction? (5 marks)

The abstraction provided by modules and module types has at least three important benefits.
1. It reduces conceptual load by minimizing the amount of detail that the programmer must
think about at one time.

2. It provides fault containment by preventing the programmer from using a program


component in inappropriate ways, and by limiting the portion of a program’s text in which a
given component can be used, thereby limiting the portion that must be considered when
searching for the cause of a bug.

3. It provides a significant degree of independence among program components, making it


easier to assign their construction to separate individuals, to modify their internal
implementations without changing external code that uses them, or to install them in a library
where they can be used by other programs

c) Summaries the rules in c++ to determine the order of constructors’ invocation. How
are these simplified in other languages? (10 marks)

 C++ insists that every object be initialized before it can be used. If the object’s
class (call it B) is derived from some other class (call it A), C++ insists on calling
an A constructor before calling a B constructor, so the derived class is guaranteed
never to see its inherited fields in an inconsistent state.

Dept of CSE,SJBIT 14
Programming Language 10CS666

 When the programmer creates an object of class B (either via declaration or with
 a call to new), the creation operation specifies arguments for a B constructor.
These arguments allow the C++ compiler to resolve overloading when multiple
constructors exist.

 Like C++, Java insists that a constructor for a base class be called before the
Invocation of base class constructor in Java constructor for a derived class. The
syntax is a bit simpler, however: the initial line of the code for the derived class
constructor may consist of a “call” to the base class constructor: super( args );

 super is a Java keyword that refers to the base class of the class in whose code it
appears. If the call to super is missing, the Java compiler automatically inserts a
call to the base class’s zero-argument constructor.

 Because Java uses a reference model uniformly for all objects, any class
members that are themselves objects will actually be references, rather than
“expanded” objects.
 Java simply initializes such members to null. If the programmer wants something
different, he or she must call new explicitly within the constructor of the
surrounding class.

 Smalltalk, Eiffel, and CLOS are all more lax than C++ regarding the
initialization of base classes. The compiler or interpreter arranges to call the
constructor (creator, initializer) for each newly created object automatically, but
it does not arrange to call constructors for base classes automatically; all it does
is initialize base class data members to default (0 or null) values.

 If the derived class wants different behavior, its constructor(s) must call a
constructor for the base class explicitly.

8a) Explain the following LISP functions. (10 marks)


1) Car 2) cdr 3) cons 4)cond 5)let

Scheme provides a wealth of functions to manipulate lists. The three basic list operations
most important are car, which returns the head of a list, cdr (“coulder”), which returns the
rest of the list (everything after the head), and cons, which joins a head to the rest of a list:
(car ’(2 3 4)) _->Ë 2
(cdr ’(2 3 4)) _->Ë (3 4)
(cons 2 ’(3 4)) _->Ë (2 3 4)
Also useful is the null? predicate, which determines whether its argument is the empty list.
Recall that the notation ’(2 3 4) indicates a proper list, in which the final element is the
empty list:
(cdr ’(2)) _->Ë ()
(cons 2 3) _->Ë (2 . 3) ; an improper list _
Scheme also provides a wealth of numeric and logical (Boolean) functions and special forms.

Dept of CSE,SJBIT 15
Programming Language 10CS666

When it needs an input value, function my_prog forces evaluation of the car of input, and
passes the cdr on to the rest of the program. To drive execution, the language implementation
repeatedly forces evaluation of the car of output, prints it, and repeats.

(define driver (lambda (s)


(if (null? s) ’() ; nothing left
(display (car s))
(driver (cdr s)))))

Let:
Names can be bound to values by introducing a nested scope. Nested scopes with let
(let ((a 3)
(b 4)
(square (lambda (x) (* x x)))
(plus +))
(sqrt (plus (square a) (square b)))) _->Ë 5

The special form let takes two arguments. The first of these is a list of pairs. In each pair, the
first element is a name and the second is the value that the name is to represent within the
second argument to let.

The value of the construct as a whole is then the value of this second argument. The scope of
the bindings produced by let is let’s second argument only:
(let ((a 3))
(let ((a 4)
(b a))
(+ a b))) _->Ë 7
Here b takes the value of the outer a.

b) Explain the functional programming in perspective? (10 marks)

 Programmers and compilers of a purely functional language can employ


equational reasoning, in which the equivalence of two expressions at any point
in time implies their equivalence at all times.

 Other commonly cited examples of “naturally imperative” idioms include the


following.

 initialization of complex structures: The heavy reliance on lists in Lisp, ML, and
Haskell reflects the ease with which functions can build new lists out of the
components of old lists..

 summarization: Many programs include code that scans a large data structure or
a large amount of input data, counting the occurrences of various items or
patterns. The natural way to keep track of the counts is with a dictionary data

Dept of CSE,SJBIT 16
Programming Language 10CS666

structure in which one repeatedly updates the count associated with the most
recently noticed key.

 in-place mutation: In programs with very large data sets, one must economize as
much as possible on memory usage, to maximize the amount of data that will fit
in memory or the cache. Sorting programs, for example, need to sort in place,
rather than copying elements to a new array or list.

 Sisal and pH combine array types and iterative syntax with purely functional
semantics. The iterative constructs are defined as syntactic sugar for tail
recursive functions.

 When nested, these constructs can easily be used to initialize a multidimensional


array. The semantics of the language say that each iteration of the loop returns a
new copy of the entire array.

 most programmers have been trained in an imperative style; software libraries


and development environments for functional programming are not yet as mature
as those of their imperative cousins.

 So, significant increase in the use of functional languages, pure functional


languages in particular.

Dept of CSE,SJBIT 17

You might also like