Archive
Python: Testing the SQL joines Commands
Learning : SQL Commands, DataBase, Python
Subject: Testing the SQL Join Commands
Introduction In this post we will apply several SQL Join Commands to test them, here are them:
First: let’s talk about the Tables,we will create two Tables (Category and Products) each will be very simple, the Category will have two fields [c_id, and cat_name],
the Products will have [p_id, pro_name, cat_id]. (cat_id is the foreign key that connicting the two tables). Some test data will be inserted in both Tables so we can demonstrate the SQL Commands. I create a Dictionary storing information/summary about the project named about_the_project the user can read it in run time.
Coding: We will do the fowlloing:
1. Set a Database for the Project.
2. Writing the codes to Create the Tables.
3. Writing the codes to insert some test Data in the Tables.
4. Creating a Menu for the Project.
5. Writing the Functions to Apply the SQL Join commmands.
NOTE: All the code will be avilable in the DOWNLOAD page.
Let’s import some lybraries, we will need this code:
import sqlite3, os
And here is the code to set the data base and create the connection.
# Create the data-base and name it as Share_S_System.
db_conn = sqlite3.connect (“sql_join_test.db”)
# set the connection.
c = db_conn.cursor()
First function is to create the Tables:
# Function to create the Tables.
def create_tables ():
# CREATE TABLE:
category_t = "CREATE TABLE if not exists category_t (c_id INTEGER PRIMARY KEY AUTOINCREMENT, cat_name text)"
c.execute(category_t)
db_conn.commit()
product_t = "CREATE TABLE if not exists product_t (p_id INTEGER PRIMARY KEY AUTOINCREMENT, p_name text, cat_id integer)"
c.execute(product_t)
db_conn.commit()
Now we will insert some Test data.
# Function to insert some Data into the Tables
def insert_sample_data():
#First we will call the Function to Crete the Table.
create_tables ()
print('\n Category Table has been Created. ')
print('\n Product Table has been Created. ')
# Insert into Category Table
c.execute ("INSERT INTO category_t (cat_name) VALUES(:cat_name )",{"cat_name":"Mobile Phone"})
c.execute ("INSERT INTO category_t (cat_name) VALUES(:cat_name )",{"cat_name":"Labtop"})
c.execute ("INSERT INTO category_t (cat_name) VALUES(:cat_name )",{"cat_name":"Ext. HD"})
c.execute ("INSERT INTO category_t (cat_name) VALUES(:cat_name )",{"cat_name":"CCTV Camera"})
db_conn.commit()
# Insert into Product Table.
c.execute ("INSERT INTO product_t (p_name, cat_id) VALUES(:p_name, :cat_id )",{"p_name":"Note 9","cat_id":"1"})
c.execute ("INSERT INTO product_t (p_name, cat_id) VALUES(:p_name, :cat_id )",{"p_name":"iPhone 12 pro","cat_id":"1"})
c.execute ("INSERT INTO product_t (p_name, cat_id) VALUES(:p_name, :cat_id )",{"p_name":"HP","cat_id":"2"})
c.execute ("INSERT INTO product_t (p_name, cat_id) VALUES(:p_name, :cat_id )",{"p_name":"Toshiba 1T HD","cat_id":"3"})
c.execute ("INSERT INTO product_t (p_name, cat_id) VALUES(:p_name, :cat_id )",{"p_name":"iMac","cat_id":None})
db_conn.commit()
print('\n Sample Date Inserted in both tables.\n Select 9 from the Main Menu to see the Data')
input('\n ... Press any key to continue. > ')
Now, let’s write the function for the Main Menu, it will return the user_choice.. here is the code..
# Main Menu Function.
def main_menu():
os.system('clear')
print("\n==========[ Main Menu ]==========")
print(' 1. About this Project.')
print(' 2. All Categories. (Left Join: All in Category Only).')
print(' 3. All Products. (Right Join: All in Product Only).')
print(' 4. Only Categories that linked to a Products. (Inner Join: Only if in Ta AND Tb).')
print(' 5. All Catigories that are NOT linked to a Product. (Left Join: Only in Category AND NOT in Product .')
print(' 6. All Products that has NO Category. (Right Join: Only in Product AND NOT in Category.')
print(' 7. All Categories and Products. (Full Outer Join in Both Table)' )
print(' 8. All Categories that are NOT linked to any Product, and All Products that has NO Categotry. (Full Outer Join NOT in Both Table)')
print(' 9. Show the Data')
print(' 11. Setting: Create the Tables and Insert Some Sample Data. Run Only One Time.')
print(' 99. Exit.')
user_choice = input("\n Select from the Menu: > ")
return user_choice
![]() |
The coming part of the code is calling the functions and running the SQL commands based on the user choice. Here is the Main-code-body..
# The Main section of the Application..
while True :
user_select = main_menu()
if user_select == '1' :
show_data('cat')
if user_select == '2' :
show_data('prod')
if user_select == '3' :
os.system('clear')
print('\n First: All the Data in Category and Product ')
show_data('both','inside')
print("\n==========[ Show Date: INNER JOIN ]==========\n")
print(' Inner Join: Only the Data that exist in Category AND Product).')
print('\n The SQL Statment:\n select category_t.c_id, product_t.p_name from category_t inner join product_t on category_t.c_id == product_t.cat_id\n\n ')
c.execute ("select category_t.c_id, category_t.cat_name, product_t.p_name from category_t inner join product_t on category_t.c_id == product_t.cat_id ")
innerJ_list = c.fetchall()
print(' [OUTPUT]:\n Categories Name |',' '*2,'Products Name ')
for innerJ_data in (innerJ_list):
print(' ',innerJ_data[1],'.'*(25 - len(str(innerJ_data[1]))),innerJ_data[2])
print('\n We can see that the INNER JOIN Command fetched the records of Products that has a Category.\n iMac Not listed Because it has No Category Data.')
input('\n\n ...Press any key to continue. > ')
if user_select == '4' :
os.system('clear')
print('\n List of All the Data in Category and Product ')
show_data('both','inside')
print("\n==========[ Show Date: LEFT JOIN, Only Data in Categoty Table ]==========\n")
print(' The SQL Statment:\n select category_t.c_id, category_t.cat_name, product_t.p_name from category_t\n left join product_t on category_t.c_id == product_t.cat_id\n where product_t.cat_id is null\n')
c.execute ("select category_t.c_id, category_t.cat_name, product_t.p_name from category_t left join product_t on category_t.c_id == product_t.cat_id where product_t.cat_id is null")
leftJ_list = c.fetchall()
print(' [OUTPUT]:\n Categories Name |',' '*2,'Products Name ')
for leftJ_data in (leftJ_list):
print(' ',leftJ_data[1],'.'*(25 - len(str(leftJ_data[1]))),leftJ_data[2])
print('\n We can see that the LEFT JOIN Command fetched all Categories that are not used/linked to/with any Product.\n CCTV Camera is Not linked. So We can Say: We Do Not have any CCTV Camera Products.')
input('\n\n ...Press any key to continue. > ')
if user_select == '5' :
....
# Just to save the time, i will not post all the code here, you can see all the code and download
# the .py source code from the download page.
Here are some screen shot of the output ..
| The Main Menu |
| Output Screen for Option 3: Only Categories that linked to a Products. (Inner Join: Only if Data in Category AND Product) ![]() |
End of the Post, and all the code is available to download from the Download page.
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python Project: Disarium Number
Learning : Python to solve Mathematics Problems
Subject: Disarium Number
In Mathematics there are some formulas or let say rules that generate a sequence of given a certen result, and accordingly we gave that number or that sequence a name, such as even numbers, odd numbers, prime numbers and so on.
Here in this post we will talk about the Disarium Number and will write a code to check if a given number Disarium or Not.
Defenition: A Number is a Disarium if the Sum of its digits powered with their respective position is equal to the original number. Example: If we have 25 as a Number we will say: if (2^1 + 5^2) = 25 then 25 is Disarium.
So: 2^1 = 2, 5^2 = 25, 2+25 = 27; 25 NOT Equal to 27 then 25 is NOT Disarium.
Let’s take n = 175:
1^1 = 1
7^2 = 49
5^3 = 125
(1 + 49 + 125) = 175 thats EQUAL to n so 175 is a Disarium Number.
In the bellow code, we will write a function to take a number from the user the check if it is a Disarium Number or not. In this function we will print out the calculation on the screen. Let’s start by writing the function
# is_disarium function.
def is_disarium(num) :
"""
Project Name: Disarium Number
By: Ali Radwani
Date: 2.4.2021
"""
the_sum = []
l = len(num)
for x in range (0,l):
print(num[x] , '^',x+1,'=', (int(num[x])**(x+1)))
the_sum.append((int(num[x])**(x+1)))
if int(num) == sum(the_sum) :
print ("\n The sum is {}, and the original Number is {} So {} is a Disarium Number.".format(sum(the_sum),num,num))
else:
print ('\n The sum is {}, and the original Number is {} So it is NOT Disarium.'.format(sum(the_sum),num))
num = input('\n Enter a Number to check if it is Disarium. > ')
# Call the function and pass the num.
is_disarium(num)
![]() |
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: My Orders Tracker P-4
Learning : Pythn, sqlite, Database, SQL
Subject: Create a system to track the orders
In this last part we will write the code to Edit an Order, in editing an order function first we will show all orders and will ask the user to select the one to be EDIT, then we will display that order detail on the screen and ask the user to confirm the action by entering ‘Y’ [our code will handel both y and Y]. We will ask the user about each attribute in the Order details if it need to be change or [Just press Enter to Keep the Current Data], also if the user enter ‘e’ or ‘E’ we will exit from the Editing mode.
Here is the code ..
# Function to Edit an Order
def edit_order():
os.system('clear')
print("\n==========[ Edit Orders ]==========")
show_order('yes')
edit_order = input(' Select the Order ID to be Edited. [E to Exit] > ')
if edit_order in ['e','E'] :
return
elif not edit_order.isnumeric() :
input('\n You need to enter an Order''s ID [Numeric]. .. Press any Key .. ')
return
try:
c.execute ("select * from orders where o_id ={}".format(edit_order))
order_list = c.fetchone()
if order_list == [] :
input('\n ID {} Not Exsist. .. Press any key to continue. '.format(edit_order))
return
os.system('clear')
print("\n==========[ Edit Orders ]==========\n")
print('\n Details of the Order you select:\n ')
print(" "*15,"ID: ",order_list[0])
print(" "*13,"Date: ",order_list[1])
print(" "*5,"Order Number: ",order_list[2])
print(" "*12,"Price: ",order_list[4])
print(" "*9,"Quantity: ",order_list[5])
print(" "*3,"Shipment Price: ",order_list[6])
print(" "*7,"Total Cost: {:.2f}".format((order_list[4]*order_list[5]) + order_list[6]))
print(" "*6,"Description: ",order_list[3])
print(" "*12,"Image:",order_list[8])
print(" "*13,"Link:",order_list[7])
user_confirm = input("\n\n You Select to EDIT the above Order, Enter Y to confirm, E to Exit. > ")
if user_confirm in ['e','E'] :
input('\n You entered ''E'' to Exit. Nothing will be change. Press any key. ')
return
if user_confirm in ['y','Y'] :
#To Edit the order..
print("#"*57)
print("##"," "*51,"##")
print("## NOTE: Enter E any time to EXIT/Quit."," "*12,"##")
print("## OR JUST Press Enter to keep the Current data."," ##")
print("##"," "*51,"##")
print("#"*57,)
while True :
new_date = input (f'\n The current date is: {order_list[1]}, Enter the New date as[dd-mm-yyyy] > ')
if e_to_exit(new_date) =='e' : return
if new_date =="" : break # Break the while loop if the user want to keep the current Date.
if date_validation (new_date) == 'valid' :
break
else :
print(date_validation (new_date))
new_onum = input (f'\n The current Order Number is: {order_list[2]}, Enter the New Order Number. [E to Exit]. > ')
if e_to_exit(new_onum) =='e' : return
new_qunt = input (f'\n The current Quantity is: {order_list[5]}, Enter the New Quantity. [E to Exit]. > ')
if e_to_exit(new_qunt) =='e' : return
new_price = input (f'\n The current Price is: {order_list[4]}, Enter the New Price. [E to Exit]. > ')
if e_to_exit(new_price) =='e' : return
new_ship_price = input (f'\n The current shipment Price is: {order_list[6]}, Enter the New Quantity. [E to Exit]. > ')
if e_to_exit(new_ship_price) =='e' : return
new_link = input (f'\n The current link is: {order_list[7]}, Enter the New Link. [E to Exit]. > ')
if e_to_exit(new_link) =='e' : return
new_image = input (f'\n The current Image is: {order_list[8]}, Enter the New Image (path). [E to Exit]. > ')
if e_to_exit(new_image) =='e' : return
new_desc = input (f'\n The current Description is:\n {order_list[3]}.\n\n Enter the New Description. [E to Exit]. > ')
if e_to_exit(new_image) =='e' : return
# Updating the record in the DataBase.
if new_date > '' and new_date != "e" :
c.execute("update orders set order_date = '{}' where o_id = {}".format(new_date,int(order_list[0])))
db_conn.commit()
if new_onum > '' and new_onum != "e" :
c.execute("update orders set order_num = '{}' where o_id = {}".format(new_onum,int(order_list[0])))
db_conn.commit()
if new_qunt > '' and new_qunt != "e" :
c.execute("update orders set order_quantity = '{}' where o_id = {}".format(new_qunt,int(order_list[0])))
db_conn.commit()
if new_price > '' and new_price != "e" :
c.execute("update orders set order_price = '{}' where o_id = {}".format(new_price,int(order_list[0])))
db_conn.commit()
if new_ship_price > '' and new_ship_price != "e" :
c.execute("update orders set order_price = '{}' where o_id = {}".format(new_ship_price,int(order_list[0])))
db_conn.commit()
if new_link > '' and new_link != "e" :
c.execute("update orders set order_link = '{}' where o_id = {}".format(new_link,int(order_list[0])))
db_conn.commit()
if new_image > '' and new_image != "e" :
c.execute("update orders set order_img = '{}' where o_id = {}".format(new_image,int(order_list[0])))
db_conn.commit()
if new_desc > '' and new_image != "e" :
new_desc = " ".join([word.capitalize() for word in new_desc.split(" ")])
c.execute("update orders set order_desc = '{}' where o_id = {}".format(new_desc,int(order_list[0])))
db_conn.commit()
input('\n One record has been EDITED and Saved... \n ... Press any key to Continue ...')
else:
input('\n Wrong input ... Press any key to continue ..')
except:
pass
[All the System Codes available in Download Page.]
Finish: Now we have an application that will store and retrieve our simple order data.
Enhancement: We can do some enhancement in [link and image] data part to show and display them in better way.
| Part 1 | Part 2 | Part 3 | Part 4 |
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: My Orders Tracker P-3
Learning : Pythn, sqlite, Database, SQL
Subject: Create a system to track the orders
In this part we will write the code to Delete an Order that we have from our system, also we will add some validations on the user input, like if the user enter something not from the menu, or to do so, first we will re-call the show_orders() function that we have and passing the ‘yes’ parameter which means we are calling the function from inside another function [we will not print the function header, and will not clear the screen]. Then we will ask the user to select/Enter the ID of the order to be Deleted, after that we will print tha order details again on the screen and ask the user to confirm Deleting command by entering ‘Y’ … thats it.. let’s write the code..
# Delete Order
def del_order():
os.system('clear')
print("\n==========[ Delete Orders ]==========\n")
show_order('yes')
del_order = input(' Select the Order ID to be Deleted. [E to Exit] > ')
if not del_order.isnumeric() :
input('\n You need to enter an Orders ID [Numeric]. .. Press any Key .. ')
return
elif del_order in ['e','E'] :
return
try:
c.execute ("select * from orders where o_id ={}".format(del_order))
order_list = c.fetchone()
if order_list == [] :
input('\n ID {} not exsist.'.format(del_order))
return
os.system('clear')
print("\n==========[ Delete Orders ]==========\n")
print('\n Details of the Order you select:\n ')
print(" ID: ",order_list[0])
print(" Date: ",order_list[1])
print(" Order Number: ",order_list[2])
print(" Price: ",order_list[4])
print(" Quantity: ",order_list[5])
print(" Shipment Price: ",order_list[6])
print(" Total Cost: {:.2f}".format((order_list[4]*order_list[5]) + order_list[6]))
print("\n Description:",order_list[3])
print(" Image:",order_list[8])
print(" Link:",order_list[7])
user_confirm = input("\n\n You Select to DELETE the above Order, Enter Y to confirm, E to Exit. > ")
if user_confirm in ['y','Y'] :
#To Delete the order..
c.execute ("delete from orders where o_id ={}".format(int(del_order)))
db_conn.commit()
input('\n One record has been DELETED ... \n ... Press any key to Continue ...')
elif user_confirm in ['n','N']:
input("\n You select not to DELETE any thing. Press any key to Continue .. ")
elif user_confirm in ['e','E']:
input("\n You select stop the process and EXIT. ... Press any key to Continue .. ")
return
else:
input('\n Wrong input ... Press any key to continue ..')
except:
pass
In Next Post: In the coming post P4 , we will write the codes to Edit an order information.
| Part 1 | Part 2 | Part 3 | Part 4 |
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: My Orders Tracker P-2
Learning : Pythn, sqlite, Database, SQL
Subject: Create a system to track the orders
In this part we will write the code to Add new Order to the system, and to Show the orders we have in the database. Also we will write tow new functions that we will use in our application, one is the Date Validation and the other is just to check if the user enter a [q or Q] during collecting data [Q mean Quit] then we will call the quit() function.
Before we start the Add new order function, we will write the def date_validation (the_d) : and we will pass the date that the user enter and will check if it is in the right format, here in our application we will check if it is in [dd-mm-yyyy] format, the function will return the ‘valid’ string if the date in in right format, otherwise it will return a message of error.
Here is the function code ..
# Date Validation function.
def date_validation (the_d) :
if the_d=="" or the_d[2] !='-' or the_d[5] !='-' :
return '\n Date Not Valid. [Date format: dd-mm-yyyy]'
else:
if not(len((the_d.split("-")[2])) == 4 ):
return '\n Date Not Valid "Bad Year". [Date format: dd-mm-yyyy].'
if not (len((the_d.split("-")[1])) == 2 and (int(the_d.split("-")[1]) > 0 and int(the_d.split("-")[1]) 0 and int(the_d.split("-")[0]) <=31)) :
return '\n Date Not Valid "Bad Day". [Date format: dd-mm-yyyy].'
return 'valid'
![]() |
The other function as we said, we will call it after each data entry to check on user input if it is ‘Q’ or Not. Here is the code..
def q_to_quit(check):
# If the user enter [q or Q] the function will return quit function.
if check in ['q','Q'] :
return quit()
Now, we will start to write the function to Add new order, we will ask the user to enter the date for the order, such as Order date, order number, the description, price and so-on. Here is the code..
# Function to add new order to the system.
def add_order():
os.system('clear')
print("\n==========[ Add New Order ]==========\n")
while True :
print(' NOTE: Enter Q any time to EXIT/Quit. \n')
order_date = input(' Enter the Date of the Order. as[dd-mm-yyyy] > ')
q_to_quit(order_date)
if date_validation (order_date) == 'valid' :
break
else :
print(date_validation (order_date))
order_Num = input(' Enter the order ID or Number. > ')
q_to_quit(order_Num)
order_desc = input(' Enter the order Description. > ')
q_to_quit(order_desc)
order_price = input(' Enter the Order Price. > ')
q_to_quit(order_price)
order_quantity = input(' Enter the quantity of the order. > ')
q_to_quit(order_quantity)
shipment_price = input(' Enter the shipment_price. > ')
q_to_quit(order_price)
order_link = input(' Enter the hyper Link to the Order. > ')
q_to_quit(order_link)
order_img = input(' Enter the Image file path. > ')
q_to_quit(order_img)
order_desc = " ".join([word.capitalize() for word in order_desc.split(" ")])
c.execute ("INSERT INTO orders (order_date, order_num, order_desc, order_price,order_quantity, shipment_price , order_link, order_img ) VALUES(:order_date, :order_Num, :order_desc, :order_price, :order_quantity, :shipment_price , :order_link, :order_img)", {"order_date":order_date, "order_Num":order_Num , "order_desc":order_desc, "order_price":order_price,"order_quantity":order_quantity, "shipment_price":shipment_price , "order_link":order_link, "order_img":order_img})
db_conn.commit()
input('\n Press any key to Contenu..')
After adding a records to the database, now we want to show what we have and print it on the screen, so we will write a function to Show the data. Here is the code..
# Function to display the data on the screen.
def show_order():
os.system('clear')
print("\n==========[ Show Orders ]==========\n")
c.execute ("select * from orders where o_id >0")
order_list = c.fetchall()
for x in range (0,len(order_list)):
print(" ID: ",order_list[x][0]," "*(10-(len(str(order_list[x][0])))), end='')
print("Date: ",order_list[x][1]," "*2, end='')
print(" Order Number: ",order_list[x][2]," "*(8 - len(order_list[x][2])))
print("Price: ",order_list[x][4]," "*(6 - len(str(order_list[x][4]))), end='')
print("Quantity: ",order_list[x][5]," "*(11 - len(str(order_list[x][5]))), end='')
print("Shipment Price: ",order_list[x][6]," "*(10 - len(str(order_list[x][6]))), end='')
print("[ Total Cost: ",(order_list[x][4]*order_list[x][5]) + order_list[x][6],"]")
print("\nDescription:",order_list[x][3])
print("Image:",order_list[x][8])
print("Link:",order_list[x][7])
print("-------------------------------------------------------------------\n")
input('\n Press any key to Contenu.. ')
![]() |
In Next Post: In the coming post P3 , we will write the codes to Delete an Order and to Edit an order.
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: My Orders Tracker P-1
Learning : Pythn, sqlite, Database, SQL
Subject: Create a system to track the orders
Overview:
To track and manage the orders we making through the Internet, we will use the SQlite DateBase to store the data and Python to write the code.
Data we collect:
We will collect the following: order_date, order_ID, order_desc, order_price, shipment_price, order_quantity, order_link, order_img,
Functions: In this project we will create several functions related to the Order Management such as
– Add new Order.
– Edit an Order.
– Delete an Order.
– Show the orders.
Also we will use some of our older functions like date validation.
In Part 1:
– We will set-up the database, create the connection.
– We will create wote the code to create the table, and insert the zero-record.
– We will create the functions names, and the Main-Menu.
So, first code in this part is to import sqlite3, os
then, we will write the database connection as the commeing code:
# Create the data-base and name it as myorders.
db_conn = sqlite3.connect (“myorders.db”)
# set the connection.
c = db_conn.cursor()
Then, we will start writing the the code for the main menu and the functions names that we may have in the application, as in all our systems we will have the three most used function to Add, Edit and Delete the an Order, also we need to show the orders in our system/database, we also will use other function that will help us to Validate the user input such as Date-Validating.
Now, we will start to write the code, first the Main-Menu:
# The Main Menu
def main_menu():
os.system('clear')
print("\n==========[ Main Menu ]==========")
print(' 1. Add New Order.')
print(' 2. Edit an Order.')
print(' 3. Delete an Order.')
print(' 4. Show Orders.')
print(' 9. Exit.')
user_choice = input("\n Select from the Menu: > ")
# we will return the user choice.
return user_choice
Now, we will have the all functions name with header code.
# All functions names with Header
def add_order():
os.system('clear')
print("\n==========[ Add New Order ]==========")
input('\n Press any key to Contenu..')
def edit_order():
os.system('clear')
print("\n==========[ Edit an Order ]==========")
input('\n Press any key to Contenu..')
def del_order():
os.system('clear')
print("\n==========[ Delete an Order ]==========")
input('\n Press any key to Contenu..')
def show_order():
os.system('clear')
Last thing in this part, we will write the main while function in the body part that will call the Main_Menu and keep the user in the application until he/she select number 9 in the menu that mean Exit.
# running the menu and waiting for the user input.
while True :
user_select = main_menu()
if user_select == '1' :
add_order()
elif user_select == '2' :
edit_order()
elif user_select == '3' :
del_order()
elif user_select == '4' :
show_order()
elif user_select == '9' :
print('\n\n Thank you for using this Appliation. ')
break
else :
input('\n Select Only from the list.. Press any key and try again..')
In Next Post: In the coming post P2, we will write the codes for the Add new Order to the system also to Show the list of orders we have in the databse.
| Part 1 | Part 2 | Part 3 | Part 4 |
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: Password Generator
Learning : Python Project
Subject: Password Generator
In this function we will use the string library to select a random X numbers of letters as a Password length and print it on the screen.
First: We create a list of letters type l_type that hold the following: lowercase, uppercase, digits, punctuation and we will use the (random.choice) to select from the list.Then we will call the ‘password Generator’ pass_generator function torandomly select a letter based on the selected type, we will do so for a X time (X is the length of the password). In this project we will print the password on the screen, in real-life we can send the password via email or SMS. Here is the Code ..
# Password Generator Function
"""
Project: Python Password Generator
By: Ali Radwani
Date: Des-2020
This function will use the string library to select a random X numbers of letters as a Password and print it on the screen.
We create a list of letter type l_type that hold the following lowercase, uppercase, digits, punctuation and we will
use the (random.choice) to select from the list, then we will call the 'password Generator' pass_generator function to
randomly select a letter, we will do so for a X time (X is the length of the password). In this project we will print
the password on the screen, in real-life we can send the password via email or SMS.
"""
import random, string
l_type = ["lowercase","uppercase","digits","punctuation"]
the_password =[]
def pass_generator(lt) :
if lt =="lowercase":
the_password.append(random.choice(string.ascii_lowercase))
elif lt =="uppercase" :
the_password.append(random.choice(string.ascii_uppercase))
elif lt =="digits" :
the_password.append(random.choice(string.digits))
elif lt =="punctuation":
the_password.append(random.choice(string.punctuation))
return the_password
pass_length = int(input("\n Enter the password Length: > "))
while len(the_password) < pass_length:
pass_generator(random.choice(l_type))
print("\n The New Generated Password is: ","".join(the_password))
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Library System with Excel -P4
Learning :Excel formulas and VBA Cods
Subject: To Develop a Library System with Excel
In last post we wrote all the codes needed to Manage the Authors.
In this part we will do all the coding needed to enter New Books and Edit or Delete anyone we select, in Classifications and Authors we were dealing with one attribute, but here with Books Manage form we have several pieces of information to collect from the user such as [Book Title, Book Author, Book Classification, Publish date, Notes, Book Language ]. So first let’s design the form..
1. Open the Books sheet
2. Change the color of the range(B6:E24)
3. In Cell B6 write “Select a Book to Edit or Delete”, Color and format it as you want.
4. In Cell H6 write “Books Form”, Color and format it as you want.
5. Color and format the Range (B6:L26) as you want.
6. Create three rectangular shapes as New, Delete, and Save buttons.
7. Create another three small rectangular shapes write “+” inside them.
5. We need to create a ListBox name it “books_ListBox 4”.
6. Arrange everything as in the image.
![]() |
Now move to the “setting” sheet and write the following: B4:Books, B5:current_book, C5:1, B6:mode, C6: edit.
Then in the “Data” Sheet starting from A1 write the following:
A1:Books Data, B1:BookTitle, C1:book_author, D1:class, E1:Published, F1:Note, G1:lang
A2:ID, B2:Title, C2:Author, D2:Class, E2:Published, F2:Note, G2:language
CODING:
To copy the list of the Books we have into the books_ListBox 4 we create:
1.1 From the Menu go to Formulas and click on Name Manager.
1.2 From the pop-up screen click on New, then write books_list in Name, and =OFFSET(Data!$B$3,,,COUNTA(Data!$B:$B)) in Refers to.
2.1. Select books_ListBox 4 on the Books sheet.
2.2. Right-click the mouse, and select FormatControl.
2.3. Goto Control Tab, and in Input range write: books_list, and in Cell link write Setting!$C$5 then press OK.
Now the listBox will contain the Books we have in the Books table in Data Sheet. (If we have any Data there)
3. Data Validation: We need to create Data Validation-list in the cells K12: for Authors list, K14: for Classifications list and K18: for Language list.
1. Select K12, from Data-menu click on Data-validation, select List then in the source type this: =OFFSET(Data!$K$3,,,COUNTA(Data!$K:$K))
2. Select K14, from Data-menu click on Data-validation, select List then in the source type this: =OFFSET(Data!$P$3,,,COUNTA(Data!$P:$P))
3. Select K18, from Data-menu click on Data-validation, select List then in the source type this: =OFFSET(Data!$M$3,,,COUNTA(Data!$M:$M))
book_new_Click() In this function we will Clear all cells [k8, k10,k12,k14,k16,k18, K20] also the note_TextBox1 and will change the cell C6 in Setting Sheet to “new”. Here is the code..
‘ Clear all cells.
Sheets(“Books”).Range(“K8”).Value = “” ‘ID/number
Sheets(“Books”).Range(“K10”).Value = “” ‘Title
Sheets(“Books”).Range(“K12”).Value = “” ‘Author name
Sheets(“Books”).Range(“K14”).Value = “” ‘classification
Sheets(“Books”).Range(“K16”).Value = “” ‘published date
Sheets(“Books”).Range(“K18”).Value = “” ‘language
Sheets(“Books”).Range(“K20”).Value = “” ‘note
Sheets(“Books”).note_TextBox1 = “”
‘ change book mode to “new”
Sheets(“setting”).Range(“c6”).Value = “new”
Sheets(“Books”).Range(“K8”).Select
End Sub
now in the Books sheet select the button “New” we create and assign the “book_new_Click” macro to it.
book_save_Click() The Save function will have tow parts, if the user click on New then we will have:
Sheets(“setting”).Range(“C6”).Value = “new” in this case we will copy all the Book Data from Range(“K8”),Range(“K10”),Range(“K12”),Range(“K14”),Range(“K16”),Range(“K18”) and the value of the note_TextBox1 to the Data sheet under Boos Table, then will empty all the range in the book form, also will pop-up a MsgBox ” One New Book has been Added.”.
if Sheets(“setting”).Range(“C6”).Value = “edit” in this case we will get the current selected book location by selected_book = Sheets(“setting”).Range(“C5”).Value + 2 then re-copy the book data from the form to the Book Table in the Data Sheet and pop-up MsgBox ” One Book Data has been Updated.”.
In Books form we have also three + buttons next to Author, Classification and Language cells, if the user did not find say the Author in the list then he/she can add new one by clicking on the +
Edit Book Data: The user can select any Book from the Book List on the left-hand list then it’s Data will show-up in the form, the user then can change any of the Book-Data and press on Save.
book_delete_Click() The user will select the Book to de deleted then click on “Delete” button, a massage will pop-up to make sure that Book will be DELETED, if the user confirm the cation (press OK) we will run this line of code:
‘To get the book row number.
selected_book = Sheets(“setting”).Range(“C5”).Value + 2
‘To delete the book row
Sheets(“data”).Range(“A” & selected_book & “:G” & selected_book).Delete Shift:=xlUp
Pressing the (+) button: We have three (+) buttons in this form to add New Authors, Classifications, and Languages if not exist in the list; for example, if the user couldn’t find the Author of the Book (he/she want to enter to the system) pressing the (+) will pop-up a dialog box to Enter New Author and the same for classification and Language. Here is the code..
Sheets(“Books”).Range(“K12”).Value = “”
new_author_name = InputBox(“Enter a New Author Name and Click OK:”, “:: New Author :: “)
‘if we add new author then save it.
If new_author_name > “” Then
‘ Get next empty row
next_row = Sheets(“Data”).Range(“K” & Rows.Count).End(xlUp).Offset(1).Row
Sheets(“Data”).Range(“K” & next_row) = new_author_name
Sheets(“Books”).Range(“K12”).Value = new_author_name ‘Author name
Sheets(“setting”).Range(“F6”).Value = “still”
‘ To Sort the Authors list
next_row = Sheets(“Data”).Range(“K” & Rows.Count).End(xlUp).Offset(1).Row
Sheets(“Data”).Range(“K3:K” & next_row – 1).SortSpecial SortMethod:=xlPinYin
End If
Sheets(“Books”).Range(“K12”).Select
End Sub
End of Part-4
Recap this part:
1. We Create the Books header Tabke.
2. We Create a form to collect the Books from the user.
3. We Create the Books ListBox.
4. We wrote the VBA code to Save, Delete, and Create New Book also to retrieve the Books information into Books ListBox.
5. We let the user to Enter New Author, classification, Language into the system through a dialog box.
:: Library System with Excel ::
| Part 1 | Part 2 | Part 3 | Part 4 | Part 5 |
To Download EXCEL (.xlsm) files Click-Here
By: Ali Radwani
Python: Spirograph
Learning : Python
Subject: Writing Python codes to generate Spirograph Art
Writing codes to draw always funny time for me, playing around numbers, changing attributes to get something new and changing it again .. and again ..
In this post, we will write a code to draw some spirograph shapes, easy and shrort code will do the job. So lets Start ..
We will use Python Library turtle to draw, and will write one Function call it def draw_it(h,sz,ang) will take three arguments: h:number of heads, sz: size, ang: angle, then we will call this function to draw our Spirograph Art.
Code:
First we will set-up the turtle:
# turtle set-up
import turtle
t = turtle.Turtle()
t.shape("dot")
t.speed(0)
t.hideturtle()
Then here is the main Function to draw our graphs
# draw_it() function
def draw_it(h,sz,ang) :
c = 0
while True :
for i in range (h) :
t.forward(sz)
t.right(360/h)
t.right(ang)
c +=1
if c >=360/ang :
break
Then we call the function and pass the parameters, I tried several combinations and will include them in the source file in Download section. Here are some out-puts.
| Calling: t.pencolor(‘lightgray’) draw_it(19,19,19) t.pencolor(‘gray’) draw_it(17,17,17) t.pencolor(‘black’) draw_it(15,15,15)
|
|
![]() |
Hope you enjoy, have fun and change the numbers to get new shapes ..
To Download my Python code (.py) files Click-Here
By: Ali Radwani











Follow me on Twitter..













