Solve these questions to get acquainted with basic syntax of Python programming language.
Write a program which will find all such numbers which are divisible by 7 but are not a multiple of 5, between 2000 and 3200 (both included). The numbers obtained should be printed in a comma-separated sequence on a single line.
num_list = []
for x in range(2000, 3201):
if x%7 == 0 and x%5 != 0:
num_list.append(x)
print(num_list, sep=",")
Write a program which can compute the factorial of a given numbers. The results should be printed in a comma-separated sequence on a single line.
def fact_recursion(x):
x = int(x)
if x == 1:
return 1
else:
return x*fact_recursion(x-1)
def fact_loop(x):
x = int(x)
product = 1
for num in range(1, x+1):
product = product*num
return product
print("Enter number to get its factorial:\n")
num = input()
print(fact_loop(num))
print(fact_recursion(num))
With a given integral number n, write a program to generate a dictionary that contains (i, i*i) such that is an integral number between 1 and n (both included). and then the program should print the dictionary.
def gen_dict(n):
num_dict = {}
n = int(n)
for i in range(1, n+1):
num_dict[i] = i*i
return num_dict
print("Please enter n")
number = input()
print(gen_dict(number))
Write a program which accepts a sequence of comma-separated numbers from the console and generate a list and a tuple which contains every number.
Define a class which has at least two methods: getString: to get a string from console input printString: to print the string in upper case. Also please include simple test function to test the class methods.
Write a program that calculates and prints the value according to the given formula: Q = Square root of [(2 * C * D)/H] Following are the fixed values of C and H: C is 50. H is 30. D is the variable whose values should be input to your program in a comma-separated sequence.
import math
C = 50
H = 30
Q = []
D_list = input().split(',')
for D in D_list:
D = int(D)
Q.append(int(math.sqrt((2 * C * D)/H)))
print(Q, sep=",")
Write a program which takes 2 digits, X,Y as input and generates a 2-dimensional array. The element value in the i-th row and j-th column of the array should be i*j. Note: i=0,1.., X-1; j=0,1,¡Y-1.
r, c = input().split(",")
row = range(0, int(r))
col = range(0, int(c))
matrix = [[0 for co in col] for ro in row]
for i in row:
for j in col:
matrix[i][j] = i*j
print(matrix)
import numpy as np
matrix_np = np.zeros([3, 5], dtype=int)
for i in row:
for j in col:
matrix_np[i][j] = int(i*j)
print(matrix_np)
Write a program that accepts a comma-separated sequence of words as input and prints the words in a comma-separated sequence after sorting them alphabetically.
Git is the most famous version control system, a version control system is used to make teams collaborate over a software project and keep track of all the versions of it.
In this guide we will discuss some basic commands to get started with git version control system in debian based Linux operating system.
Command to install git:
sudo apt-get install git
Checking git version:
git --version
Setting global variables:
git config --global user.name "YOUR USER NAME"
git config --global user.email "YOUR E-MAIL"
These global configuration settings are important as these settings will be used when any operations would be done with git command.
Now everytime you push changes to your git repository you will be asked to put username and password. To avoid this we can use below command to make Git remember your credentials after your first input.
git config --global credential.helper cache
With above command Git will keep your credentials cached in your machine until you want it to be.
To make Git save your credentials for a specific time period you can edit above command and add ‘–timeout’ with time period in seconds.
This command will make Git save your credentials for 3600 seconds ( 1 hour ). After that, with every push, you have to type your credentials manually.
Sometimes, we use shared computer this can make using above command a security issue as it saves the credentials in plain text in your system. Hence, to delete the saved credentials and to stop the caching we can use the following command.
git credential-cache exit
Above command will delete your credentials and will make Git not to cache your credentials when you input them next time.
Git can be used locally unless you are pushing your changes to the remote repository.
To initialize the directory with Git we can use the following command:
git init DIRECTORY-PATH
If you are already in the working directory you can just use the following command:
git init
You can also create working directory with git init command as follows:
git init NEW-WORKING-DIRECTORY
Command to add files to the staging area:
git add CHANGED-FILE
If you have changed a lot of files and want to add them to the staging area all at once. You can use:
git add *
Here ‘*’ denotes all the files.
Git ‘add’ will put all the changed files in the staging area. Staged files are ready to get committed.
Difference between ‘git add‘ and ‘git commit‘ is that effects of ‘git add‘ commands are not logged while ‘git commit‘ effects are logged with their own SHA-1 hash identifier.
You can check the Git log with the help of following command:
git log
Now to push changes to the remote repository we can use following command:
git push origin master
If above command gives following result then it means your origin repository is not set.
fatal: 'origin' does not appear to be a git repository
fatal: Could not read from remote repository.
Please make sure you have the correct access rights
and the repository exists.
To make this error go away we have to set the remote origin where the push can be made. Command for that:
PIP is a package manager for Python to upgrade/install packages, or modules. In this post we will show how to install packages and modules using PIP.
Basic Syntax:
pip install package-name
For example to install numpy package, we will use the following command.
sudo pip install numpy
In the above command, I have used sudo because during installation sometimes directories need to be created. Hence prefix sudo gives it required permission for creating directories.
To upgrade a package we can use “–upgrade” add-on to pip install command to upgrade the packages. For example:
sudo pip install --upgrade numpy
To uninstall a package using pip we just have to use uninstall with pip command.
Decorators in python are are often regarded as convoluted. In this post we would try to make sense of them. Let’s start. Few other topics have been discussed to make understanding of Decorators easy.
HIGHER ORDER FUNCTIONS: In mathematics and computer science, a higher-order function is a function that does at least one of the following:
takes one or more functions as arguments (i.e. procedural parameters),
As you can see there are two regular functions defined as sayhello( ), sayhi( ) and one higher order function greet( ). As we can see in higher-order function greet we are giving a function name as an argument and it is returning a function return.
Inner Functions:
In python, we can define functions under functions. To illustrate this let take an example:
def outer():
print("Printing from the outer() function")
def first_inner():
print("Printing from the first_inner() function")
def second_inner():
print("Printing from the second_inner() function")
second_inner()
first_inner()
outer()
Output:
Printing from the outer() function
Printing from the second_inner() function
Printing from the first_inner() function
As we can see from the above code inner functions have been defined inside outer function. Also, definition of inner functions does not effect how they are called inside the function. Obviously, you cannot call functions before defining them.
Let us try above concepts in below code:
def outer(func):
def wrapper():
print("Something is happening before the function is called.")
func()
print("Something is happening after the function is called.")
return wrapper
def say_hello():
print("Hello!")
x = outer(say_hello)
x()
Output:
Something is happening before the function is called.
Hello!
Something is happening after the function is called.
We first give the x a function object pointing to the wrapper function( why? because the outer function returns wrapper function object). When we call the function x() then it being a wrapper function object calls wrapper function which prints out – “Something is happening before the function is called.” After that, as we’ve passed a say_hello function object to the outer function, hence it can be called now without giving any error. And finally, “Something is happening after the function is called.” is printed.
What is happening here can be explained below with the definition of Decorators.
A decorator is a function that takes another function and extends the behavior of the latter function without explicitly modifying it.
Now the line “x = outer(say_hello) ” can be written in a more “decorative” way like this –
def outer(func):
def wrapper():
print("Something is happening before the function is called.")
func()
print("Something is happening after the function is called.")
return wrapper
@outer ## that is our decorator ##
def say_hello():
print("Hello!")
say_hello()
Output:
Something is happening before the function is called.
Hello!
Something is happening after the function is called.
What if the function say_hello() had one or more arguments?
def outer(func): def wrapper(): print("Something is happening before the function is called.") func() print("Something is happening after the function is called.") return wrapper @outer def say_hello(name): print("Hello! "+name)
say_hello("Shiva")
Output:
Traceback (most recent call last):
File "/home/shivam/.PyCharmCE2018.2/config/scratches/scratch.py", line 1300, in <module>
say_hello("Shiva")
TypeError: wrapper() takes 0 positional arguments but 1 was given
Process finished with exit code 1
To make it work we will use:
*args (Non Keyword Arguments)
**kwargs (Keyword Arguments)
Since func function under wrapper function expects arguments we have to provide it with them in this way. Look at the correct code:
def outer(func):
def wrapper(*args,**kwargs):
print("Something is happening before the function is called.")
func(*args,**kwargs)
print("Something is happening after the function is called.")
return wrapper
@outer
def say_hello(name):
print("Hello! "+name)
say_hello("Shiva")
Output:
Something is happening before the function is called.
Hello! Shiva
Something is happening after the function is called.
Supervised Learning: As we know we have to train our machine before expecting anything sensible from them in ML. Supervised machine learning algorithm is like a teacher teaching a student a certain subject. Teacher first tells the student what is right and what is wrong. They even check their test papers. Students have the answers to their question. After being trained to a certain degree, teacher expects them to be right.
This is how supervised machine learning algorithms work. Algorithm learns from data set and correct and wrong results.
Unsupervised Learning : Under unsupervised learning there is no teacher and no student. It’s like self study. Algorithm has to learn from the data set , how and on what basis it read the data set and make sense of it. For example, we can put a bucket full of fruits in machine and expect it to make sense of all the different fruits in it on the basis of shape, size, color and structure.
Reinforcement Learning : Under reinforcement learning algorithms, machines learn from their progress. Under this type algorithms determine what the ideal behavior within a context can be. In Reinforcement Learning an agent decides the best action based on the current state of the results. Below graphics explains a lot about the reinforcement learning algorithms working.
Note : This post is under progress and will be updated with time.
filter function expects two arguments, function_object and an iterable. function_object returns a boolean value. function_object is called for each element of the iterable and filter returns only those element for which the function_object returns true.
Like map function, filter function also returns a list of that element. Unlike mapfunctionfilter function can only have one iterable as input.
Basic syntax:
filter(function_object, iterable)
For Example:
Even number using filter function
a = [1, 2, 3, 4, 5, 6]
filter(lambda x : x % 2 == 0, a)
Map functions expects a function object and any number of iterables like list, dictionary, etc. It executes the function_object for each element in the sequence and returns a list of the elements modified by the function object
As the name suggests it maps the each object in iterable to function object, returning iterable.
Lambda operator or lambda function is used for creating small, one-time and anonymous function objects in Python.
They are called anonymous functions as there is no formal definition given in the code as we give for formal functions. That is there is no def keyword used while defining Lambda functions.
Basic Syntax:
lambda arguments : expression
lambda operator can have any number of arguments, but it can have only one expression. It cannot contain any statements and it returns a function object which can be assigned to any variable.
For Example:
Normal function definition of a function that adds two number:
def add(x, y):
return x + y
print(add(2, 3))
Output:
5
Function name is add, it expects two arguments x and y and returns their sum.
Using Lambda Function to do tha same:
add = lambda x,y : x+y #returns function object to add
print(add(2,3))