Archive
Python: Cooking App P-5
Learning : Python, Data-Base, SQlite
Subject: Writing a Cooking Application
RECIPES MENU: Once I start reading the Net (blogs and Cooking Books) to see how cookers talking about foods-recipes, I realise that I may need to add something to the DataBase, then I start writing the codes for the “Recipe Menu” and immediately I find the we need to add a new Table; I call it “recipes_steps” it will hold several steps of how to cook a recipe.
DataBase Diagram![]() |
Here is the code to create the new Table and adding the record 0 (Zero).
# To create the Table “recipes_steps” .
sql_recipes_steps =”CREATE TABLE if not exists recipes_steps (st_id INTEGER PRIMARY KEY AUTOINCREMENT,r_id integer, rec_steps text )”
c.execute(sql_recipes_steps)
db_conn.commit()
# To add the Record Zero.
c.execute (“INSERT INTO recipes_steps (st_id) VALUES(:st_id)”,{“st_id”:0})
db_conn.commit()
First let’s see the “Recipe Menu” and from there we will write the codes for each item in the menu. As we saw in Ingredients Menu, same functionality should be here to, Listing all Recipes, Adding new one, Editing and Deleting a recipes. We will write the code for each of them, and here is the code for the “Recipes Menu”
# Recipes Menu - Function def recipes_menu (): while True: os.system("clear") print('\n ===========[ RECIPES MENU ]=============') print(' --------------------------------------') print(' 1. Show Recipes.') print(' 2. Add Recipe.') print(' 3. Delete Recipe. ') print(' 4. Edit Recipe.') print(' 9. Exit') uinp= input('\n Enter your Selection: ') if uinp == '1': show_recipes() elif uinp == '2': add_recipe() elif uinp == '3': del_recipe() elif uinp == '4': edit_recipe() elif uinp =='9': return else: print('\n Please select from the Menu.')
So first thing we will work on “Show Recipes”, once the user select Show Recipes another Menu will be display to give more option as in the screen shot..
![]() |
![]() |
To display the Recipes based on the options we have, we will write a function that take a parameter based on the user selection so the user can search for a recipe based on it’s Name, Date or other details. Let’s see the code ..
![]() |
![]() |
NOTE THAT: We did nothing with Tags option, after we finish the application we will assume that the Business owner ask to add a new requirement to the application, and we will see the impact of this and who to solve it.
In Next Post we will work on the Adding New Recipe to our Cooking Application.
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: Cooking App P-4
Learning : Python, Data-Base, SQlite
Subject: Writing a Cooking Application
INGREDIENT MENU: In this post we will write the Python code for the Ingredient Menu Functions. We have four main Functions :
1. Show all Ingredient.
2. Add Ingredient.
3. Delete Ingredient.
4. Edit Ingredient.
We need the Ingredient List so the user can select an Ingredient for the Recipes they want to write. First we will list down all the Ingredient in the Table.
show_ingredient is a function to list all the ingredient in “ingredients_list” Table, here is the code ..
# Show Ingredient Function def show_ingredient(): os.system("clear") print('\n ====== Show All Ingredient =====') show_sql = c.execute('select * from ingredients_list where i_l_id > 0 order by i_name') for each in c.fetchall() : print (' ',each[0],'....',each[1]) input('\n .. Press any key .. ')
add_ingredient Function will let the user to add more Ingredients to the list.
# Add New Ingredients Function def add_ingredient(): os.system("clear") print('\n ====== Adding New Ingredient =====') ing_name = input('\n\n Enter an Ingredient you want to add: ').capitalize() c.execute ("INSERT INTO ingredients_list (i_name) VALUES(:i_name)",{"i_name":ing_name}) db_conn.commit() input('\n .. One Ingredient Added .. Press any key .. ')
del_ingredient To Delete an Ingredients we need to enter it’s ID, and If we Delete one and that one was used in any recipes, then once we view the recipe the Ingredients will not show there.
# To Delete an Ingredient def del_ingredient(): os.system("clear") print('\n ====== Delete an Ingredient =====\n') c.execute('select * from ingredients_list where i_l_id > 0 order by i_name') for each in c.fetchall() : print (' ',each[0],'....',each[1]) ing_del = input('\n\n Enter an Ingredient ID to Delete: ') if ing_del.isnumeric(): sure_remove = input('\n Please Note that if you Delete this Ingredient it will not show in any recipes that use it.\n Are you sure you want to Remove it [Y,N] ') if sure_remove in ['y','Y']: c.execute ("Delete from ingredients_list where i_l_id = {}".format(ing_del)) db_conn.commit() elif sure_remove in ['n','N']: print('\n You select NOT to remove the Ingredient.') else : print('\n You must select (Y or N).') input('\n .. One Ingredient Deleted .. Press any key .. ') else: print('\n You must Enter a Numeric Ingredient ID.') input('\n .. Press any key .. ')
![]()
edit_ingredient To Edit an Ingredients we need to enter it’s ID, so first we will list down all Ingredients we have then the user will select the one to be edit. Here is the code to do so..
# To Edit an Ingredients. def edit_ingredient(): os.system("clear") print('\n ====== Edit an Ingredient =====') print('\n\n :: List of Ingredients.\n') c.execute('select * from ingredients_list where i_l_id > 0 order by i_name') for each in c.fetchall() : print (' ',each[0],'....',each[1]) ing_edit = input('\n\n Enter an Ingredient ID you want to Change: ') if ing_edit.isnumeric(): c.execute('select i_name from ingredients_list where i_l_id = {}'.format(ing_edit)) print(' You select to change the: ',c.fetchall()) new_ing = input('\n Enter the New Update for it: ') c.execute("update ingredients_list set i_name = '{}' where i_l_id = {}".format(new_ing.capitalize(),int(ing_edit))) db_conn.commit() input('\n .. One Ingredient Updated .. Press any key .. ') else: print('\n You must Enter a Numeric Ingredient ID.') input('\n .. Press any key .. ')
Last thing we will Insert some Ingredients in the “ingredients_list” Table so we can test the functions, for this purpose I will write this piece of code that we can run to Insert some Ingredients.
# To Insert sample ing_list ing_list =["Onion","Spinach","Mushroom","Tomatoes","Lime","Turnip","Snake Beans", "Jalapeno","Baking powder","sugar","Eggs","Vanilla extract","Salt","Flour","Butter", "Oil","Whole milk","Orange juice","Baking soda","Ground cinnamon","Dark chocolate", "Cocoa","Cherry","Cherry jam"] for item in range (len(ing_list)): ing_name = ing_list[item].capitalize() c.execute ("INSERT INTO ingredients_list (i_name) VALUES(:i_name)",{"i_name":ing_name}) db_conn.commit()
Now, we can use the Delete, Edit and Add functions to test the “Ingredients Manager” from the Main Menu, here is some screen shots.
Show Ingredients ![]() |
Add Ingredients![]() |
Delete Ingredients![]() |
Edit Ingredients ![]() |
Note: The Screen-Shots above was before I add Order by clause to the SQL statement.
In Next post we will write the codes for the functions in the ” Recipe Menu”.
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: Cooking App P-3
Learning : Python, Data-Base, SQlite
Subject: Writing a Cooking Application
Over View: In last post (Part-2) we wrote the codes for Main-Menu and other sub-Menus, today in this post we will work on “Setting Menu”. Setting Menu has three items:
1. Create the needed Tables. [To create all tables we need in the database]
2. Drop Tables. [If any things goes wrong then we can Drop (Delete) a Table (or more) ]
3. Insert Dummy Data. [To Insert ONE Record in the tables. (Record 0)]
First thing we need to create a database and set a connection to it, also we will import the [sqlite3 and os], to do so we will write this code:
import sqlite3, os # Create the data-base & name it. db_conn = sqlite3.connect ("cooking.db") # set the connection. c = db_conn.cursor()
![]() |
Now we need to write three Functions for the Setting Menu, we will start with Table creation code and here I am posting the Data-Base Tables Diagram ..
Click to Enlarge![]() |
# Function to Create the Tables def create_tables_() : # to create tables. sql_recipes = "CREATE TABLE if not exists recipes (r_id INTEGER PRIMARY KEY AUTOINCREMENT, r_name text, r_date text, r_type text, r_details text, r_tags text )" sql_photo = "CREATE TABLE if not exists photo (p_id PRIMARY KEY AUTOINCREMENT ,r_id integer , p_name text)" sql_ingredients_list = "CREATE TABLE if not exists ingredients_list (i_l_id PRIMARY KEY AUTOINCREMENT, i_name text )" sql_rec_ingredient ="CREATE TABLE if not exists rec_ingredient (ing_id INTEGER PRIMARY KEY AUTOINCREMENT, i_l_id integer, r_id integer)" c.execute(sql_recipes) db_conn.commit() c.execute(sql_photo) db_conn.commit() c.execute(sql_ingredients_list) db_conn.commit() c.execute(sql_rec_ingredient) db_conn.commit() input('\n .. Cooking Tables created.. Press any key .. ')
So now if we call this function “create_tables_() “, Tables will be created. Another function in the Setting Menu is Drop a Table, as we mention above we need this function in case we need to Delete a Table and create it again, in this function first we will list all the tables in the database and ask the user to Enter the Table need to be delete. Here is the code behind this function:
# Drop a Table. def drop_table(): try: # First we will print-out the list of Tables. c.execute("SELECT name FROM sqlite_master WHERE type = 'table'") db_tables =[] for each in c.fetchall() : for t in each : db_tables.append(t) print('\n Table List .. ') for x in range (len(db_tables)) : print((x+1),db_tables[x]) t = int(input('\n Enter the number next to Table you want to Drop: ')) c.execute("DROP TABLE {}".format(db_tables[t-1])) db_conn.commit() print('\n ... One Table been Dropped') except: print('\n No Tables with this name .. ') input('\n . . . Press any key . . ')
![]() |
Last code to write in this post is to Insert One-Record in the tables, the reason of doing this manually (Hard-Coded) is that we have some “Primary key AUTOINCREMENT” fields in our tables, and to make it AUTOINCREMENT there MUST be a number first so we will enter the ZERO record (0).
# Function to Insert the Zero Record def insert_rec_0(): c.execute ("INSERT INTO recipes (r_id) VALUES(:r_id)",{"r_id":0}) c.execute ("INSERT INTO ingredients_list (i_l_id) VALUES(:i_l_id)",{"i_l_id":0}) c.execute ("INSERT INTO rec_ingredient (ing_id) VALUES(:ing_id)",{"ing_id":0}) c.execute ("INSERT INTO photo (p_id) VALUES(:p_id)",{"p_id":0}) db_conn.commit() input('\n ...Dummy records been Inserted .... Press any key .. ')
In Next post we will write the codes for the functions in the “INGREDIENT MENU” to Add, Delete and Edit Ingredient List.
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: Cooking App P-2
Learning : Python, Data-Base, SQlite
Subject: Writing a Cooking Application
Over view: In Part-1 (Click to Read) we list down the Main-Menus and sub-menus of some options, here we will start writing the codes of each menu. We will start from the Main-Menu.
Now with each menu from the last post, we will see the code and the run-time screen.
[ MAIN MENU ]
1. Add New Meal.
2. Ingredients Manager [will have a sub menu]
3. Add New.
4. Show Recipes.(Meals) [will have a sub menu]
5. Recipes Information.) [ number or Recipes by date, number on tags, number of Ingredients .. ]
6. Data-Base Information.
7. Setting. [will have a sub menu]
9. Exit.
# Main Menu Code def main_menu(): while True : os.system("clear") print('\n ===========[ MAIN MENU ]=============') print(' --------------------------------------') print(' 1. Add New Meal.') print(' 2. Ingredients Manager') print(' 3. Add New') print(' 4. Show Recipes.') print(' 5. Recipes Information.') print(' 6. DataBase Information.') print(' 7. Setting') print(' 9. Exit.') uinput = input('\n Select the required action: ') if uinput == '1' : pass elif uinput =='2' : ingredient_menu() elif uinput =='3' : show_recipes () elif uinput =='4' : pass elif uinput =='5' : pass elif uinput == '6' : pass elif uinput == '7' : setting_menu() elif uinput == '9' : return else: print('\n You need to select from the menu..')
![]() |
![]() |
Second menu to write is “Show Recipes”, the user will use this menu to display and read the Recipes.
[ Show Recipes ]
1. Show All Recipes.
2. Show Recipes By Date.
3. Show Recipes By Ingredients.
4. Show Recipes By Tags.
5. Show Recipes By Name.
9. Exit.
# Show Recipes Menu Code def show_recipes () : while True: os.system("clear") print('\n ===========[ Show Recipes ]=============') print(' --------------------------------------') print(' 1. Show All Recipes.') print(' 2. Show Recipes By Date. ') print(' 3. Show Recipes By Ingredients.') print(' 4. Show Recipes By Tags.') print(' 5. Show Recipes By Name.') print(' 9. Exit') uinp= input('\n Enter your Selection: ') if uinp == '1': pass elif uinp == '2': pass elif uinp == '3': pass elif uinp == '4': pass elif uinp == '5': pass elif uinp =='9': return else: print('\n Please select from the Menu.')
![]() |
![]() |
Third menu we have in our application is “Ingredient Menu”, the user will it to manage the Ingredient list.
[ INGREDIENT MENU ]
1. Show all Ingredient.
2. Add Ingredient.
3. Delete Ingredient.
4. Edit Ingredient.
9. Exit.
# Ingredient Menu Code def ingredient_menu(): while True: os.system("clear") print('\n ===========[ INGREDIENT MENU ]=============') print(' --------------------------------------') print(' 1. Show all Ingredient.') print(' 2. Add Ingredient.') print(' 3. Delete Ingredient. ') print(' 4. Edit Ingredient') print(' 9. Exit') uinp= input('\n Enter your Selection: ') if uinp == '1': pass elif uinp == '2': pass elif uinp == '3': pass elif uinp == '4': pass elif uinp =='9': return else: print('\n Please select from the Menu.')
![]() |
![]() |
Last menu we have is “Setting Menu”, from here we can create the tables and Insert a Dummy-Data.
[ SETTING MENU ]
1. Create the needed Tables.
2. Drop Tables.
3. Insert Dummy Data. (MUST be run after Tables Creation)
9. Exit.
# Setting Menu Code def setting_menu(): while True: os.system("clear") print('\n ===========[ SETTING MENU ]=============') print(' --------------------------------------') print(' 1. Create the needed Tables.') print(' 2. Drop Tables. ') print(' 3. Insert Dummy Data. (MUST be run One-Time after Tables Creation)') print(' 9. Exit') uinp= input('\n Enter your Selection: ') if uinp == '1': pass elif uinp == '2': pass elif uinp == '3': pass elif uinp =='9': return else: print('\n Please select from the Menu.')
![]() |
![]() |
Next Post: In next post we will write the codes for Setting menu so we can run it and from there we can create the Tables and Insert the Dummy Data.
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: Cooking App P-1
Learning : Python, Data-Base, SQlite
Subject: Writing a Cooking Application
Over view: We will start new project to work on in coming weeks, and will call it ” Cooking App” I will use Python as a code language and Sqlite3 as a database in a full stack task.
Assumptions: I will assume that we have some basic information about Database such as Tables, fields, records and relationships between tables also Primary key and foreign keys. All this are important just to understand what’s going on, and we will write the code to generate all tables through Python code.
The Concept: The Cooking App will give the user the ability to write a food Recipe with it’s ingredients and how to cook it. (Along with it’s photo.. ) The application will have the ability to store a list for ingredient so the user can select from it instead of re-writing it every time, also to save the photo of your dish if you want.
Data-Base Design: In this application we will need four Tables, we will call them: Recipes, Photo, Rec_ingredients and ingredient_list. Each table will have a Primary Key (id).
Here are the Tables and the Fields
- r_id PRIMARY KEY AUTOINCREMENT
- r_name
- r_type (Breakfast, Lunch, Dinner)
- r_tags (NOT Sure to use static list or DB-Table)
- r_date
- r_details
Recipes
-
Photo
- p_id PRIMARY KEY AUTOINCREMENT
- r_id FOREIGN KEY
- p_name
-
Ingredients_List
- ing_id PRIMARY KEY AUTOINCREMENT
- i_name
-
rec_ingredient
- ing_id PRIMARY KEY AUTOINCREMENT
- i_l_id
- r_id
First thing we will write in the application is the Main-Menu and other sub menus we may have in the application. (After posting this article Menus may change)
[ MAIN MENU ]
1. Add New Meal.
2. Ingredients Manager [will have a sub menu]
3. ??.
4. Show Recipes.(Meals) [will have a sub menu]
5. Recipes Information.) [ number or Recipes by date, number on tags, number of Ingredients .. ]
6. Data-Base Information.
7. Setting. [will have a sub menu]
9. Exit.
[ Show Recipes ]
1. Show All Recipes.
2. Show Recipes By Date.
3. Show Recipes By Ingredients.
4. Show Recipes By Tags.
5. Show Recipes By Name.
9. Exit.
[ SETTING MENU ]
1. Create the needed Tables.
2. Drop Tables.
3. Insert Dummy Data. (MUST be run after Tables Creation)
9. Exit.
[ INGREDIENT MENU ]
1. Show all Ingredient.
2. Add Ingredient.
3. Delete Ingredient.
4. Edit Ingredient.
9. Exit.
We can say that this is a blue-print of the application that we want to work on, everything is subject to change while working, since this is a personal application we will be flexible in changing, but in real life project development cycle we need to take an approval (From the Business Owner) on the project plan and design before we start working also to be very clear that : “Any changes in the scope of work may cost money and time”.
Next Post: In next post we will write the codes for the menu also we will create the Tables.
To Download my Python code (.py) files Click-Here
By: Ali Radwani
Python: SQlite Project – P3
Learning : Python and Sqlite3
Subject: Sqlite3, Database functions ” Employee App” P3
In this post we will cover the SEARCH AND EDIT Functions, so let’s start with Edit.
To Edit or change something or a record in the database we need to target that line of record; and to do this we will select the record by it’s Primary-Key. In our employee table the primary-key is emp_id. Our scope is to list-down all the data to the user and he will enter the ID of the employee, then we will ask about each field if he want to change it, and we will assume that if he just press enter then NO CHANGE will be done to that field. So let’s see the Function in run also the code ..
Once we select opt.4 in Main-Menu we will seea list of all records and the prompt |
![]() |
Then the system will show the record after the change.. |
![]() |
And here is the code ..
![]() |
Now we will write a basic SEARCH function, usually searching (in a simple apps) will be for one of the fields in the DataBase, in our case we have employee First Name, Employee Last Name and the Salary. In the Search section we will ask the user to select a searching key (fname, lname or Salary) then to enter the value to be search for and running our SQL-Query based on that. Let’s see.
First here is the run screen, Once we select Search from Main-Menu we will jump into Search Page, with short list to select from, in this sample I select the 1. First Name (search key), then the prompt will wait for the user to Enter the Name and retrieve the record ..
![]() |
Here I select to search with Last Name, and i got two records ..
![]() |
For the Salary we will have two options, even to fetch all the records with same salary amount the user will enter, or the user can enter a range for the salary (From and To). Let’s see the run-screen for it.
![]() |
We can see that 4 records has the salary between (500 and 1500) also we sort the records by salary. |
Last thing here is a screen-shot of the code ..
![]() |
By this paragraph we reach the end of this simple application, we work full-stack, we design the database, Table and create it, also we design the application Menus and Functions. If we run the application we may find some small issues that need to be enhanced or changed, but in general the Main Goal was to write a simple application working with DataBase and using SQlite.
To Download my Python code (.py) files Click-Here
By: Ali Radwani