Analyze Financial Data with Python Capstone project

Hi Everyone,

Here is my Analyze Financial Data with Python Capstone project. Attached are the repository to github for the project code and the presentation of the recommended optimized investment portfolio (pdf). After doing this analysis and running the Markowitz based quadratic programming optimization, I am think I might actually invest in this portfolio and see if it performs as predicted by the theory. (Of course, past performance does not guarantee future performance!).

If you have any comments or suggestions for improvements to this work, please feel free to reply here. Thanks!

https://github.com/Eximio-Mark/Optimized-Investment-Portfolio

https://github.com/Eximio-Mark/Optimized-Investment-Portfolio/blob/main/Your%20Portfolio%20by%20TCG.pdf

Nice work! Indexing the stocks was a nice feature that improved clarity. You included multiple value metrics which was a very nice addition. Not sure if your 25th slide was the last. Not able to continue after this slide which is a pity as this last slide was the most interesting to me!

Way above and beyond. Michael

Hi Michael,

Thanks for the kind words. I am glad you liked it.

I made some changes to the functions for random portfolios and optimized portfolios. The old function for random portfolios did not create a good spread of possible weights. The portfolios generated by the old function are bunched up around the mean. The way the function works actually eliminates any extreme weightings to one or two components of a portfolio, probably unintentionally. I used a different method that spread the distribution of weightings across all of the possibilities, included the extremes.

With regard to the optimized portfolio function, the old version did not produce output with the actual weightings of the various portfolio options along the efficient frontier. I made some changes in order to get that output. Those weightings are needed to build a real investment portfolio!

Regarding the presentation, yes, page 25 is the last page. The majority of the stocks in the portfolio were historically high risk / high return. As a result, the entire efficient frontier of portfolios is somewhat shifted to higher risk portfolios. I wanted to quickly demonstrate to the reader that some lower risk portfolios could be produced by allocating some assets to bonds. Of course, this could also be somewhat accomplished by changing the stocks in the portfolio - fewer highly volatile stocks and more low risk options. But stock-only portfolios will always be shifted more towards risk while mixing in bonds can provide portfolio options all the way down to very low risk.

Hi, Did you make the jupyter notebook yourself or is it from the course?

You start out with a fresh, empty Jupyter notebook. You build it up from a blank sheet yourself. It’s easier to do than it might appear at first.

You can also use the examples of the project of other students to help guide you.

Note: If you use the random portfolios and optimization functions I made, be careful. I made some changes to them to get more complete results. They behave differently than the functions provided by Codecademy.

Thanks for the help.

The Ultimate Disassembler

Python tutorial for Capstone

1. basic sample.

Capstone has a very simple API, so it is very easy to write tools using the framework. To start, the below code disassembles some X86 binary, and prints out its assembly.

Readers can download the code from here . Output of this sample is like below:

The Python sample is intuitive, right? But just in case, readers can find below the explanation for each line of test1.py .

Line 2: Import Python module capstone before we do anything.

Line 4: Raw binary code we want to disassemble. The code in this sample is in hex mode.

Line 6: Initialize Python class for Capstone with class Cs . We need to give this class two arguments: the hardware architecture & the hardware mode. In this sample, we want to disassemble 64-bit code for X86 architecture.

Line 7: Disassemble the binary code with method disasm() of the class Cs class instance we created above. The second argument of disasm is the address of the first instruction, which is 0x1000 in this case. By default, disasm disassembles all the code until either there is no more code, or it encounters a broken instruction. In return, disasm gives back a list of instructions of the class type CsInsn , and the for loop here iterates this list.

Line 8: Print out some internal information about this instruction. Class CsInsn exposes all the internal information about the disassembled instruction that we want to access to. Some of the most used fields of this class are presented below.

2. Faster-simpler API for basic information

Example in section 1 uses disasm() method to retrieve CsInsn objects. This offers full information available for disassembled instructions. However, if all we want is just basic data such as address , size , mnemonic & op_str , we can use a lighter API disasm_lite() .

From version 2.1 , Python binding provides this new method disasm_lite() in Cs class. Unlike disasm() , disasm_lite() just returns tuples of ( address , size , mnemonic , op_str ). Benchmarks show that this light API is up to 30% faster than its counterpart.

Below is an example of disasm_lite() , which is self-explanatory.

3. Architectures and modes

At the moment, Capstone supports 8 hardware architectures with corresponding hardware modes, as follows.

Besides, there are few modes to be combined with basic modes above.

The way to combine extra modes with basic modes is to use the operand + . For example, the code below disassembles some Mips64 code in little endian mode.

4. More architecture-independent data for disassembled instructions

By default, Capstone do not generate details for disassembled instruction. If we want information such as implicit registers read/written or semantic groups that this instruction belongs to, we need to explicitly turn this option on , like in the sample code below.

However, keep in mind that producing details costs more memory, complicates the internal operations and slows down the engine a bit, so only do that if needed. If this is no longer desired, we can always reset the engine back to default state at run-time with similar method.

Details produced by Capstone provides access to a lot more internal data of the disassembled instruction than the fields introduced in the last sections. Note that these data are all architecture-independent.

The sample below shows how to extract out details on implicit registers being read by instructions, as well as all the semantic groups this instruction belongs to in some ARM binary.

Readers might already figure out how the code above work, as it is simple enough:

Line 2: Import arm module, since we want to work with ARM architecture here.

Line 6 ~ 7: Initialize engine with Arm mode for Arm architecture, then turn on detail feature.

Line 9: Disassemble the Arm binary, then iterate the disassembled instructions.

Line 10: In this example, we only care about some instructions, which is bl & cmp , and ignore everything else. All the constant numbers can be found in file arm_const.py in the source of Python binding.

Line 13: Check if this instruction implicitly reads any registers. If so, print out all register names

Line 16: While we can simply print out the register ID (which has int type), it is more friendly to print out register name instead. This can be done with method reg_name() , which receives the register ID as its only argument.

Line 19: Check if this instruction belongs to any semantic group. If so, print out all group ID.

Line 21 ~ 22: Print out all the group IDs in a loop.

The output of the above sample is like below.

5. Architecture-dependent details

When detail option is on, CsInsn provides a field named operands , which is a list of all operands of the instruction. Unlike the fields presented in section 4 above, this field is different for each architecture.

The sample below shows how to extract the details on instruction operands of ARM64 code.

The code looks a bit complicated, but actually pretty simple:

Line 12: Check if this instruction has any operands to print out.

Line 17 ~ 18: If this operand is register (reflected by type ARM64_OP_REG ), then print out its register name.

Line 19 ~ 20: If this operand is immediate (reflected by type ARM64_OP_IMM ), then print out its numerical value.

Line 21 ~ 22: If this operand is of type C-IMM (coprocessor register type, reflected by ARM64_OP_CIMM ), then print out its index value.

Line 23 ~ 24: If this operand is real number (reflected by type ARM64_OP_FP ), then print out its numerical value.

Line 25 ~ 35: If this operand is memory reference (reflected by type ARM64_OP_MEM ), then print out its base/index registers, together with offset value.

Line 37 ~ 42: If this operand uses shift or extender, print out their value.

Line 44 ~ 45: If this instruction writes back its value afterwards, print out that.

Line 46 ~ 47: Print out the code condition of this instruction.

Line 48 ~ 49: If this instruction update flags, print out that.

6. Run-time options

Besides the detail option previously introduced in section 4, Capstone can customize the engine at run-time, allowing us to set the assembly syntax or dynamically change engine’s mode.

6.1 Syntax option

By default, X86 assembly outputs in Intel syntax. To switch to AT&T syntax instead, we can simply set syntax option like below.

In case we want to return to Intel syntax, we can reset the syntax in the similar way:

6.2 Dynamically change disassemble mode at run-time

From version 2.0, we can dynamically change the engine’s mode at run-time thanks to a new option mode .

This is useful for example with Arm, where we might frequently switch between Arm & Thumb modes without having to create a new engine. This also happens with X86, where we might want to switch back and forth between protected-mode & real-mode code.

Below sample shows how to switch back and forth between Arm & Thumb modes at run-time.

7. Diet engine

From version 2.1, Capstone supports “diet” compilation option to minimize the engine for embedded purpose. The diet engine no longer updates some data fields of the CsInsn class, so these fields & some related APIs become irrelevant. See this documentation for further information.

8. More examples

This tutorial does not explain all the API of Capstone yet. Please find more advanced examples in source of test_*.py files under Python binding directory bindings/python in the Capstone source code.

Lesson 6. Capstone project: your first Python program—convert hours to minutes

After reading lesson 6 , you’ll be able to

  • Read your first programming problem
  • Walk through two possible solutions
  • Write your first Python program

Here are some of the main ideas you should be familiar with so far:

  • Programs are made up of a sequence of statements.
  • Some statements initialize variables.
  • Some statements can be expressions to do calculations.
  • Variables should be given descriptive and meaningful names, especially to help future programmers who might be looking at the code.
  • Some calculations you’ve seen so far are addition, subtraction, multiplication, division, remainder, and power.
  • You can convert an object to a different type.
  • The print command can be used to show output to the console.
  • You should write comments in the code to document what the code is doing.

The problem

The first programming task you’ll see is to write a program in Python that converts minutes to hours. You’ll start with a variable that contains the number of minutes. Your program will take that number, do some calculations, and print out the conversion to hours and minutes.

Your program should print the result in the following way. If the number of minutes is 121, the program should print this:

6.1. Think-code-test-debug-repeat

6.2. divide your task, 6.3. implement the conversion formula, 6.4. your first python program: one solution, 6.5. your first python program: another solution.

capstone project python code

Welcome! This site is currently in beta. Get 10% off everything with promo code BETA10.

Python 301: Capstone Project

  • Introduction

Suggestions

Practice makes perfect.

In Python 301, you learned more advanced software development concepts, such as exception handling and testing. You also spent a good amount of time learning about object-oriented programming and applying it in practice, for example, in your web scraping project.

If you've followed through the whole course diligently and put in the necessary concentration and hours of training, then you've come a long way, and learned a great deal of programming in Python. Congratulations on your success :D

From here on out, the best way to continue to learn is to build more projects. You've covered all the basics and many intermediate programming concepts. There's always more to learn, but learning in a vacuum doesn't make much sense and is less likely to stick.

Your Capstone Challenge

To put a crown on your coursework, your next task will be to build a capstone project . Your capstone will be a larger-scale Python project that you'll build independently from scratch.

Here are a few suggestions of what you could do:

  • Build A Game : You can use Python for game development beyond just command-line games. Build on top of the CLI RPG idea you've worked on during this course, and implement a 2D adventure game using pygame .
  • Recipe Generator : Combine the code you wrote throughout this course to build a recipe generator that requests input from your users and finds recipes online that they might want to cook. You can combine API calls or web scraping code with a user-friendly CLI interface click or rich , or even take it a step further and build a GUI for your program using Tkinter , PyQT , or PySimpleGUI .

Both of these project ideas build on top of topics that you've already worked on during this course. They both also require you to expand your knowledge beyond the scope of this course and learn to work with a new package that you haven't worked with so far.

Info: As a developer, you'll always need to learn how to work with new packages that you haven't worked with before. One of the most important skills that you'll train by working through your capstone project is the ability to read the documentation of your package and find other learning resources online that can help you get ahead.

Both pygame and PyQT are also written in a highly object-oriented manner, which will give you the chance to keep training your OOP skills while working on your capstone project.

Choose Your Own Adventure

If something else interests you more, then by all means, pick that project idea instead. For your capstone, and moving beyond this course content to keep improving your skills, the most important aspect is that you're interested in what you're building.

The more motivation you have to create an idea that's in your head or that you found on a list of project ideas, the more likely you'll be to stick through the tough parts that always come for each project you'll work on.

Info: If you're enrolled in a bootcamp program , then make sure to discuss your capstone idea with them. If you're working through the content by yourself, then use the shared knowledge on Discord to brainstorm project ideas and get feedback from other learners.

The harder you train and the more projects you build, the better you'll get as a software developer.

Are you ready for your capstone task? Then, it's time to get started! Make sure to post about your progress on Discord .

Additional Resources

  • Pygame: Official Documentation
  • Real Python: Build an Asteroids Game With Python and Pygame
  • Tkinter Documentation
  • Real Python: GUI Programming with Tkinter
  • Real Python: Build a Tic-Tac-Toe Game With Python and Tkinter
  • PyQT Documentation: About PyQT
  • Real Python: GUI Programming With PyQt
  • PySimpleGUI Documentation
  • Real Python: PySimpleGUI: The Simple Way to Create a GUI With Python

capstone 5.0.1

pip install capstone Copy PIP instructions

Released: Aug 22, 2023

Capstone disassembly engine

Project links

View statistics for this project via Libraries.io , or by using our public dataset on Google BigQuery

License: BSD License

Author: Nguyen Anh Quynh

Requires: Python >=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*

Maintainers

Avatar for aquynh from gravatar.com

Classifiers

  • OSI Approved :: BSD License
  • Python :: 2
  • Python :: 2.7
  • Python :: 3

Project description

To install Capstone, you should run pip install capstone .

If you would like to build Capstone with just the source distribution, without pip, just run python setup.py install in the folder with setup.py in it.

In order to use this source distribution, you will need an environment that can compile C code. On Linux, this is usually easy, but on Windows, this involves installing Visual Studio and using the "Developer Command Prompt" to perform the installation. See BUILDING.txt for more information.

By default, attempting to install the python bindings will trigger a build of the capstone native core. If this is undesirable for whatever reason, for instance, you already have a globally installed copy of libcapstone, you may inhibit the build by setting the environment variable LIBCAPSTONE_PATH. The exact value is not checked, just setting it will inhibit the build. During execution, this variable may be set to the path of a directory containing a specific version of libcapstone you would like to use.

If you don't want to build your own copy of Capstone, you can use a precompiled binary distribution from PyPI. Saying pip install capstone should automatically obtain an appropriate copy for your system. If it does not, please open an issue at https://github.com/aquynh/capstone and tag @rhelmot - she will fix this, probably!

Capstone is a disassembly framework with the target of becoming the ultimate disasm engine for binary analysis and reversing in the security community.

Created by Nguyen Anh Quynh, then developed and maintained by a small community, Capstone offers some unparalleled features:

Support multiple hardware architectures: ARM, ARM64 (ARMv8), Mips, PPC, Sparc, SystemZ, XCore and X86 (including X86_64).

Having clean/simple/lightweight/intuitive architecture-neutral API.

Provide details on disassembled instruction (called “decomposer” by others).

Provide semantics of the disassembled instruction, such as list of implicit registers read & written.

Implemented in pure C language, with lightweight wrappers for C++, C#, Go, Java, NodeJS, Ocaml, Python, Ruby & Vala ready (available in main code, or provided externally by the community).

Native support for all popular platforms: Windows, Mac OSX, iOS, Android, Linux, *BSD, Solaris, etc.

Thread-safe by design.

Special support for embedding into firmware or OS kernel.

High performance & suitable for malware analysis (capable of handling various X86 malware tricks).

Distributed under the open source BSD license.

Further information is available at http://www.capstone-engine.org

This project is released under the BSD license. If you redistribute the binary or source code of Capstone, please attach file LICENSE.TXT with your products.

Project details

Release history release notifications | rss feed.

Aug 22, 2023

5.0.0.post1

Jul 5, 2023

5.0.0 yanked

Feb 28, 2022

Reason this release was yanked:

5.0.0rc4 pre-release

Jun 18, 2023

5.0.0rc2 pre-release

May 11, 2020

Jan 15, 2019

Dec 18, 2018

3.0.5.post1

Sep 26, 2018

Jul 18, 2018

3.0.5rc2 pre-release

Mar 4, 2017

Jul 15, 2015

May 8, 2015

Mar 11, 2015

Feb 3, 2015

Nov 19, 2014

Mar 5, 2014

Jan 21, 2014

Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages .

Source Distribution

Uploaded Aug 22, 2023 Source

Built Distributions

Uploaded Aug 22, 2023 Python 3 Windows x86-64

Uploaded Aug 22, 2023 Python 3 Windows x86

Uploaded Aug 22, 2023 Python 3

Uploaded Aug 22, 2023 Python 3 manylinux: glibc 2.5+ x86-64

Uploaded Aug 22, 2023 Python 3 manylinux: glibc 2.5+ i686

Uploaded Aug 22, 2023 Python 3 macOS 10.9+ universal2 (ARM64, x86-64)

Hashes for capstone-5.0.1.tar.gz

Hashes for capstone-5.0.1-py3-none-win_amd64.whl, hashes for capstone-5.0.1-py3-none-win32.whl, hashes for capstone-5.0.1-py3-none-manylinux1_x86_64.whl, hashes for capstone-5.0.1-py3-none-manylinux1_x86_64.manylinux_2_5_x86_64.whl, hashes for capstone-5.0.1-py3-none-manylinux1_i686.whl, hashes for capstone-5.0.1-py3-none-manylinux1_i686.manylinux_2_5_i686.whl, hashes for capstone-5.0.1-py3-none-macosx_10_9_universal2.whl.

  • português (Brasil)

Supported by

capstone project python code

Capstone Projects with Source code

In this article, we've compiled a variety of Capstone Project ideas. Aptly named 'Capstone Projects', these pivotal research endeavours or projects are typically undertaken in students' final year of study. Not only have we included the finished projects, but also their associated source codes, which can act as a useful reference for programming enthusiasts looking to enhance their coding abilities. These completed projects could, in turn, ignite the spark for future researchers to spawn unique capstone project ideas.

Choosing a topic is the most important and first stage in your capstone project journey as a student or researcher. If you choose a topic without giving it much thought, you may fail. To begin, make sure you’re passionate about the topic and convinced that the research portion will never tire you. Second, make sure it aligns with your curriculum and allows you to show your teacher what you’ve learned in class while still being applicable in the real world. The finished capstone project title ideas with the source code listed below may be useful to future researchers.

Free PHP Capstone Projetcs

  • Online Examination php project
  • School Management System php project
  • Attendance Management System php project
  • Online Admission System php project
  • Tours and Travels Project php project
  • Student Result Management php project
  • Online Jewellery Shopping php project
  • Online Shopping php project
  • Online art gallery php project
  • Online Matrimonial Website php project
  • Online Book Store project  php project
  • Blood Bank Management System php project
  • Car Rental System php project
  • Online Food Ordering System Project in PHP
  • Hostel Management System Project in PHP
  • Student Result Management System Project in PHP
  • Online Voting System Project in PHP
  • Gym Management System Project in PHP
  • Leave Management System Project in PHP
  • Image Crop Project In PHP
  • Image Editor Project In PH P
  • Online Hotel Booking In PHP
  • College Management System Project In PHP
  • PHP Image Gallery Project Source Code
  • Online Notes Sharing Platform PHP
  • Travel Management System Project in PHP
  • House rental And Property Listing Project PHP
  • electricity bill payment Project in PHP MSQL
  • Expense Management System in php
  • Time Management System PHP
  • PHP Online File Storage Project
  • EVENT BOOKING SYSTEM IN PHP
  • Online Hotel Booking system in php
  • Online Doctor Appointment Booking System PHP
  • Visitor Management System in PHP
  • online chat application using php
  • PHP casino Project Black Jack Slots
  • Life Insurance Management System in PHP
  • Beauty Parlour Management System using PHP and MySQL
  • Vehicle Breakdown Assistance Management System Project in PHP Laravel
  • Online Time Table Generator PHP MYSQL
  • Online Lawyer Management System Project Using PHP MYSQL
  • Student Project Allocation System using PHP

Paid  PHP Capstone Projects

  • Advance Online Examination php project
  • PHP Online Admission System Project
  • Airlines Reservation System PHP
  • School Billing System Project in PHP
  • School Bus Booking System project in PHP
  • Download Online Job Portal php project
  • Online Bus Booking System in PHP
  • Asset Management System Project in php
  • Railway Reservation System in php
  • Online Movie Ticket Booking System in php
  • Hospital Management System In PHP
  • inventory management system in php
  • GST billing System Project in PHP
  • Online Banking System Project in PHP
  • Complaint Management System Project in PHP
  • Online Blood Bank Project in PHP MYSQL
  • Online Mobile Shopping Project in PHP
  • Online Art Gallery Shop Project in PHP | Advance
  • User Management System Project in PHP
  • Online Crime Reporting System Project in PHP
  • Placement Management System Project in PHP
  • Crime Information Management System Project in PHP
  • Olx Clone Project in PHP
  • Online Bakery Shop In PHP
  • Event Management System In PHP
  • Online Hotel Management System In PHP
  • Employee Management System Project In PHP
  • Online Loan Management System In PHP
  • Online Food Ordering System In PHP | Advance
  • PHP CodeIgniter Complete Inventory
  • Library Management System In PHP
  • Online Car Cab Taxi Booking System Using PHP
  • Car Selling and Showroom Management  PHP
  • Cyber Cafe Management System in PHP
  • ISP Management System php projects
  • Freelancing Website Project in PHP Mysql
  • Online Restaurant Table Booking System in Php
  • Online Furniture Shop Project in PHP
  • Garage Management System PHP
  • Courier Management System Project in PHP
  • Payroll Management System Project in PHP
  • Online RTO Management System Project IN PHP
  • Online Grocery Store Project in PHP Mysql
  • Online Fashion Store Project in PHP MYSQL
  • Hand Crafted Shopping Project in PHP MYSQL

Java Free Capstone Projects With Source Code

  • Airlines Reservation System Java Project
  • Banking System in Java Project
  • Currency Converter Java Project
  • Online Examination System Project in JSP servlet (Java)
  • Restaurant Management System Core Java Project
  • Bus Ticket Booking System Java and Jsp Mysql Project
  • Java Netbean Percentage Calculator Project
  • Online Banking System Project Core Java
  • Hospital Management System Java JSP Mysql
  • Online Medicine Shop Project in JSP Mysql
  • Text File Encryption Decryption Project in Java
  • Student Counselling system Core Java
  • Payroll Management System Java Swing
  • Attendance Management System Java Mysql
  • Cryptography Project in Java Netbeans
  • Movie Ticket Booking System Project in Java Mysql
  • Inventory Management System Java Mysql
  • Internet Service Provider Project on Java Mysql
  • Online Food Order Spring Boot Angular Mysql
  • Online Book Store Project in Spring Boot with Source Code

Java Paid Capstone Projects With Source Code

  • Sports Club Management System Project in Java
  • Pharmacy Management System In Java
  • Java Grocery Shop Billing Supermarket Billing 
  • Online Food Ordering Project JAVA JSP MYSQL
  • Online Shopping Project in Java JSP Mysql
  • Online Tourism Management System in Java JSP Mysql
  • Leave Management Spring Boot Mysql Angular
  • Visa Processing System Project On Java, JSP And MySQL
  • Online Banking Spring Boot Angular Project
  • Student Auditorium Management Java JSP MySQL
  • Flight Reservation Spring Boot Angular Mysql Project 
  • Online Pizza Ordering System Spring Boot Project
  • Online Food Ordering System Project in Spring Boot
  • Online Medical Shop Project in Spring boot, JPA and Mysql
  • Sales and Invoice Management System Spring Boot Project

Android Free Capstone Projects with Source Code

  • Attendance Management System android projects
  • Women Safety App android projects
  • Android Calculator App Project
  • Age Calculator android projects
  • Expense Tracker Android App
  • Budget Manager Android App
  • Android FTP Server 
  • Android Fitness App Project
  • Padometer Android Step counter App
  • Android quiz app source code download
  • Image Steganography android studio project
  • Kotlin Android Job Allocation Project
  • Android Music Player Project
  • Android Location Alarm Project
  • Android Book Listing App Project
  • Student Marks Calculator Android Project
  • Medicine Reminder Android App Project
  • Income Tax and EMI Calculator Android App Project
  • Android GST Billing Project with Source Code
  • Covid19 Counter  tracker Android App Project
  • Android Ludo game project with Source code
  • Android Tetris Game Project with Source Code
  • Android Text Encryption using Various Algorithms
  • Android Text to Speech Converter App Project
  • Android Simple Math Quiz app Project
  • Android Bouncing ball Project Source Code
  • Android Text to Speech App Project with Source code
  • Android Sudoku Game App Project with source code

Android Paid Capstone Project with Source Code

  • Android Weather App Project
  • Android Human Activity Recognition Tensorflow 

Flutter Android Capstone Projects With Source Code

  • Flutter Quiz App Project with Source Code
  • Flutter Medicine Reminder App Project
  • Flutter Scientific Calculator App Project

Python Free Capstone Projects with source code

  • Contact Management System In PYTHON
  • Ludo Game Project In PYTHON
  • Hotel Management System Project in Python
  • Complaint Management System Project in Python
  • Pharmacy Management System Project In Python
  • Bank Management System Project in Python
  • Movie Rental Shop Management System Project in Python
  • Student Management System Project In Python
  • ATM Software Python Project
  • Hotel Management System Python Tkinter GUI
  • Django  Medical Shop Management System
  • Online Job portal Project in Python Django
  • Covid-19 Hospital Management python django
  • GST Billing Project in Python Django
  • Online Banking System Project in Python Django
  • Online Book Store Project in Python Django
  • Weather Forecast Project In Python Django
  • Django School Management System Project
  • Food recommends based on your mood python django
  • Online Tiffin Service Mangement System Using Django
  • Iris Flower Classification with Decision Trees Web App
  • User Management System Python Django Project
  • Blog Website Project Using Python Django Project

Python Paid Capstone Projects with source code

  • Blood Bank Management System Python Web App
  • Python Django Online Food ordering System
  • Library Management System Django Python
  • Python Django College Management System
  • Python Django File Sharing Project
  • Online Examination System Project in Django
  • Online Assignment Submission Project in Django
  • Online Voting System in django
  • Hostel Management System Python Django
  • Bus Reservation System Project Python Django
  • ONLINE GYM MANAGEMENT SYSTEM IN PYTHON DJANGO
  • Online movie ticket booking Project in python django
  • Online Gas Booking Project in Python Django
  • Online Taxi Booking Python Django with Real time Map
  • Doctors Appointment System Django Project

Python Machine Learning Free Capstone Projects

  • Salary Prediction using Machine Learning Web App
  • Sentiment Analysis ML Flask Python Web App
  • IMDB Sentiment Analysis Machine Learning
  • Black Friday Sales Prediction project Machine Learning
  • Medical Insurance Cost Prediction Project in Python Flask
  • Insurance Claim Prediction Machine Learning Project
  • Image to Cartoon Python OpenCV Machine Learning
  • Artificial Intelligence Project Chess Game Python
  • Artificial Intelligence Project Handwritten Digits Recognition
  • Netflix Movie Recommendation System Project Machine Learning
  • Music Recommendation Based on Facial Expression
  • Handwritten digit recognition Python Flask
  • Cat Vs Dog Image Classification CNN Project
  • Age and Gender Detection Using Deep Learning Python Flask
  • Vehicle number plate detection Deep Learning Project
  • Employee Attrition Prediction using machine learning
  • Predicting Student Performance Using Machine Learning
  • Campus Recruitment Prediction with Source Code Python

Note : Any issue Related Installation or Others Contact Support Section

Python Machine Learning Paid Capstone Project

  • Movie Recommendation Python Django ,Machine Learning
  • Crime Data Analysis Project in Machine Learning
  • Multiple Disease Prediction using Machine Learning
  • Fake News Detection using Machine Learning
  • F ake Product Review Detection using Machine Learning
  • Diabetes Prediction using Machine Learning
  • Heart Disease Prediction using Machine Learning
  • Skin cancer Detection using Machine learning
  • Used Car Price Prediction Using Machine Learning
  • Loan Defaulter Prediction Machine Learning
  • Loan Eligibility Prediction Python Machine Learning
  • Live Face Mask Detection Project in Machine Learning
  • Hypo Thyroid Disease prediction Machine Learning 
  • Credit Card Fraud Detection Machine Learning
  • Pneumonia Prediction Using chest x-ray Image
  • Breast Cancer Prediction Machine Learning Project Source Code
  • Book Recommendation System Project Machine Learning
  • NLP Spelling Correction Python Machine Learning
  • Road Lane Detection Computer Vision Python Flask
  • Forest wildfire detection from satellite images
  • Object detection Python Machine Learning Web App
  • Tomato Leaf Disease Prediction CNN Python Flask
  • Automated Answer Grading System machine learning
  • Fire Detection Using Surveillence Camera web app
  • Plant Disease Prediction using CNN Flask Web App
  • Rainfall Prediction using LogisticRegression Flask Web App
  • Crop Recommendation using Random Forest flask web app
  • Driver Distraction Prediction Using Deep Learning, Machine Learning
  • Brain Stroke Prediction Machine Learning Source Code
  • Chronic kidney disease prediction Flask web app
  • Weapon Detection System Using CNN FLask Web app
  • AI Healthcare chatbot project python with source code
  • Ai Mental Health Chatbot project python with source code

Here the Lists of Cpastone Projects Ideas

  • Online Examination Capstone Project
  • Attendance Management System Capstone Project
  • Online Admission System Capstone Project
  • Tours and Travels Project Capstone Project
  • Online Jewellery Shopping Capstone Project
  • Online art gallery Capstone Project
  • Online Matrimonial Website Capstone Project
  • Online Book Store project  Capstone Project
  • Blood Bank Management System Capstone Project
  • Car Rental System Capstone Project
  • Online Food Ordering System Capstone Project
  • Hostel Management System Capstone Project
  • Advance Online Examination Capstone Project
  • School Management System Capstone Project
  • School Billing System Capstone Project
  • Download Online Job Portal Capstone Project
  • Online Shopping Capstone Project
  • Online Bus Booking System in Node.js
  • Asset Management System Capstone Project
  • Railway Reservation System in Node.js
  • Online Movie Ticket Booking System in Node.js
  • Hospital Management System In Node.js
  • inventory management system in Node.js
  • GST billing System Capstone Project
  • Online Banking System Capstone Project
  • Complaint Management System Capstone Project
  • Online Voting System Capstone Project
  • Courier Management System Capstone Project
  • Pharmacy Management System Capstone Project
  • Online Discussion Forum Capstone Project
  • Social Networking Node.js Capstone Project
  • Mailing Server Capstone Project
  • Online Notice Board Capstone Project
  • Timetable Generator Capstone Project
  • Online Housing Property Portal Capstone Project
  • Responsive Social Networking System Capstone Project
  • Online E-Book Trading System Capstone Project
  • Silent Web Auctioning System Capstone Project
  • Online Crime Compliant Center Capstone Project
  • Online Shopping Mart using Responsive Design Capstone Project
  • Smartphone Fabric Showroom Capstone Project
  • Online Career Portal System in Responsive Capstone Project
  • Advanced Hospital Administration System Capstone Project
  • Consumer Complaint Handling System Capstone Project
  • Social Media Platform for College Capstone Project
  • Responsive Net Banking System Capstone Project
  • Human Payroll and Task Lifecycle System Capstone Project
  • Online Examination System via Multiple Ports Capstone Project
  • Hostelworld Capstone Project
  • Invoice Management System Capstone Project
  • Online Banking System in Capstone Project
  • Cinema Booking System Capstone Project
  • Online Scholl Billing System Capstone Project
  • Insurance Management System Capstone Project
  • Student Supervision System Capstone Project
  • Hospital Management System Capstone Project
  • Result Management System Capstone Project
  • Library Management System Capstone Project
  • GST enable Billing Software Capstone Project
  • Online Health Shopping Portal Capstone Project
  • College Forums Capstone Project
  • Sql Injection Prevention System Capstone Project
  • Automated Timetable Generator Capstone Project
  • College Admission Predictor Capstone Project
  • College Social Network Project Capstone Project
  • CRM For Internet Service Provider Capstone Project
  • Customer Focused Ecommerce Site With AI Bot project
  • ERP System For College Management Capstone Project
  • Secure E Learning Using Data Mining Techniques Capstone Project
  • Predicting User Behavior Through Sessions Web Mining Capstone Project
  • Online Book Recommendation Using Collaborative Filtering Capstone Project
  • Movie Success Prediction Using Data Mining Capstone Project
  • Monitoring Suspicious Discussions On Online Forums Capstone Project
  • Fake Product Review Monitoring & Removal For Genuine Ratings Node.js
  • Detecting E Banking Phishing Using Associative Classification Capstone Project
  • A Commodity Search System For Online Shopping Using Web Mining Capstone Project
  • Secure Online Auction System Capstone Project
  • School Security System (SSS) using RFID Capstone Project
  • Filtering political sentiment in social media from textual information Capstone Project
  • Evaluation of Academic Performance of Students with Fuzzy Logic Capstone Project
  • Document Sentiment Analysis Using Opinion Mining Capstone Project
  • Crime Rate Prediction Using K Means Capstone Project
  • Secure Electronic Fund Transfer Over Internet Using DES Capstone Project
  • Student Information Chatbot Project Capstone Project
  • Efficient Doctor Patient Capstone Project
  • Sentiment Analysis For Product Rating Capstone Project
  • E Commerce Product Rating Based On Customer Review Mining Capstone Project
  • Opinion Mining For Restaurant Reviews Capstone Project
  • Smart Health Prediction Using Data Mining Capstone Project
  • Real Estate Search Based On Data Mining Capstone Project
  • Opinion Mining For Social Networking Site Capstone Project
  • Online Election System Project Capstone Project
  • The Cibil System Project Capstone Project
  • Advanced Mobile Store Capstone Project
  • Banking Bot Project Capstone Project
  • Farming Assistance Web Service Capstone Project
  • Software Piracy Protection Project Capstone Project
  • Online Diagnostic Lab Reporting System Capstone Project
  • Online Loan Application & Verification System Capstone Project
  • Sentiment Based Movie Rating System Capstone Project
  • Matrimonial Portal Project Capstone Project
  • Online Herbs Shopping Project Capstone Project
  • Online Bakery Shop System Capstone Project
  • Daily Expense Tracker System Capstone Project
  • Course Material Distribution System Capstone Project
  • Credit Card Fraud Detection Project Capstone Project
  • Mumbai Dabbawala Project Capstone Project
  • Online Furniture Shop Project Capstone Project
  • Computer Assembly Website Capstone Project
  • Car Comparison System Project Capstone Project
  • Salon management System Capstone Project
  • Cricket Club Management Project Capstone Project
  • Online Blood Bank Project Capstone Project
  • Campus Recruitment System Capstone Project
  • Garment Shop Management System Capstone Project
  • Computer Shop Management System Capstone Project
  • Bus Ticket Booking System Capstone Project
  • Shoe Store Management System Capstone Project
  • Grocery Shop Management System Capstone Project
  • Train Ticket Booking System Capstone Project
  • Gift Shop Management System Capstone Project
  • Movie Ticket Booking System Capstone Project
  • Hotel Booking System Capstone Project
  • Employee Management System Capstone Project
  • Tailoring Management System Capstone Project
  • Visitors Gate Pass Management System Capstone Project
  • Leave Management System Capstone Project
  • User Management System Capstone Project
  • Home Kitchen Capstone Project
  • Train Enquiry System Capstone Project
  • Internet Banking System Capstone Project
  • Web Template Management System Capstone Project
  • Student Task Management System Capstone Project
  • Document Tracking System Capstone Project
  • Medical Information System Capstone Project
  • Food Ordering System Capstone Project
  • Hospital Appointment System Capstone Project
  • Airlines Ticket Booking System Capstone Project
  • Gym Management System Capstone Project
  • Vehicle Management System Capstone Project
  • University Bulletin Board Capstone Project
  • Payroll Management System Capstone Project
  • Project Synopsis Download Capstone Project
  • Car Sharing System Capstone Project
  • Airlines Reservation System (Capstone Project
  • Clinic Appointment System Capstone Project
  • DOEACC Projects Download Capstone Project
  • Clinic Management System Capstone Project
  • Airlines Reservation System Capstone Project
  • Capstone Project on Android Vehicle Tracking with Speed Limiting,
  • Capstone Project on Android based QR Parking Booking,
  • Capstone Project on Multi Restaurant Food Ordering & Management System,
  • Capstone Project on Android Smart Ticketing System using RFID,
  • Capstone Project on Financial Status Analysis Using Credit Score Rating Based On Android,
  • Capstone Project on Android Query Generator,
  • Capstone Project on Android Attendance System Using RFID,
  • Capstone Project on Android General Knowledge Chatbot,
  • Capstone Project on Android Based Self Attendance System Using OTP,
  • Capstone Project on Android Vehicle Toll Payment System,
  • Capstone Project on Android Task Monitoring,
  • Capstone Project on Automated Canteen Ordering System using Android,
  • Capstone Project on RFID Based Automatic Traffic Violation Ticketing,
  • Capstone Project on Android Based Visual Product Identification For The Blind,
  • Capstone Project on Android Offloading Computation Over Cloud,
  • Capstone Project on Railway Ticket Booking System Using QR Codes,
  • Capstone Project on Secure Digi Locker Application,
  • Capstone Project on Android Campus Recruitment System,
  • Capstone Project on Android File Manager Application Project,
  • Capstone Project on Voice Assistant For Visually Impaired,
  • Capstone Project on Your Personal Nutritionist Using FatSecret API,
  • Capstone Project on Mobile Based Attendance System,
  • Capstone Project on Pill Reminder and Medication Tracker using OCR,
  • Capstone Project on Face Detection Using Mobile Vision API,
  • Capstone Project on Child Monitoring System App,
  • Capstone Project on Floating Camera Widget Android,
  • Capstone Project on Android Geo Fencing App Project,
  • Capstone Project on Railway Ticket Booking System Using Qr Code,
  • Capstone Project on Restaurant Table Booking Android Application,
  • Capstone Project on Secure File Sharing Using Access Control,
  • Capstone Project on Android Video Encryption & Sharing,
  • Capstone Project on Android Expiry Reminder App Using OCR,
  • Capstone Project on Android Step Counter App,
  • Capstone Project on Android Boat Crossing Game App,
  • Capstone Project on Calorie Calculator & Suggester Android App,
  • Capstone Project on Android Text Encryption Using Various Algorithms,
  • Capstone Project on Android Smart Ticketing Using Rfid,
  • Capstone Project on Android Battery Saver System,
  • Capstone Project on Android Based Encrypted SMS System,
  • Capstone Project on Advanced Tour Guide,
  • Capstone Project on Android Attendance System,
  • Capstone Project on Public News Droid,
  • Capstone Project on Fingerprint Authenticated Secure Android Notes,
  • Capstone Project on Product Review Analysis For Genuine Rating,
  • Capstone Project on Android Smart City Traveler,
  • Capstone Project on Android Campus Portal With Graphical Reporting,
  • Capstone Project on Mobile Wallet With Merchant Payment Using Android,
  • Capstone Project on Android Crime Reporter & Missing Person Finder,
  • Capstone Project on Android Graphical Image Password Project,
  • Capstone Project on Android Based School Bus Tracking System,
  • Capstone Project on Android Based Vehicle Tracking Project,
  • Capstone Project on Android Based Electronic Appliance Comparison Project,
  • Capstone Project on Android Musical Instrument Store Project,
  • Capstone Project on Android Book Store Project,
  • Capstone Project on Android Smart Alarm System,
  • Capstone Project on Android Customer Relationship Management App,
  • Capstone Project on Geo Trends Classification Over Maps Android,
  • Capstone Project on Android Graphical Information System,
  • Capstone Project on PC Control By Android Over Internet,
  • Capstone Project on Android Phone Theft Security With GPS Tracking,
  • Capstone Project on Smart Android Graphical Password Strategy,
  • Capstone Project on Android Group Expense Tracker Application,
  • Capstone Project on Smart Health Consulting Android System,
  • Capstone Project on Android Sentence Framer Application,
  • Capstone Project on Android Expense Tracker,
  • Capstone Project on Android Multi Layer Pattern Locking Project,
  • Capstone Project on Android Based Universal Ticketing Project,
  • Capstone Project on Android Civil Administration Reporting Project,
  • Capstone Project on Student Faculty Document Sharing Android Project,
  • Capstone Project on Android Local Train Ticketing Project,
  • Capstone Project on Android Patient Tracker,
  • Capstone Project on Android Pc Controller Using Wifi,
  • Capstone Project on Vehicle Tracking Using Driver Mobile Gps Tracking,
  • Capstone Project on Android Customer Relationship Management System,
  • Capstone Project on Android Employee Tracker,
  • Capstone Project on Android – PC Chatting & Image Sharing System,
  • Capstone Project on Android Tourist Guide Project,
  • Capstone Project on Android AI Diet Consultant,
  • Capstone Project on Automated Payroll With GPS Tracking And Image Capture,
  • Capstone Project on Android Blood Bank,
  • Capstone Project on Mobile Quiz Through WiFi Project,
  • Capstone Project on Wireless Indoor Positioning System,
  • Capstone Project on Android Voting System,
  • Capstone Project on Bus Pass Android Project,
  • Capstone Project on Hotel Reservation Android,
  • Capstone Project on Android Bluetooth Chat,
  • Capstone Project on Android Based Parking Booking System,
  • Capstone Project on Photo Viewer Android Project,
  • Capstone Project on Android File finder and Sorting,
  • Capstone Project on Android Inventory Tracker,
  • Capstone Project on Android Places Finder Project,
  • Capstone Project on Android Electricity Bill Payment Project,
  • Capstone Project on Android Tour & Travel Agency Project,
  • Capstone Project on Android Law System Project,
  • Capstone Project on Wifi Library Book Locator Project,
  • Capstone Project on Grocery Shopping Android,
  • Capstone Project on Android Based Furniture Shopping,
  • Capstone Project on Android location Alarm,
  • Capstone Project on Medical Search Engine Project,
  • Capstone Project on Android Joystick Application,
  • Capstone Project on Mobile Attendance System Project,
  • Capstone Project on College Selector App,
  • Capstone Project on Android Dabbawala Project,
  • Capstone Project on Intelligent Tourist System Project,
  • Capstone Project on Android Merchant Application Using Qr,
  • Capstone Project on Android Vehicle Tracking Application,
  • Capstone Project on University Referencing of Bibliography Android With Barcode Scan,
  • Capstone Project on For Electronics/Communication,
  • Capstone Project on Android Powered Juice Vending Machine,
  • Capstone Project on Smart Floor Cleaner Robot Using Android,
  • Capstone Project on Motion Based Maze Solver Using Android,
  • Capstone Project on Wearable Health Monitoring System Project,
  • Capstone Project on Android Antenna Positioning System,
  • Capstone Project on Hovercraft Controlled By Android,
  • Capstone Project on DC Motor Speed Control By Android,
  • Capstone Project on Android Controlled Railway Level Gate Control,
  • Capstone Project on Voice Controlled Robotic Vehicle,
  • Capstone Project on Android Controlled Robotic Arm,
  • Capstone Project on Android Military Spying & Bomb Disposal Robot,
  • Capstone Project on Android Password Based Remote Door Opener System Project,
  • Capstone Project on Android Controlled Automobile,
  • Capstone Project on Voice Based Notice Board Using Android,
  • Capstone Project on Android Controlled Wildlife Observation Robot,
  • Capstone Project on Home Automation Using Android,
  • Capstone Project on Android Home Automation Using PIC,
  • Capstone Project on Voice Controlled Home Automation Using Android,
  • Capstone Project on Android Controlled Remote Password Security,
  • Capstone Project on Android Controlled Remote AC Power Control,
  • Capstone Project on Robot Controlled By Android Application,
  • Capstone Project on Home Appliance Control Using Android Application Project,
  • Capstone Project on Android Controlled Fire Fighter Robot,
  • Capstone Project on Android Controlled Based Spy Robot With Night Vision Camera,
  • Capstone Project on Android Controlled Pick And Place Robotic Arm Vehicle Project,
  • Capstone Project on Android Controlled Induction Motor with 7 segment display,
  • Capstone Project on Medical Helper Using OCR,
  • Capstone Project on Android-Based Encrypted SMS System,
  • Capstone Project on Tour Guide,
  • Capstone Project on Android-Based School Bus Tracking System,
  • Capstone Project on Android-Based Vehicle Tracking Project,
  • Capstone Project on Android-Based Electronic Appliance Comparison Project,
  • Capstone Project on Android Multi-Layer Pattern Locking Project,
  • Capstone Project on Android-Based Universal Ticketing Project,
  • Capstone Project on Student-Faculty Document Sharing Android Project,
  • Capstone Project on Android-Based Parking Booking System,
  • Capstone Project on Android-Based Furniture Shopping,
  • Capstone Project on university Referencing of Bibliography Android With Barcode Scan,
  • Capstone Project on Herb & Grocery Shopping Android App,
  • Capstone Project on Dementia Virtual Memory App,
  • Capstone Project on Android Messenger App,
  • Capstone Project on Barbershop Service Booking App,
  • Capstone Project on Fitness App With Workout Diet & Motivation,
  • Capstone Project on Emergency Ambulance Booking App,
  • Capstone Project on Waste Food Management & Donation App,
  • Capstone Project on Doctor Appointment Booking & Live Chat App,
  • Capstone Project on Android Blood Donation & Blood Bank Finder,
  • Capstone Project on Online Driver Hiring Android App,
  • Capstone Project on Retail Store Inventory & POS Checkout App,
  • Capstone Project on Gym Trainer & Progress Tracker App,
  • Capstone Project on Accident Detection & Alert Android App,
  • Capstone Project on Android Personal Safety App,
  • Capstone Project on Android College Connect Chat App,
  • Capstone Project on Tour Recommender App Using Collaborative Filtering,
  • Capstone Project on Instant Plasma Donor Recipient Connector Android App,
  • Capstone Project on Hourly Bicycle Rental Android App,
  • Capstone Project on Covid Contact Tracing Android Application,
  • Capstone Project on Android Bookaholics Circle,
  • Capstone Project on Advanced CRM Android Application,
  • Capstone Project on Android Micro Drone With Obstacle Detector,
  • Capstone Project on Android Geo Fencing App for Workforce Tracking,
  • Capstone Project on Android College Attendance System,
  • Capstone Project on Android OCR Snap & Share Application,
  • Capstone Project on Cab Booking Android Application,
  • Capstone Project on Android Food order and delivery app,
  • Capstone Project on Currency Detector App for Visually Impaired,
  • Capstone Project on Android Women Safety App,
  • Capstone Project on Android Voice Based Train Time-Table,
  • Capstone Project on Voice Authentication App using Microsoft Cognitive Services,
  • Capstone Project on Organ Donation Android Application,
  • Capstone Project on Smart Home Automation System with Light Dimmer,
  • Capstone Project on Graphical Password Authentication for Android App using Persuasive Cued Click Point,
  • Capstone Project on Custom Keyboard Android App,
  • Capstone Project on Face Authentication App using Microsoft’s Cognitive Service,
  • Capstone Project on Arduino based Snake Robot Controlled using Android Application,
  • Capstone Project on Daily Route Planner,
  • Capstone Project on Friendly Map Android Application for Disabled People,
  • Capstone Project on Trip Planner Android Application,
  • Capstone Project on Android Paper Free Document Sharing App Project,
  • Capstone Project on Android Smart Sticky Notes Application Project,
  • Capstone Project on Library Management System with SMS Autoreply,
  • Capstone Project on Personal diary for Visually Impaired with Microsoft Cognitive Services,
  • Capstone Project on Image Analysis Application & Image Insight using Google’s Cloud Vision API,
  • Capstone Project on Traffic Rules and Traffic Signs Quiz APP,
  • Capstone Project on Location Finder App using Android Phone & Cloud Vision API,
  • Capstone Project on Zapdroid Project: Managing Used Applications on Smartphones,
  • Capstone Project on Android Smart Health Monitoring System,
  • Capstone Project on Android Auction System App Project,
  • Capstone Project on Vehicle Number Plate Recognition using Android,
  • Capstone Project on V App : E College System for Blind Students,
  • Capstone Project on Android Place Marker,
  • Capstone Project on Android Help Assistance Near Me,
  • Capstone Project on Canteen Automation System using Android,
  • Capstone Project on Home automation system,
  • Capstone Project on Simple Calculator,
  • Capstone Project on eRestaurant Online Shopping For Food,
  • Capstone Project on Reminder App,
  • Capstone Project on Android controlled robot,
  • Capstone Project on Quiz Application,
  • Capstone Project on Net classified Based Mobile App,
  • Capstone Project on Simple Tic-Tac-Toe,
  • Capstone Project on Interfacing a Laser LED with Arduino,
  • Capstone Project on Stopwatch,
  • Capstone Project on Child Safety App,
  • Capstone Project on To Do App,
  • Capstone Project on Remote AC power control,
  • Capstone Project on Roman to decimal converter,
  • Capstone Project on emedicine Prescription – Recommendation Android App,
  • Capstone Project on Virtual Dice Roller,
  • Capstone Project on Voice controlled robotic vehicle,
  • Capstone Project on Scientific Calculator App,
  • Capstone Project on EGG Production Management System,
  • Capstone Project on SMS App,
  • Capstone Project on Android password based remote door opener system,
  • Capstone Project on Smart Alarm Setter,
  • Capstone Project on Car Pooling Project,
  • Capstone Project on Fake Call Timer,
  • Capstone Project on Automatic brightness control of the device,
  • Capstone Project on Online Matrimonial Android App,
  • Capstone Project on Digital Panchayat Services through Android Application,
  • Capstone Project on Tourist Guide Application,
  • Capstone Project on Building Construction Planner,
  • Capstone Project on Flip Image App,
  • Capstone Project on Where Are You – Location finder,
  • Capstone Project on Lost and Found System,
  • Capstone Project on Catering Booking Android App,
  • Capstone Project on Recipe App,
  • Capstone Project on Online Food Delivery Project,
  • Capstone Project on Survey Land Registration System App,
  • Capstone Project on Movers and Packers App with tracking,
  • Capstone Project on Android app for Online Examination and Results System,
  • Capstone Project on Smart Car Parking App,
  • Capstone Project on House Rental Management App,
  • Capstone Project on Emergency Distress Signal (SOS),
  • Capstone Project on E-bridging between the teachers and students,
  • Capstone Project on Graphical Password Authentication for Android App,
  • Capstone Project on Smart Online Examination and Result App,
  • Capstone Project on Location Based Garbage Management System,
  • Capstone Project on Blood Bank App,
  • Capstone Project on Music Application,
  • Capstone Project on Food wastage reduction android project,
  • Capstone Project on Online Municipality Complaint Registration and Management System,
  • Capstone Project on Organ Donation Management App,
  • Capstone Project on Bicycle Rental App,
  • Capstone Project on Real-time OnRoad Vehicle Breakdown Help Assistance,
  • Capstone Project on Smart Home Lights Automation,
  • Capstone Project on Vehicle Number Plate Recognition App,
  • Capstone Project on Hospital Management System,
  • Capstone Project on Android Auction App,
  • Capstone Project on Health Monitoring System,
  • Capstone Project on evoting Android App Using OTP and Photo Matching Voting system,
  • Capstone Project on Calorie Calculator App,
  • Capstone Project on Nearby help assistant app,
  • Capstone Project on eCrime Identification Using Face Matching android project,
  • Capstone Project on Ticketing System using RFID,
  • Capstone Project on Android Query Generator App,
  • Capstone Project on Finding Lost Debit Card Security Based Android App,
  • Capstone Project on Patient Tracking Application,
  • Capstone Project on Easy Document Sharing App,
  • Capstone Project on Farmers Agriculture using E-Digital Marketing Shop,
  • Capstone Project on Android Voting project,
  • Capstone Project on Voice based Train Time-Table Project,
  • Capstone Project on Android App for Student Attendance System,
  • Capstone Project on Online restaurants seat booking system,
  • Capstone Project on Grocery Shopping Android App,
  • Capstone Project on Android Operation Schedule Management System,
  • Capstone Project on Android eCommerce for Women Handicraft Shopping,
  • Capstone Project on e-Vaccination management System Android app,
  • Capstone Project on Android App for online Super Market,
  • Capstone Project on Gas agency system android app,
  • Capstone Project on Online Movie Booking based Android App,
  • Capstone Project on Library Management System with SMS,
  • Capstone Project on eAyurvedic Doctor Mobile Application,
  • Learning Gladiator Capstone Project
  • Play Money Ball Capstone Project
  • Machine Learning Baseball
  • Predict Stock Prices Capstone Project
  • Stock Price Predictor Capstone Project
  • Handwritten Text Recognition with TensorFlow Capstone Project
  • Investigate Enron Fraud Analysis with Capstone Project
  • Write ML Algorithms from Scratch Capstone Project
  • Mine Social Media Sentiment Capstone Project
  • Improve Health Care Capstone Project
  • Iris Data Capstone Project
  • Loan Prediction Data Capstone Project
  • Bigmart Sales Data Capstone Project
  • Boston Housing Data Capstone Project
  • Time Series Analysis Data Capstone Project
  • Wine Quality Data Capstone Project
  • Turkiye Student Evaluation Data Capstone Project
  • Heights and Weights Data Capstone Project
  • Intermediate Level Capstone Project
  • Black Friday Data Capstone Project
  • Human Activity Recognition Data Capstone Project
  • Siam Competition Data Capstone Project
  • Trip History Data Capstone Project
  • Million Song Data Capstone Project
  • Census Income Data Capstone Project
  • Movie Lens Data Capstone Project
  • Twitter Classification Data Capstone Project
  • Advanced Level Capstone Project
  • Identify your Digits Capstone Project
  • Urban Sound Classification Capstone Project
  • Vox Celebrity Data Capstone Project
  • ImageNet Data Capstone Project
  • Chicago Crime Data Capstone Project
  • Age Detection of Indian Actors Data Capstone Project
  • Recommendation Engine Data Capstone Project
  • VisualQA Data Capstone Project
  • Nonlinear Reconstruction of Genetic Networks Implicated Capstone Project
  • Identifying Gender From Facial Features Capstone Project
  • Equation to LaTeX Capstone Project
  • Intensity prediction using DYFI Capstone Project
  • Artificial Intelligence on the Final Frontier Capstone Project
  • Life Expectancy Post Thoracic Surgery Capstone Project
  • Making Sense of the Mayhem- Machine Learning and March Madness Capstone Project
  • Better Reading Levels through Machine Learning
  • What are People Saying about Net Neutrality Capstone Project
  • Bird Species Identification from an Image Capstone Project
  • Stay Alert.Aditya Sarkar Capstone Project
  • A bigram extension to word vector representation Capstone Project
  • Mining for Confusion – Classifying Affect in MOOC Learners’ Discussion Forum Posts Capstone Project
  • Cardiac Arrhythmias Patients Capstone Project
  • Prediction of Average and Perceived Polarity in Online Journalism Capstone Project
  • Cardiac Dysrhythmia Detection with GPU-Accelerated Neural Networks Capstone Project
  • Nicolas Sanchez Ruck Those Stats Capstone Project
  • Classifying Wikipedia People Into Occupations Capstone Project
  • Classification of Soil Contamination Capstone Project
  • Automated Essay Grading Capstone Project
  • Relative and absolute equity return prediction using supervised learning Capstone Project
  • Seizure Prediction from Intracranial EEG Recordings Capstone Project
  • Predicting Seizure Onset with Intracranial Electroencephalogram(EEG)Capstone Project
  • Classifying Complex Legal Documents Capstone Project
  • Machine Learning Applied to the Detection of Retinal Blood Vessels Capstone Project
  • Survival Outcome Prediction for Cancer Patients Capstone Project
  • Predicting Cellular Link Failures to Improve User Experience on Smartphones Capstone Project
  • Yelp Personalized Reviews Capstone Project
  • KMeansSL Capstone Project
  • Strength in numbers_ Modelling the impact of businesses on each other Capstone Project
  • Correlation Based Multi-Label Classification Capstone Project
  • Landmark Recognition Using Machine Learning Capstone Project
  • CarveML an application of machine learning to file fragment classification Capstone Project
  • rClassifier Capstone Project
  • Using Vector Representations to Augment Sentiment Analysis Capstone Project
  • Analyzing Vocal Patterns to Determine Emotion Capstone Project
  • Predicting the Commercial Success of Songs Based on Lyrics and Other Metrics Capstone Project
  • Application Of Machine Learning To Aircraft Conceptual Design Capstone Project
  • Extracting Word Relationships from Unstructured Data Capstone Project
  • Machine Learning for Predicting Delayed Onset Trauma Following Ischemic Stroke Capstone Project
  • Classifying Online User Behavior Using Contextual Data Capstone Project
  • Real Time Flight Path Optimization Under Constraints Using Surrogate Flutter Function Capstone Project
  • Real-Time Dense Map Matching with Naive Hidden Markov Models Delay versus Accuracy Capstone Project
  • Prediction Function from Sequence in Venom Peptide Families Capstone Project
  • Restaurant Recommendation System Capstone Project
  • Home Electricity Load Forecasting Capstone Project
  • Learning Dota 2 Team Compositions Capstone Project
  • Applying Deep Learning to derive insights about non-coding regions of the genome Capstone Project
  • Classification of Higgs Jets as Decay Products of a Randall-Sundrum Graviton at the ATLAS Experiment Capstone Project
  • SemenFertilityPrediction.Axel Guyon,Florence Koskas,Yoann Buratti Capstone Project
  • Sentiment Analysis Using Semi-Supervised Recursive Autoencoders and Support Vector Machines Capstone Project
  • Classifying Syllables in Imagined Speech using EEG Data Capstone Project
  • Abraham Starosta-Typeguess Capstone Project
  • Predicting Usefulness of Yelp Reviews Capstone Project
  • Predicting Soccer Results in the English Premier League Capstone Project
  • Detecting Heart Abnormality using ECG with CART Capstone Project
  • Down and Dirty with Data Capstone Project
  • Hierarchical Classification of Amazon Products Capstone Project
  • Predicting high-risk countries for political instability and conflict Capstone Project
  • Machine Learning Implementation in live-cell tracking Capstone Project
  • Any Given Sunday Capstone Project
  • P300 Error Detection Capstone Project
  • Automated Canvas Analysis for Painting Conservation Capstone Project
  • Office Appliance Classification Capstone Project
  • Sentiment Analysis on Movie Reviews Capstone Project
  • Predicting Mobile Application Success Capstone Project
  • Modeling Activity Recognition Using Physiological Data Collected from Wearable Technology Capstone Project
  • Neural Network Joint Language Model.Charles Qi.[pdf]
  • Yelp Recommendation System Using Advanced Collaborative Filtering Capstone Project
  • Prediction of Yelp Review Star Rating using Sentiment Analysis Capstone Project
  • Classification of Bad Accounts in Credit Card Industry Capstone Project
  • Classification Of Musical Playing Styles Capstone Project
  • Email Filtering By Response Required Capstone Project
  • Forecasting Utilization in City Bike-Share Program Capstone Project
  • Recommender.Christopher Aberger Capstone Project
  • Predicting Cell Type-Specific Chromatin States from Genetic Regulatory Networks Capstone Project
  • Pose Estimation Based on 3D Models Capstone Project
  • Visual Localization and POMDP for Autonomous Indoor Navigation Capstone Project
  • Contours and Kernels-The Art of Sketching Capstone Project
  • Indoor Positioning System Using Wifi Fingerprint Capstone Project
  • Predicting air pollution level in a specific city Capstone Project
  • Prediction of Transcription Factors that Regulate Common Binding Motifs Capstone Project
  • Multi-class motif discovery in keratinocyte differentiation Capstone Project
  • Defensive Unit Performance Analysis Capstone Project
  • Diagnosing Malignant versus Benign Breast Tumors via Machine Learning Techniques in High Dimensions Capstone Project
  • Hacking the Hivemind Capstone Project
  • Diagnosing Parkinson’s from Gait Capstone Project
  • Implementing Machine Learning Algorithms on GPUs for Real-Time Traffic Sign Classification Capstone Project
  • Vignette Capstone Project
  • Machine Learning In JavaScript Capstone Project
  • Searching for exoplanets in the Kepler public data Capstone Project
  • Model Clustering via Group Lasso Capstone Project
  • Improving Positron Emission Tomography Imaging with Machine Learning Capstone Project
  • Algorithmic Trading of Futures via Machine Learning.David Montague Capstone Project
  • Topic based comments exploration for online articles Capstone Project
  • Personal Legal Counselor and Interpreter of the Law via Machine Learning Capstone Project
  • Personalized Web Search Capstone Project
  • Detecting Ads in a Machine Learning Approach Capstone Project
  • Predicting Mitochondrial tRNA Modification Capstone Project
  • Collaborative Neighborhoods Capstone Project
  • Estimation of Causal Effects from Observational Study of Job Training Program Capstone Project
  • Deep Leraning Architecture for Univariate Time Series Forecasting Capstone Project
  • Solomon Capstone Project
  • Automatic detection of nanoparticles in tissue sections Capstone Project
  • Implementation of Deep Convolutional NeuralNet on a DSP Capstone Project
  • Evergreen or Ephemeral – Predicting Webpage Longevity Through Relevancy Features Capstone Project
  • MacMalware Capstone Project
  • Extractive Fiction Summarization Using Sentence Significance Scoring Models Capstone Project
  • Identifying And Predicting Market Reactions To Information Shocks In Commodity Markets Capstone Project
  • An EM-Derived Approach to Blind HRTF Estimation Capstone Project
  • The Many Dimensions of Net Neutrality Capstone Project
  • Learning To Predict Dental Caries For Preschool Children Capstone Project
  • Information based feature selection Capstone Project
  • Identifying Elephant Vocalizations Capstone Project
  • Predicting Protein Fragment Binding Capstone Project
  • Bike Share Usage Prediction in London Capstone Project
  • Localized Explicit Semantic Analysis Capstone Project
  • Robo Brain Massive Knowledge Base for Robots Capstone Project
  • Understanding Music Genre Similarity Capstone Project
  • Correlated Feature Selection for Single-Cell Phenotyping Capstone Project
  • Activity Recognition in Construction Sites Using 3D Accelerometer and Gyrometer Capstone Project
  • Event-based stock market prediction Capstone Project
  • Recommendation Based On User Experience Capstone Project
  • Spectrum Adaptation in Multicarrier Interference Channels Capstone Project
  • Exploring Potential for Machine Learning on Data About K-12 Teacher Professional Development Capstone Project
  • Player Behavior and Optimal Team Compositions for Online Multiplayer Games Capstone Project
  • Algorithmic Trading Strategy Based On Massive Data Mining Capstone Project
  • Face Detection And Recognition Of Drawn Characters Capstone Project
  • Gene Expression Analysis Of HCMV Latent Infection Capstone Project
  • A New Kalman Filter Method Capstone Project
  • Using Tweets for single stock price prediction Capstone Project
  • Naïve Bayes Classifier And Profitability of Options Gamma Trading Capstone Project
  • Vector-based Sentiment Analysis of Movie Reviews Capstone Project
  • A General-Purpose Sentence-Level Nonsense Detector Capstone Project
  • Characterizing Genetic Variation in Three Southeast Asian Populations Capstone Project
  • Machine Learning for the Smart Grid Capstone Project
  • Predicting Africa Soil Properties Capstone Project
  • Automated Bitcoin Trading via Machine Learning Algorithms Capstone Project
  • SkatBot Capstone Project
  • Tradeshift Text Classification Capstone Project
  • New York City Bike Share Capstone Project
  • Predicting Seizure Onset in Epileptic Patients Using Intercranial EEG Recordings Capstone Project
  • Predicting Foster Care Exit Capstone Project
  • Yelp Recommendation System Capstone Project
  • Predicting National Basketball Association Game Winners Capstone Project
  • Predicting Yelp Ratings From Business and User Characteristics Capstone Project
  • Predicting Popularity of Pornography Videos Capstone Project
  • Accurate Campaign Targeting Using Classification Algorithms Capstone Project
  • Forecasting Bike Rental Demand Capstone Project
  • Predicting User Following Behavior On Tencent Weibo Mac
  • ine Learning projects
  • Improving Taxi Revenue With Reinforcement Learning Capstone Project
  • Learning Facial Expressions From an Image Capstone Project
  • All Your Base Are Belong To Us English Texts Written by Non-Native Speakers Capstone Project
  • Identifying Regions High Turbidity Capstone Project
  • A Comparison of Classification Methods for Expression Quantitative Trait Loci Capstone Project
  • Predicting Mobile Users Future Location Capstone Project
  • Machine Learning Madness Capstone Project
  • Semi-Supervised Learning For Sentiment Analysis Capstone Project
  • Legal Issue Spotting Capstone Project
  • A novel way to Soccer Match Prediction Capstone Project
  • Morphological Galaxy Classification Capstone Project
  • Predicting Helpfulness Ratings of Amazon Product Reviews Capstone Project
  • Predicting Course Completions For Online Courses Capstone Project
  • An Adaptive System For Standardized Test Preparation Capstone Project
  • Single Molecule Biophysics Machine Learning For Automated Data Processing Capstone Project
  • Understanding Comments Submitted to FCC on Net Neutrality Capstone Project
  • Direct Data-Driven Methods for Decision Making under Uncertainty Machine Learning project
  • From Food To Winev
  • Classifying Legal Questions into Topic Areas Using Machine Learning Capstone Project
  • Predicting Hit Songs with MIDI Musical Featuresv
  • Machine Learning Methods for Biological Data Curation Capstone Project
  • Classifying Forest Cover Type using Cartographic Features Capstone Project
  • Peer Lending Risk Predictorv
  • Learning Distributed Representations of Phrases Capstone Project
  • Estimation Of Word Representations Using Recurrent Neural Networks And Its Application In Generating Business Fingerprints Capstone Project
  • Gender Identification by Voice Capstone Project
  • Applications Of Machine Learning To Predict Yelp Ratings Capstone Project
  • Methodology for Sparse Classification Learning Arrhythmia Capstone Project
  • Predicting March Madness Capstone Project
  • Net Neutrality Language Analysis Capstone Project
  • Characterizing Atrial Fibrillation Burden for Stroke Prevention Capstone Project
  • Predict Seizures in Intracranial EEG Recordings Capstone Project
  • Automated Music Track Generation Capstone Project
  • Characterizing Overlapping Galaxies Capstone Project
  • Understanding Player Positions in the NBA Capstone Project
  • Cross-Domain Product Classification with Deep Learning Capstone Project
  • Predicting Heart Attacks Capstone Project
  • Prediction of Bike Sharing Demand for Casual and Registered Users Capstone Project
  • Classification Of Arrhythmia Using ECG Data Capstone Project
  • What Can You Learn From Accelerometer Data Capstone Project
  • Speaker Recognition for Multi-Source Single-Channel Recordings Capstone Project
  • Prediction of consumer credit risk Capstone Project
  • Machine Learning for Network Intrusion Detection Capstone Project
  • Predicting Paper Counts in the Biological Sciences Capstone Project
  • Prediction of Price Increase for MTG Cards Capstone Project
  • Twitter Classification into the Amazon Browse Node Hierarchy Capstone Project
  • Determining Mood From Facial Expressions Capstone Project
  • Visualizing Personalized Cancer Risk Prediction Capstone Project
  • Predicting the Total Number of Points Scored in NFL Games Capstone Project
  • Short Term Power Forecasting Of Solar PV Systems Using Machine Learning Techniques Capstone Project
  • Star-Galaxy Separation in the Era of Precision Cosmology Capstone Project
  • Artist Attribution via Song Lyrics Capstone Project
  • Accelerometer Gesture Recognition Capstone Project
  • Arrythmia Classification for Heart Attack Prediction Capstone Project
  • #ML#NLP-Autonomous Tagging Of Stack Overflow Posts Capstone Project
  • Scheduling Tasks Under Constraints Capstone Project
  • Classification Of Beatles Authorshipv
  • Classification of Accents of English Speakers by Native Language Capstone Project
  • Exposing commercial value in social networks matching online communities and businesses Capstone Project
  • Hacking the genome Capstone Project
  • How Hot Will It Get Modeling Scientific Discourse About Literature Capstone Project
  • Permeability Prediction of 3-D Binary Segmented Images Using Neural Networks Capstone Project
  • Automated Identification of Artist Given Unknown Paintings and Quantification of Artistic Style Capstone Project
  • Predicting Lecture Video Complexity Capstone Project
  • Result Prediction of Wikipedia Administrator Elections based ondNetwork Features Capstone Project
  • Predicting The Treatment Status Capstone Project
  • Error Detection based on neural signals Capstone Project
  • Speech Similarity Capstone Project
  • Data-Driven Modeling and Control of an Autonomous Race Car Capstone Project
  • Predicting the Diagnosis of Type 2 Diabetes Using Electronic Medical Records Capstone Project
  • A Novel Approach to Predicting the Results of NBA Matches Capstone Project
  • Automatically Generating Musical Playlists Capstone Project
  • Solar Flare Prediction Capstone Project
  • Application of machine learning techniques for well pad identification inathe Bakken oil fielda Capstone Project
  • Anomaly Detection in Bitcoin Network Using Unsupervised Learning Methods Capstone Project
  • Two-step Semi-supervised Approach for Music Structural Classificiation Capstone Project
  • Domain specific sentiment analysis using cross-domain data Capstone Project
  • Instrumental Solo Generator Capstone Project
  • Cross-Domain Text Understanding in Online SocialData Capstone Project
  • From Paragraphs to Vectors and Back Again Capstone Project
  • HandwritingRecognition Capstone Project
  • Chemical Identification with Chemical Sensor Arrays Capstone Project
  • Genre Classification Using Graph Representations of Music Capstone Project
  • Collaborative Filtering Recommender Systems Capstone Project
  • Detecting The Direction Of Sound With A Compact Microphone Array Capstone Project
  • Finding Undervalued Stocks With Machine Learning Machine Learning project
  • Multilevel Local Search Algorithms for Modularity Clustering Capstone Project
  • Automated Detection and Classification of Cardiac Arrhythmias Capstone Project
  • Predicting Kidney Cancer Survival From Genomic Data Capstone Project
  • Multiclass Sentiment Analysis of Movie Reviews Capstone Project
  • Classification and Regression Approaches to Predicting US Senate Elections Capstone Project
  • Learning from Quantified Self Data Capstone Project
  • Predict Influencers in the Social Network Capstone Project
  • Bias Detector Capstone Project
  • Constructing Personal Networks Through Communication History Capstone Project
  • Modeling Protein Interactions Using Bayesian Networks Capstone Project
  • Topic Analysis of the FCC’s Public Comments on Net Neutrality Capstone Project
  • Predicting Hospital Readmissions Capstone Project
  • Analyzing Positional Play in Chess Using Machine Learning Capstone Project
  • Yelp Restaurants’ Open Hours Capstone Project
  • Identifying Arrhythmia from Electrocardiogram Data Capstone Project
  • Diagnosing and Segmenting Brain Tumors and Phenotypes using MRI Scans M
  • chine Learning projects
  • Exploring the Genetic Basis of Congenital Heart Defects Capstone Project
  • Attribution of Contested and Anonymous Ancient Greek Works Capstone Project
  • Object Detection for Semantic SLAM using Convolutional Neural Networks Capstone Project
  • Sentiment as a Predictor of Wikipedia Editor Activity Capstone Project
  • Blowing Up The Twittersphere- Predicting the Optimal Time to Tweet Capstone Project
  • Evergreen Classification_ Exploring New Features Capstone Project
  • Detecting Lane Departures Using Weak Visual Features Capstone Project
  • Re-clustering of Constellations through Machine Learning Capstone Project
  • Application of Neural Network In Handwriting Recognition Capstone Project
  • Recognition and Classification of Fast Food Images Capstone Project
  • Reduced Order Greenhouse Gas Flaring Estimation Capstone Project
  • Blood Pressure Detection from PPG Capstone Project
  • Predicting Low Voltage Events on Rural Micro-Grids in Tanzania Capstone Project
  • Amazon Employee Access Control System_Updated_Version Capstone Project
  • Prediction Onset Epileptic Capstone Project
  • Evaluating Pinch Quality of Underactuated Robotic Hands Capstone Project
  • Reinforcement Learning With Deeping Learning in Pacman Capstone Project
  • Language identification and accent variation detection in spoken language recordings Capstone Project
  • Enhancing Cortana User Experience Using Machine Learning Capstone Project
  • Who Matters Capstone Project
  • Predicting Seizures in Intracranial EEG Recordings Capstone Project
  • tructural Health Monitoring in Extreme Events from Machine Learning Perspective Capstone Project
  • On-line Kernel Learning for Active Sensor Networks Capstone Project
  • ECommerce Sales Prediction Using Listing Keywords Capstone Project
  • Review Scheduling for Maximum Long-Term Retention of Knowledge Capstone Project
  • Adaptive Spaced Repetition Capstone Project
  • Do a Barrel Roll Capstone Project
  • Oil Field Production using Machine Learning Capstone Project
  • Predicting Success for Musical Artists through Network and Quantitative Data Capstone Project
  • Better Models for Prediction of Bond Prices Capstone Project
  • Classifying the Brain 27s Motor Activity via Deep Learning Capstone Project
  • Prediction of Bike Rentals Capstone Project
  • Classification of Alzheimer’s Disease Based on White Matter Attributes Capstone Project
  • MoralMachines- Developing a Crowdsourced Moral Framework for Autonomous Vehicle Decisions Capstone Project
  • Context Specific Sequence Preference Of DNA Binding Proteins Capstone Project
  • Predicting Reddit Post Popularity ViaInitial Commentary Capstone Project
  • Machine Learning for Continuous Human Action Recognition Capstone Project
  • Predicting Pace Based on Previous Training Runs Capstone Project
  • Probabilistic Driving Models and Lane Change Prediction Capstone Project
  • Multiple Sensor Indoor Mapping Using a Mobile Robot Capstone Project
  • Bone Segmentation MRI Scans Capstone Project
  • #Rechorder Anticipating Music Motifs In Real Time Capstone Project
  • Prediction and Classification of Cardiac Arrhythmia Capstone Project
  • Predicting DJIA Movements from the Fluctuation of a Subset of Stocks Capstone Project
  • Sentiment Analysis for Hotel Reviews Capstone Project
  • Mood Detection with Tweets Capstone Project
  • Comparison of Machine Learning Techniques for Magnetic Resonance Image Analysis Capstone Project
  • Object Recognition in Images Capstone Project
  • 3D Scene Retrieval from Text Capstone Project
  • Predicting Breast Cancer Survival Using Treatment and Patient Factors Capstone Project
  • Parking Occupancy Prediction and Pattern Analysis Capstone Project
  • Supervised DeepLearning For MultiClass Image Classification Capstone Project
  • User Behaviors Across Domains Capstone Project
  • Seizure forecasting Capstone Project
  • Stock Trend Prediction with Technical Indicators using SVM Capstone Project
  • Multiclass Classifier Building with Amazon Data to Classify Customer Reviews into Product Categories Capstone Project
  • An Energy Efficient Seizure Prediction Algorithm Capstone Project
  • Classifier Comparisons On Credit Approval Prediction Capstone Project
  • Appliance Based Model for Energy Consumption Segmentation Capstone Project
  • analysis on 1s1r array Capstone Project
  • Phishing Detection System Using Machine Learning a
  • Self Driving car project using Machine Learning
  • OpenCV Python Neural Network Autonomous RC C
  • Stock prediction using sentimental analysis – Capstone Project
  • Illness Tracker | Final Year Project
  • machine learning neural network JAVA PROJECTS
  • Credit Card Fraud Detection Using Neural Network
  • Detecting Phishing Websites using Machine Learning Technique
  • Machine Learning Final Project: Classification of Neural Responses to Threat
  • A Computer Aided Diagnosis System for Lung Cancer Detection using Machine
  • Prediction of Diabetes and cancer using SVM
  • Efficient Heart Disease Prediction System

Search code, repositories, users, issues, pull requests...

Provide feedback.

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly.

To see all available qualifiers, see our documentation .

capstone-project

Here are 68 public repositories matching this topic..., rjgaton007 / gyms.

Gym Management System with SMS Support

  • Updated Apr 2, 2024

zaneypal / logger

A website that lets you upload logs and automatically sort them into different fields for easier parsing. Currently a project in progress.

  • Updated Mar 23, 2024

KDMANA / data-science-boot

HyperionDev CoGrammar Data Science Bootcamp

  • Updated Feb 21, 2024

CoryCampbell / Math-Quest

This is my Capstone Project for App Academy. It is an Educational Web-based Game that encourages kids to practice their math skills while having fun doing it!

  • Updated Feb 17, 2024

andresgarbarz / CS50-Capstone

My final project for Harvard University CS50's Web Programming with Python and JavaScript Course.

  • Updated Dec 30, 2023

somuchmoh / day53-100daysofcoding

Day 53 of #100DaysOfCoding

  • Updated Dec 26, 2023

MamMates / ml-model-serving

Serving Services for All ML Model

  • Updated Mar 11, 2024

OIDAM98 / procrastinator

Capstone python project for Wizeacademy ChatGPT Sprint

  • Updated Dec 10, 2023

somuchmoh / day40-100daysofcoding

Day 40 of #100DaysOfCoding

  • Updated Dec 8, 2023

Serun1017 / Capstone-Project-2023_2

세종대학교 2023_2학기 캡스톤 프로젝트 (스케치 기반 이미지 검색 시스템)

  • Updated Dec 4, 2023

somuchmoh / day31-100daysofcoding

Day 31 of #100DaysOfCoding

  • Updated Nov 29, 2023

somuchmoh / day23-100daysofcoding

Day 23 of #100DaysOfCoding

najjarfred / DocQA

Extractive question answering streamlit portal utilising LLM BigBird and HuggingFace for interactive response generation from uploaded PDF documents.

DineshDhamodharan24 / BizCardX-Extracting-Business-Card-Data-with-OCR

It sounds like "BizCard" is a solution designed to eliminate the need for manual data entry and simplify the handling of business cards. This suggests that the tool likely utilizes technology, such as OCR, to automate the extraction of information from business cards.

  • Updated Nov 25, 2023

somuchmoh / day20-21-100daysofcoding

Day 20-21 of #100DaysOfCoding

somuchmoh / day14-100daysofcoding

Day 14 of #100DaysOfCoding

  • Updated Oct 29, 2023

jge162 / 471-SeniorDesign

Team of four CSUF seniors creating an innovative 'Automatic Waste Sorter' that utilizes advanced technology to sort waste accurately and efficiently. The system's core is driven by a Google Coral Dev Board, with additional peripherals such as an Arduino, stepper motors, proximity sensors, a webcam, and object detection (machine learning).

  • Updated Oct 22, 2023

zEuS0390 / ppe-for-construction-safety-detection

A cloud-based software application that monitors compliance with multiple personal protective equipment for construction safety and delivers reports to safety officers' mobile applications via a lightweight messaging protocol called MQTT.

  • Updated Sep 30, 2023

santtuniskanen / devops-capstone-project

IBM DevOps Software Engineering Capstone Project

  • Updated Aug 16, 2023

jameelkaisar / Quantified-Self-App

Capstone Project for Modern Application Development I Course (IIT Madras)

  • Updated Aug 11, 2023

Improve this page

Add a description, image, and links to the capstone-project topic page so that developers can more easily learn about it.

Curate this topic

Add this topic to your repo

To associate your repository with the capstone-project topic, visit your repo's landing page and select "manage topics."

Team E4: The Embellisher

Team E4: The Embellisher

Carnegie Mellon ECE Capstone, Spring 2024 – Ella Lee, Hirani Sattenapalli, Ritu Pathak

Hirani’s Status Report for 03 | 30 | 2024

This past week, I spent a significant amount of time finishing up the build for the robot, integrating electronic components, and testing the sensors and motors on the side. Primarily in preparation for interim demo, I placed a large focus on completing the construction for the robot (in terms of assembly and integration). I am very excited and grateful to have been able to finish assmebly of the roller mechanism (the clear roller that can be seen in the image below) and the other components, which include attachment and wiring of the wheels, build of the electronic component box (which consisted of attaching the rest of the acrylic boards to the side as well as the bottom), installation of the conveyor belt + additional piping on the linear shafts that connect the roller, and attachment of the stepper motors & motor mounts onto the vertical extrusions. This took quite some time, and Ritu and I worked together to attach the roller, the wheels, and the belt. Although it was relatively high intensive work in the hours that went in, I am excited about the final product. The work this week was integral to our overall progress on the capstone project.

There were a few issues with the robot actually working – the roller is able to pull the trash component inside the bot; however, there is difficulty in the trash object actually going up the ramp. Hence, we will be working on the addition of a small ramp to allow the mechanism to work after demo.

As the assembly was progressing this week, I worked on setting up circuitry for the ultrasonic sensor and testing the Adafruit Raspberry Pi hats. As planned, Ella and I tested the dc motors on the PI using the adafruit Pi hat (which we used as our motor driver) on Monday. As I had presumed, based on the power ratings of the motors (12 watts), a lower throttle (around 0.3) is sufficient for the dc motors which ran on 12V. We also tested the stepper motors, and unfortunately, due to, I believe inaccurate wiring, burned one of the integrated circuits on the hat. We brought two hats (one hat meant to drive the DC motors and one meant to drive the steppers), and so we decided to invest in a new hat for the stepper. This was a slight setback for what we had planned for interim demo; however, we still expect to display the build and the wheels moving.

This past Friday, after the assembly, Ella and I worked on testing the motor control code that I had also worked on this week. We ran into an issue of setting up ssh for the PI. This had to be done so that the code on the PI could be run externally (while it is connected to the robot). However, although we had set up a static IP address (to ssh), there seemed to be issues with CMU wifi allowing us to ssh into the PI. Sshing did not seem plausible after running through several articles; however, we looked into a few alternatives.

Our progress is on schedule. Although we’ve had a few setbacks, we’ve been working through each one with dedicated time. As for the hat, a new one has been ordered, and we will be testing each motor separately before integrating. For the ssh, I decided to set up the monitor (that I requested a few weeks ago) on the robot and run everything from there. That way, the display will work as a small monitor and we will not have to ssh (code will be updated using a Git repo). In the next week, I hope to demo our current project during the Interim demo and recieve feedback. I also hope to have the python code fully tested on the actual robot (not just sub-component testing of the motors on the pi) and fix slight issues with the pick up mechanism. I will also be working on research on VSLAM so that we can get started on writing the algorithm “to get back home.”

Leave a Reply Cancel reply

Your email address will not be published. Required fields are marked *

IMAGES

  1. #12 Capstone Project One

    capstone project python code

  2. Capstone: Retrieving, Processing, and Visualizing Data with Python

    capstone project python code

  3. Python: Mini Capstone Project (Gr. 11-12)

    capstone project python code

  4. Capstone: Retrieving, Processing, and Visualizing Data with Python

    capstone project python code

  5. Complete-Python-Bootcamp/Final Capstone Project Ideas.ipynb at master

    capstone project python code

  6. GitHub

    capstone project python code

VIDEO

  1. Project Python

  2. Pictoblox: Capstone Project

  3. Python Projects

  4. Aldie Adrian

  5. How get an AI Job

  6. Purwadhika Python Capstone Project

COMMENTS

  1. capstone-project · GitHub Topics · GitHub

    To associate your repository with the capstone-project topic, visit your repo's landing page and select "manage topics." GitHub is where people build software. More than 100 million people use GitHub to discover, fork, and contribute to over 420 million projects.

  2. capstone-project · GitHub Topics · GitHub

    This is the official repository for code used in the capstone project by Group 5 in Electrical Engineering at OntarioTechU in the Fall 2021 - Winter 2022 semester. python raspberry-pi health healthcare-application capstone-project. Updated on Jun 10, 2022.

  3. Python Capstone Project

    If the issue persists, it's likely a problem on our side. Unexpected token < in JSON at position 4. keyboard_arrow_up. content_copy. SyntaxError: Unexpected token < in JSON at position 4. Refresh. Explore and run machine learning code with Kaggle Notebooks | Using data from [Private Datasource]

  4. Analyze Financial Data with Python Capstone project

    Projects Capstone Projects. eximio November 13, 2023, 11:03pm 1. Hi Everyone, Here is my Analyze Financial Data with Python Capstone project. Attached are the repository to github for the project code and the presentation of the recommended optimized investment portfolio (pdf). After doing this analysis and running the Markowitz based quadratic ...

  5. Programming with Python language

    But just in case, readers can find below the explanation for each line of test1.py. Line 2: Import Python module capstone before we do anything. Line 4: Raw binary code we want to disassemble. The code in this sample is in hex mode. Line 6: Initialize Python class for Capstone with class Cs. We need to give this class two arguments: the ...

  6. Capstone: Retrieving, Processing, and Visualizing Data with Python

    There are 7 modules in this course. In the capstone, students will build a series of applications to retrieve, process and visualize data using Python. The projects will involve all the elements of the specialization. In the first part of the capstone, students will do some visualizations to become familiar with the technologies in use and then ...

  7. Lesson 6. Capstone project: your first Python program—convert hours to

    Capstone project: your first Python program—convert hours to minutes . After reading lesson 6, you'll be able to . Read your first programming problem; ... especially to help future programmers who might be looking at the code. Some calculations you've seen so far are addition, subtraction, multiplication, division, remainder, and power.

  8. Capstone project: Retail sales analysis

    Capstone project: Retail sales analysis - [Instructor] Now this is a time where we're going to implement all the learnings, which we have done throughout this code in the form of a small project.

  9. Python 301: Capstone Project

    In Python 301, you learned more advanced software development concepts, such as exception handling and testing. You also spent a good amount of time learning about object-oriented programming and applying it in practice, for example, in your web scraping project. If you've followed through the whole course diligently and put in the necessary ...

  10. capstone · PyPI

    Project description. To install Capstone, you should run pip install capstone. If you would like to build Capstone with just the source distribution, without pip, just run python setup.py install in the folder with setup.py in it. In order to use this source distribution, you will need an environment that can compile C code.

  11. Google Data Analytics Capstone Project_With Python

    If the issue persists, it's likely a problem on our side. Unexpected token < in JSON at position 4. keyboard_arrow_up. content_copy. SyntaxError: Unexpected token < in JSON at position 4. Refresh. Explore and run machine learning code with Kaggle Notebooks | Using data from FitBit Fitness Tracker Data.

  12. Capstone Projects with Source code

    Python Free Capstone Projects with source code. Contact Management System In PYTHON. Ludo Game Project In PYTHON. Hotel Management System Project in Python. Complaint Management System Project in Python. Pharmacy Management System Project In Python. Bank Management System Project in Python. Movie Rental Shop Management System Project in Python.

  13. DatatableTon: Capstone Projects (Solutions)

    If the issue persists, it's likely a problem on our side. Unexpected token < in JSON at position 4. keyboard_arrow_up. content_copy. SyntaxError: Unexpected token < in JSON at position 4. Refresh. Explore and run machine learning code with Kaggle Notebooks | Using data from multiple data sources.

  14. 70+ Python Projects for Beginners [Source Code Included]

    Source Code - Mad Libs Generator in Python 2. Python Number Guessing Game. Python Project Idea - This is a fun little project that I like to do in my spare time. It is a number-guessing game written in Python. The basic idea is to have the computer produce a random number between 1 and 100 and then have the user try to guess it.

  15. python

    This question is in relation to Dr Angela Yu's 11th day of Python tutorials. I am not able to execute the code I typed in. The code is typed in replit. Where am I making mistakes? This code is supposed to play the game of Blackjack.

  16. capstone-project · GitHub Topics · GitHub

    To associate your repository with the capstone-project topic, visit your repo's landing page and select "manage topics." GitHub is where people build software. More than 100 million people use GitHub to discover, fork, and contribute to over 420 million projects.

  17. capstone-project · GitHub Topics · GitHub

    Write better code with AI Code review. Manage code changes Issues. Plan and track work Discussions. Collaborate outside of code Explore. All features ... Capstone python project for Wizeacademy ChatGPT Sprint. python capstone-project llm chatgpt-api Updated Dec 10, 2023; Python; somuchmoh / day40-100daysofcoding Star 1. Code ...

  18. Hirani's Status Report for 03

    The work this week was integral to our overall progress on the capstone project. There were a few issues with the robot actually working - the roller is able to pull the trash component inside the bot; however, there is difficulty in the trash object actually going up the ramp. ... I also hope to have the python code fully tested on the ...

  19. Capstone Project

    If the issue persists, it's likely a problem on our side. Unexpected token < in JSON at position 4. keyboard_arrow_up. content_copy. SyntaxError: Unexpected token < in JSON at position 4. Refresh. Explore and run machine learning code with Kaggle Notebooks | Using data from multiple data sources.

  20. Heart Disease Prediction Capstone Project

    Explore and run machine learning code with Kaggle Notebooks | Using data from HeartDiseaseDataset. code. New Notebook. table_chart. New Dataset. tenancy. New Model. emoji_events. New Competition. corporate_fare. New Organization. No Active Events. Create notebooks and keep track of their status here. add New Notebook. auto_awesome_motion. 0 ...

  21. Capstone project: FitBit(Python/Tableau)

    If the issue persists, it's likely a problem on our side. Unexpected token < in JSON at position 4. keyboard_arrow_up. content_copy. SyntaxError: Unexpected token < in JSON at position 4. Refresh. Explore and run machine learning code with Kaggle Notebooks | Using data from multiple data sources.