Python Interview Q & A
Python Interview Q & A
Python Interview Q & A
call by reference?
Arguments in python are passed as an assignment. This assignment creates an object that has no relationship
between an argument name in source and target. The procedure to write the function using call by reference
includes:
The tuple result can be returned to the object which called it. The example below shows it:
def function(a, b):
a = 'value'
b=b+1
# a and b are local variables that are used to assign the new objects
return a, b
# This is the function that is used to return the value stored in b
- The use of global variables allows the function to be called as reference but this is not the safe method to call
any function.
- The use of mutable (they are the classes that consists of changeable objects) objects are used to pass the
function by reference.
def function(a):
a[0] = 'string'
a[1] = a[1] + 1
# The a array give reference to the mutable list and it changes the changes that are shared
args = ['string', 10]
func1(args)
print args[0], args[1]
#This prints the value stored in the array of a
The assignment statement doesnt copy any object but it creates a binding between the target and the object
that is used for the mutable items. Copy is required to keep a copy of it using the modules that is provided to
give generic and shallow operations.
python?
The ternary operator is the operator that is used to show the conditional statements. This consists of the true or
false values with a statement that has to be evaluated for it. The operator will be given as:
[on_true] if [expression] else [on_false]
x, y = 25, 50
big = x if x < y else y
This is the lowest priority operator that is used in making a decision that is based on the values of true or false.
The expression gets evaluated like if x<y else y, in this case if x<y is true then the value is returned as big=x
and if it is incorrect then big=y will be sent as a result.
There is a method which is built-in to show the instances of an object that consists of many classes by
providing a tuple in a table instead of individual classes. The method is given as isinstance(obj,cls) and in
more details given as:
isinstance(obj, (class1, class2, ...)) that is used to check about the objects presence in one of the classes. The
built in types can also have many formats of the same function like isinstance(obj, str) or isinstance(obj, (int,
long, float, complex)).
It is not preferred to use the class instead user-defined classes are made that allow easy object-oriented style to
define the behavior of the objects class. These perform different thing that is based on the class. The
function differs from one class to another class.
To find out the object of the particular class the following program is used:
def search(obj):
if isinstance(obj, box):
# This is the code that is given for the box and write the program in the object
elif isinstance(obj, Document):
# This is the code that searches the document and writes the values in it
elif
obj.search()
#This is the function used to search the objects class.
Self is a variable that represent the instance of the object to itself. In most of the object oriented
programming language, this is passed as to the methods as a hidden parameters that is defined by an object.
But, in python it is declare it and pass it explicitly. It is the first argument that gets created in the instance of
the class A and the parameters to the methods are passed automatically. It refers to separate instance of the
variable for individual objects. This is the first argument that is used in the class instance and the self
method is defined explicitly to all the methods that are used and present. The variables are referred as
self.xxx.
- First create a script file and write the code that has to be executed in it.
- Make the file mode as executable by making the first line starts with #! this is the line that python interpreter
reads.
- Set the permission for the file by using chmod +x file. The file uses the line that is the most important line to
be used:
#!/usr/local/bin/python
- This explains the pathname that is given to the python interpreter and it is independent of the environment
programs.
- Absolute pathname should be included so that the interpreter can interpret and execute the code accordingly.
The sample code that is written:
#! /bin/sh
# Write your code here
exec python $0 ${1+"$@"}
# Write the function that need to be included.
x, y, z = struct.unpack(">hhl", s)
The > is used to show the format string that allows the string to be converted in big-endian data form. For
homogenous list of data the array module can be used that will allow the data to be kept more organized
fashion.
- uniform(a, b): it chooses a floating point number that is defined in the range of [a,b).Iyt returns the floating
point number
- normalvariate(mean, sdev): it is used for the normal distribution where the mu is a mean and the sdev is a
sigma that is used for standard deviation.
- The Random class that is used and instantiated creates an independent multiple random number generators.
accomplished with decorators that would otherwise require lots of boilerplate (or even
worse redundant!) code. Flask, for example, uses decorators as the mechanism for
adding new endpoints to a web application. Examples of some of the more common
uses of decorators include adding synchronization, type enforcement, logging, or
pre/post conditions to a class or function.
Q: What are lambda expressions, list comprehensions and generator expressions?
What are the advantages and appropriate uses of each?
Lambda expressions are a shorthand technique for creating single line, anonymous
functions. Their simple, inline nature often though not always leads to more
readable and concise code than the alternative of formal function declarations. On the
other hand, their terse inline nature, by definition, very much limits what they are
capable of doing and their applicability. Being anonymous and inline, the only way to
use the same lambda function in multiple locations in your code is to specify it
redundantly.
List comprehensions provide a concise syntax for creating lists. List comprehensions
are commonly used to make lists where each element is the result of some
operation(s) applied to each member of another sequence or iterable. They can also be
used to create a subsequence of those elements whose members satisfy a certain
condition. In Python, list comprehensions provide an alternative to using the builtin map()and filter() functions.
As the applied usage of lambda expressions and list comprehensions can overlap,
opinions vary widely as to when and where to use one vs. the other. One point to bear
in mind, though, is that a list comprehension executes somewhat faster than a
comparable solution using map and lambda (some quick tests yielded a performance
difference of roughly 10%). This is because calling a lambda function creates a new
stack frame while the expression in the list comprehension is evaluated without doing
so.
Generator expressions are syntactically and functionally similar to list
comprehensions but there are some fairly significant differences between the ways the
two operate and, accordingly, when each should be used. In a nutshell, iterating over a
generator expression or list comprehension will essentially do the same thing, but the
list comprehension will create the entire list in memory first while the generator
expression will create the items on the fly as needed. Generator expressions can
therefore be used for very large (and even infinite) sequences and their lazy (i.e., on
demand) generation of values results in improved performance and lower memory
usage. It is worth noting, though, that the standard Python list methods can be used on
the result of a list comprehension, but not directly on that of a generator expression.
Q: Consider the two approaches below for initializing an array and the arrays that
will result. How will the resulting arrays differ and why should you use one
initialization approach vs. the other?
>>> # INITIALIZING AN ARRAY -- METHOD 1
...
>>> x = [[1,2,3,4]] * 3
>>> x
[[1, 2, 3, 4], [1, 2, 3, 4], [1, 2, 3, 4]]
>>>
>>>
>>> # INITIALIZING AN ARRAY -- METHOD 2
...
>>> y = [[1,2,3,4] for _ in range(3)]
>>> y
[[1, 2, 3, 4], [1, 2, 3, 4], [1, 2, 3, 4]]
>>>
>>> # WHICH METHOD SHOULD YOU USE AND WHY?
While both methods appear at first blush to produce the same result, there is an
extremely significant difference between the two. Method 2 produces, as you would
expect, an array of 3 elements, each of which is itself an independent 4-element array.
In method 1, however, the members of the array all point to the same object. This can
lead to what is most likely unanticipated and undesired behavior as shown below.
>>> # MODIFYING THE x ARRAY FROM THE PRIOR CODE SNIPPET:
>>> x[0][3] = 99
>>> x
[[1, 2, 3, 99], [1, 2, 3, 99], [1, 2, 3, 99]]
>>> # UH-OH, DONT THINK YOU WANTED THAT TO HAPPEN!
...
>>>
...
list.append(len(list))
...
return list
...
>>> append(['a','b'])
['a', 'b', 2]
>>>
>>> append()
[0]
>>>
>>> append()
arg?
When the default value for a function argument is an expression, the expression is
evaluated only once, not every time the function is called. Thus, once the list
argument has been initialized to an empty array, subsequent calls to append without
any argument specified will continue to use the same array to which list was
originally initialized. This will therefore yield the following, presumably unexpected,
behavior:
>>> append()
[0]
>>> append()
[0, 1]
>>> append()
list!
[0, 1, 2]
>>> append()
[0, 1, 2, 3]
Q: How might one modify the implementation of the append method in the
previous question to avoid the undesirable behavior described there?
The following alternative implementation of the append method would be one of a
number of ways to avoid the undesirable behavior described in the answer to the
previous question:
>>> def append(list=None):
...
if list is None:
list = []
# append the length of a list to the list
...
list.append(len(list))
...
return list
...
>>> append()
[0]
>>> append()
[0]
Q: How can you swap the values of two variables with a single line of Python code?
Consider this simple example:
>>> x = 'X'
>>> y = 'Y'
In many other languages, swapping the values of x and y requires that you to do the
following:
>>> tmp = x
>>> x = y
>>> y = tmp
>>> x, y
('Y', 'X')
But in Python, makes it possible to do the swap with a single line of code (thanks to
implicit tuple packing and unpacking) as follows:
>>> x,y = y,x
>>> x,y
('Y', 'X')
flist.append(lambda: i)
...
>>> [f() for f in flist]
In any closure in Python, variables are bound by name. Thus, the above line of code
will print out the following:
[2, 2, 2]
flist.append(lambda i = i : i)
...
>>> [f() for f in flist]
[0, 1, 2]
Text and Data instead of Unicode and 8-bit strings. Python 3.0 uses the concepts of text and
(binary) data instead of Unicode strings and 8-bit strings. The biggest ramification of this is
that any attempt to mix text and data in Python 3.0 raises a TypeError (to combine the two
safely, you must decode bytes or encode Unicode, but you need to know the proper
encoding, e.g. UTF-8)
This addresses a longstanding pitfall for nave Python programmers. In Python 2, mixing
Unicode and 8-bit data would work if the string happened to contain only 7-bit (ASCII)
bytes, but you would get UnicodeDecodeError if it contained non-ASCII values. Moreover,
the exception would happen at the combination point, not at the point at which the nonASCII characters were put into the str object. This behavior was a common source of
confusion and consternation for neophyte Python programmers.
print function. The print statement has been replaced with a print() function
xrange buh-bye. xrange() no longer exists (range() now behaves like xrange() used
to behave, except it works with values of arbitrary size)
API changes:
zip(), map() and filter() all now return iterators instead of lists
no
longer
supported
Comparison operators. The ordering comparison operators (<, <=, >=, >) now raise
a TypeErrorexception when the operands dont have a meaningful natural ordering. Some
examples of the ramifications of this include:
Expressions like 1 < '', 0 > None or len <= len are no longer valid
Sorting a heterogeneous list no longer makes sense all the elements must be comparable to
each other
More details on the differences between Python 2 and 3 are available here.
Q: Is Python interpreted or compiled?
As noted in Why Are There So Many Pythons?, this is, frankly, a bit of a trick
question in that it is malformed. Python itself is nothing more than an interface
definition (as is true with any language specification) of which there are multiple
Speed. Thanks to its Just-in-Time (JIT) compiler, Python programs often run faster on PyPy.
Memory usage. Large, memory-hungry Python programs might end up taking less space with
PyPy than they do in CPython.
Compatibility. PyPy is highly compatible with existing python code. It supports cffi and can
run popular Python libraries like Twisted and Django.
Sandboxing. PyPy provides the ability to run untrusted code in a fully secure way.
Stackless mode. PyPy comes by default with support for stackless mode, providing microthreads for massive concurrency.
unittest supports test automation, sharing of setup and shutdown code for tests,
aggregation of tests into collections, and independence of the tests from the reporting
framework. The unittest module provides classes that make it easy to support these
qualities for a set of tests.
Assuming that the candidate does mention unittest (if they dont, you may just want to
end the interview right then and there!), you should also ask them to describe the key
elements of the unittest framework; namely, test fixtures, test cases, test suites and test
runners.
A more recent addition to the unittest framework is mock. mock allows you to replace
parts of your system under test with mock objects and make assertions about how they
are to be used. mock is now part of the Python standard library, available as
unittest.mock in Python 3.3 onwards.
The value and power of mock are well explained in An Introduction to Mocking in
Python. As noted therein, system calls are prime candidates for mocking: whether
writing a script to eject a CD drive, a web server which removes antiquated cache
files from /tmp, or a socket server which binds to a TCP port, these calls all feature
undesired side-effects in the context of unit tests. Similarly, keeping your unit-tests
efficient and performant means keeping as much slow code as possible out of the
automated test runs, namely filesystem and network access.
[Note: This question is for Python developers who are also experienced in Java.]
Q: What are some key differences to bear in mind when coding in Python vs. Java?
Disclaimer #1. The differences between Java and Python are numerous and would
likely be a topic worthy of its own (lengthy) post. Below is just a brief sampling of
some key differences between the two languages.
Disclaimer #2. The intent here is not to launch into a religious battle over the merits
of Python vs. Java (as much fun as that might be!). Rather, the question is really just
geared at seeing how well the developer understands some practical differences
between the two languages. The list below therefore deliberately avoids discussing the
arguable advantages of Python over Java from a programming productivity
perspective.
With the above two disclaimers in mind, here is a sampling of some key differences to
bear in mind when coding in Python vs. Java:
Dynamic vs static typing. One of the biggest differences between the two languages is that
Java is restricted to static typing whereas Python supports dynamic typing of variables.
Static vs. class methods. A static method in Java does not translate to a Python class method.
In Python, calling a class method involves an additional memory allocation that calling a
static method or function does not.
In Java, dotted names (e.g., foo.bar.method) are looked up by the compiler, so at runtime it
really doesnt matter how many of them you have. In Python, however, the lookups occur at
runtime, so each dot counts.
Method overloading. Whereas Java requires explicit specification of multiple same-named
functions with different signatures, the same can be accomplished in Python with a single
function that includes optional arguments with default values if not specified by the caller.
Single vs. double quotes. Whereas the use of single quotes vs. double quotes has significance
in Java, they can be used interchangeably in Python (but no, it wont allow beginnning
the same string with a double quote and trying to end it with a single quote, or vice versa!).
Getters and setters (not!). Getters and setters in Python are superfluous; rather, you should
use the property built-in (thats what its for!). In Python, getters and setters are a waste of
both CPU and programmer time.
Classes are optional. Whereas Java requires every function to be defined in the context of an
enclosing class definition, Python has no such requirement.
Ease of use and ease of refactoring, thanks to the flexibility of Pythons syntax, which makes
it especially useful for rapid prototyping.
More compact code, thanks again to Pythons syntax, along with a wealth of functionallyrich Python libraries (distributed freely with most Python language implementations).
With regard to the question of when using Python is the right choice for a project,
the complete answer also depends on a number of issues orthogonal to the language
itself, such as prior technology investment, skill set of the team, and so on. Although
the question as stated above implies interest in a strictly technical answer, a developer
who will raise these additional issues in an interview will always score more points
with me since it indicates an awareness of, and sensitivity to, the bigger picture
(i.e., beyond just the technology being employed). Conversely, a response that Python
is always the right choice is a clear sign of an unsophisticated developer.
Q: What are some drawbacks of the Python language?
For starters, if you know a language well, you know its drawbacks, so responses such
as theres nothing I dont like about it or it has no drawbacks are very telling
indeed.
The two most common valid answers to this question (by no means intended as an
exhaustive list) are:
The Global Interpreter Lock (GIL). CPython (the most common Python implementation) is
not fully thread safe. In order to support multi-threaded Python programs, CPython provides
a global lock that must be held by the current thread before it can safely access Python
objects. As a result, no matter how many threads or processors are present, only one thread is
ever being executed at any given time. In comparison, it is worth noting that the PyPy
implementation discussed earlier in this article provides a stackless mode that supports
micro-threads for massive concurrency.
Execution speed. Python can be slower than compiled languages since it is interpreted. (Well,
sort of. See our earlier discussion on this topic.)