Web Development with Python, Sqlite and Flask

Total Page:16

File Type:pdf, Size:1020Kb

Web Development with Python, Sqlite and Flask Web development with Python, SQLite and Flask In this session we will consider how to create a web front end for a simple Python database. It will be helpful if you have experience of creatinG databases in Python already. This session involves followinG instructions from a worksheet – not my preferred way of teachinG but hopefully you will find it useful anyway! Please work in pairs! You may not complete all the instructions in this short session but you can complete it at home! To Get Python workinG with web paGes we have chosen to use Flask, a web development system, althouGh there are other options. You can choose to host your website on your own server, but to make it easier we are usinG http://pythonanywhere.com as this allows you to set up a website without having to have your own server. There are three parts to GettinG started: 1) Create a Python Anywhere account 2) Use “routes” to link Python files to web paGes 3) Start with a simple database and output the records to a web paGe. Part 1: Get started with Python Anywhere In this part you will: • Create a Python Anywhere account • Check that it works Firstly, go to https://www.pythonanywhere.com/ and choose a beGinner account. Once you have created an account, select the option Web from the top-riGht of the paGe. CAS London Conference 2020 1 Sue Sentance & Alex Parry Select Add a new web app and click Next. This will create a website for you at the address: <username>.pythonanywhere.com At the next screen select Flask. Then select Python 3.8. Select Next but make a note of where your web app will be stored – mine is in /home/MrParry/mysite/flask_app.py – or you can chanGe this. CAS London Conference 2020 2 Sue Sentance & Alex Parry The next screen has the confiGuration information – the defaults should be OK. You can now test that the web app is set up by openinG a new tab in your browser and going to <your-username>.pythonanywhere.com, or by riGht-clickinG and openinG the link in a new tab that is after the “ConfiGuration for” text. You should see “Hello from Flask!”. KeepinG this tab open means that you can switch between editinG and viewinG your web app easily. You now have a workinG web app – all you need to do now is to write what will Go on your web paGes. This uses a combination of HTML files and Python functions. Go back to the tab showinG the website confiGuration (keepinG the one showinG your site open), and click on the Files tab. You will be taken to a list of files and directories. Click on the mysite directory. CAS London Conference 2020 3 Sue Sentance & Alex Parry RiGht-click and open in a new tab to open flask_app.py which contains the Python code You will now be able to look inside the file flask_app.py (inside the mysite directory) which shows you where the “Hello from Flask!” messaGe came from. The line @app.route('/') means that the home paGe of your website will run the function below You can edit this strinG and check that it chanGes on your web paGe IMPORTANT! When you have chanGed anythinG in your files you must do three thinGs: 1. Click Save 2. Click the Refresh button on the top riGht-hand corner of the Python Anywhere window 3. Refresh the tab where your web app is (use F5 or click enter at the end of the URL) CAS London Conference 2020 4 Sue Sentance & Alex Parry Part 2: Writing code to interact with a web page In this part you will: • Create an HTML file to display a web paGe • Edit the Flask app in Python to render an HTML file Firstly, click on Files and then on mysite (unless you renamed this). Inside mysite is your Python proGram flask_app.py Then create two new directories (folders) called templates and static inside the mysite folder. The templates folder will be for the HTML files that are used to view the data, and static will be used to hold CSS files to style your web paGes and make them look better. CAS London Conference 2020 5 Sue Sentance & Alex Parry Your Python code will all Go inside flask_app.py – this is the Controller. Inside the templates folder create a file called index.html (this is your homepaGe). Make a simple HTML file to display a welcome messaGe. <!doctype html> <html> <body> This is my first Flask program </body> </html> Now edit flask_app.py so that it routes to the HTML view you have just defined. You need to import the method render_template from Flask at the top of the page. Then you should redefine the function underneath @app_route('/') so that it returns the web paGe you have created 'index.html' using render_template Remember to save and refresh the Python code (usinG the two buttons on the top-riGht hand corner) and then refresh your web app page or open it aGain. Once that works that’s almost all you need to know to start workinG with your database via a web interface! The next step is to start workinG with a database. CAS London Conference 2020 6 Sue Sentance & Alex Parry Part 3: Connecting to the database In this section you will: 1. Upload a simple database to work with in this application 2. Create another Python function to display the students in the database 3. Create an HTML file to display the students in a web paGe 4. Link the new paGe to your homepage, index.html 1) Uploading a database to Python Anywhere You can of course create a table and populate it in Python Anywhere but for simplicity you will use a simple table that I have created and made available to you via the shared area. Our application will start as a simple student database, which is called school.db. and contains one table named Student. Download it from the shared area and inspect is usinG https://sqliteonline.com/ by selectinG File > Open DB and openinG the school database. Once you have opened the database in SQLite Online, you can click on the Student table on the left-hand side to view the field names. You can also type in SQL statements and select Run to execute them, which is a Good way of debuGGinG your application. Data dictionary and sample data for Student table Field Type Other information student_id inteGer Primary Key student_fname text student_lname text student_tg text CAS London Conference 2020 7 Sue Sentance & Alex Parry In Python Anywhere, go to Files and upload the database school.db that you have downloaded from the shared area. Do not put into mysite but into the folder level above. Your database should be at the top level 2) Create another Python function to display the students in the database The next staGe is to write a Python function that will select the student details from the database and display them. Go into the mysite folder and open flask_app.py – as you are GoinG to and fro it’s a Good idea to open it in a new tab. Add this line to the top of the Python proGram to import sqlite3: import sqlite3 Create a new function at the bottom of flask_app.py underneath the previous function. Fill in the function with the correct SQL statement to display the student details: @app.route('/list') Add the SQL statement to def list_all_students(): select the first name, last name with sqlite3.connect("school.db") as db: try: and tutor Group of all students cursor = db.cursor() sql = """ This is the Flask part where data is sent to your HTML file """ cursor.execute(sql) results = cursor.fetchall() return render_template("student-list.html", students=results) except sqlite3.Error: message = "There was a problem executing the SQL statement" return render_template("student-list.html", error=message) The @app.route('/list') route on the top line of this code tells us that this function will be called at <username>.pythonanywhere.com/list Before we can test that this new function works another web paGe should be created. CAS London Conference 2020 8 Sue Sentance & Alex Parry 3. Create an HTML file to display the students in a web page The next staGe is to create a web paGe to display the names of the students in the table. This is the output we want on the web paGe Create a new file inside the templates folder called student-list.html. We can use a Python Template EnGine called Jinja to iterate throuGh the student data in HTML that is returned from Python. You can find out more about Jinja at http://jinja.pocoo.org/ but primarily we will use the statement {% for <item> in <list> %} to iterate throuGh a list. In student-list.html write the code to display all the student names followed by a dash and their tutor Group. Note that proGramminG constructs in Jinja start with {% and end with %} whilst variables in Jinja start with {{ and end in }} <!doctype html> <html> <body> <h1>List of students</h1> <ul> {% for row in students %} <li>{{row[0]}} {{row[1]}} - {{row[2]}}</li> {% endfor %} </ul> {{error}} </body> </html> If the SQL statement executes successfully, cursor.fetchall() will return a 2D list of data which will be passed from the Python function to the Jinja variable students. Then the for loop will be executed, which will output the data from each student row as text. If there is an SQLite3 error when executinG the SQL statement, an error messaGe will be passed from the Python function to the Jinja variable error (this is Great for debuGGinG!).
Recommended publications
  • On Microprocessor Based Paddy Cultivation and Monitoring System
    A MINOR PROJECT ON MICROPROCESSOR BASED PADDY CULTIVATION AND MONITORING SYSTEM Submitted by Suraj Awal : 070-bct-42 Sujan Nembang : 070-bct-38 Anil Khanibanjar : 070-bct-07 Yagya Raj Upadhaya : 070-bct-47 DEPARTMENT OF COMPUTER & ELECTRONIC ENGINEERING PURWANCHAL CAMPUS DHARAN INSTITUTE OF ENGINEERING TRIBHUVAN UNIVERSITY NOVEMBER,2016 A MINOR PROJECT ON MICROPROCESSOR BASED PADDY CULTIVATION AND MONITORING SYSTEM Submitted to Department of Computer & Electronic Engineering Submitted by Suraj Awal : 070-bct-42 Sujan Nembang : 070-bct-38 Anil Khanibanjar : 070-bct-07 Yagya Raj Upadhaya : 070-bct-47 Under the supervision of Tantra Nath Jha DEPARTMENT OF COMPUTER & ELECTRONIC ENGINEERING PURWANCHAL CAMPUS DHARAN INSTITUTE OF ENGINEERING TRIBHUVAN UNIVERSITY NOVEMBER,2016 ii | P a g e CERTIFICATION OF APPROVAL The undersigned certify that the minor project entitled MICROCONTROLLER BASED PADDY PLANTATION ANALYST submitted by Anil, Suraj, Sujan, Yagya to the Department of Computer & Electronic Engineering in partial fulfillment of requirement for the degree of Bachelor of Engineering in Computer Engineering. The project was carried out under special supervision and within the time frame prescribed by the syllabus. We found the students to be hardworking, skilled, bonafide and ready to undertake any commercial and industrial work related to their field of study. 1. ………………….. Tantra Nath Jha (Project Supervisor) 2. ……………………. (External Examiner) 3. ………………………… Binaya Lal Shrestha (Head of Department of Computer And Electronic Engineering) iii | P a g e COPYRIGHT The author has agreed that the library, Purwanchal Engineering Campus may make this report freely available for inspection. Moreover, the author has agreed that permission for the extensive copying of this project report for the scholary purpose may be granted by supervisor who supervised the project work recorded here in or, in his absence the Head of the Department where in the project report was done.
    [Show full text]
  • Graduation Requirements
    Page | 1 Welcome to Scottsdale Unified School District (SUSD) SUSD’s long history of success is based on strong academic and extracurricular programs offered by our schools, partnered with the dedication and experience of its teachers and staff. SUSD also fosters collaboration and communication between home and school to ensure the best possible education for all students. SUSD High schools provide an exceptional learning experience for all our students. In addition to the courses that fulfill graduation requirements, there are additional specialized programs and electives designed to create a well-rounded high school program of student study for every student. Among SUSD’s offerings is an International Baccalaureate Program, Advanced Placement courses, Honors classes, Career and Technical Education, Fine Arts, Athletics, Special Education, online learning and much more. Students engage in a curriculum designed to help them reach their academic potential and prepare them for a successful and rewarding future. Whether students are interested in art or aviation, computers or culinary arts, music or Mandarin, there are class offerings that provide a solid knowledge base for students who are college bound or plan to enter the workforce directly after high school. More information about SUSD’s 29 schools and programs serving students from pre-kindergarten through 12th grade is available on our website: www.susd.org. Page | 2 Table of Contents SCOTTSDALE UNIFIED SCHOOL DISTRICT HIGH SCHOOLS 4 EDUCATION AND CAREER ACTION PLAN (ECAP) 5 GRADUATION
    [Show full text]
  • 17 Web Cloud Storage.Pdf
    CS371m - Mobile Computing Persistence - Web Based Storage CHECK OUT https://developer.android.com/trainin g/sync-adapters/index.html The Cloud ………. 2 Backend • No clear definition of backend • front end - user interface • backend - data, server, programs the user does not interact with directly • With 1,000,000s of mobile and web apps … • rise of Backend as a Service (Baas) • Sometimes MBaaS, M for mobile 3 Back End As a Service - May Provide: • cloud storage of data • integration with social networks • push notifications – server initiates communication, not the client • messaging and chat functions • user management • user analysis tools • abstractions for dealing with the backend4 Clicker • How many Mobile Backend as a Service providers exist? A. 1 or 2 B. about 5 C. about 10 D. about 20 E. 30 or more https://github.com/relatedcode/ParseAlternatives 5 MBaaS 6 Some Examples of MBaas • Parse • Firebase (Google) • Amazon Web Services • Google Cloud Platform • Heroku • PythonAnywhere • Rackspace Cloud • BaasBox (Open Source) • Usergrid (Open Source) 7 8 Examples of Using a MBaaS • Parse • www.parse.com • various pricing models • relatively easy to set up and use • Going away 1/28/2017 9 Parse Set Up in AndroidStudio 1. request api key 2. Download Parse SDK 3. Unzip files 4. Create libs directory in app directory (select Project view) 5. Drag jar files to libs directory 10 Parse Set Up in AndroidStudio 6. add dependencies to gradle build file under app like so: https://www.parse.com/apps/quickstart# parse_data/mobile/android/native/new 11
    [Show full text]
  • Python for Bioinformatics, Second Edition
    PYTHON FOR BIOINFORMATICS SECOND EDITION CHAPMAN & HALL/CRC Mathematical and Computational Biology Series Aims and scope: This series aims to capture new developments and summarize what is known over the entire spectrum of mathematical and computational biology and medicine. It seeks to encourage the integration of mathematical, statistical, and computational methods into biology by publishing a broad range of textbooks, reference works, and handbooks. The titles included in the series are meant to appeal to students, researchers, and professionals in the mathematical, statistical and computational sciences, fundamental biology and bioengineering, as well as interdisciplinary researchers involved in the field. The inclusion of concrete examples and applications, and programming techniques and examples, is highly encouraged. Series Editors N. F. Britton Department of Mathematical Sciences University of Bath Xihong Lin Department of Biostatistics Harvard University Nicola Mulder University of Cape Town South Africa Maria Victoria Schneider European Bioinformatics Institute Mona Singh Department of Computer Science Princeton University Anna Tramontano Department of Physics University of Rome La Sapienza Proposals for the series should be submitted to one of the series editors above or directly to: CRC Press, Taylor & Francis Group 3 Park Square, Milton Park Abingdon, Oxfordshire OX14 4RN UK Published Titles An Introduction to Systems Biology: Statistical Methods for QTL Mapping Design Principles of Biological Circuits Zehua Chen Uri Alon
    [Show full text]
  • Data Mining with Python (Working Draft)
    Data Mining with Python (Working draft) Finn Arup˚ Nielsen May 8, 2015 Contents Contents i List of Figures vii List of Tables ix 1 Introduction 1 1.1 Other introductions to Python?...................................1 1.2 Why Python for data mining?....................................1 1.3 Why not Python for data mining?.................................2 1.4 Components of the Python language and software........................3 1.5 Developing and running Python...................................5 1.5.1 Python, pypy, IPython . ..................................5 1.5.2 IPython Notebook......................................6 1.5.3 Python 2 vs. Python 3....................................6 1.5.4 Editing............................................7 1.5.5 Python in the cloud.....................................7 1.5.6 Running Python in the browser...............................7 2 Python 9 2.1 Basics.................................................9 2.2 Datatypes...............................................9 2.2.1 Booleans (bool).......................................9 2.2.2 Numbers (int, float and Decimal)............................ 10 2.2.3 Strings (str)......................................... 11 2.2.4 Dictionaries (dict)...................................... 11 2.2.5 Dates and times....................................... 12 2.2.6 Enumeration......................................... 13 2.3 Functions and arguments...................................... 13 2.3.1 Anonymous functions with lambdas ............................ 13 2.3.2 Optional
    [Show full text]
  • Module 1 Introduction
    Digging Deeper Reaching Further Libraries Empowering Users to Mine the HathiTrust Digital Library Resources Overview of Activities Module 1 Introduction Activity 1: Read and explain text analysis examples ● Description: Participants read and review three summarized text analysis research examples and discuss the key points, kinds of data, and findings of the projects. ● Goal: Gain exposure to text analysis research and how it is being used by scholars. ● Slides: M1-8 to M1-16 ● Handout: Master Handout p. 3 (Module 1 Handout p. 1) ● Instructor Guide: Full Guide pp. 8-11 (Module 1 Instructor Guide pp. 3-5) ● Requirements: ○ Files: None ○ Other: Access to a computer, the Internet, and a Web browser for reading project summaries online: http://go.illinois.edu/ddrf-research-examples Module 2.1 Gathering Textual Data: Finding Text Activity 2.1-1: Assess different textual data sources ● Description: Participants discuss the strengths and weaknesses of three kinds of textual data sources for building a corpus for political history. CC-BY-NC 1 ● Goal: Practice assessing benefits and drawbacks of various sources of textual data. ● Slides: M2.1-9 *Note: Also see slides M2.1-6 to M2.1-8 for an overview of three sources for textual data. ● Handout: Master Handout p. 4 (Module 2.1 Handout p. 1) ● Instructor Guide: Full Guide p. 8 (Module 2.1 Instructor Guide p. 4) ● Requirements: ○ Files: None ○ Other: None Activity 2.1-2: Create and import a worKset into HTRC Analytics ● Description: Participants create a textual dataset of volumes related to political speech in America with the HT Collection Builder, and upload it to HTRC Analytics as a workset for analysis.
    [Show full text]
  • Python Guide Documentation 0.0.1
    Python Guide Documentation 0.0.1 Kenneth Reitz 2015 09 13 Contents 1 Getting Started 3 1.1 Picking an Interpreter..........................................3 1.2 Installing Python on Mac OS X.....................................5 1.3 Installing Python on Windows......................................6 1.4 Installing Python on Linux........................................7 2 Writing Great Code 9 2.1 Structuring Your Project.........................................9 2.2 Code Style................................................ 15 2.3 Reading Great Code........................................... 24 2.4 Documentation.............................................. 24 2.5 Testing Your Code............................................ 26 2.6 Common Gotchas............................................ 30 2.7 Choosing a License............................................ 33 3 Scenario Guide 35 3.1 Network Applications.......................................... 35 3.2 Web Applications............................................ 36 3.3 HTML Scraping............................................. 41 3.4 Command Line Applications....................................... 42 3.5 GUI Applications............................................. 43 3.6 Databases................................................. 45 3.7 Networking................................................ 45 3.8 Systems Administration......................................... 46 3.9 Continuous Integration.......................................... 49 3.10 Speed..................................................
    [Show full text]
  • Core Python ❱ Python Operators By: Naomi Ceder and Mike Driscoll ❱ Instantiating Classes
    Brought to you by: #193 CONTENTS INCLUDE: ❱ Python 2.x vs. 3.x ❱ Branching, Looping, and Exceptions ❱ The Zen of Python ❱ Popular Python Libraries Core Python ❱ Python Operators By: Naomi Ceder and Mike Driscoll ❱ Instantiating Classes... and More! Visit refcardz.com Python is an interpreted dynamically typed Language. Python uses Comments and docstrings indentation to create readable, even beautiful, code. Python comes with To mark a comment from the current location to the end of the line, use a so many libraries that you can handle many jobs with no further libraries. pound sign, ‘#’. Python fits in your head and tries not to surprise you, which means you can write useful code almost immediately. # this is a comment on a line by itself x = 3 # this is a partial line comment after some code Python was created in 1990 by Guido van Rossum. While the snake is used as totem for the language and community, the name actually derives from Monty Python and references to Monty Python skits are common For longer comments and more complete documentation, especially at the in code examples and library names. There are several other popular beginning of a module or of a function or class, use a triple quoted string. implementations of Python, including PyPy (JIT compiler), Jython (JVM You can use 3 single or 3 double quotes. Triple quoted strings can cover multiple lines and any unassigned string in a Python program is ignored. Get More Refcardz! integration) and IronPython (.NET CLR integration). Such strings are often used for documentation of modules, functions, classes and methods.
    [Show full text]
  • NICK WESEMAN Lead Software Engineer with Over 12 Years of Professional Experience
    NICK WESEMAN Lead Software Engineer with over 12 years of professional experience TECHNICAL SKILLS Languages: Java, Python, C# .NET, JavaScript, SQL, ASP.NET, Oracle ADF 10g/11g, C, C++, Visual Basic (6/.NET), Objective-C, Groovy, Ruby on Rails, PHP, HTML, XML, XSLT, JSON, AJAX, CSS, LESS, Clojure, VBA, Bash, Delphi, PL/pgSQL, MySQL, Perl, Haskell, LISP, VHDL Software: IntelliJ, Eclipse, Visual Studio, Vim, Rational Software Modeler & Architect, Unity, JDeveloper, ClearCase, SQL Server, Agitator, Clover, DOORS, Solipsys TDF/MSCT, Klocwork, EMMA, WCF, WPF, Apache, LAMP, WAMP, ClearQuest, Lucy, LuciadMap, Quick Test Professional, Oracle, 3D Studio Max, Siebel Tools, Ant, Maven, Gradle, Git, Mercurial, Bonitasoft, Lawson, Hazeltree Operating Systems: Windows, Linux/Unix, macOS, iOS, Android Credentials: DoD SECRET Clearance, Six Sigma, ScrumMaster, Top 1% on Stack Overflow PROFESSIONAL EXPERIENCE TWO SIGMA INVESTMENTS 2012 – PRESENT Software Engineer Houston, TX Two Sigma is a hedge fund and technology company that applies rigorous scientific based big data approaches to investment management (think Google meets hedge fund). Accounting Engineering (Lead) Accounting Engineering is responsible for all the books and records for the firm including fund, investor and regulatory reporting. ▪ Serve as ScrumMaster for a Java project to completely rewrite the monthly reapportionment process including processing subscriptions/redemptions, fee crystallization, and dividends. ▪ Create a front-end web app written in AngularJS to generate participation interest statements. ▪ Design and implement a process to automatically generate quarterly regulatory filings using Java, JAXB, and XJC turning a manual process requiring 2 people for 1 week into seconds. ▪ Develop a reconciliation framework in Python and pandas that turns a manual reconciliation process into an exception-based automatic process saving 10 hours every month.
    [Show full text]
  • The Application of Python Language Robert C
    The Application of Python Language Robert C. Chi June 8th 2021 Agenda • Read Data from Excel • Big Data Analysis • Web Programming • Mobile App Programming • Game Programming • Analyze Stock Prices Robert C. Chi (紀俊男) • Education • Ph.D. Candidate / Bioinformatics National Yang-Ming University, 2003-2007 • Master / Computer Sciences Queens College, CUNY, 1994-1996 • Bachelor / Computer Sciences Fu-Jen Catholic University • Experience • Training Director / AMI (2014-2020) • Founder / Hatch Information Co., Ltd. (2007-2013) • Research Assistant / Academia Sinica (2000-2007) • Manager of Tech Support / Trend Micro Co., Ltd. (1998-2000) • Game Developer / CG Animation Co., Ltd. (1997-1998) • Expertise • Artificial Intelligence (AI), Embedded System, Computer Security, Game Programming. 3 Download Resources Today’s Slides Demo Source Codes Developing Environments PyCharm What we use today! The Most User-Friendly Environment Spyder 200+ Packages Pre-installed Jupyter Notebook Good for Code Readability Read Data from Excel What to Do? Analyze / Predict CarEvaluation.csv Read What We Need? How to Install • Spyder • Already Pre-installed! • conda install pandas • Other Environments • pip install pandas How to Import • import pandas as pd Source Codes Demo_ReadFromExcel.py Demo: Read Data from Excel • Navigate to Working Directory. • Write the source codes as below: • Run to see the result. Big Data Analysis What to Do? Statistics Heatmap Group by ‘ToBuy’ How to Calculate the Statistics? Once you loaded data into memory… Show numerical columns only Show all columns (categorical + numerical) How to Draw a Heatmap? Once you loaded data into memory… Calculate Correlational Matrix data.corr() annotation = False annotation = True Draw Heatmap with seaborn.heatmap() How to Group Data by ‘ToBuy’ print(data[['Children', 'Age', 'Salary', 'ToBuy']].groupby(['ToBuy']).agg(['mean'])) → Select 'Children', 'Age', 'Salary', 'ToBuy' 4 columns print(data[['Children', 'Age', 'Salary', 'ToBuy']].groupby(['ToBuy']).agg(['mean'])) → Group by 'ToBuy'.
    [Show full text]
  • Def Pymarc(): """In 30 Minutes""" Pymarc in 30 Minutes: Goals
    def pymarc(): """in 30 minutes""" Pymarc in 30 Minutes: Goals › Install Python, PyCharm, pymarc library › Learn super basic Python functions › Run a few scripts with pymarc › Discuss additional resources › Establish (us) as a community of practice › Convince you that YOU can code Pymarc in 30 Minutes: About Me Pymarc in 30 Minutes: A Note on Admins › If you’re not an admin on your machine – this will be harder › Opportunity for a team effort! Pymarc in 30 Minutes: Why Python? Language Object Can be used Easy to Is named Oriented for working learn? after Monty with Python? MARC Data? Python Yes Yes Yes Yes PERL Yes Yes I don’t know No Ruby Yes Yes Yes No JavaScript Yes Yes Yes No R No (?) Yes Yes No XSLT No (?) Yes I don’ know No but I hear good things! Pymarc in 30 Minutes: A Note on Apple, UNIX, etc. › Python 2.7 comes preinstalled on MAC OSX › Python comes preinstalled on other UNIX Machines › If on a Chrome Book, consider PythonAnywhere (I haven’t used, but I hear it works on ChromeBooks) Pymarc in 30 Minutes: Downloading Python › Go to Python.org, click on Downloads Pymarc in 30 Minutes: Python 3 vs. Python 2 https://coderseye.com/python-2-vs-python-3-version- differences Image from CodersEye.com https://coderseye.com/ python-2-vs-python-3- version-differences Pymarc in 30 Minutes: Installing Python › Run the downloaded file Pymarc in 30 Minutes: Installing Python › Select all options on Optional Features Pymarc in 30 Minutes: Installing Python › Install for all users › Change the location Pymarc in 30 Minutes: Test the Installation
    [Show full text]
  • Résumé Software Developer
    Kaushal Prajapati Contact No.: (+91)8000839335 E-mail: [email protected] https://github.com/smurf-U Résumé Software Developer PROFILE SUMMARY • A result-oriented professional with over 4 years’ experience in application development & enhancement, service delivery and client relationship management in Python based ERP, eCommerce, Supply chain management domain. • Experience of working in multiple projects of different nature at a time, also having experience of interacting and coordinating multiple clients. EMPLOYMENT DETAILS • Jul’ 20 – Till date with Apptware Solutions LLP. as a Sr. Python Developer at Mumbai. • Jan’ 19 – Jul’ 20 with Anav Advisory Pvt. Ltd. as a Sr. Software Engineer at Mumbai. • Aug’ 18 – Jan’ 19 with Bista Solutions Pvt. Ltd. as a Software developer at Mumbai. • Feb’ 18 – Aug' 18 with Freelance as an Odoo Development. • Jan' 16 – Jan' 18 with Tech Receptives Solutions Pvt. Ltd. as a Jr. Application Engineer. TECHNICAL SKILLS • Operating Systems: Windows platforms (9x, 2x and XP), Linux • Languages: Python (2.x, 3.x), PHP, Java (core), C, C++, PL/SQL • Database: MySQL, MongoDB, PostgreSQL, Elastic Search (v7) • Designing: HTML, CSS, Sass, jQuery, JSP, Bootstrap, Angular 2 JS • Scripting Language: JAVA Script, Shell Script • Frameworks: Odoo, Node.js, Backbone.js, Flask, Django, Numpy, Pandas • Other Tools/Technology: Git, Docker, Kubernetes, Nginx, GCP, AWS EC2, Heroku Projects -> Anav Advisory Pvt. Lt.d. Namaste Tech (Odoo ERP – eBay / Shopify / Amazon (FBA, FBM) / NetSuite Integration, Campaign Management, MRP, CRM): • It’s supports based project where need to optimization all process, Odoo’s Code, Server and Database. • Improve and fix on integration functionality and converter into automation. • Implementation of Odoo CRM and MRP for B2B workflow.
    [Show full text]