hackathon_id int64 1.57k 23.4k | project_link stringlengths 30 96 | full_desc stringlengths 1 547k ⌀ | title stringlengths 1 60 ⌀ | brief_desc stringlengths 1 200 ⌀ | team_members stringlengths 2 870 | prize stringlengths 2 792 | tags stringlengths 2 4.47k | __index_level_0__ int64 0 695 |
|---|---|---|---|---|---|---|---|---|
10,267 | https://devpost.com/software/coronaviewer | Demo of iOS visualisation
Demo of iOS visualisation
Inspiration
COVID-19 is a complex disease and the SARS-CoV-2 coronavirus is not yet fully understood. The hope is that eventually, following advancements in VR/AR, scientists may be able to utilise better tools for more life-like visualisation of complex molecules such as the coronavirus. Such technology may also be used as a learning tool to aid students of subjects such as medicine and biochemistry, but also anyone with even a mild interest in the subject, in exploring the chemical structures behind many biological processes.
What it does
This project is an early, rudimentary demonstration of how such tools could work in the coming years. In its most basic form, it is an AR system that can render and display a 3D model of one or more molecules, which in this case, is a SARS-CoV-2 main protease molecule, along with an associated inhibitor called N3. The user can place a view of the molecules in their immediate surroundings, scale the model, rotate it and walk around it to view even the areas that may usually be hidden in a 2D image in a book.
How I built it
After attending the echoAR workshop and discovering how straightforward it can be to create basic cloud-connected AR apps using the echoAR platform, I strived to perform a similar task of my own. I set up my echoAR account and the latest Unity installation. From here, I followed the easy-to-use documentation on the echoAR website and used the provided example project upon which to build my app.
Challenges I ran into
Since I was new to Unity and VR/AR development, it took some time to become familiar with the interface and learn the basics of how to successfully build a project in Unity and then deploy it to any platform.
Accomplishments that I'm proud of
Though this project is a very basic and early demonstration of how the technology involved could be used, I found it intriguing and definitely something worth exploring further as I develop this project and build more in the future. I did not seek to build a highly complex app with a lot of functionality, but instead the starting blocks for something that can be taken further. My primary aim at the start was to end up with a product that I can at least run independently, whether on a laptop or a phone. In the end, I achieved this and am pleased with the results.
What I learned
The main lesson I learned from this is that developing VR/AR apps is not as daunting as it may initially seem. echoAR did a fantastic job of proving this. I was also fascinated to explore the potential of cloud-connected VR/AR experiences, whereby a user can change settings in their console on a web browser and see the changes take effect in the app in real time.
What's next for CoronaViewer
I believe this project has a lot of potential and a large scope for development. Just some of the many things that can be improved/implemented include:
Add more models, especially realistic models from scientific databases
Add labelling to various parts of the molecules to help as a learning tool
Add colour coding to identify various molecular groups
Add functionality to show different molecules interacting
Allow the user to pick apart a molecule and explore its constituents in more depth
Incorporate a database of scientifically accurate information pertaining to the current molecule(s), allowing the user to learn as they explore in 3D
Built With
echoar
unity
xcode | CoronaViewer | An iOS app that allows the user to view a model of SARS-CoV-2 main protease and N3 inhibitor | [] | [] | ['echoar', 'unity', 'xcode'] | 109 |
10,267 | https://devpost.com/software/backendless | Introduction
It is an indisputable fact that every web, mobile, or desktop application requires a backend, whether it is a custom one or a 3rd party's API. The backend provides data persistence, data processing, file storage, authentication, and more. With all these requirements for a backend, it is no wonder backends are so complicated to build, deploy, and maintain. As development speed is getting progressively more important, your team needs to be able to move as fast as possible to get your product to market.
Modern frameworks like Django, Flask, ExpressJS, and Spring merely abstract the network and routing layers, still requiring you to handle connecting to your database and storage services of choice. These frameworks abstract nothing from you, giving you great flexibility but creating unnecessary complexity within your backend.
Providing more abstractions are services like Google Firebase, which provides authentication, storage, hosting, and database access in one unified system. However, it still requires you to handle routing and integrating with their complex APIs. These services force you to learn the intricacies of all their bundled systems to create your app. Wouldn't it be nice to have a simple, straight forward interface to all your platform's services?
When building your application, you should be able to focus more on the user experience and user interface, instead of messing around with the complexities of your framework or backend-as-a-service of choice. Introducing
Backendless
: the most straightforward and accessible backend-as-a-service platform.
What it does
Backendless provides the simplest, batteries included backend for your next project without writing a single line of code. All your backend's routes get configured through a YAML file with a consistent and straightforward syntax. Rather than having a bunch of different terms that reference different parts of your application, we only have two that you need to worry about: routes and handlers. Your routes specify where what handlers a given request should go to, and your handlers determine how the request should be acted on.
Backendless provides access to the necessary services your application needs, such as a database and file storage. We support all the request parameters that you're familiar with such as query parameters, path parameters, headers, and JSON request bodies. As with any web application, it is a necessity to validate everything coming into your service which is why we support requiring specific types on path parameters and JSON Schema validation for request bodies. We also only provide your request context the parameters you specify, allowing you to focus on the data that matters most.
How I built it
Backendless was built using Rust for the primary API and Python for the user-supplied API. For Rust, I used the Actix-Web framework to provide general user actions such as user authentication, project management, and deployment management. For Python, I used the Starlette framework since it works at a lower level than Flask or Django and allows easy runtime modification of the routing tables.
Backendless is hosted on Google Cloud Platform with the primary and user-supplied APIs running in containers on Cloud Run to allow for auto-scaling based on request load. I'm using a Cloud SQL for PostgreSQL database as the primary database for user, project, and deployment information since the data is highly relational and has a fixed schema. I'm using a Cloud Firestore instance for the user API generated data with namespaces for each project since I am unable to know in advance what types of data or the schema of how the data is going to be stored. It also provides the most flexibility for the user. I am also using a Memorystore for Redis instance for communication between the primary Rust API and the user API runtime. Finally, the user uploaded files and the website are stored in Cloud Storage buckets, which provide easy access to the data, as well as static file hosting for the site.
Challenges I ran into
When a user creates a deployment, they are able to upload static files for the service. These files are compressed into a zip file to reduce network bandwidth. Unzipping and uploading the files to the Cloud Storage Bucket all in memory, proved to be quite a challenge.
Getting the services to all be able to communicate proved to be a challenge since it was not very clear in the GCP documentation. In the end, it turned out there was a dedicated service for connecting serverless applications like Cloud Run to a VPC network.
Modifying the Starlette routing table during runtime proved to be a challenge since it required digging through the library internals to figure out how it worked.
What I learned
I learned how to deploy a complex application that depends on multiple services to Google Cloud Platform. This also increased my understanding of how Docker works since the Cloud Run services had to be in Docker images.
What's next for Backendless
Looking to the future, there are many things that can be improved with both the user experience and underlying service.
Starting with the user experience, all interaction with the service is done via the command line which is not particularly user friendly. I would like to add a frontend that allows users to see their projects and deployments. The frontend could also provide a graphical interface for defining APIs with a drag-and-drop interface. This would considerably lower the bar to entry allowing even the most inexperienced coders with an idea to bring it to fruition.
As for the underlying service, the user-provided functions themselves could use some major improvement by either changing the language they're written in or using code generation to achieve compiled and static services isolated from everything else. Furthermore, the "standard library" could definitely be expanded to allow for loop constructs, authentication, and integration with 3rd-party APIs like SendGrid or Twilio. It would also be advantageous to include support for other request body types such as multipart forms or GraphQL. I also plan to switch from a Redis instance to a Cloud PubSub instance because Redis is designed for more than just pub/sub and it would also be considerably cheaper.
Built With
google-cloud
javascript
postgresql
python
react
rust
Try it out
github.com
backendless.tech | Backendless | We handle your backend so you can focus on your frontend | ['Alexander Krantz'] | [] | ['google-cloud', 'javascript', 'postgresql', 'python', 'react', 'rust'] | 110 |
10,267 | https://devpost.com/software/quarantinequash | Quarantine Quash is a rough-around-the-edges text-based dungeon crawler game coded in Python 3.7.7.
Players are tasked with exploring elaborate mazes and slaying internet trolls and haters while trapped in Quarantine, eventually battling a Virus known as the Rona.
Using only keyboard text features, Quarantine Quash creates a unique and vintage feel to a modern style game.
Bearing Easter Eggs, character selection, and a combat system based on Rock, Paper, Scissors, Quarantine Quash can entertain and create anywhere from 5 minutes to over an hour’s worth of gameplay.
Worked on by Colin Haugseth, Zack Chatters, and Hunter Paphavasit!
Built With
python
Try it out
github.com | Quarantine Quash | Slay the trolls and dab on the Haters. | ['Zack C'] | [] | ['python'] | 111 |
10,267 | https://devpost.com/software/thunder-tracker | homepage
hover-effect
tasklist page
timer
study schedule
Inspiration
Personally, keeping myself on track with my academics has been quite challenging. I have used web apps such as SuperProductivity as well as Taskade, and they have in fact helped me tremendously. For this reason, I have decided to make something similar. Something that can help students like me overcome procrastination and get to work.
What it does.
Lets you set a TIMER. The timer has been built dynamically to allow for stops in between, and for either a short break of 5 minutes, or a long break of 15 minutes. The default timer, as of now, is 30 minutes.
Lets you PLAN YOUR DAY: The Task-List button takes you to a page that automatically generates a prepared to-do list.
Lets you KEEP TRACK OF WHAT YOU'RE STUDYING: Every day, the Calendar (without an API, all from scratch), to allow you see the date. In addition, you can set to-do lists that are specific to academics.
How I built it
I started by building and styling the home page. Only Html, CSS, and the Bootstrap framework were used for this section
Next, I proceeded to make the other pages: /timer, /study-tracker, and /work. I employed NodeJS, Express, and other dependencies in order to render the different web pages on my local host.
Then, I began to build functionality into those web pages. This was the crux of the project. I had to create a timer, calendar, and to-do list without plug-ins.
In addition, I felt it was important to use ejs as opposed to creating multiple HTML files with the same style, and similar content.
Challenges I ran into
- I ran into a merge conflict whilst trying to update my remote repository via CLI. It took me some time, and courage I must add, to return to square one. Thankfully, I had not gone too far, and my previous commit hash was just as good if not better.
- I spent a great deal of time attempting to create my custom Quote Generator API. I however, had to terminate those efforts as I realized that it would be better investing time in the skeleton of the project, than in its minor details.
Accomplishments that I'm proud of
Creating a timer: It was my first time creating a timer, and I'm glad I did it with pure JS.
Deploying a multi-page web app: I was able to connect multiple HTML/EJS files using Node.
Gaining a better understanding of how EJS works
What I learned
How to create a pomodoro timer with pause, stop, and breaks in between
How to resolve a merge conflict
How to make buttons links, capable of delivering data
What's next for Thunder Tracker
Minor bug fixes
Better user experience: better-built timer, implementation of a calendar, smoother transitions & animations, quote API.
Built With
ejs
express.js
node.js
Try it out
github.com
thunder-tracker.herokuapp.com | Thunder Tracker | Thunder Tracker is a web app that keeps motivated students, motivated. It allows them to set timers, make to-do lists, and plan their day with only a click of a button. | [] | [] | ['ejs', 'express.js', 'node.js'] | 112 |
10,267 | https://devpost.com/software/insight-analytics | Inspiration
After exposing myself to the world of computation-backed trading, I noticed that there was something incredibly underutilized--human thoughts. Many trading strategies use technical indicators based purely on numbers, but what if they could take advantage of
words
?
What it does
Insight Analytics brings you a highly visual web dashboard of company analytics using data from
real people
. It conducts Twitter data mining, derives sentiment and statistics through Natural Language Processing, and combines them into a trading strategy with deep learning.
How it works
Data sourcing is done with Twitter's Developer API and twitterscraper web scraping where needed.
I conduct Natural Language Processing with the help of
nltk
and
gensim
, using a Multinomial Bayes Model for sentiment analysis and Latent Dirichlet Allocation (LDA) for topic grouping.
I convert stock price data and NLP-derved statistics into time-series data and run it through a LSTM to output trading decisions.
I served up my models in a web application through Flask and Pickle and used Bootstrap to quickly bring my design to reality.
What's next!
Given the short time frame of this hackathon, it's no surprise that my NLP models and LSTM trading model aren't perfect. Diving into the stock market using Insight's predictions as a sole trading strategy probably isn't a
great
idea. Yet, regardless of performance, I was able to bring my full prototype to fruition, and moving forward, I'm confident I'll be able to turn Insight Analytics into an impactful application.
As I continue to work on my project, I plan on:
Doing significant backtesting and model optimization
Setting up cloud integration (I'm thinking Google Cloud Platform) to improve performance and scalability
Creating a mobile application with React Native to broaden my potential user base | Insight Analytics | Real-world company analytics and trading strategy platform through Twitter data mining and learning models | [] | [] | [] | 113 |
10,267 | https://devpost.com/software/mentalhealthjournal | Application Logo
💡 Inspiration
During the covid-19 pandemic people have been forced to shelter inside without the option to go outside for fear of catching an incurable disease. For some that have supportive families, and an outlet at home their lifestyle change wont be too harsh. However there has been a rise in abuse, alcohol intake, and suicide during this pandemic. We wanted to create something that helped people form a support system, vent their feelings and find help.
🔎 What it does
Through a series of steps the app will assess the user's mental health
1️⃣ Sign Up - The user will sign up for the application
2️⃣ After the user signs up the app presents the user with mental health assessment which is used as a baseline with which to treat their patient depending upon their score
3️⃣ Afterwards the user will be directed to a Journal where they can write their feelings. By using sentiment analysis we asses their feelings and connect them with a person that they can speak to.
4️⃣ They will also be placed in a group of their peers who have gone through a similar experience like theirs and act as role models for each other.
5️⃣ They will be contacted by the right specialist who can help them with their current mental state.
🔨 How we built it
Using React along with flask and Sqlite we were able to build the web app.With everyone using GitHub as a means to move their code we worked on everything one page at a time. Focusing on Back-end, and Front-end when necessary.
🧲 How we collaborate
🌎 in 5 different time zones( HST, PST, MT, CST, EST)
We are using a multitude of platforms.
For collaboration: GitHub is being used to share coding updates while Google Drive is being used for sharing documents.
For communication: Slack was being used to keep up with event updates, Discord is being used to conduct voice meetings and chatting while Google Hangouts was being used to conduct pair programming and video conferences.
🔦 Challenges we ran into
One of the main challenges that we had was integrating the back end with the front end. For our main back-end developer Chris Lo he stated that the Biggest challenge was working with the front-end to make sure the application gets the data it needs. Since our web app needs to have an integrated database it was important for us to get this done.
🔮 Accomplishments that we’re proud of
As a group we are most proud of facing this challenge head on and not being afraid to back down.
Christopher Lo
: I am proud of improving my skills while working with the Flask framework and create a database for the website
Myat Thu Ko
: I am proud of things that I have contributed to this group and as a first time React user, it was quite challenging but proud to overcome the difficulties, such as working virtually with people from different time zones.
Mella Liang
: I am proud of myself for getting through those non-beginner-friendly documentation and tutorials. I am proud of not quitting even though that thought popped into my mind multiple times, since I thought that I was unable contribute significantly at first.
Serenity
: I am proud of my group being the amazing power horse that it is. I love their work ethic, charisma, and their ability to understand the most difficult of tasks. I wholeheartedly believe in my idea, but I believed in everyone else more. They inspired me to expand my horizons beyond Data Science and learn more about JS.
Xiaole
: It's okay to have something that will go wrong. I have better understanding when I feel accomplished overcome the issue. Also, it helps me to refresh some old knowledge in my mind.
🧶 What we learned
In our team we loved to look at the challenges as ways to improve and by doing so our team soared
Christopher Lo
: I learned how to deal with sentiment analysis databases and create better frameworks
Myat Thu Ko
: I learned how to build a web application using React and SQL database and also learned about the communication between Front-End and Back-End.
Mella Liang
: I learned about how to deal with merge conflicts, using Card from Material-UI, how to use themes from Material-UI, how to add a popup box to a button, how to read others' code, that flask is a Python thing to make API, and finally Windows is not user-friendly.
Serenity
: I learned how to work in a collaborative setting with my teammates. I enjoyed being able to learn all their different personalities and perspectives on coding. I also enjoyed working with git in an online hackathon setting and doing intuitive research
Xiaole
: I learned that collaboration is really important for building the team, especially doing a virtual Hackathon. I made friends, a project, learned Flask & React, and used new app (Discord)
💌 MH Vision Statement
In the next 6 months we would like to make this app available for the public. We want to make those who are suffering from depression have a comprehensive service that allows them to connect with a support system.
With our application we hope to Reach out to those with varying levels of depression to help them get counseling. Instead of those who are unmotivated to reach out constantly to a counselor, we will provide them with a platform that monitors their health and provides them with a means to reach out to the necessary help. For example, after the user sign’s up for the app they are prompted to take a survey. In most Psychiatric offices they use a series of psychiatric screening tools that they use to determine the patient’s mental health. A screening tool is different from an assessment because it does not require physical tests such as blood level checks or EEG’s. Although that may seem like a setback, we use this as an advantage to get a starting point for most patients who may not be able to take a mental health physical. Also, as stated in this article on understanding health screenings, screening tools identify the possible tools they state that “ administering assessments would be illogical and time consuming”5. By getting an initial idea of what their mental health is through screening we may continue to help them through various means. When observing the best way to help our consumers we must look at previous studies that help us understand why people may reach out for alternatives to a counselor. In a study conducted by the department of Public Health, they analyzed the success of peer support specialist’s comparative to the mental health care specialist’s sole treatment. Peer support specialists are people who have had a similar experience to the people that they are treating and are trained to act as role models for their patients. With a group of 42 individuals interviewed over the course of 6 months the department of public health concluded that both sole counseling and peer counseling have their benefits. However, one of the main advantages was the advisory aspect. The peer support group is a place to lay out one’s feelings of discomfort and change the modify things they dislike without being judged. As one peer support specialist states “Ideally it [is] a progression where the person can speak up and have their voice heard”. This is what we hoped to do with our app.
With our app we plan to solve the problem previous health apps could not. By connecting our users to a group of people who are going through a similar experience as them they can find their voice. Also, with another feature of our app they will be able to write down the way that they feel and hopefully in the future, using sentiment analysis we will be able to determine the way that they feel and determine how much help they truly need.
📝 Links
GitHub Repo for Website:
https://github.com/XiaoleZ/defhack-2020
GitHub Repo for Backend:
https://github.com/XiaoleZ/defhack-2020/tree/master/backend
Wiki for Healthcare research and solution we have done:
https://github.com/XiaoleZ/defhack-2020/wiki
Built With
css
flask
github
javascript
material-ui
python
react
sqlite
Try it out
github.com | Mental Health Triage | Triage mental health resources to the people who need it the most | ['Christian Lo', 'Myat Thu Ko', 'Xiaole Zeng', 'Serena Fox'] | [] | ['css', 'flask', 'github', 'javascript', 'material-ui', 'python', 'react', 'sqlite'] | 114 |
10,267 | https://devpost.com/software/chilli-n-soy-d527um | show of level 1 of 3
Inspiration
We wanted to make a fun game with the pygame and python knowledge that we already knew and have developed during this hackathon
What it does
This game jumps, moves right and left, shows the sprites moving left and right, jumps on platforms, and tells stories.
How I built it
We built this using python and pygame
Challenges I ran into
challenges we ran into were trying to get all the functions and globalization to merge together so the game would properly operate
Accomplishments that I'm proud of
Accomplishments that we are proud of are the e-art that we drew (we drew every single one of the sprite movements), the functionality, and the complexity of it.
What I learned
We learnt to improve our python knowledge, we learnt to manage
What's next for Chilli N SOY
We plan to maybe incorporate both characters moving at the same time, and maybe further develop this game.
Built With
clipstudioart
pygame
python
Try it out
github.com | Chilli N' Soy | This is a scrolling jumping side to side pygame | ['Benjamin Tran', 'alex tran'] | [] | ['clipstudioart', 'pygame', 'python'] | 115 |
10,267 | https://devpost.com/software/defhacksvirtual | Inspiration
Due to social distancing measures put in place, it is not uncommon to wait long periods of time to enter stores. This puts people at a greater risk of getting infected by COVID-19 and places a burden on older populations. This made us think about a method to improve convenience by allowing people to view the wait time to enter a store.
What it does
ShoppingQ relies on stores to keep track of the customers waiting in line using a user-friendly web application. Customers can use the web application to search for a store and the application provides the average wait time to enter the store.
How we built it
We created a web application using javascript, HTML, and CSS which is connected to a MYSQL database using PHP. The database stores the unique address, name of the company, and current line length. The company can update the line length and the user can query the database to learn about the current waiting time.
Challenges we ran into
Learning PHP and MYSQL to connect a database to the web application
-Finding an application that allows our local server to be hosted online
-Developing a user login system for administrator access for stores
## Accomplishments that I'm proud of
First Hackathon
Learned two new languages
## What I learned
PHP + MYSQL
Difficulties in building user-friendly web applications
## What's next for ShoppingQ
Improve the accuracy of the average wait times by using machine learning algorithms
Move from local server to an online server
Google Map API connectivity
Implement federated identity
Built With
css
html
javascript
jquery
php
sql
Try it out
github.com | ShoppingQ | A web application that allows people to view the wait times to enter stores with real-time updates | ['Yang Ji', 'TheLeoChai Chai', 'Cheran Mahalingam', 'John Chung', 'Tim Chung'] | [] | ['css', 'html', 'javascript', 'jquery', 'php', 'sql'] | 116 |
10,267 | https://devpost.com/software/highonhelium | Inspiration
What it does
High-On-Helium is an application that uses the Helium Developer Kit and network console to gather IoT sensor data.
How I built it
The Helium Developer Kit consists of two hardware parts: the main development board with a LoRa (Long Range) capable radio and an expansion board with six environmental & motion MEMS sensors.
LoRa is a long range WAN technology associated with low power consumption and IoT-oriented devices management.
The development board is programmed with firmware, added to the Helium network using the Helium Console, and sensor data is routed to an application to view.
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for High-On-Helium
Try it out
bitbucket.org | High-On-Helium | High-On-Helium is an application that uses the Helium Developer Kit and network console to gather IoT sensor data. | ['Warp Smith'] | [] | [] | 117 |
10,267 | https://devpost.com/software/hackathon-skd42h | IRA: Infection Risk Analysis
IRA is a web app that helps organizations and schools model the spread of COVID-19 and other diseases. The simulation is based on multiple factors that users can modify: human behavior (social distancing, hygiene practices, etc.), location models (office, school, mall), and preset diseases (COVID-19, SARS, Flu).
AI Agents representing people move in a realistic fashion, going into rooms, around walls, and staying still.
Not only does the web app help determine when to reopen businesses, it's also an educational tool teaching people infectious rates of several diseases and also the risks when not following proper lock-down procedures. Future and past diseases can also be inputted with a few data points, creating a simple yet realistic emulation.
Inspirations
After seeing graphs showing the spread of COVID-19, I noticed that there was a lack of helpful visuals. Being just numbers, graphs are often hard to scale or interpret for people. That's why I decided to create a browser app, allowing anyone with an internet connection to view and modify the simulation. Additionally, many organizations are having a hard time in deciding when to reopen. With this tool, universities and offices can determine the feasibility of returning to physical interactions.
What I learned
From this project, I learned how to implement simple AI Agents with pathfinding, delving in to heuristics such as A* search. I also learned how to create wall matrices and converting them into physical planes in WebGL. During research, I explored into different diseases, the categories of infection, and measurement units such as r0.
Challenges
The most challenging part of my app is the pathfinding. Determining the movements to be random yet still realistic was difficult.
How I built it
I used HTML, CSS, JS and hosted the project on Github Pages. For WebGL / graphics I used the Three.JS library, and I used the javascript-astar library by Brian Grinstead, which are all open sourced.
Built With
css
html
javascript
three.js
Try it out
github.com
www.echou.xyz | IRA: Infection Risk Analysis | COVID-19 risk simulation | [] | [] | ['css', 'html', 'javascript', 'three.js'] | 118 |
10,267 | https://devpost.com/software/autoworkhomematic | AutoWorkHomeMatic
Inspirations
My mom is a primary school math teacher, who spent quite a lot of time marking worksheets from about 80 students. It would make her and all other teachers like her have an easier life if computers can do some work for them. There are commercial softwares that tell whether elementary arithmetic questions are answered correctly, but that is all they can do. Also they depend on cell phones, which are not productive. Therefore, I came up with the idea that machine learning can be integrated with the efficiency of printers and scanners, in order to judge and mark answers on worksheets quickly.
What I learnt
Python image process libraries: opencv pillow
Python virtual environment
operating GNU/Linux
Git undo a push to Github
How is it built
Please go to the
github
readme page for detailed description.
Challenges
GNU/Linux
This is my first time developing a project with GNU/Linux as the operating system. I was using Windows for all of my previous projects and I started switching to Ubuntu 20.04 recently.
Tensorflow with CUDA
I have a gaming PC with GTX 1070. At the beinging, I intends to run tensorflow with it, since traning a network with GPU can be much faster than CPU, however, I ran into driver, dependency and compatibiliy issues. I decided that I shall not waste all my time messing up with the environment. Eventually it turns out to be a wise decision, since a pre-trained model is found and there is not time left for collecting training set and perform training.
Built With
keras
opencv
pillow
pytesseract
python
tensorflow
yolo
Try it out
github.com | AutoWorkHomeMatic | A tool designed for teachers to mark questions with specified answers, like multiple choice, with a scanner and a printer. | ['Qi Zhou', 'HeisenbergSongYi Song'] | [] | ['keras', 'opencv', 'pillow', 'pytesseract', 'python', 'tensorflow', 'yolo'] | 119 |
10,267 | https://devpost.com/software/yello | Scared ghosts
Inspiration
With all of us cooped up in our homes, we’ve found new ways to connect with one another and future classmates, forging new friendships through Discord calls and online multiplayer games. We wanted to implement a game we all loved, with a competitive and novel twist: voice activation! Not only is our game a fantastic community builder, it challenges the brain and strengthens reading skills while being an accessible way to play.
What it does
Yello takes inspiration from the classic Pacman and takes it to a new level with its online multiplayer approach. One player controls the Yello character, while four others control the ghosts—to up the ante, each player is voice-controlled by a set of rapidly changing commands.
The purpose of our novel navigation system is threefold: to provide an extra challenge to the player, to build reading skills in younger players, and to train the player’s brain to be quickly adaptive to new situations. With an NLP algorithm, we processed several sets of navigation voice commands: colours, directions, animals, and other common nouns. These are randomized periodically as the game progresses.
How we built it
Yello’s client end is built in p5.js, making use of the Canvas element. The voice input uses the SoundClassifier from ml5.js, which we trained using Google’s TeachableMachine.
The game is implemented using websockets. The server is a multi-threaded Golang websockets server, making use of gorilla-WebSocket. Each client is assigned two threads: one for listening to the client and the other for writing to the information about the client. Other threads handle things like the game queue and game instances and communicate with the base threads of a client through client-specific channels. The server is set up to scale with any number of players.
The game instances are run such that each tile is simply an 8-bit integer. All collisions and inter-entity interactions are handled through bitmasks, making for an elegant game management system that is both super fast and easy to comprehend.
Challenges we ran into
We initially attempted to implement the front-end using React and Redux. However, it was practically impossible to draw on canvases, and react was too slow for the intended task. As such, we had to quickly adapt to a simpler html/css/Processing.js model, which we found much easier to work with.
Establishing communication between the JavaScript frontend and the Golang backend using web sockets proved to be challenging to implement robustly. We initially tried to use sockets.io, but after hours of work, we decided to just use WebSockets on the frontend without any 3rd party libraries. It has proven to be much more robust for our purposes.
Accomplishments that we're proud of
The effective and rapid switchover of the entire front-end tech stack
A robust and scalable server that accounts for any number of messages and associated functions at compile-time. This is done through a simple and yet effective protocol that we wrote ourselves, which both the client and the server adhere to.
What we learned
Effective teamwork and collaboration! We sat in a call for almost 30 hours straight, making sure to communicate and reminding each other to git push and pull.
Working in the Processing.js framework
What's next for Yello
Yello will find its place in the io community of games. And it can be expanded with AI integration with a simple pathfinding algorithm for ghosts.
Built With
golang
ml5
p5.js
socket.io
Try it out
github.com | Yello | Shoutout to a classic! | ['Sophie Liu', 'markorenic Renic', 'Ozan Ürkmez', 'Rarag .'] | [] | ['golang', 'ml5', 'p5.js', 'socket.io'] | 120 |
10,267 | https://devpost.com/software/healthtrak-virtual-health-assistant | Inspiration
We were originally thinking of creating a hack that has something to do with coronavirus, but then though why only limit to one virus in the medical world. One of the most important issues in the medical industry, when an individual is sick, is to monitor their vitals and to ensure they take the right dosage of medication which we often don't set a reminder and guess when to take it during the day. With all that in mind, we decided to create an app to help the medical community, especially the patients, to monitor their health and give timely reminders to take medication. As a fallback option, it also alerts family members when the patient's health deteriorates.
What it does
An all in one application that tracks your vitals, manages your medication, gives diagnosis and most importantly, notifies your emergency contact when vitals drop too low or you stop taking medicine.
How we built it
We decided to learn swift and use Xcode for the first time to build an IOS app. Lots of youtube and StackOverflow was used.
Challenges we ran into
Learning a new language and using an unfamiliar interface.
Accomplishments that we're proud of
Learning a new language and the ability to create an IOS app which was exciting.
What we learned
How to use a new language and interface when primarily working in backend work and not a lot of front end/user interface work.
What's next for HealthTrak Virtual Health Assistant
Fully implement and develop all features to its fullest capacity especially vitals tracking technology as well as adding medical data stores for accuracy and safety.
Built With
swift
xcode
Try it out
github.com | HealthTrak Virtual Health Assistant | An all in one application that tracks your vitals, manages your medication, gives diagnosis and most importantly, notifies your emergency contact when vitals drop too low or you stop taking medicine | ['Tommy Cheong', 'youngkar Young'] | [] | ['swift', 'xcode'] | 121 |
10,267 | https://devpost.com/software/lecture-proctor | Inspiration
Given the state of the pandemic and it's effect on individual conduct, we wanted to introduce a concept that may provide some quality of life improvements for the student population. With the mass transition to online courses, the precedence of mass open online courses(MOOC) serves to highlight the potential drawbacks of online learning, if not apparent already. Even through conventions of common sense, there exists undeniable correlation between attentiveness and learning efficiency. In particular, the downfall of MOOC is the lack of accountability, resulting in lower attention retention, a contrasting reality when compared to that of a traditional classroom setting. Our product proposes the use of eye-tracking and face detection to determine the presence or absence of user attention during online learning. The demo framework was built with Reactjs and the face detection was achieved through the WebGazer.js library.
What it does
Our product uses face detection and eye-tracking software to determine whether or not student engagement is present during a model lecture. The recorded lecture will pause and continue based on the presence or absence of user attention. This is the baseline demonstration of how accountability can be implemented in online learning.
How I built it
We built the model framework using react.js and the software was modified from WebGazer.js library.
Challenges I ran into
Interpreting the algorithms and regressions used in WebGazer.js proved to be the hardest challenge.
Accomplishments that I'm proud of
We are proud that our modification of WebGazer.js works to our baseline requirements. The video player reacts according to our hard-coded indicators of loss of attention.
What I learned
We previously did not have any experience working with WebGazer.js or any form of web development. This assignment proved to be extremely fruitful as we learned a lot in terms of web developement, html, and css.
What's next for Lecture Proctor
Hopefully, the concepts introduced in Lecture Proctor can be extended to other forms of online learning. For one, our baseline model can definitely be improved upon. The existing implementation of a lecture proctor is far from done. Looking even further, this technology can be used in exam proctoring and even live lecture monitoring.
Built With
css
html
react
webgazer.js
Try it out
github.com | Lecture Proctor | Helping encourage student attentiveness in online learning during the pandemic. Using eye tracking software, we hope to shore up the drawbacks of online learning and help increase learning efficiency. | ['Jack Fan', 'John Kirollos'] | [] | ['css', 'html', 'react', 'webgazer.js'] | 122 |
10,267 | https://devpost.com/software/speech-emotion-recognition-y0l7e1 | Picture showing accuracy of model and files used for continuous training
Dataset used to train model. Contains 48 actor folders with audio files within
Inspiration
We were inspired to create this project after looking into Artificial Intelligence (AI) and Machine Learning (ML), more specifically chatbots and virtual assistants. When looking into these concepts, many online resources cited virtual assistants such as Siri, Google Assistant, and Alexa as excellent examples of AI and ML. However, when diving into this field, we discovered that what many of these assistants and chatbots suffer from when communicating to users is emotion. These bots struggle with relating to the user and understanding what they’re feeling, which leads to less effective bots and worse user experiences. Furthermore, we realized that identifying emotions are extremely important during human-to-human interactions, as emotions can help determine the urgency of situations for crisis and hotline services, allowing for more effective organization of clients. By creating software that analyzes audio input and determines the emotion exhibited with ML, improves over time with more user inputs, and can be applied and overlaid to many applications, we can allow virtual chatbots and assistants to be more effective and empathetic towards customers, as well as allow human-to-human interactions to be more succinct and productive. With virtual assistants becoming essential parts of our lives in the near future, this technology is more needed than ever.
What it does
Emotify allows you to record yourself saying whatever you want, and then run this audio through the feedforward artificial neural network (FANN) to see what emotion is detected. This FANN returns the emotion detected, and the user can submit feedback on whether the emotion returned was correct or not. Although it is hosted on a webpage right now, this FANN and model can be implemented with any software that requires the determination of emotions, with examples mentioned before such as chatbots, virtual assistants, and human-to-human interactions online. The final FANN and model that was trained and integrated into this application had a 95.26% accuracy.
How we built it
First, we developed the machine learning and neural network model using librosa, soundfile, and sklearn. Librosa and soundfile were the two python libraries used for analyzing our audio samples. Soundfile was used to interact with, read, and write to these files, and librosa was used for audio analysis. We used the Ryerson Audio-Visual Database of Emotional Speech and Song (RAVDESS) dataset, which contains over 2500 files by 24 actors and has been rated by 247 individuals 10 times on emotional validity, intensity, and genuineness. Looking through this dataset, we used librosa to look for three key values in each file: mfcc, chroma, and mel. Mfcc is the Mel Frequency Cepstral Coefficient and relates the power spectrum of the sound, chroma relates to the 12 pitch classes, and mel is the Mel Spectrogram Frequency. Using this data, we used librosa to find what we called
features
in each sound and then associated these features to the corresponding emotion. These features were essentially patterns found in the values mentioned above, and could be compared to input audio from the user to determine which emotion is most closely related.
The neural network model was developed using sklearn, and we used an MLPClassifier, or Multil-ayer Perception classifier. We trained this model with our parsed audio files, with the x-values representing the features found, with these features being the computed values mentioned above, and the y-values representing the associated emotion. We continuously used this data to train the model, and after tweaking with the batch size, we were able to create a model with 95.26% accuracy.
The rest of the project was relatively simple. To host this AI, we decided to make a simple web app using Flask and HTML/JavaScript. We built the system for the user to record themselves and be able to interact with recording, and then linked the front-end’s data to be fed through the neural network model. The result determined was shown to the user, and their feedback would be used to train the model to improve for future users.
Challenges we ran into
All the challenges we ran into were relating to one thing: the audio. Due to the way librosa is built, the audio given has to be consistent, and there are certain requirements for the parsing and extracting of features to work. One such issue was between monophonic (mono) and stereophonic (stereo) sound. To be able to compute the values of mfcc, chroma, and mel, the audio passed needed to be mono. However, depending on the input device used by the user, the audio could be stereo, and thus not be analyzed. However, we were able to find a solution provided by the librosa library itself and were able to convert between the two versions throughout the extraction process.
The second challenge was much vaguer and was never fully solved. This challenge was with audio quality. This was an issue we had been dealing with throughout the hackathon, and we were able to find a post where the librosa developers admitted there was no solution possible. Essentially, the way librosa is built, audio quality is very important. As soon as the quality goes down, so does librosa’s ability to find and calculate the features. This means that the model will be very accurate for our dataset (95.26%) due to its high quality, but do much worse due to lower quality sent from a user. However, there is no way to reliably increase the quality of the audio given, resulting in this challenge.
We had some challenges with Google Cloud, in terms of setting up the API and authorization, however, those were quickly and easily resolved.
Accomplishments that we are proud of
We are proud of how we were able to create a neural network model, as none of us had experience with artificial intelligence or machine learning beforehand. We were especially happy with the accuracy results, as seeing the model take in an audio file and output the correct emotion was very rewarding. We are also proud of learning about audio processing and analysis with librosa, as once again this was new to use but very rewarding once the computations and parsing were successful. Overall, we are proud of creating an applicable machine learning project.
What we learned
As mentioned before, we had no experience with this field of work before this hackathon, so we learned lots about artificial intelligence, machine learning, neural networks, and training these models. We learned a lot about these systems and how they are able to form connections, and audio processing to get to these connections was a big concept to wrap our heads around. However, the thing we learned that was most important is collaborating remotely. We have done hackathons before, however, we have always worked with others in the same physical space. Working remotely with others required lots of communication, organization, time management, and effort overall. Being able to do this while learning new concepts together will make us regard this hackathon as successful, regardless of the prize results.
What's next for Emotify
In the future, we would definitely be interested in expanding and trying to make this a professional product. Since we are analyzing audio clips, accessibility in terms of language should not be an issue. To expand, we would like to move to different platforms. Right now, it is simply a web application that returns the determined emotion, but we would want to make a full-fledged chatbot with relevant responses depending on the emotion of the user. We would want to polish up the code, and ensure it can be easily integrated with other programs of assistants, meaning we would want to develop an API with documentation. So not only would we want our own bot to use emotion recognition, but as mentioned before, our overall goal is to allow all other bots, virtual assistants, and other programs and services to overlay this model on top of their product. Overall, the future would mean expansion, in terms of applicability towards other platforms, and accessibility for other programs to implement this model.
Built With
bootstrap
css3
flask
google-cloud
html5
javascript
librosa
python
recorder.js
sklearn
soundfile
Try it out
github.com | Emotify | Software that identifies emotions in speech using machine learning and audio processing | ['Manu Hegde', 'PierreLessard Lessard', 'Spencer Evans-Cole'] | [] | ['bootstrap', 'css3', 'flask', 'google-cloud', 'html5', 'javascript', 'librosa', 'python', 'recorder.js', 'sklearn', 'soundfile'] | 123 |
10,267 | https://devpost.com/software/def-hacks-cssi-2020-team-1 | Tender overview/summary screen
Tender start/logo screen
Tender profile set up flow (abbreviated, skipped some steps)
Tender ingredients input screen (incorporating Google Cloud Vision API to recognize ingredients in uploaded image)
Tender card stack screen (personalized from Tender profile set up)
Tender card stack swipe-able functionality (left for next recipe card, right for a match and more recipe details!)
Tender selected recipe screen
Tender recipe details screen
Tender recipe ingredients + images list
Tender recipe step-by-step view (with built-in timer for timed steps)
Tender: Find your match!
Tinder for food - the fastest, most convenient way to find the perfect recipe
match
for you!
Check us out at:
10der.tech
!
Inspiration
Many people love to cook, but when they go online to search for a dish or recipe, the vast options that appear can be overwhelming. In addition, what if you don’t have the equipment for a specific recipe, or you need to find a gluten-free or vegetarian recipe? A simple internet search presents people with the paradox of choice
and
lacks the customization necessary for people with specific preferences. To better enable people to be able to find the right recipes for them, we created Tender.
What it does
You can set up your Tender profile with awesome customizations that you can’t get using a usual Google search, including for home appliances you have in your kitchen, dietary/allergy restrictions, cuisine, time, calories, etc. Tender also uses Google’s Cloud Vision AI to allow you to upload a picture of your pantry or manually input the ingredients you want to include. After you input your preferences, Tender works its magic to match you up with recipes one at a time just like Tinder, solving the paradox of choice. Swipe left if you aren’t a fan, and swipe right if it’s a perfect match for you!
How we built it
Beginning with our vision for a tool to create a better, more simple, and more customizable recipe app, we designed a wireframe mockup of Tender’s flow and its look and feel. On the front end, we used HTML & CSS to style the site and extensive Javascript to implement the functionality of generating and presenting the recipes for the user to choose. We also incorporated the Google Vision AI API to recognize users’ available ingredients from an image and the Spoonacular recipe API to obtain the relevant recipes perfectly suited for a users’ preferences. Additionally, we used the Bootstrap framework to enhance our styling and improve the user experience on our app.
Challenges we ran into
Challenge 1 - One of the major challenges we faced was implementing the Google Vision and Spoonacular API requests using only the frontend native Javascript fetch() api, which required some creativity to set up and format our requests. Luckily, with the help of Postman and fancy Javascript promise/await/async syntax, we got it up and running!
Challenge 2 - We spent a chunk of time trying to figure out the swiping motions for our tinder-like picker file. It initially seemed like an extremely daunting and messy task, but with the help of pre-existing libraries and articles, as well as through working intense collaborations with our teammates, we were able to create a clean and modern interface.
Challenge 3 - Because of our diverse set of skills, it was initially difficult for us to divvy up the tasks we needed to accomplish in order to build Tender. However, by working together and playing to each others’ strengths, we were able to work on the areas that we were the most well suited for, and thus succeed as a team.
Challenge 4 - As a group of high school seniors relatively new to coding and hackathons, we worked hard to get past merging issues on Github, navigating real-time partner coding software, and varying time zones. Still, even though we have never met, we managed to create something beautiful together.
Accomplishments that we’re proud of
We are exceptionally proud of how our project can better help people cook food that they love. Our awesome web designer created a fantastic web mockup that we translated into real-life. Then we took it even farther and added beautiful micro-interactions. Subtle CSS transitions were added to most elements, and we altered much of the Bootstrap used to better fit the look and feel of our app. If there was a user interface award in this hackathon, we are confident that we’d be strong contenders.
What we learned
To incorporate the Google Vision and Spoonacular APIs, we learned about Javascript HTTP requests and asynchronous code execution. We learned about modern front-end technologies like Bootstrap that allowed us to enhance the design of the website. We also learned more about using HTML, JS, and CSS to create dynamic features like swiping and rendering of elements.
More importantly, we learned how to cook! And we learned that there are so many delicious and wonderful recipes out there, in every cuisine, that we can’t wait to try out. :D
What's next for Tender?
What if a user doesn't know what his/her “type” is? That's okay! In the next update, we plan on creating a program where the user is exposed to a wide variety of flavors. We also hope to incorporate text-to-speech technology for inputting text to make the user experience more convenient.
Built With
api
bootstrap
css
google-cloud
google-vision
html
javascript
spoonacular
Try it out
github.com
10der.tech | Tender - Find your recipe match! | Tender: Find your match - Tinder for food because we love food more than each other :) | ['Kevin Yang', 'Devonne Busoy', 'Albert Zhang', 'Yuyuan Luo'] | [] | ['api', 'bootstrap', 'css', 'google-cloud', 'google-vision', 'html', 'javascript', 'spoonacular'] | 124 |
10,267 | https://devpost.com/software/pandelivery-28m576 | Inspiration
Our aim was to build a product using our diverse skillsets for people that were most affected by COVID 19. By going through 4-5 hours of research and scraping data through online resources we started performing engineering data analysis on various sectors affected by COVID 19 in terms of losing their job. The conclusion led us to believe that people performing local jobs like servers, technicians, etc. are the most affected but they don't have a medium to find new jobs, unlike others who have LinkedIn and Indeed to find new jobs.
What it does
Pandelivery is an app that is reverse engineered, where we provide local unemployed people a resource for finding jobs. The person having a job just posts a job and the person available at the nearest location with the required skillsets is assigned the job.
For example Just like how Uber helps users find a ride near them. Pandelivery will help the user having a job to be completed like delivery, cleaning the lawn, or doing some other chores can just look for available people in their respective areas.
How I built it
We used Tableau and excel to perform data analysis. Proto.io to prepare design screens. Further we just python and deep learning libraries to create a face detection algorithm.
Challenges I ran into
Our challenge was to see how can we ensure the safety norms are being practiced so that the person posting the job is not risking their health. For that, we decided to build an algorithm that uses face detection and identifies if a person is wearing a mask or not. This will ensure a person is practicing safety guidelines.
Accomplishments that I'm proud of
It was not easy to get a headstart as the topic was not specific and there were multiple ideas in our head. We got really excited once we were settled with Pandelivery. We both had skills that were transferable hence nowhere during this event were heavily relying on one particular job. It was evenly divided while making sure we both learn something new from this competition.
What I learned
For both of us scraping data from the web was something new and we had real fun doing this. Also, while working on the prototype there were some features that were had never used which was fun using to build are design screens.
Our Jugaad
While scraping the data, we could not get enough dataset for our model to predict with higher accuracy. In some time we realized we could utilize the technique of Image augmentation wherein we created more samples from the existing samples by just rotating the images giving our model more samples to train on.
What's next for Pandelivery
We would like to upgrade our mask detection algorithm by adding new features like checking sanitary conditions or if people are maintaining social distance while performing a job. Further, we would like to design and create a database system to store our data which can be used to make Pandelivery more data drive.
Built With
excel
proto.io
python
tableau
Try it out
github.com | Pandelivery | Help the people affected by COVID 19 in finding jobs | ['Sohom Chatterjee', 'Ammar Shaikh'] | [] | ['excel', 'proto.io', 'python', 'tableau'] | 125 |
10,267 | https://devpost.com/software/taar | about-us
home
about-taar
Constantly surrounded by agendas and biases, both of us got tired of not being able to consume reliable and unbiased content; that's when we decided to use machine learning to help solve his problem. We used python for our algorithm, flask for our framework, and HTML/CSS for our front-end. Our biggest challenges were trying to make our algorithm work just right and wading through complicated flask routes. This hackathon also provided us with hands on experience of trying to figure out things on the go. We previously hadn't ever integrated back-end with front-end or even tried to make an HTML form. This was a huge learning experience. However, with hard work, motivation, and a lot of luck, we managed to build our web application. While we learned a lot about different frameworks and libraries, our biggest lesson was that no matter how hard a task seems, if you rack your head hard enough, you'll make it work.
Built With
c
css
flask
html
javascript
powershell
python
shell
xslt
Try it out
github.com | taar | taar is a web application that uses natural language processing to analyse articles and blogs to evaluate their subjectivity and classify them as unbiased, slightly biased, biased or highly biased. | ['architg1 Gupta', 'Tanish Goel'] | [] | ['c', 'css', 'flask', 'html', 'javascript', 'powershell', 'python', 'shell', 'xslt'] | 126 |
10,267 | https://devpost.com/software/the-tempor-aka-temperature-monitoring-system |
window.fbAsyncInit = function() {
FB.init({
appId : 115745995110194,
xfbml : true,
version : 'v3.3'
});
// Get Embedded Video Player API Instance
FB.Event.subscribe('xfbml.ready', function(msg) {
if (msg.type === 'video') {
// force a resize of the carousel
setTimeout(
function() {
$('[data-slick]').slick("setPosition")
}, 2500
)
}
});
};
(function (d, s, id) {
var js, fjs = d.getElementsByTagName(s)[0];
if (d.getElementById(id)) return;
js = d.createElement(s);
js.id = id;
js.src = "https://connect.facebook.net/en_US/sdk.js";
fjs.parentNode.insertBefore(js, fjs);
}(document, 'script', 'facebook-jssdk'));
My first Hackathon project
Inspiration
inspired from technology
What it does
it tends to send a sms to the user warning about the machine which has exceeded its temperature limit
and requires maintenance
How I built it
using LM35 sensor, bolt wifi module, jumper wires and Twilio
Challenges I ran into was
sometimes the messages do not come asap which needs to be fixed
Accomplishments that
i am proud of that i did my first fully operational project
What I learned
gained experience, knowledge and understanding about the importance of heavy duty machines
What's next for The TEMPOR aka Temperature Monitoring System
i will work upon sending mails or whatsapp messages and make calls to the user directly and with the help of polynomial regression i will try to predict the future temperatures if the machine has an anomaly so as to avoid the peak temperature.
Built With
bolt
iot
python
Try it out
github.com | The TEMPOR | Never cross the limits on your Temperature! | ['Swarup Tripathy'] | [] | ['bolt', 'iot', 'python'] | 127 |
10,267 | https://devpost.com/software/docterassist | DocterAssist
A website made to assist doctor needs like mask, gloves and etc.
Built With
css
dreamweaver
html5
javascript
Try it out
github.com | DocterAssist | A website made to assist doctor needs like mask, gloves and etc. | ['Jeremiah Bailey'] | [] | ['css', 'dreamweaver', 'html5', 'javascript'] | 128 |
10,267 | https://devpost.com/software/defhacks-2020-calculator | Inspiration
I decided to make a calculator because I like math and it seemed like something I could do that wasn't super difficult
What it does
It's a calculator that ask for user input on which operation to perform and then using user inputted operands performs the operation
How I built it
I built it using python
Challenges I ran into
I had never used python before so I had to learn how to code in python as I was making the application
Accomplishments that I'm proud of
I proud that I figured out how to get user input and also code in a language I hadn't coded in before
What I learned
I learned how to code in python and that coding languages have a lot of similarities
What's next for Defhacks-2020-Calculator
I'll add more operations and add compatibility for longer custom equations
Built With
python
Try it out
github.com | Defhacks-2020-Calculator | It's a calculator application based off user input | ['Vivek Sunkara'] | [] | ['python'] | 129 |
10,267 | https://devpost.com/software/covid-search | Beat the maze!
Using block code to move your character!
Home Screen!
Instructions on how to play!
You just beat the maze!
One of the lessons on programming!
Tips on staying safe and healthy!
Inspiration
Due to the challenges brought by the current COVID-19 Pandemic, I was inspired to create a software solution that helps people cope and stay alive and well. One challenge that needed to be addressed was the teaching of younger kids on how to stay healthy and not catch the coronavirus. Also, due to school closings and the start of summer break, another challenges that needed to be addressed was continuing to teach young students at home.
My project, COVID Search, addresses both of these challenges by creating a fun and interactive game that teaches youngs students on how to stay healthy and avoid catching COVID-19, while also exposing them to the principles of programming.
What it does
My project is an interactive Swift playground that is shaped around a maze and lessons on COVID-19 and programming. First, the young student has to solve the maze by collecting soap and a mask. Then, the young student has to find the COVID-19 character and reach it while avoiding the surrounding people. In order to do this, the young student has to use block code, which controls the movement of their character. After solving the maze, the young student is brought to a new screen, which teaches the student about programming by connecting what they just did to "for loops" and "functions." Following this, the young student learns tips on staying healthy during this pandemic. At the end, the student is given a chance to try to beat the maze again.
The playground is also filled with cool animations, music, instructions, and has a clear storyline.
How I built it
The technologies I used to build this project were Swift and Swift Playground in Xcode. Also, I used SpriteKit and UIKit for the user interface and animations. In addition, I created my own sprites and music using a PixelArt Editor and Bosca Ceoil.
In order to create the maze, I implemented an algorithm for traversing graphs, Depth First Search, in order to generate new mazes every time that always have a solution. I also used sprite animations to animate the movement of the characters in the maze.
In order to create the home screen and teaching screens, I created sprite animations and used UIKit to place aligned text on the screen.
Challenges I ran into
Since I am a beginner to Swift Programming and this hackathon had a short time frame, I encountered many challenges. One challenge was finding a way to generate new mazes every time that will always have a solution. Another challenge I faced was animating the sprites and making the playground interactive. I solved these challenges by doing research on the issues, learning new coding concepts, and then applying these concepts to my challenges.
A final challenge I faced was creating a game that was enjoyable by young students. I solved this challenge by focus grouping with some middle school students and using their critiques to improve my project.
Accomplishments that I'm proud of
I am proud of the final version of this project, as well as everything that I learned from this hackathon. Most importantly, I am proud of the fact that I created a project that can impact other students' lives during the COVID-19 pandemic.
What I learned
During this hackathon, I learned how to create an animated Swift playground using SpriteKit. I also learned new coding concepts, such as Depth First Search (DFS) and Swift animations.
What's next for COVID Search
Following June 20th and 21st, I hope to get more young students downloading this playground and try to beat the maze. I want to spread awareness among young students and teach them how to continue to stay healthy as well as give them an introductory lesson to programming. Both lessons will impact these young students far beyond right now.
Built With
sprite-kit
swift
Try it out
github.com | Ace the Maze! | An interactive Swift Playground that teaches kids about COVID-19 and coding with a maze game | ['Ashay Parikh'] | [] | ['sprite-kit', 'swift'] | 130 |
10,267 | https://devpost.com/software/defhacks-ypin6h | This is the welcome screen
Welcome screen part 2
Last slide of welcome screen
Agree and continue page
Registration screen
This is page where India COVID-19 status is displayed state wise but it's not working now :(
nCov API world COVID-19 status, most affected countries, WHO donation and myth buster on click launch...working properly
FAQ's on COVID-19 with answer
wecare
A new Flutter application.
Getting Started
This project is a starting point for a Flutter application.
A few resources to get you started if this is your first Flutter project:
Lab: Write your first Flutter app
Cookbook: Useful Flutter samples
For help getting started with Flutter, view our
online documentation
, which offers tutorials,
samples, guidance on mobile development, and a full API reference.
I have used nCov API to track the number of cases of COVID-19 all over world and have tried to display most affected countries in the World by COVID-19. As I'm from India application named "Aarogya Setu" gave me inspiration to track world COVID cases. The app also features few set of FAQ's in it. I will update a chat-bot in the application later (git repository do not have the chat-bot)
Key Features
*World COVID-19 status
*Use least cookies
*WHO donation link on click launch link
*WHO myth buster link on click launch link
*FAQ's for COVID-19 (education purpose)
*For both ANdroid and iOS
*PM cares (India) on click launch link
*India COVID status
*India states status
This is my first hackathon :)
Built With
dart
flutter
Try it out
github.com | defHacks - COVID tracker | This is a COVID-19 mobile application developed using Flutter and Dart for #defHacks-2020 | ['AYUSH SINGH'] | [] | ['dart', 'flutter'] | 131 |
10,267 | https://devpost.com/software/clear-qp2bs9 | Inspiration
While being stuck in quarantine is necessary to stop the spread of COVID-19, it also deprives us of many activities that we do to help maintain our mental health. This is especially relevant as summer approaches, as the activites that one would normally enjoy over the summer will no longer be feasible in quarantine, such as going out with friends or travelling. Staying home all day in an uncomfortably warm environment will likely have negative impacts on our mental health, and so we created Clear to help the user detect when their mental health is deteorating as well as advice to help them improve their mental health.
What it does
Clear is an app that tracks a user's mood by allowing the user to take an image of themselves, and then sending that image to Google's Vision API to detect the user's emotions. It then keeps track of these emotions
How I built it
We built clear using React Native + Expo. We had originally tried using Flutter, but the camera plugin was buggy and the lighting became terrible, which would be unacceptable for the Google Vision API. Thus, we switched to React Native and used Expo since I could run the Expo app on my iPhone without having to switch to MacOS.
The backend was built with Express and we used the Google Cloud Vision SDK for Node.js. We used Heroku to host the backend.
The front-end website was built using regular HTML and CSS. We also created some custom images for our website to make it look more professional. We used Domain.com to redirect the memorable URL
https://aclearhead.space
to the Heroku hosted version.
Challenges I ran into
We made the difficult decision to switch from Flutter to React Native + Expo 6 hours or so into the hackathon after struggling with getting the camera plugin to work. This was a minor setback, but we managed to continue the app and complete it just in time.
We also experienced challenges with getting the Google Cloud SDK to work well with Heroku. As the Google Cloud API expected a JSON file on disk (that contained sensitive data like our Google Cloud API Key), we needed to somehow create the file on Heroku but not commit it into the Git history. However, when we tried doing it the naïve way (by using fs.writeFileSync), we found that Heroku kept deleting the files every time the app would be built. In the end, we finally got it working using Heroku build packs.
Accomplishments that I'm proud of
We're proud of creating a working application even after the setback of starting late.
What I learned
We learned how to integrate our app with Google Cloud APIs, as well as learning about Heroku buildpacks.
What's next for Clear
Our initial idea involved taking images of the user automatically, so that the user wouldn't need to manually do it themselves. However, we quickly found out that due to security reasons, this isn't possible within mobile apps. We were going to also create a companion Electron app for taking images while the user is sitting at their desk, but after hours of struggle we couldn't get the webcam working consistently and thus decided to scrap the Electron app and return our focus back to the mobile app.
Domain.com Entry
https://aclearhead.space
As a fun fact, it took a lot of thought to come up with this domain name. We originally believed that we couldn't find a clever domain name for our use case, but luckily while searching Google for "words that end in 'space'", one of our teammates found "headspace", which he remembered the meaning being related to having a clear mind. Sure enough, when he searched for the definition, it gave him:
INFORMAL
a person's state of mind or mindset.
"if you're not in the right headspace for this stuff it's going to bore you, no matter how well it's done"
This definition aligned perfectly with mental health, but unfortunately, head.space was already taken (as both a domain and as an actual app name). We decided to continue brainstorming for a clever way to integrate a suffix head.space into our domain name, and we wanted to emphasize having a uncluttered and free headspace, which is extremely important especially in a quarantined summer, where you're likely to be sitting at home in a stuffy environment all day.
We also were searching for a word that would fit without the .space suffix, as "a right head" sounded a bit weird. We then stumbled across the word "clear," which can be used in the phrase "a clear head" (the ability to think clearly) as well in conjunction with "a clear headspace." With this, we now had a very memorable as well as a very clevel domain for our app, and you can visit it at
https://aclearhead.space
Links
Website:
https://aclearhead.space
or
https://clear-app.herokuapp.com
GitHub Repo for Website:
https://github.com/AbstractLion/ClearWebsite
Expo App:
https://expo.io/@leonzalion/clear
GitHub Repo for Expo App:
https://github.com/AbstractLion/ClearApp
Backend:
https://clear-backend.herokuapp.com
GitHub Repo for Backend:
https://github.com/AbstractLion/ClearBackend
Video
https://www.youtube.com/watch?v=mUiIG1PrKpQ
Built With
domain.com
expo.io
express.js
google-cloud
node.js
react-native
Try it out
github.com
github.com
github.com
expo.io
clear-backend.herokuapp.com
aclearhead.space | Clear | Helping people maintain their mental health during a quarantined summer. | ['https://aclearhead.space', 'Leon Si'] | [] | ['domain.com', 'expo.io', 'express.js', 'google-cloud', 'node.js', 'react-native'] | 132 |
10,267 | https://devpost.com/software/healtherapist | Inspiration
While we were researching potential hackathon ideas, one of our fellow lovely members stated that people who suffer from Bell’s Palsy may undergo functional electrical stimulation (FES) treatment to enable the patient to feel and move their facial muscles. These people as well are usually given physical therapy exercises to try and move their muscles on their own by physically moving their faces into different emotional states.
That’s when we realized something. Feelings can range from sad, afraid, happy, and excited. Our personal emotions allow other people to understand us better and learn ways to respond to our actions. However, around 40,000 people in the United States are affected by Bell’s Palsy yearly which prevents the patients from expressing their emotions through facial expressions. In addition, people who suffer from autism are unable to communicate their facial expressions as well. With these selected people in mind, our team aspires to combat this problem through technology.
What it does
Introducing TherAssist! It is a web app that detects the facial expression of the user based on their face using machine learning. This app can be used by occupational therapists or parents when guiding children who suffer from autism. Through this app, they can start teaching the children to evaluate, assess and associate their facial expressions with the proper emotions. TherAssist is a tool that recognizes a person’s emotions to educate the user of the proper term for their feelings.
Challenges we ran into
Our team faced difficulties in communicating with each other due to time zone differences.
With the time zone difference, some of us had to compromise by sacrificing our sleeping schedules.
In addition, sometimes the internet connection sucks. It’s difficult to be working on a project during a call with a bad internet connection.
However, we did not want time zone differences, sleep deprivation and a bad internet connection to hold us back from participating at DefHacks 2020.
Accomplishments that we're proud of
Completing a project that is really applicable and solves real world problem
-Learning about building apps in python
-Learning about computer vision
-Learning about machine learning and creating a working app that uses trained models
What we learned
Haar cascades are limited in what they are able to detect but run extremely faster than CNN models making it easier to make Haar cascades live which would be useful for webcam applications but you would still need to find a way to train them.
What's next for TherAssist
The next steps for TherAssist are adding features to allow different areas of study (eg. learning alphabets), generating performance reports by therapists to be transmitted to the parents, enabling therapists to assign homework to the patient and improving the UI design of the app.
Together, let’s feel what is real! Together, let’s feel the reality!
Built With
face-recognition
haarcascade
machine-learning
numpy
opencv
pandas
playsound
plt
python
random
scipy
tkinter
Try it out
github.com | TherAssist | Engineering Smiles | ['Thomas Stansel', 'Arianne Ghislaine Rull', 'Ruirui Zhang'] | [] | ['face-recognition', 'haarcascade', 'machine-learning', 'numpy', 'opencv', 'pandas', 'playsound', 'plt', 'python', 'random', 'scipy', 'tkinter'] | 133 |
10,267 | https://devpost.com/software/womenarethefuture-wztgxp | Inspiration
I was inspired to create this because as I was researching and picking out what track to submit to, I realized the issue we have at hand when it comes to women being underrepresented in the tech sector was very severe, and I wanted to help bring light to it.
What it does
This website is simple, however it is effective in providing people with the knowledge and inspiration they need to get started on fixing this issue. It shows you simple actions to take as a woman to help our community rise and be brought into the light, and to show people our issue is important for the future of society and we need to fix it. The WomenAreTheFuture also hopes to provide young girls with inspiration by briefly discussing very prominent women in the past of STEM and strong fighters for equal gender equality. Lastly, it also provides you with a few statistics and and a little bit of information to encourage you further research this issue and give you motivation to help solve it.
How I built it
I built it using HTML, CSS, and bootstrap.
Challenges I ran into
As this is my first time attending a hackathon, there were a few issues I ran into. In the coding aspect, I was fine because I already knew how to code with HTML, CSS, and bootstrap. However when I was attempting to upload my code to github I ran into quite a few errors. However luckily after learning how to properly use github, I got it, and uploaded it on time.
Accomplishments that I'm proud of
Accomplishments that I'm proud of are the time I completed this website in, especially since I did it alone. Although it isn't complete since I would love to add more features such as a quiz or registration form, I finished the website in under 6 hours, and for my first time attending a hackathon, I proud of what I have created!
What I learned
I learned that you should never underestimate the time it takes to create even the simplest of websites/apps. I also learned that attention to detail is key when coding, especially in a time crunch. Overall, this hackathon was one of the most stressful experiences I've been put under, to say the least. However, nonetheless the knowledge I gained and the value it holds outweighs the stress for sure, I'm glad I decided to participate and give it a try.
What's next for WomenAreTheFuture
Next for WomenAreTheFuture I would like to add additional features such a quiz or register form to have people either take a quiz on the knowledge they learned on my website or have them register to receive monthly newsletters on women in stem.
Built With
bootstrap
css3
html5
Try it out
githubacc-tan.github.io | WomenAreTheFuture | A simple but effective website created with the intent to promote awareness about gender inequality in STEM/tech | ['githubacc-tan sayooj'] | [] | ['bootstrap', 'css3', 'html5'] | 134 |
10,267 | https://devpost.com/software/mediman | Inspiration
All of us being from joint families are surrounded by our grandparents and we get extremely worried about their health. This inspired us to create MediMan a Bluetooth enabled app and hardware
What it does
We created an array of software's and designed a robust and durable dispenser. By combining these two we were able to create a reminder and notification system in the app along with that the device also has the capability to order prescribed medicines automatically removing the stress from elderly. The software and device are in sink with the software having a timetable system and the hardware opening the box of pills that need to be taken during the certain time. We feel this is a very feasible solution since the hardware would only cost around 30 dollars along with that it solves a simple but severe problem that is often overlooked
How we built
We built the app using Kotlin and for the cad we used fusion 360 to design everything from scratch
Challenges we ran into
None of us had used Kotlin before but we were keen on learning in the end we were able to build a successful app. Designing a complex piece of hardware was also difficult in the short span of time but in the end we successfully pulled through.
What we learned
We learned how to use Kotlin and better navigate fusion 360 we also learned valuable skills such as time management and working in a team
What's next for MediMan
Here at MediMan we believe that through funding by the government and community support we can provide these dispensers to all the elderly in need
Built With
autodesk-fusion-360
java
kotlin | MediMan | Your one app, connected to a medicine dispenser, that takes care of all your worries | ['Madhav Lodha', 'Dark the Eyezor', 'Dhruv Sharma'] | [] | ['autodesk-fusion-360', 'java', 'kotlin'] | 135 |
10,267 | https://devpost.com/software/techagro-4w6jz9 | \
Built With
adafruit
atmega
c++
github
pcb
wifi | yoyoho | jo | ['Prakhar Saxena'] | [] | ['adafruit', 'atmega', 'c++', 'github', 'pcb', 'wifi'] | 136 |
10,267 | https://devpost.com/software/punto-rojo | App interface
App interface
App interface
Smart Contract deployment
Smart contract interface
Smart contract interface
Go check out our CoronaMeter Pandemic Data management system on
https://oneclickdapp.com/golf-jeep/
today!
Check out our awesome app by installing it from this link
https://drive.google.com/file/d/1nEx5gwVYNvJPHn8TRr0o43zduGh7fB9k/view?usp=sharing
.
Inspiration :
Two pillars of Community Helpers stand strong in controlling the expansion of this heart-wrenching Pandemic: Police and Hospitals.
Police are responsible to keep a check on social distance orders in Public Places like Roads, Markets, and Public Transports. Of Course, Prevention is better than cure, so we thought how about we make the work of Police and other such authorities much much easier by giving them a real-time Social Distance checking app! How about the next time a place starts to get too crowded and the authorities get notified about it instantly. How about the next time a police officer wants to check if people are maintaining social distance or not and all they have to do is open their app? YES, that's the revolution we wanted to bring into their job; make it much more efficient and easy!
Similarly, Doctors are working day and night, risking their lives to treat Covid-19 patients and testing centers are exhaustively trying to conduct the maximum number of tests so that infected people can be cured early and the spread of the virus could be prevented by quarantining them. Yet we hear every day, speculation of the Pandemic data being tampered with probably due to some anti-social elements. Also, countries like China and Russia have been accused of hiding the real number of Covid-19 cases and deaths. We all understand how important transparency is in this case! Hiding the data of cases is the second biggest reason after lack of social distance why today many countries are finding it difficult to cope up with the rising number of cases.
We wanted to tackle this problem by building a system that was based on a decentralized system. How better than using Etherum blockchain and Matic for this purpose! Efficient, decentralized, and immutable!
What it does?
The Socialist Guru
-
It is a simple and small application resting in your smartphone and only requires a GPS and Mobile data access to work. It runs with abilities :
It keeps running in the background and keeps detecting the number of people in your safe distance radius. As long as the number of people is within a safe number, you can rest relax and the app interface will stay green :) But as long as this number gets above a safe maximum, it will notify you and the interface will turn red until the situation improves.
One can also check for the same situation in any specific location they want to! Just enter the location or pin it on the map and the live data will tell you if the place safe to go or not. This will be especially useful for police and other authorities who are trying to keep a check on social distance on their premises.
CoronaMeter
-
This is a very simple website built on top of Etherum technology and utilizes the power of the Matic network to improve its capacities and affordability drastically.
👆 Anybody with an Ethereum address can read the data on the web from knowing who the admin is to the individual details of the patients (without directly linking information, of course) like Age and Date of information. This will ensure that there is complete transparency in the untampered data that every citizen has the right to know.
👆 Coming to the data entry part, there is a top-level admin that has the maximum powers from registering with new Hospitals to Registering new Patients. These Hospitals only have the power to add new patient details. If the need is, the smart contract could also be modified to have vice admins who have powers in between the Admin and Hospitals. Sounds like your typical Discord group, doesn't it?
And as we all know the biggest plus point of Ethereum based database management is its immutability and the fact that everything gets stored on the chain permanently. Therefore, we'll know who entered data in CoronaMeter.
What makes it awesome -
Can be implemented on the pre-existing infrastructure
Zero/very low cost of implementation
The time required to get it up and running is low because the easy distribution
Bringing transparency and credibility in the data about the number of positive cases and death cases in the ongoing pandemic.
Increase the trust of the public on the pandemic data and government which should ultimately lead to more cooperation.
Save the government a lot of money as there is no need for middlemen to handle the data or Verification agencies to verify the data. Everything will be done by the Smart Contract!
In the current situation, the data might get corrupted or tampered with as there are so many people handling it. It also reduces accountability. Our App will prevent this from happening as nobody except the Hospitals will touch the input data.
In the use of private servers, if something happens to the servers like the server goes down or gets destroyed, the data simply becomes either inaccessible or lost!. When kept on Ethereum blockchain or IPFS (a similar but cheaper technology) it is stored on nearly 10,000 nodes all around the world. You’ll need to destroy all the 10,000 nodes to be able to make data inaccessible.
How it does these things?
Hardware
- Only your mobile! That's what makes it so practical and scalable. Just install the app and feel the power.
Programming Languages
- Solidity and Javascript.
Tools
- Flutter, Remix IDE, OneClickDapp, MetaMask.
Technology
- Ethereum, Matic, Web3.
The Socialist Guru
-
...
CoronaMeter
-
The web app is backed by a Smart Contract written in Solidity language. It consists of setter and getter functions that give it the ability to enter new data and read new data. We took care of power levels such that a transaction can only be done from a registered ID which has the power the do so.
The Smart Contract is hosted on both the Ropsten test network and the Matic test network. Though the Matic network is much more efficient the hosting site we used did not support it simply so we used Ropsten for that part.
Challenges we ran into -
We needed to make sure that only Admin and registered Hospitals will be able to register new patients, so our earlier idea was to iterate through an array of registered hospitals and find if the address is present. This would have become very costly for practical purposes as Ethereum charges you for every step you take (and imagine the steps in going through the array of thousands of hospitals every time).
We found an efficient alternative as connecting a new Hospital address with a Boolean and marking it as true with the help of "Mapping function". So whenever someone tries to add a new patient we just need to check if their address has been mapped as true; if not then the person gets a message that they are not authorized to do so. We also had the difficulty in connecting the blockchain into flutter and posting and getting location in very less time interval was one of the biggest challenges we faced.
What's next?
We plan to be able to host the complete data on IPFS as it will make it more affordable and open to the society's new options to store the data for any disease in general like Swine FLu or Ebola.
We can also release the Socialist Guru app to the public as an addition to the Arogya Setu app released in India. It will help individuals to take note of the places they are going to.
Built With
dart
ethereum
firebase
flutter
google-maps
matic
remix
rest-api
smart-contracts
solidity
Try it out
github.com
drive.google.com
oneclickdapp.com | Punto-Rojo | Punto Rojo, just what your doctor ordered... 🔴 An efficiency-boosting system to help administrators have better control and transparency in fighting against the Pandemic. | ['Arpit Kushwaha', 'G LAKSHMI'] | [] | ['dart', 'ethereum', 'firebase', 'flutter', 'google-maps', 'matic', 'remix', 'rest-api', 'smart-contracts', 'solidity'] | 137 |
10,267 | https://devpost.com/software/the-best-of-health-xe0w6s | Inspiration
Quality healthcare in the United States is becoming increasingly difficult to access. This has been the case for three main reasons.
First, is because of costs. Nearly five percent of Americans cannot access healthcare due to cost reasons. Furthermore, over 530,000 families in America each year declare bankruptcy due to medical issues. The primary reason for all of this is because patients are coerced into turning to out-of-network providers and high insurance premiums for routine tasks.
Secondly, is because of the quality. Hospital admissions for preventable diseases are more frequent in the U.S. than in developed countries, resulting in an above average mortality rate compared to the rest of the world.
Finally, it is due to COVID-19. Currently, this pandemic has torn the world apart. The New York Times writes that many Coronavirus patients died before even reaching the hospital because of long distances and lack of access to available hospitals. Some were reported to visit up to four hospitals without even receiving a bed
What it does
Our platform allows hospitals to register on our database and update with specific information about the hospitals including the available doctors as well as the number of available beds. On the iPhone app, we display the Firebase data, part of Google's Cloud Platform, in addition to quality metrics for the hospital acquired from Medicare datasets. This platform also sorts through all of the hospitals and arranges them in the order that you desire, allowing you to prioritize certain attributes. The data also consists of a score based on reviews that were scraped from the internet.
How I built it
We created the web application using Meteor.js. After including the Firebase database on the web app, we were successfully able to add and update data to the database, allowing the iPhone app to retrieve this data to display for the users. On the web application, geared towards hospitals, the hospitals were able to include data about which doctors were available and their insurance as well as the number of available beds in the hospital. This is especially useful during COVID-19 because most hospitals are filled to capacity, allowing the users to determine which specific hospitals are vacant.
On the iPhone app side, we got data from Medicare datasets including effectiveness, mortality rates, timeliness, contact info, safety, location, etc. Based on your location, the app would show hospitals nearby you and rank them in the order that you desire because of our sorting algorithm. We included a map utilizing the MapKit library from Apple that zoomed in on the user's location and pinpointed all of the hospitals throughout the country so that the user is easily able to visually determine the closest hospitals. Additionally, we read from the Firebase database to display the availability of beds within the hospital and the available doctors that are able to assist you, including their specialty and insurance. Displayed on the iPhone app side was also the sentiment analysis that we conducted. After scraping reviews for each hospital from the Google Places API, we used machine learning on these reviews through the VADER NLP library. This returned an integer from -1 to 1 signifying the compound sentiment of all reviews for a specific hospital.
Challenges I ran into
We ran into a multitude of issues. Firstly, we were having difficulty trying to include the Firebase database in Meteor.js. Because of the asynchronous call back functions, it was very difficult for us to successfully utilize the database. We encountered this error with both the web application and the iPhone app. We also had a few issues developing the user interface on both ends. After spending large amounts of time on the CSS and HTML side of the web application, we were finally able to receive the UI that we were aiming towards. This issue was more drawn out on the iPhone app side, however. We had to create multiple View Controllers in order to display the data in the way that we wanted. After several attempts with the Collection View Controller, we decided to shift to a Table View Controller. This way, we were easily able to display all of the doctor's data from the Firebase database. Another large issue that we had was with parsing through the CSV files in Swift. After scraping the web for data, we created a master CSV file that was the basis for displaying data on the app. However, in Swift, we had tremendous difficulty parsing through this file and inserting the data into a two-dimensional array. Eventually, after downloading a different library, we were able to successfully enter all of the data into an array that would later be used to retrieve the specific information about the hospital. Since calculating the distances between each hospital and the inputted location took so much time, we decided to use the Haversine formula to calculate the distances based on the longitude and latitude coordinates. This formula was extremely accurate because it also took into account the Earth's curvature while determining the distance.
Accomplishments that I'm proud of
We are proud of building our first Swift application, syncing with the Firebase, scraping the reviews, and performing sentiment analysis on the reviews.
What I learned
We learned how to use Firebase as well as create various views in Swift.
What's next for The Best of Health
In the future, we want to expand our services to more hospitals. By getting more hospitals involved, users are more incentivized to download and participate on our platform. With this, we are able to better educate the public about the specific details behind each hospital to help them with their hospital and insurance provider decision.
Built With
firebase
google-cloud
google-places
machine-learning
mapkit
meteor.js
mongodb
swift
vader-nlp
xcode
Try it out
github.com | The Best of Health | Brings the best available hospitals right to your phone | ['Sid Srivastava', 'Aman Wadhwa'] | ['Art of Problem Solving gift cards'] | ['firebase', 'google-cloud', 'google-places', 'machine-learning', 'mapkit', 'meteor.js', 'mongodb', 'swift', 'vader-nlp', 'xcode'] | 138 |
10,267 | https://devpost.com/software/evexia | Inspiration
The inspiration for this project was originated from a vision of what a post-COVID 19 world should encompass. the team asked ourselves what the future of tech looked liked for healthcare, and how there lacked a comprehensive online healthcare service. In the 21st century, when our cellphones are more powerful than the Apollo missions that landed on the moon, a disruption in the healthcare system was the next revolutionary idea that inspired our team.
What it does
Evexia is a healthcare app that includes AI incorporated with a comprehensive interface in order to provide healthcare online. It allows for patients to set up calls with healthcare professionals, monitor their prescriptions, access their record and also self diagnose. There is a neural network that is trained on a plethora of diseases and medical expertise, which basically is an automated healthcare provider. For physical check ups, the app provides a geolocation of nearby hospitals for ease of access.
How I built it
The original chatbot is built with a trained neural network using python. The chatbot used in the website is embedded and configured to match the python based chatbot.
The website is built with html, css and javascript, and the chatbot is a javascript plugin.
The app interface is built using react native.
The video was recorded by using a program called Rotato.
Challenges I ran into
For creating an automated chatbot, running the python script and training the neural network took a lot of planning. The neural network required the correct input parameters, and -of course- debugging.
Also, embedding a chatbot like interface into an html website was challenging, since chatbots require a comprehensive javascript environment, with a python backend. It would take a firebase database to send messages between the python database and the user. The engineers decided, in the interest of time, that it was better to take a pre-built chatbot environment and embed it into the website. The configuration of the automated chatbot was made to match the python based chatbot, and would give the same responses.
Rendering of the video took 33 GBs+ of memory, and overclocked the CPU.
Accomplishments that I'm proud of
The team is proud of the overall comprehensiveness of the application built and the solution provided. The implications of the idea, providing easy access to healthcare, instills in the team a belief that ideas are powerful.
Another source of pride is the overall presentation itself. It provides readers with a solid understanding of the vision behind Evexia in a simple, yet aesthetic manner.
What I learned
We learned a massive amount about the field of medicine, and about data science through our extensive search for medical records as well as medical scans and imagery. The organization of the data into a proper structure using the Google servers helped us understand system architecture better.
The team learned that a conscious effort in the right direction is able to bring about solid innovations. The team was deliberate in everything we did, every feature, every click, every single question we asked ourselves was directed at building a meaningful product.
What's next for Evexia
The team wants to pursue making Evexia the face of healthcare in the digital economy. To do this, we need access to even more medical records which will allow us to keep training the model with more data to increase the accuracy of the results. We must consult healthcare specialists and get their take on what is needed to improve the relationship of healthcare workers and patients, especially on the online platform where human connection is limited. If we can ensure that people everywhere, regardless of social class, in any situation, can have access to affordable healthcare at their fingertips, then we have surely accomplished our goal.
Domain.com registration - healthatyourfingertips.tech ( Health at your Fingertips)
Built With
adobexd
css3
figma
framer
google-bigquery
google-cloud
html5
javascript
python
react
react-native
Try it out
evexia2020.github.io
healthatyourfingertips.tech
github.com | Evexia | Top HealthCare at your Fingertips | ['Mian Hamza', 'Taha Shahzad', 'Saffat Aziz'] | [] | ['adobexd', 'css3', 'figma', 'framer', 'google-bigquery', 'google-cloud', 'html5', 'javascript', 'python', 'react', 'react-native'] | 139 |
10,267 | https://devpost.com/software/devarmy-lwu9mc | Home
Login
Profile
Edit Profile
Post Home
ProjectIdea
Inspiration
We, as students, usually face this problem! Not Anymore
Have a great idea in mind, are excited in the beginning, start working on it, and then the graph goes on tending to zero. This trend shows a reasonable rate of creativity but a depleting rate of implementation. I have worked on several projects, the ones having the potential to become the next big startup, but they go in vain because sometimes a particular tech stack is not known, or you have made too many commitments that you forget the exciting ones. Also, after talking to people at our institution, people tend to complete things they have taken up when they have a partner whom they are accountable to. In these situations full of problems, what developers require is a platform for themselves, not just some random WhatsApp and Telegram groups, which are muted as time passes!
What it does
DevArmy serves as a platform where one can find people to collaborate on projects with #NeedSimran and #ProjectIdea. One can also find a partner to do Online courses with #NeedSimran. One can seek help about some topic with #NeedHelp and take advice with #NeedAdvice on which online course to take up and other stuff. In case someone doesn't have the means to work on an idea but desperately feels it should be introduced to people, we have #ProjectIdea to help. The platform aims to bring in #CodeReview, #DesignReview, and #LinkedInReview in the coming times. Remember--"We rise by lifting others" - Robert IngersollThe platform DevArmy aims to bring a platform for the developers to solve their problems. A platform by the Developers, for the Developers! What we call the members of the community is the "Soldiers." Soldiers seeking solutions use the language of #hashtags
Challenges Solved:
How to find people for projects? Use #NeedSimran along with skills And Post your requirements clearly
Example-
I'm planning to build a Geeks Dating Site,
I'm good at Frontend using React,
Looking for someone to handle Backend, preferably college students.
NeedSimran
How to Share Project Ideas? Use #ProjectIdea
Example-
Geeks Dating Site #ProjectIdea
Chatbot for career counseling #ProjectIdea
We will try to bring up rewards and contests for the best ideas in the future!!!
How to get help from others? Use #NeedHelp Tip- Make sure to be very specific
Example-
I'm stuck with the Leetcode Problem, "Jewels and Stones".
NeedHelp
P.S. When you ask for help, make sure to help others also.
How to seek advice/guidance from Mentors? (Future Implementation) Use #NeedAdvice
Ex-
Is Javascript enough to crack Uber? #NeedAdvice
Do backend engineers earn more than frontend engineers #NeedAdvice
How to share some fantastic articles/posts/resources? Use #Resources.
Coming Soon…
How to get my Code/Design Doc Reviewed? && Get LinkedIn Reviewed? Use #CodeReview & #DesignReview Make sure to add a link to the Google Doc(make it public) P.S. When you ask to review, make sure you help others also.
How I built it
The app is built using Flutter for frontend from Google and Django rest API hosted on Google Cloud.
Challenges I ran into
Even today, when many developers are using flutter, the BLoC logic Documentations and practical implementations are not present. Fewer tutorials are present on working with Django REST Api and flutter, which makes our work less efficient. Even the existing university pattern of education does not give proper guidance about modern technologies. Our Team tried leveraging the power of elastic search for the hack, but again, lack of Documentation was a significant issue.
Accomplishments that I'm proud of
I started with BloC design in flutter.
What I learned
Django Rest API, flutter apps widgets
What's next for DevArmy
Coming Soon…
How to get my Code/Design Doc Reviewed? && Get LinkedIn Reviewed? Use #CodeReview & #DesignReview Make sure to add a link to the Google Doc(make it public) P.S. When you ask to review, make sure you help others also.
How to seek advice/guidance from Mentors? (Future Implementation) Use #NeedAdvice
Ex-
Is Javascript enough to crack Uber? #NeedAdvice
Do backend engineers earn more than frontend engineers #NeedAdvice
Partnering with Hackathons serving as a platform for hackers to collaborate.
Domain.com
remote.space
Built With
django
elastic
flutter
google-cloud
heroku
mongodb
Try it out
github.com | DevArmy | Have a project in mind, need some help. Are you a UI ninja, and need a database warrior. Post your project idea on our app and find a partner who matches your requirements to complete the project. | ['Dipti Modi'] | [] | ['django', 'elastic', 'flutter', 'google-cloud', 'heroku', 'mongodb'] | 140 |
10,267 | https://devpost.com/software/bed-tracker | Main page
Hospital registration
Flow chart
Created a customised web application using Maps to track the nearby hospitals around us which is connected to the hospital's database or data entered manually which will give information about the availability of beds and facilities in that particular hospital.
Built With
bootstrap
css
google
html
map
mysql
php
Try it out
github.com | Bed tracker | Know nearby available hospitals in one click and sort using many filters. | ['ritikgarg655 Garg'] | [] | ['bootstrap', 'css', 'google', 'html', 'map', 'mysql', 'php'] | 141 |
10,267 | https://devpost.com/software/space-war-8gswp7 | Welcome Screen
Spaceship Moving
Spaceship Destroyed
Starting of Game
Idea
I got the Idea of this game by playing the retro Atari 1979 Asteroid game.
Technologies used
I build this game using HTML / CSS / JavaScript.
What it do
It is a web based game to be played online in which we have to destroy the moving obstacles in the space using spaceship & playing instructions is given at welcome screen of the game.
Challenges occured
I learned many JavaScript concepts while building this game & face many challenges that how to move the spaceship with arrow keys, how to make destroy effect & finally stackoverflow helped me to get out of this situation.
Domain.com Domain registered -
www.ihacks.com
Built With
css3
html5
javascript
Try it out
tanishq-soni.github.io
github.com | SPACE-WAR | It is a simple JavaScript web-based game, in which we have to destroy the moving obstacles in the space with the space-ship. | ['Tanishq Soni'] | [] | ['css3', 'html5', 'javascript'] | 142 |
10,267 | https://devpost.com/software/covid-19-crowd-alert-system | Using MIT app inventor we made an mobile application.Now you are seeing the blocks of code of our application.
Storing and Retriving the data from the user.
Retriving the data using google firebase.
inspiration - One day, my mom has sent me to buy groceries so I went to a shop which is 3 km away from my home.
As soon as I reached the shop I found a heavy crowd waiting in a queue and one of the security has informed me that I should come tomorrow because shops will be closed 1’ o clock during lock down as per government rules.
And this gave me an idea to design an app which gives status of the crowd near a shop . While customers can easily monitor from home and when crowd count decrease they can go and buy the products. This gave a idea for this project.
How I built it -
Working :
By clicking Get started(Home screen) Login page(if you are a new user click sign up)
By clicking Login Web page
By clicking CREW COUNT Tiny URL , where users can enter respective data or search for it.
There are two cases:
(1) if you are a shopkeeper Click CREW COUNT STORE VALUE
TAG store the shop name
VALUE store the current crowd count manually
And click STORE
(2)if you are a customer click GETVALUE Enter the shop name and click get value
By clicking STORES LIST(list of stores)
By clicking GUIDELINES LINES FOR COVID 19 Safety precautions
The entire process is interfaced with Google fire base where real time data base has its back up.
Built With
firebase
iot
mit-app-inventor
Try it out
github.com | Covid-19 crowd alert system | We have developed a IOT based application which gives the current status of a crowd near a shop where shopkeeper has to enter data manually in equal intervals of time . | ['vikram P'] | [] | ['firebase', 'iot', 'mit-app-inventor'] | 143 |
10,267 | https://devpost.com/software/basic-dad-bot | Basic-Dad-Bot
A basic bot made for the Skule 2T3 Server
Built With
discord.py
python
Try it out
github.com | Basic Dad Bot | Have you wanted a bot that makes dad jokes at a moment's notice? Well, here you go anyways! | ['Mingde Yin'] | [] | ['discord.py', 'python'] | 144 |
10,267 | https://devpost.com/software/mealmate-m8oqfp | MealMate Logo
GIF
Ideation/Figma Demo
Inspiration
As the
COVID-19
crisis unfolds, our lifestyles are endless transforming. During these trying times many products and services like Instacart have surfaced that help us adapt to these changes. Instacart is an American company that operates a grocery delivery and pick-up service. They specialize in delivering groceries from local stores. A recent poll shows that
60 percent
of 18-24 year olds surveyed had already increased the frequency they use delivery services during COVID-19. The 35 to 54 year old age group had the biggest increase in frequency, with
40 percent
saying they would do so during COVID-19 .In the midst of changing guidelines and expectations, having access to favorite foodservices and delivery items is offering customers comfort during this troublesome time. The efforts of services like Insta-cart have inspired us to develop a web app that enables volunteers (free of charge) to
aid individuals in their community
by picking up and delivering their groceries.
What it does
Web App
Web app that enables volunteers to aid individuals in their community by picking up and delivering their groceries.
incentivices volunteers by providing official documentation of their volunteer efforts that they can use for school/program requirements
incentivize volunteers by partnering with multitudes of companies (sponsors) that provide users with awards that can be mailed to their addresses. A wide variety of prizes that address the wide range of interests of our users (volunteers).
Locals do not have to go through the hassle or pay extra for food delivery services because of COVID-19.
How we built it
Web App
Figma
- Used to create prototype and ideation (click the link to view our design)
Maps JavaScript API
- Used to obtain user location
Devisee
- Utilized for authentication when users signed in/created an account
Ruby on Rails
- Used framework to simplify web app building process
PostgreSQL
- database for products and users
Stripe
- Utilized to accept payments and manage business
Webpacker
-Utilized to manage and bundle js code
*
Cloudinary
- Used for easy upload and storing of files
Coding Languages
- Ruby,CSS, Python, HTML,JavaScript
Challenges we ran into
Working remotely was a burdensome challenge for us because we could not coordinate as well as if we were working together in person and in the same time zones. To keep up to date, we needed to communicate effectively via Slack.
Integrating the APIS's and working with databases
Since so many different individuals were working on the project simultaenously, it was a challenge to keep our web app looking cohesive and concise. To mantain a consistent style, we made mocks up of our web app utilizing Figma before we began coding. This enabled all of us to be on the same page.
Getting our domain to work for the website
Accomplishments that we are proud of
Overcoming the above challenges was our greatest accomplishment.
Utilizing the knowledge we gained from the workshops to create our application
For some of us this was our first hackathon, that is an achievement within itself.
Being able to work together and produce something despite our major time zone differences and limited time.
Being able to bring all of our unique educational backgrounds to produce a product.
Learning that this is a novel idea that others have not created before.
What we learned
More about making sites functional, interactive , and appealing to the eye by integrating libraries.
This hack-a-thon enabled us to improve our coding skills and experiment with many new things which some of us were not very familiar with before like APIS, Github, and Databases.
What's next for MealMate
We hope to expand MealMate to encompass more customers and volunteers, as well as gain more sponsorships to provide greater opportunities for our volunteers.
Built With
cloudinary
css3
devisee
figma
google
heroku
html5
javascript
postgresql
python
ruby
ruby-on-rails
stripe
webpacker
Try it out
github.com
www.figma.com | MealMate | Help Your Community By Becoming A Meal Mate! | ['Mualla Argin', 'Justine Chou', 'Romeo Azizian', 'Adel Müürsepp'] | [] | ['cloudinary', 'css3', 'devisee', 'figma', 'google', 'heroku', 'html5', 'javascript', 'postgresql', 'python', 'ruby', 'ruby-on-rails', 'stripe', 'webpacker'] | 145 |
10,267 | https://devpost.com/software/a-s-r-v-automated-search-results-verification-ldqo2x | expected layout
Inspiration.....recent cyber crimes,frauds and rumors amid covid'19
What it does.....prevents fake news and cyber crimes | A.S.R.V - Automated Search Result Verification | collab of cyber security and fake detection. | ['Kirtan Bhatt'] | [] | [] | 146 |
10,267 | https://devpost.com/software/contactless-covid-test-personalized-diet-suggestions-ai | Contactless COVID-19 Test Web App
App screen
Cough test
Respiratory test
Heart BPM and Respiratory Rate
Patient's medical details
Patient Result
Doctor's tab
Doctor replay to patient
general query chatbot
Inspiration
COVIID-19, the most exasperating topic spoken all across the Globe. We are all aware of this virus and its consequences. People get afraid due to the symptoms of COVID-19 and crowd at the hospitals which is currently very
difficult for the frontline workers to manage and take tests for all
. It is very important to know who actually needs to be tested. Hence people who are at a higher risk are only needed to be targeted.
Also it has been found that the
best medicine
for COVID-19 is
improving our immunity
. So, a
personalized diet suggestions for encountering COVID
would improve each and every one to win this battle against COVID.
Lot of
fake news about COVID
are spreading on social Media where people get confused on what to do. So it would be better if they get answers for their questions on what to do and what not to do.
How this application works
A simple Web App integrated with AI systems is implemented which helps the Doctor to diagnose the patients without visiting them. The Web App contains the following:
Contactless Test
Personalized Diet Suggestions for COVID-19
Chatbot
Contactless Test
A risk score is generated by the AI system which ranges from 1 - 100. It is this score that helps to prioritize the patients. Higher the risk score, higher is the importance given to that patient.
The Contactless test consists of the following:
Dry Cough Severity
The user is made to cough and its sound is recorded and sent to the Database. The Convolutional Neural Networks reads the input frequencies using the spectrogram images and predicts the dry cough rate based on how severe the dry cough is. If its a normal cough or a wet cough, the dry cough rate would be less. This test contributes to the risk sore.
Heart BPM | Respiratory Test
The user is made to take deep breath in and out for 15 - 20 seconds which is recorded by the camera. The Convolutional Neural Networks read the input image sequence and generates the respiratory rate and bpm. Based on these values, the AI system keeps a track to the risk score.
Queries
Well framed queries are questioned where the user need to answer. Eg:
"What is your Current Location?", Do you have any travel history in the past 30 days?, Are you able to smell odorous items?
etc..,
The AI system itself finds how severe COVID is affected in the user's current location and if its high, then accordingly it gets tracked to the risk score. In the similar way all other questions are also tracked by the AI system to the risk score.
Finally the AI System generates a risk score for the patient.
Now Doctors can login the Web App at any time and can diagnose all the patients based on these tests. Finally the Doctor writes the prescription/remarks for the patient.This is sent to the patient's mail.
As a prioritization is made, highly risky patients are diagnosed first. The user can follow the guidelines as prescribed by the Doctor in the Prescription.
AI Personalized Diet Suggestions for COVID-19
The users need to answer the questions which helps to calculate the magnesium, zinc,fat,water,sugar and vitamin content in their body. This is sent to the database. Random Forest Algorithm is used to determine what kind of diet is needed for that person in order to improve the immune system.
Chatbot
Its an RNN based chatbot. People can ask any kind of queries regarding COVID. All the data's and facts about COVID were fetched from official websites like WHO. So people can ask like "How to go to a grocery shop?", "Should I use masks at home?", "Are kids affected equally ?" etc...,
How this application was developed
The COVID Test, Chatbot, Diet Suggestions were created using the tensorflow and keras frameworks. (Python)
The UI was entirely made using HTML, CSS, Javascript.
A MYSQL Database was made locally using phpMyAdmin.
The AI system, UI and MYSQL was integrated using flask.
How to use this application
The packages mentioned in the Github link of the project has to be installed. Once the Database is created as listed in Github, run "python app.py" in the Command Prompt which opens the Web App.
Difficulties & Challenges we faced
Detection of the ROIs(Region Of Interest) in our face to calculate the BPM and Respiratory Rate.
Converting the sound data into spectrogram images to train the CNN.
Accomplishments that we're proud of
We have used AI technology that can simplify the jobs by concentrating more on the highly risky people rather than taking tests at hospitals for everyone. This prioritization focuses on the early identification and protection of vulnerable patients and health care workers.
Apart from that, a diet recommendation and Chatbot is made to effectively make an ALL-IN-ONE helpful website for the people.
What we learned
An in depth analysis was made to understand and evaluate the Nutrient levels in the patient and recommend them a suitable diet.
Working in Face Detection and finding the ROIs.
Go-to-Market Evaluation
The Database has to be pushed into the server. Once the Web App is hosted, it can be assessed by all.
What's next for Contactless Covid Test & Personalized Diet Suggestions - AI
Working to create a pulse oximeter which uses the image of our finger to detect our oxygen saturation levels in our blood. This is very useful for COVID test as it has found that most of the COVID patients have SO2 less than 90%.
Built With
css
flask
html
javascript
keras
python
sql
tensorflow
Try it out
github.com | Contactless Covid Test & Personalized Diet Suggestions - AI | Web App integrated with AI systems to support Contactless COVID19 Test, Patient Prioritization, Personalized Diet Suggestions and COVID Chatbot. | ['Dharineesh Ram T P', 'keerthana ravikumar', 'Karthikeyan Thanigai', 'Kaviya R'] | [] | ['css', 'flask', 'html', 'javascript', 'keras', 'python', 'sql', 'tensorflow'] | 147 |
10,268 | https://devpost.com/software/wysiwyg | Sencha WYSIWYG Editor - Main View
Sencha WYSIWYG Editor - Generated Source Code View
Sencha WYSIWYG Editor (sencha-wysiwyg-editor)
ExtJS WYSIWYG editor that allows you to edit your application views, source code and more.
Features
Select a framework/toolkit(classic or modern) to build your ExtJS application.
Select your theming.
Select your device layout.
Select from a starter view package based on a template.
Visually design and create views using the WYSIWYG Editor:
Toolbox (Component pallet):
Draggable component list to select from.
Sorted and grouped components by hierarchy.
Search query filter to find components.
Contextual component documentation.
Component property editor:
Sorted and grouped component (configs and events) properties.
Modify selected component properties.
Search query filter to find properties.
View/Source Code editor (WYSIWYG):
Realtime application preview.
Multiple views interface.
Show underlying JavaScript code for the view.
Drag in ready component editor.
Theme related ui representation.
Realtime source code rendering.
Auto-generated source code.
See it working
Demo
About us
Loopthy
Built With
sencha
Try it out
github.com | Sencha WYSIWYG Editor | Sencha WYSIWYG Editor allows you to edit your application views, source code and more. | ['Ari Lopez', 'Boris Ordunez'] | ['Grand Prize: $5,000 & Ext JS Enterprise 5-Pack'] | ['sencha'] | 0 |
10,268 | https://devpost.com/software/extjs-open-architect | Welcome Screen - Template Selection
Component Pallette
Config Editor
Event Listener Editor
Preview in Different Devices
Auto Code Generated - View
Auto Code Generated - Controller
extJS - Open Architect
extJS - Open Architect
is a WYSIWYG extJS Editor for Ext JS Javascript Components, built using
extJS MVVC Architecture.
It is a drag and drop supported editor with tons of features!
Try it out
here
Features:
Component Pallete
50+ extJS Modern Components - leveraging
doxi
JSON
Grouped
by Type
Text
Search
By Name / Alias
Drag
and
Drop
to Editor - Can be dropped on any Container on the UI
Detailed Component Information
about each component - Opens up a Dialog with details about the component
Capability to add more Components to the
Library
- If in the data format provided as per doxi JSON
WYSIWYG Editor
Drop Components from Pallet - Supports Multiple Containers on UI
Resize
Components and
Change Layout
- Be it Flex, hbox or any supported layout!
Select Component By Clicking on the Component
Supports
Editing Config
– Live Preview on Screen
Supports
Pre-Defined Templates
- Select template on page load and it will draw the View as per the template. User can edit it thereafter
Component Editor
extJS Grid based UI
with View Model architecture - Edit
Config
and
Event Mapping
of each Components and all those which it extends
Provides
contextual editing
for Config – Dropdown / Textbox / Number Field - based on property data type
Contextual Documentation
for each Config and Events - Opens up a dialog for details of each Config and Events
Project Inspector
View all components in a
Hierarchical Tree View
Select Tree Node to Edit Config/Events or Delete the Component via
Context Menu
Live Preview
View
Preview
in Browser, Phone and Tablet Views
Code Generation
Generates Code for
View, Controller and ViewModel
– Ready to Copy Paste
Binds Event Listeners
of each Component Directly to Controller Code
How we built it
The entire application is built using Sencha npm tools using MVVC Architecture.
Challenges we ran into
Being new to extJS, it was a good learning curve. To build the UI in real-time was a neat feature provided by extJS and we could built our WYSIWYG Editor leveraging it, but to make it work via MVVC Architecture was challenging, but great fun.
Also, some of the components required a Enterprise/Pro license and so we could not get them going. Needed to research more on it, but time ran out. We believe that if we get our extJS project to add the required components, it is a small task to add them from doxi JSON.
What's next for extJS - Open Architect
We found extJS to be a very robust framework and would be excited to use it in our commercial projects. And for that, we need a WYSIWYG Editor and here it is! Also, this editor was built in less than 3 weeks and so time ran out to add more functionalities like:
Support for Classic Components
Support for extReact and other libraries
Pro/Commercial Licensed components
Support for UI Theme Changing
and many more!
Built With
extjs
Try it out
khyatininad.github.io
github.com | extJS - Open Architect | extJS WYSIWYG Editor - Built With Love using extJS itself! | ['Khyati Majmudar', 'Ninad M'] | ['Second Place: $350'] | ['extjs'] | 1 |
10,268 | https://devpost.com/software/sencha-ext-js-designer | the Visual Studio Code Ext JS Designer Extension
Ext JS Designer in the Visual Studio Marketplace
https://marketplace.visualstudio.com/items?itemName=marc-gusmano.extjsdesigner
Inspiration
The desire to finally have a simple visual editor for Ext JS right within VS Code
What it does
it uses a VSCode custom editor implementation to visually edit Sencha Ext JS Views
How I built it
Used JavaScript, Node.JS, Sencha ExtWebComponents
Built as VSCode Custom editor Extension
Integrates with current Sencha VSCode Plugin Extension
Use of AST (NO metadata!!) - see
https://astexplorer.net/
Modular design (folder structure, Web Components)
Sencha ExtWebComponents and Custom Web Components for UI elements
Uses Ext JS Documentation output (DOXI) for properties, methods, events and integrated documentation
Challenges I ran into
custom editors are very new to VS Code
making sure you can edit an Ext JS View visually with NO METADATA!
Accomplishments that I'm proud of
a true custom editor for Ext JS
takes advantage of the Ext JS DOXI documentation output
NO METADATA!
What I learned
this is do-able!
What's next for Sencha Ext JS Designer
Win the hackathon and become the starter open source code for Open Architect!
Built With
doxi
extwebcomponents
javascript
node.js
vscode
webcomponents
Try it out
github.com
marketplace.visualstudio.com | Sencha Ext JS Designer - VSCode Extension | Edit Ext JS Views visually in Visual Studio Code | ['Marc Gusmano'] | ['Third Place: $150'] | ['doxi', 'extwebcomponents', 'javascript', 'node.js', 'vscode', 'webcomponents'] | 2 |
10,268 | https://devpost.com/software/quilt-for-ext-js | Inspiration
What it does
QUILT (Quixotic User Interface for Layered Topologies)
is a visual drag-and-drop interface for various programming languages.
QUILT for Ext JS
is a JavaScript WYSIWYG visual editor for single page web applications.
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for QUILT for Ext JS
Try it out
bitbucket.org | QUILT for Ext JS | QUILT for Ext JS is a JavaScript WYSIWYG visual editor for single page web applications. | ['Warp Smith'] | [] | [] | 3 |
10,268 | https://devpost.com/software/ext-editor | Creating a base user/password form using the editor
Export your creations into a JSON format showing the locations and settings of each component
Modify each component using a few of the standard props from the Extreact library
ExtEditor
Live Drag and drop Editor for your next ExtJs/ExtReact based project. Built in react with ExtJS. Export your creations as json with exact components, properties, and locations saved.
Built for the Mission: Open Architect hackathon.
Includes
Drag and drop editor for several of ExtReact's core components
Component edit modal that allows updating of common attributes in real time.
Export to JSON functionality for your created project.
Tech used
ExtJS/React
ext-react-modern
ext-modern
react-draggable
Future work
Add full Sencha component catalog, component search, and more adjustable properties
Add support for instant deploy of website
Universal export format for your extJS website creation that can be easily imported as a full ExtJS project
Try it out
github.com | ExtEditor - A prototype drag and drop editor for Extreact | A draggable and editable editor for ExtJS and ExtReact using react | ['Chris Buonocore'] | [] | [] | 4 |
10,268 | https://devpost.com/software/warehouse-pos-system | Inspiration
Inspires by many seller have difficulty to managed their various items in various marketplace.
What it does
Helping seller to solved the problem so they can focused on business only and not for administration work.
How we built it
We gather data from own marketplace and item data then generated the database in MySQL.
The API in PHP,
The front end using Code Igniter and Ext-JS combined for webase.
Mobile using platform JavaScript in Ext-JS too.
Challenges we ran into
How to make the system as fast as we can. Make the dashboard that user friendly and covered all the variable needed.
Accomplishments that we're proud of
We've done collecting data and built the database using MySQL.
Also for Dashboard and System Administrative.
What we learned
We have learned the logistic system that we applied the gs1 system for logistics
What's next for Warehouse & POS System
Grab more seller to using the apps and build community to help each other.
Built With
codeigniter
ext-js
javascript
mysql
php
Try it out
nzrshop.online | Warehouse & POS System | Combined the need of point of sale of the marketplace and logistic system in just one place for seller so they can managed all the marketplace in one single dashboard to simplified their works. | ['Adi CNK'] | [] | ['codeigniter', 'ext-js', 'javascript', 'mysql', 'php'] | 5 |
10,268 | https://devpost.com/software/simple-payment-app | Inspiration: Creating a simple payment app on the Marqueta platform
What it does: Simple payment interface
How I built it: Using Marqueta API and Javascript
Challenges I ran into: Using Marqueta API and the encryption required for the product
Accomplishments that I'm proud of: Creating the final product
What I learned" Everything related to the Marqueta platform
What's next for Simple Payment App: Improve it further taking today's payment app challenges
Built With
api
java | Simple Payment App | To create a simple payment application on the Marqueta platform | ['Sandeep Chakravartty'] | [] | ['api', 'java'] | 6 |
10,268 | https://devpost.com/software/architect_ge | Inspiration
What it does
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for architect_ge
let me start first ) | architect_ge | just initializing project | ['George Beridze'] | [] | [] | 7 |
10,268 | https://devpost.com/software/myaichtecttest | Inspiration
my
What it does
todo anything
How I built it
test
Challenges I ran into
a
Accomplishments that I'm proud of
a
What I learned
b
What's next for myAichtectTest
a | myAichtectTest | test | ['myquene myquene'] | [] | [] | 8 |
10,268 | https://devpost.com/software/kegan-test | Inspirationii
What it does
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for Kegan Test
Built With
django | Kegan Test | Kegan Test | ['Kegan Blumenthal'] | [] | ['django'] | 9 |
10,269 | https://devpost.com/software/pre-assessment-app | Self Identity
Likelihood
Digital Checklist
Locate
Inspiration
I was always eager for hackathons. A friend of mine sent me this hackathon from Twitter. I was quite eager to participate in this hackathon. I registered two days before the start of the hackathon without a team, once the requirements are shared, I chose App 1 as I thought I could complete it working solo. I was collecting every single requirement asking all my questions in the slack channel and attending almost all the live sessions. Completing this application would gain me more confidence, so I thought winning or losing is not important,I should go ahead and complete the application.
What it does
This is the App1, Pre-Assessment App for FSC certification.
This application allows companies to self-assess whether they would qualify for FSC certification.
This application uses Forest Stewardship Council data and interacts with Dynamics 365.
This application uses a static user for Assessment.
The steps in the application are as follows,
Pre Filtering of Applicants
The company needs to answer questions for three filters to find out the scenarios which apply to them
Likelihood for Certification
This shows whether the company is likely or not likely eligible for remote audit
Digital Checklist
The company needs to fill in the digital checklist that is generated based on their scenarios.
This includes translation feature which is implemented by Google Translation API.
Risk Analysis
The company needs to answer some additional questions
Download sample documents
The company can download sample documents to achieve compliance.
Upload compliance data
The company should upload documents for their requirements.
Sign Data Sharing and Confidentiality Agreement
The company should add a way for contact followed by signing the Data sharing agreement.(Docusign)
Add Site Location on Map
The company should add the location of their sites on the map.(ArcGIS API)
Sign Declaration of Authenticity
The company should sign the Declaration of Authenticity.(Docusign)
## How I built it
Initially, I started with the documentation and gone thorough Dynamics setup and I was learning how dynamics was working. Once that was done, I implement the solution and data given by FSC. Then I started creating the client application, my choice was Angular.
Then, I started adding necessary data to dynamics. I also recorded the user response and stored in the Dynamics by creating a custom solution. I integrated Esri maps for locating the sites. I also integrated Docusign for signing of documents that uses Authorisation Code grant as authentication. And that is how I built it.
Challenges I ran into
I was new to Dynamics and took a lot of time to figure out errors from dynamics. Also, my trial got expired and I lost access to Dynamics, That was quite a mess. I had some confusions with the requirements and I tried to clarify them sooner.
Accomplishments that I'm proud of
I have completely done this Application on my own understanding the requirements of a company, this is completely new to me. I am proud that I have completed the application.
What I learned
I learnt to build a complete application, complete the application on time, Dynamics web API and some communication skills.
What's next for Pre-Assessment-App
Pre-Assessment-App can have authorization feature to maintain user sessions. It can be connected to other two apps.
Built With
angular.js
docusign
dyanmics
expres
node.js
Try it out
fsc-pre-assessment-c6b45.web.app | Pre-Assessment-App | Self assessment of CoC companies for FSC certification. | ['Indra Pranesh Palanisamy'] | ['Best Assessment App'] | ['angular.js', 'docusign', 'dyanmics', 'expres', 'node.js'] | 0 |
10,269 | https://devpost.com/software/acorn-qualification-app | What it does
The Acorn Qualification Application has been built according to the
App 2: Qualification for a remote audit
specifications. The app is designed to allow a Certification Body to efficiently assess a CoC company's requirements, inputs, and spatial data.
The application shows a list of companies in the database, and the Certification Body can select a company to view more information about the company. On the subsequent page, the list of company requirements and inputs are shown. Through this interface, the Certification Body can add notes to each requirement and flag each requirement if necessary. There is also an Esri ArcGIS map component that shows geospatial data.
How we built it
We built the qualification app using ReactJS with Material UI as our front-end framework, Express for middleware, and Node.js for our back-end scripting. We used dynamics 365, to store our own data, alongside the data that was provided to us from FSC. For our ESRI map, we used the provided Deforestation WFSLayer alongside several open-source Feature Layers, to provide the most relevant information to the auditors. We use Docusign's e-Signature API for the final signature ceremony process, and the entire app is hosted on Amazon Web Services.
Challenges we ran into
Implementing the ESRI Map was challenging due to WFSLayers not being supported in the latest version of the ARCGIS Javascript API, requiring us to downgrade to an older version to be able to build out the Map with ESRI Overlay. In the end, it was very successful and we were able to create a map combining 4 different layers that provide the auditor with relevant data that will help greatly when auditing companies for FSC approval. Another huge challenge for us was integrating Dynamics 365 and building out the APIs to connect to that database. Since we also collaborated with 2 other teams, we needed integration support for all of their data schemas as well, which made communication between the teams crucial.
Accomplishments that we're proud of
We're proud of putting the entire application together and connecting the application with a variety of technologies.
What we learned
For this hackathon, we learned to use a variety of services that we had never used before, including DocuSign APIs and Esri ArcGIS and Geocoding APIs.
Built With
amazon-web-services
docusign
dynamics-365
dynamics365
esri
express.js
material-ui
node.js
npm
react
Try it out
54.162.48.160
github.com | Acorn Qualification App | Acorn is an app in the Qualification Category that makes it easy for a Certification Body to determine remote audit eligibility by providing a clean interface for flagging and geospatial analysis | ['Alex Yu', 'Rachel L'] | ['Best Qualification App', 'Bonus - Best Use of Esri'] | ['amazon-web-services', 'docusign', 'dynamics-365', 'dynamics365', 'esri', 'express.js', 'material-ui', 'node.js', 'npm', 'react'] | 1 |
10,269 | https://devpost.com/software/greenblocks-bwse37 | In the UI, we have a chat box feature that allows auditors and CoC company representatives to chat freely during an audit.
In the UI, the auditor can add evaluation comments on observations. These comments are only visible to users with role type CB, FSC, or ASI.
Technical architecture overview
The backend server exposes 15 REST APIs for the UI
Our app can be easily adopted by other non-profits that follow a similar certification process.
Team members:
Alex Casella
(
axc@bu.edu
): Team captain, architect, backend & blockchain developer
Vidhu Bhatnagar
(
vidhu@bu.edu
): Frontend developer
Iriana Rodriguez
(
irianar@bu.edu
): Storyteller and researcher
Inspiration
Forest products are all around us — from our pencils and papers, to our furniture and flooring, and much more. We want to help the Forest Stewardship Council (FSC) and Docusign work as hard for our forests, as the forests work for us.
Unfortunately, the Coronavirus has made it difficult for the FSC certification body (CB) to provide a chain of custody certification for companies in the forest industry supply chain. Specifically, it has become harder for FSC to conduct onsite audits of these companies, which is crucial in the pursuit of deciding what makes an ethical forest industry.
What it does
To resolve this problem, we have built a web application that enables FSC auditors to virtually audit CoC applicants and issue these certifications. In addition, we have built a blockchain microservice to keep track of certifications with an immutable ledger. Let’s bring people who love forests together and help make today’s decisions work for tomorrow’s world.
From the forest to the end customer, our app can be used by all companies in its supply chain.
How we built it
Frontend UI
The frontend UI is built with React, Redux, and Ant Design. When a user first logs in, they enter a guided walkthrough of the certification process. Our interface supports multiple user roles (Applicant, CB, FSC, ASI). Each roles correspond to a different walkthrough experience tailored based on their permissions and needs. Data is persisted through the backend REST API server.
Authentication and Authorization
User login is done by exchanging their credentials for a JWT token from the backend server. This JWT token is signed by an asymmetric key and encodes information including user's email and role.
{
"user": {
"id": "5f48737f8968a481770ab4df",
"email": "cb@cb.org",
"name": "Tom",
"role": "CB"
},
"iat": 1598755434,
"exp": 1630291434
}
The token is decoded to facilitate Role Based Access Control.
Docusign and OAuth2
OAuth2 is used to make request to Docusign on behalf of a user. This is used to generate embedded signing ceremonies.
OAuth code and token exchange is facilitated by proxying requests through the backend server. When the token is received by the frontend, it is saved in the browser's local storage and refreshed when it's expired.
Google Drive Integration
A google drive folder is used to upload evidences and observations which are then evaluated by the auditor. This folder is embedded and integrated in the UI's observation step.
Evaluations
Evaluations allow the auditor to comment on observations. This data is persisted in Dynamics' evaluation schema. Every evaluation has a date, subject (observation) and the related certificate which the observation is part of.
CRUD operations on the evaluations schema are proxied through the backend server.
Live Chat
Our live chat feature allows different parties to communicate with each other in a unified chat interface. This allows conversations to be scoped to the certification in progress.
This is implemented using long polling which is what allows real time chat to take place. Periodically the UI polls the backend to check if any new messages are available. The chat component keeps track of whether a message was sent by the current user or by a different user, and uses this information to visually distinguish different messages.
Backend server
Our backend server is built with Node.js and Express. We have written our server side code in Typescript for the ability to do static type checking and less error prone code.
The server stores FSC data & schema, evaluations, and certificates to Microsoft Dynamics 365. Evaluations and certificates follow the required FSC schema. In addition, the server stores user info, roles, and audit comments to MongoDB Atlas.
The server exposes the following
15 REST APIs
, consumed by our UI. The decoupling of server and UI is beneficial because we can scale up the server without impacting the UI, and the UI can be swapped out as needed.
Register user
POST api/user/
Get all registered users
GET api/user/
Login and authenticate
POST api/auth/
Get logged in user
GET api/auth/
Get all organizations from MS Dynamics CRM
GET api/org/
Add a new certificate to MS Dynamics. When the blockchain microservice is enabled this will add a certificate to the ledger as well
POST api/certificate/
Update an existing certificate's status to "Issued" in MS Dynamics. When the blockchain microservice is enabled this will update the certificate in the ledger as well
POST api/evaluation/certificate/:certificateID
Get all certificates from MS Dynamics
GET api/certificate/
Add a new evaluation for a certificate to MS Dynamics. Evaluations are only visible to FSC, ASI, and CB
POST api/evaluation/
Get all evaluations for a certificate from MS Dynamics
GET api/evaluation/certificate/:certificateID
Add a feedback comment for a certificate, comment is visible to CoC applicant
POST api/certificate/:certificateID/add_comment
Get all feedback comments for a certificate
GET api/certificate/:certificateID/comments
Get Docusign access token with authorization code
GET api/docusign/token
Get embedded signing URL for FSC Trademark License Agreement
POST api/docusign/agreement
Get embedded signing URL for FSC Certificate Template
POST api/docusign/final_certificate
We have also added an authentication middleware for role based access control of our APIs. Roles can be "CB", "FSC", "ASI", or "Applicant". The following is achieved:
Only a CB auditor can add an evaluation comment. These evaluations are only visible to CB, FSC, and ASI.
Only a CB auditor can issue a certificate and update a certificate.
Both the CB auditor and the CoC applicant can chat freely on evidences. As shown in the chat box feature of our UI.
In addition, we have integrated with DocuSign's eSignature APIs. The CoC applicant is required to sign the FSC Trademark License Agreement and the CB auditor is required to sign the FSC Certificate using embedded signing ceremonies.
For our demo, the server is deployed to AWS.
Blockchain microservice
Simply relying on a centralized database such as Microsoft Dynamics isn't enough. We have decided to take advantage of blockchain technology and add an immutable source of truth for each certificate issued by the FSC.
Our blockchain microservice is built on top of Hyperledger Fabric. Hyperledger Fabric is an open source private permissioned blockchain framework. The microservice's server is built with Node.js and Express. The server side code is written in Typescript. The server calls Hyperledger Fabric's Contract APIs to communicate with the blockchain network.
The smart contract chaincode is written in Typescript as well. It is ready to be hosted on a managed blockchain service such as the Amazon Managed Blockchain service.
Certificate object in the blockchain ledger:
@Object()
export class Certificate {
@Property()
public certificateID: string;
public type: string;
public company: string;
public issuer: string;
public issuanceDate: string;
public status: string;
}
The microservice server exposes
REST APIs
, called by the backend server:
Add a certificate to the blockchain ledger
POST api/blockchain/certificates
We have made it optional for the backend server to connect to the blockchain microservice. In the backend server, the config setting is the
enable_blockchain
field in
src/config/config.ts
. After the chaincode is deployed to a managed blockchain service, this option can be turned on, and the microservice's server can be started. When this is enabled, the backend server can call the
POST api/blockchain/certificates
API when updating the certificate's status to "Issued" in Microsoft Dynamics. This creates a certificate in the immutable ledger.
Challenges we ran into
We have ran into a few challenges throughout the hackathon and have overcome all of them.
Most notably, we had a lot of back and forth on how and where we should deploy our blockchain microservice. We knew we wanted to deploy it to the cloud but weren't sure about which service we should use. After making sure the smart contract chaincode runs smoothly in a local network, we initially decided to deploy to an AWS EC2 Ubuntu instance. However, we soon realized that this would require an ongoing dev ops engineer to maintain the network. Then we did more research and decided the Amazon Managed Blockchain Service is a better alternative since Amazon took care of dev ops maintainance.
We also had a hard time getting Microsoft Dynamics web API to work with the provided Docusign Schema, and implementing the Docusign Embedded Signing API. In both cases, the error messages were vague and we had to take extra steps to log the response and figure out what went wrong. Eventually we got both to work.
Logistically, we had trouble finding other teams to collborate with for the super app collaboration. We have spoken to three different teams that worked on App 2 but they all ended up dropping out of the event.
Accomplishments that we're proud of
We are very proud of making a scalable and easy to use application that the FSC can take advantage of right away. We are also proud to have implemented the app using many different technologies. We made the choice to not use the easiest software and tools, but the right ones for the requirements. For example, even though it was more work for us, we have decided to use Typescript in our entire stack for the ability to do static type checking, leading to less error prone code. We have also decoupled the frontend, backend server, and blockchain microservice so that each piece can be scaled up as needed without impacting the others. We wanted to make an app that the FSC can take to production without much overhaul and we are proud to have accomplished this.
What we learned
This project helped sharpen our skills as developers and exposed us to new technologies such as Microsoft Dynamics and AWS CodePipeline.
More importantly, we learned about the importance of a well managed forest supply chain, as well as the efforts and difficulties around forest management. This hackathon has inspired us to more actively contribute to global conservation and saving the environment.
What's next for Greenblocks
We are proud to have gotten this far in our spare time in 2 months. However, there are a few improvements to be made if the FSC would like to use it in production.
On the frontend, implement a more seamless integration with google drive which allows users to drag and drop files, and directly add evaluations in the form of annotations in the file view.
Since there are multiple actors in this certification process, use of notifications and email alerts would help make the process more efficient.
Deploy the smart contract chaincode to a managed service.
Add additional features to the smart contract to allow more companies in the supply chain to participate.
Enhance authentication and restrict access to blockchain microservice APIs.
Try it out
Our UI is live at:
http://docusignfsc.s3-website-us-east-1.amazonaws.com/login
Auditor:
Email (case sensitive):
cb@cb.org
Password: password
CoC company representative:
Email (case sensitive):
Applicant@tree.org
Password: password
Local environment
To start the UI:
cd frontend_app
tsc
npm install
npm run start
To start the backend server
npm install
npm run server
Checkout our demo video on
Youtube
!
Thank you Docusign and FSC for the opportunity to learn, give back, and compete in this hackathon.
Built With
amazon-ec2
amazon-web-services
ant-design
azure
blockchain
code-pipeline
docusign
elastic-beanstalk
esignature
express.js
fabric
fsc
git
google-drive-api
hyperledger
jwt
microsoft-dynamics
microsoft-dynamics-365
mongodb
node.js
oauth2.0
postman
react
redux
typescript
Try it out
docusignfsc.s3-website-us-east-1.amazonaws.com | Greenblocks | Our web application enables FSC auditors to virtually audit and issue certifications to CoC applicants. In addition, our blockchain microservice keeps track of certifications on an immutable ledger. | ['Vidhu Bhatnagar', 'Alex Casella', 'Iriana Rodriguez'] | ['Best Virtual Audit App'] | ['amazon-ec2', 'amazon-web-services', 'ant-design', 'azure', 'blockchain', 'code-pipeline', 'docusign', 'elastic-beanstalk', 'esignature', 'express.js', 'fabric', 'fsc', 'git', 'google-drive-api', 'hyperledger', 'jwt', 'microsoft-dynamics', 'microsoft-dynamics-365', 'mongodb', 'node.js', 'oauth2.0', 'postman', 'react', 'redux', 'typescript'] | 2 |
10,269 | https://devpost.com/software/life-bank | Initial donor form
Translated donor form
A form completed by the donor
Donor forms waiting to be reviewed by health professionals
A completed donor form witnessed by a health professional
View completed donor forms
Inspiration
Every year, on 14th of June, countries around the world celebrate Blood Donor Day to raise awareness of the need for safe blood donations. This year the World Health Ogranisation used the day to highlight the catastorphic impact that COVID-19 has had on the blood donor process.
As the World Health Organisation calls upon donors to come forward and donate, medical centres will need to consider how this might be factilitated in the current climate where society is being told to stay at home.
Recent statistics released by the World Health Organisation identified that only 8 in 1000 people donate blood in lower-middle-income countries like Nigeria, however a recent twitter poll indicated that over 65 % of participants from this region would be willing or very willing to donate blood.
This poses the question - how do we rapidly safe-guard and simplify the process to ensure a substantial growth in blood donations.
What it does
Life Bank is designed to make the blood donation process simple, safe and secure. The platform has considered the needs of both the donor and the health professionals taking the donation. It provides a straightforward workflow that can be processed on any smartphone, tablet or PC.
Life Bank removes paperwork and manual processes, to speed up the donation process. It also enables secure record keeping, and helps the environment through using less paper
Major features:
Donor form with signing
Healthcare professional real-time dashboard
Healthcare professional review process and signing as witness
All documents are stored securely and available for audit and review
How we built it
We built Life Bank using a rage of DocuSign APIs, including:
OAuth Authentication
Envelopes API
Create envelope
List documents
Get document
List recipients
Update recipients
CreateRecipientView
Webhooks API
Templates
We also utilised React on the frontend, with the Grommet UI framework and node.js with firebase functions on the backend.
Challenges we ran into
We ran into challenges around updating an envelope to include a new signer (the healthcare professional) after the envelope is created, because at the time of creation we don't know which healthcare professional will pick up the review process on the dashboard. This was overcome with some DocuSign help on Slack and we realised we were able to use the updateRecipients API post envelope creation.
Accomplishments that we're proud of
We are really proud of the simple workflow process and the ability for this solution to help our healthcare workers, who are really doing it tough right now due to the COVID-19 pandemic.
What we learned
We learned a lot about the blood donation process, as well as the way DocuSign and the related APIs work.
What's next for Life Bank
We are currently in discussions with representatives from the Australian Red Cross about how we can roll Life Bank out to blood donation service providers across the Asia Pacific region.
Built With
docusign
firebase
node.js
react
Try it out
docusign-hack-f577b.web.app
docusign-hack-f577b.web.app | Life Bank | Making blood donation simple, safe and secure | ['Kyle Mantesso', 'Madison Hunt'] | ['First Place - Greater Good'] | ['docusign', 'firebase', 'node.js', 'react'] | 3 |
10,269 | https://devpost.com/software/oppro-help-youth-connect-opportunities-and-enroll-digitally | Oppro for Youth Overview
Oppro for Case Managers Overview
Oppro for Youth Mobile App
Oppro for Case Managers, DocuSign Integration
Oppro for Case Managers, DocuSign Integration 2
Inspiration
We have been working with a nonprofit organization that works for Youth Workforce & Education programs to serve disconnected youth. The case managers used to meet with their clients(youth) in f2f and support the enrollment of WIOA(Workforce Innovation and Opportunity Act) opportunities. When COVID-19 hits, they were struggling to reach out to youth, to communicate with them, and support enrollment. Oppro helps digitize and centralize communications between case managers and youth from outreach to enrollment. Due to the social distancing order, it became extremely difficult to get the documents signed by the youth. We looked for the solution that works for the disconnected youth community, the majority of whom do not have computers and use mobile phones as a main communication device. It was not easy for them to access the necessary resources and to connect with their case manager. A mobile solution was always a mandatory requirement for us. Because DocuSign is simple and easy for both youth and case manager to use, even via mobile devices, we started thinking about integrating it for the agreement process of our solution.
What it does
We found out DocuSign eSignature REST API works the best on the Oppro integration. The case managers upload pdf forms onto Oppro, and send signature requests to their youth registered on Oppro. These forms work as templates for other case managers to use for their youth. Youth receive SMS notifications with a link to the DocuSign integrated screen on Oppro which allows them to sign seamlessly from their mobile devices.
How I built it
We used Authorization Code Grant for OAuth as each case manager needs to login to manage only their youth documents to be e-signed. Security is the most important requirement on Oppro. For the seamless integration of DocuSign features on Oppro, we created a “Forms” tab on the app and used iFrame for DocuSign screen so that the case managers can use the eSignature feature on Oppro UI in the same manner they currently do, which is 1. select youth to send messages 2 edit SMS message on Oppro. As for the APIs, we used Envelopes category APIs to create an envelope by uploading multiple pdf forms managed on Oppro to be sent to youth. One of the requirements is to deliver all messages from Oppro(their Case Manager) to the youth via SMS. Also, instead of using the default email notification feature in DocuSign, we are using the internal SMS feature to request youth to sign documents with messages customized by their case managers.
Challenges I ran into
Integrating DocuSign features into Oppro, and maintaining seamless experiences at the same time was challenging. There were some pre-conditions we need to keep. From the youth’s perspective, all of the communications need to be sent via SMS, not email. From the case managers’ perspective, they want to use Oppro since they are already familiar with the product and have been managing youth contact information and sharing documents. Adding an eSignature on Oppro keeping these conditions required some feasibility studies. As a result, to make it as simple as possible, I chose Authorization Code Grant for OAuth and integrated the feature using iFrame and Envelopes category APIs.
Accomplishments that I'm proud of
By incorporating and agreement process and the existing system, we were able to deliver seamless experience to both the youth and case managers, without creating stress of having them learn new features or changing their behaviors drastically. I strongly believe our users will be delighted to use the integrated eSignature feature with less learning costs.
What I learned
In the beginning, I was not aware of the possibility which our app can integrate the eSignature feature. DocuSign eSignature API allows us to deal with complicated forms to be filled and signed for their youth even in these challenging times.
What's next for Oppro: Help youth connect opportunities and enroll digitally
Our team will validate the value of the integrated eSignature feature with case managers in real use cases to serve disconnected youth. Then we will expand to other organizations that serve a similar disconnected youth community.
For "Try it out" on the demo site
You can login using a demo account Email Address"
demo@oppro.me
" and Oass "OpproDemo123!"
You can add any youth in Contacts by inputting name and phone number before sending a form signature request. The phone number will receive the signature request when you specify the youth as recipients on the Forms feature.
Try it out
cw.acoe.oppro.me | Oppro: Help youth connect opportunities and enroll digitally | Did you know 1 in every 8 youth is not in education, employment, or training in the US? We provide NPOs who support youth to connect opportunities with an app using digital enrollment and e-signature. | ['Kengo Yoshii'] | ['Second Place - Greater Good'] | [] | 4 |
10,269 | https://devpost.com/software/ezaudit | Working Video for Audit
Inspiration
We were inspired by material design and the FSC mission. The three of us met through this hackathon and each brought different skills to the table. We are passionate about social impact and wanted to participate in this challenge to create something that will help the greater good, especially during the time of COVID-19.
Our team member is made up of:
Damian Owerko-ML PHD Candidate, University of Pennsylvania
You Song Hou-NY City College of Technology
Maggie Tang-Wharton School of the University of Pennsylvania, Class of 2022
What it does
EzAudit allows the FSC to complete remote audits. This web application will allow FSC to conduct remote audits and then issue certification. The CB will be able to upload new evidence and also comment while on the video. By being able to conduct remote audits, the FSC can continue its. important work of certifying forests.
How I built it
We prototyped in Figma and then built it using react js, Material-UI, and CSS3 for the frontend. We used nodejs with express, websocket, mongoDB, and the Docusign API for the backend. We collaborated over a few weeks and each played a role in building the application.
Challenges I ran into
Our original plan was to use the Dynamics Database. It was extremely challenging and since none of us had experience with it, we were unable to use that database. However, we migrated the. data to mongodb for submission. Another challenge we had was connecting the Docusign API. Since it was Maggie's first experience with an. API, it was challenging and we ran into multiple errors. However, it eventually worked and we were able to connect the API.
Accomplishments that I'm proud of
When we initially began, it was a daunting task to think of the limitless possibilities with which we could approach our solution. It is for this reason I am so proud of how our team was able to collaborate and work so well despite our different time zones and backgrounds to create a working product. We are most proud of the front end UI and getting the video functionality to work.
What I learned
Docusign for Good was a fantastic opportunity for us developers from all diverse backgrounds to build a strong team to work towards a challenging but rewarding goal. We are most proud of learning react, WebRTC, Websockets, media streams PAI and of course, it was the first time we used the Docusign API. We were relatively new to alot of these and it was rewarding being able to build something and learn so much.
What's next for EzAudit
We will be doing remote drone control and hope to continue to work on the app.
Built With
css3
docusignapi
express.js
figma
github
glitch
materialui
mongodb
react
socket.io
webrtc
Try it out
github.com | EzAudit | EzAudit is a submission for App 3 of the FSC challenge. It allows FSC CB to perform remote audits via video and issue certification via the Docusign API. | ['You Song H', 'Maggie Tang', 'Damian Owerko'] | [] | ['css3', 'docusignapi', 'express.js', 'figma', 'github', 'glitch', 'materialui', 'mongodb', 'react', 'socket.io', 'webrtc'] | 5 |
10,269 | https://devpost.com/software/petition-circulator | Intro Screen
Main Menu
Template List
Fill info for sending Circulator
DocuSign info for Circulator
Signing page for Circulator
Signing pad
Signed Circulator Document
Collecting voter data page
Filling with voter data
Recipient voter information fields
Send document to Voter over DocuSign
Summary of current progress
Email text generated by the app to send an email for unregistered voters to encourage to sign up
Inspiration
We thought about a way to make it more efficient to collect more signatures to save some time for the circulators.
What it does
This app collects to signature from DocuSign templates.
At first it was made for ballots, it was made to collect e-signatures for petitions. Instead of visiting registered voters, the app sends emails to the voters so that it allows the circulator to collect signatures efficiently.
How I built it Inspiration:
Integrating Docusign api. Integrating firebase. The really hard one was docusign because the documentation had really basic examples. At first we wanted to implement id verification and integration, but it turns out that there was a server required. With the limited amount of time that we had, we decided to just collect signatures.
Challenges I ran into
Integrate DocuSign SDK,
Realtime update database to Firebase
Sending mail to registered voter
Signing document by Android device.
Accomplishments that I'm proud of
I am proud of creating this app from scratch and learn how to integrate DocuSign API into Android.
What I learned
We learned how to use DocuSign API through android, integrate real-time database instantly
What's next for Petition Circulator
Due to Covid pandemic, it is a dangerous activity to collect signatures by in person. So, next for Petition Circulator is to integrate ID Verification and let people verify easily just scan their ID through the DocuSign ID Verification.
From now, this is an Alpha version and we had to set up database strictly; need to set up DocuSign templates with specific format. Our team will improve this for more easy to use.
Built With
android
android-studio
docusignapi
java
Try it out
drive.google.com
github.com | Petition Circulator | An application that easily collects registered voter’s signatures for petitions. Makes it more efficient to collect signatures. | ['Donghun Han', 'Antonio Mendieta'] | [] | ['android', 'android-studio', 'docusignapi', 'java'] | 6 |
10,269 | https://devpost.com/software/tellusdoc | Inspiration
The amount of elective procedures in the United States and other countries has dropped significantly as a result of COVID-19. Consequently, doctors who are not actively working with COVID-19 patients are seeing far less work throughput. Meanwhile, Africa has a quarter of the global disease burden but
only 2% of the world’s doctors
. Further, in developing countries, making behavior changes to reduce the reproduction rate is significantly harder, making COVID-19, among other infectious diseases, significantly more potent. Doctors in the U.S. could help those in developing countries suffering from pandemics such as Ebola or COVID-19, but
often lack the ability or funding
to actually connect with and help them.
Our platform directly
virtually connects American physicians to the patients in Africa
, enabling them to perform telemedicine in their added “free time” from the decrease in elective procedures in their own country. With our platform, American doctors can see patients and prescribe critical treatments, even from thousands of miles away. This process also
alleviates congestion in healthcare systems
by leaving doctors physically present in those countries to focus on the high priority cases, leaving no one behind. Further, crucial and time-critical data like X-rays and blood test results can be
analyzed quickly
, saving lives.
"Tellus" in Latin means Earth - the name "TellusDoc" signifies our mission to connect doctors and patients around the globe. TellusDoc bridges the gap between the surplus of American doctors and the shortage of doctors in Africa.
What it does
In the modern age of telemedicine, it's vital that the services provided by so many doctors around the world can be afforded by those who require them. We provide a self-contained platform for this entire telemedicine process, which also breaks the information and literacy barrier which many of the patients in Africa face. This includes evaluating the patient's clinical status, scheduling them with an appropriate specialist, and providing a video and message interface with built-in transcription and language accommodations. Our user portals allow patients and doctors to keep track of their past and future appointments and also provide an avenue for patients to upload pertinent medical files for their doctor’s reference. We also ensure that the patients who need the most urgent care are matched up with doctors who can best help them through our state-of-the-art triage system. By incorporating both a severity classification, through our preliminary AI diagnoser, and a specialist matching system, we make this possible.
How we built it
We leveraged
Python Flask
for web app development, using
HTML, Jinja, and CSS
tools to design the various website pages.
Our platform’s more advanced functions involved
Python and Javascript
API calls, as well as several JS scripts for functions on the page, while the backend relies on
Firebase
.
Our self-sustainable video chat feature is run in the browser through
websockets
, and a server locally hosted. We use
WebRTC and RecordRTC APIs
to stream audio and video.
The text-to-speech functionality used the
Mozilla Developer Network Speech Synthesis API
.
We used
Google Speech-to-text API and Google Translate
for our video call transcription,
Microsoft Azure Translator API
for web page translation, and
API-Medic Symptom Checking API
for the preliminary diagnoses. Finally, of course, we used the wonderful
Docusign Esignature API
for keeping our site reliable and safe.
Challenges we ran into
Synchronizing scheduling pages via Firebase
Refining our Triage System algorithm
Incorporating the self-sustainable video chat feature
Streaming in browser audio in appropriate format to google speech API
UX of calendar scheduling
Accomplishments that we're proud of
Conquering Barriers:
Translation and Transcription Services
allow our site content to be translated and spoken in the user’s native language.
In-browser video calling service
allows for digital appointments to be directly held on our web app.
Direct Messaging System
allows patients to speak to past and current doctors and doctors to speak to all of their patients.
Instant File Transfer
allows doctors and patients to securely and reliably send medical information.
Quick AI Diagnostics
allows for patients to receive a free, instant diagnosis and for doctors to confirm their medical recommendations.
Integrated Patient Portal
allows doctors to access all of their current patients key information (name, condition, condition’s severity, AI Diagnosis, Appointment Date) in one concise interface. Additionally, clicking on the patient’s name will redirect doctor to their recent messages and clicking on the condition will redirect to a medical article (e.g. WebMD, HealthLine) on the topic.
Appointment Scheduling Algorithm:
matches patients to doctors, factoring in schedule compatibility, doctor’s speciality/patient’s condition, and severity.
What we learned
How to build intricate web applications with
API integration
, highly efficient
backend logic in Firebase
, and a
user-friendly frontend interface via Flask
.
What's next for TellusDoc
We are planning on building out a full fledged nonprofit, with additional features such as: order and delivery system for doctors to send critical health supplies based on telemedicine consultation and nurses portal.
Built With
api
flask
html/css
javascript
node.js
python
react
websockets
Try it out
github.com | TellusDoc | Bringing cutting-edge healthcare to high need patients in Africa | ['Roshan Warman', 'Rajat Doshi'] | [] | ['api', 'flask', 'html/css', 'javascript', 'node.js', 'python', 'react', 'websockets'] | 7 |
10,269 | https://devpost.com/software/app-2-working-prototype-by-yuriy | Inspiration
What it does
it does what app 2 should
How I built it
Challenges I ran into
many challenges
Accomplishments that I'm proud of
it's really working, with all those many different parts of machinery!
What I learned
What's next for "app 2" working prototype by Yuriy
Built With
docusign
dynamics365
esri
glitch
msfunctions
quasar
vue
Try it out
www.secondwarehouse.com | "app 2" working prototype by Yuriy | Simple and elegant | ['Yuriy Klyuch'] | [] | ['docusign', 'dynamics365', 'esri', 'glitch', 'msfunctions', 'quasar', 'vue'] | 8 |
10,269 | https://devpost.com/software/corsvp | CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
CORSVP COVID-19 Registry Screening Volunteer Platform (CORSVP™)
Large U.S. covid-19 vaccine trials are halfway enrolled, but lag on participant diversity, Washington Post, August 27, 2020
Inspiration
Hundreds of thousands of volunteers are sought to register for clinical trials to test for a vaccine to COVID-19. Oracle developed a cloud service called the COVID-19 Prevention Trials Network (CoVPN) Volunteer Screening Registry. This service is designed to allow people to volunteer for clinical trials, and assists clinical trial sites to choose participants based on trial-defined demographics. The issue is the application is web-based and doesn't utilize the sensors on a mobile device.
Title 45 CFR § 46.117 requires informed consent shall be documented by the use of a written informed consent form approved by the IRB and signed (including in an electronic format) by the subject or the subject's legally authorized representative. A written copy shall be given to the person signing the informed consent form.
This can be accomplished using the DocuSign eSignature API combined with Apple ResearchKit framework.
What it does
The registry is a platform for collecting basic information for screening for being invited to a clinical trial. A PDF copy of informed consent form stating that the elements of informed consent required can be easily completed and retained for records. After consent is obtained, ResearchKit framework permits the collection of data from the mobile device.
How we built it
Followign DocuSign iOS SDK and integrating ResearchKit
Starting with the Docusign, the investigator can read the consent form or send it to the volunteer. Or the individual can sign on their own.
Challenges we ran into were around implementing security features. The intent was to add ID verification, however, we soon learned that requires a separate server instance instead of adjusting the attributes or access to the document.
Accomplishments that we're proud of is combining both frameworks. DocuSign has its challenges and the goal was to determine a concept that can actually be published.
What we learned is there are quite a few capabilities of the DocuSign eSignature API and we understand how it works using the additional features such as ID Verification.
What's next for CORSVP™ is to create the server to permit integration and usage with ID Verfication.
Built With
apple
docusign
esignature
ios
researchkit
swift
Try it out
github.com | CORSVP™ - COVID-19 Registry Screening Volunteer Platform | COVID-19 Registry Screening Volunteer Platform (CORSVP™), an iOS mobile application, for potential volunteers to register for upcoming clinical trails.Features: Docusign eSignature and ResearchKit | ['Faran Ghani', 'Rauhmel Fox'] | [] | ['apple', 'docusign', 'esignature', 'ios', 'researchkit', 'swift'] | 9 |
10,269 | https://devpost.com/software/social-collaboration-with-docussign | Inspiration
I was already working on a social collaboration platform named sevabhava.in, which enabled volunteers to find initiatives around them and register as a volunteer, we also allowed NGOs to manage volunteer through our volunteer management system.
So after few feedback, docusign integration made perfect sense, to automate some of the flows which were happening physically on the ground.
What it does
We enable three usecases as of now using the Esignature Api:
Auto-generate Send email to volunteers with docusign document to fill the volunteer registration form by the ngo, with data from the platform
In app embedded signing of the volunteering e-certificate and then send a copy to the volunteer automatically, done by the ngo.
In app embedded signing of the volunteer work form by the volunteer, whenever they update a task assigned to them in the volunteer management system in the application.
## How I built it
Using nodejs as backend, mdbootstrap at frontend. Lot of javascript and backend programming. with integration with docusigns esignature api to enable digital signature functionality.
## Challenges I ran into
Designing Docusign Documents
And creating smooth handoff while in app embedded signing process.
## Accomplishments that I'm proud of
A fully working solution live at sevabhava.in
## What I learned
A lot about docusign and how it can really help ngos.
## What's next for Social Collaboration Platform with Docusign
Implementing Oauth
Options to add more different types of volunteer work forms, which volunteers can sign.
Option for NGOs to digitally sign donation receipts.
Built With
api
bootstrap
docusign
esignature
firebase
javascript
node.js
Try it out
sevabhava.in | Social Collaboration Platform with Docusign | A social collaboration platform where NGOs can send request to volunteers to digitally sign registration form, sign on the work performed as a volunteer and digitally signed e-certis to reduce contact | ['vivek shukla'] | [] | ['api', 'bootstrap', 'docusign', 'esignature', 'firebase', 'javascript', 'node.js'] | 10 |
10,269 | https://devpost.com/software/collaboration-bonus-super-app | App 1 team captain: Indra Pranesh Palanisamy
App 1 team name: Pre-Assessment-App
https://devpost.com/software/pre-assessment-app
App 2 team captain: Aryan Misra
App 2 team name: Acorn Qualification App
https://devpost.com/software/acorn-qualification-app
App 3 team captain: Alex Casella
App 3 team name: Greenblocks
https://devpost.com/software/greenblocks-bwse37
Built With
amazon-web-services
angular.js
blockchain
docusign
dynamics
express.js
mongodb
node.js
react
redux
typescript | Collaboration Bonus - Super App | We are team Greenblocks (App 3), we worked with Acorn Qualification App (App 2) and Pre-Assessment-App (App 1) on the collaboration bonus. | ['Alex Casella', 'Indra Pranesh Palanisamy'] | [] | ['amazon-web-services', 'angular.js', 'blockchain', 'docusign', 'dynamics', 'express.js', 'mongodb', 'node.js', 'react', 'redux', 'typescript'] | 11 |
10,269 | https://devpost.com/software/seral | Inspiration
What it does
SERAL
is an app that helps companies qualify for FSC (Forest Stewardship Council) certification by requiring pre-assessments and determining eligibility for virtual audits.
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for SERAL | SERAL | SERAL is an app that helps companies qualify for FSC (Forest Stewardship Council) certification by requiring pre-assessments and determining eligibility for virtual audits. | ['Warp Smith'] | [] | [] | 12 |
10,269 | https://devpost.com/software/pre-assessment-app-xyjt28 | We connected all the three apps to create a super app.
Built With
angular.js
docusign
dynamics
express.js
node.js
Try it out
fsc-pre-assessment-c6b45.web.app | Pre-Assessment-App | Self Assessment for FSC certification | ['Indra Pranesh Palanisamy'] | [] | ['angular.js', 'docusign', 'dynamics', 'express.js', 'node.js'] | 13 |
10,269 | https://devpost.com/software/eform-pfq6x4 | Donation Form
Volunteering Application
App Home Page
Inspiration behind EForm
We wanted to create a fully scalable, deployable web app for non-profit NGOs like Room to Read, Pratham, Tosan, and many more, that managed the electronic signing of the required forms, such as volunteering applications and donation submissions. We wanted to do this to make sure the people found out the required information regarding the forms and submit them electronically without going to the organization in-person in these uncertain times of COVID-19. This application was the means of making sure that the functioning of the NGOs did not get tangibly affected as well as ensuring that people did not put themselves at unnecessary risk.
What this Project Does
It asks the user to choose from one of the forms that the NGOs have chosen to upload. The user is then required to fill it. The form then gets converted into a PDF file and is used to invoke the DocuSign eSignature API, where we chose to use an embedded signing process. The user is then redirected to the DocuSign embedded signing ceremony and then redirected back to our web app.
How We Built It
We built the overall platform using Flask for the back-end and API integration, along with Jinja2 templates created using a blend of HTML and inline Python. The styles were largely based on Bootstrap UI with minimal alterations.
Challenges We Ran Into
Initially, we were unable to connect our app with the DocuSign API and it took two of us to figure out what to do. The challenges were exacerbated due to our relative unfamiliarity with Flask, but we marched forwards with full attention and efforts until we made it through!
Accomplishments that We're Proud of
We are proud of making a useful project which will be of use to countless NGOs that are struggling with their IT infrastructures and desperately needed a source of hope. We are expecting this project to shape out beautifully for our clients and hope they see our spark too!
What We Learned
We learned how to work together as a team and help complement each other. It was our first time using GitHub in a collaborative fashion and we also learned a significant amount about integrating APIs into our back-end. We were all familiar with Python frameworks through Django but Flask's relative simplicity for our purposes made it an ideal choice, therefore we ended up reading through vast documentation to learn about Flask on the go.
What's Next for EForm
We intend to continue working on this and append additional functionality and features to our project. We also aim to pitch this project to the local NGOs and affiliate ourselves with them!
Built With
css
docusign
flask
html
python
shell
Try it out
github.com | EForm | Sign the required forms here at EForm! | ['Ikshita Yadav', 'Aaditya Yadav', 'Aditya Vikram Singh'] | [] | ['css', 'docusign', 'flask', 'html', 'python', 'shell'] | 14 |
10,269 | https://devpost.com/software/greenblocks-greater-good-category | Auditors can upload observations and make comments only visible to CB, MSC, and ASI
Our chatbox feature allows auditors to communicate freely and easily with applicant representatives.
Technical Architecture Overview
Our app can be easily adopted by other non-profits that follow a similar auditing process.
The backend server exposes 15 REST APIs for the UI to connect to.
Team members:
Alex Casella
(
axc@bu.edu
): Team captain, architect, backend & blockchain developer
Vidhu Bhatnagar
(
vidhu@bu.edu
): Frontend developer
Iriana Rodriguez
(
irianar@bu.edu
): Storyteller and researcher
Inspiration
The ocean's presence is all around us — from the air we breath, to the food we eat, and much more. We must bring the management of our oceans and their services digital, as they are critical to food security and human welfare.
Unfortunately, the Coronavirus has made it even more difficult for the MSC certification body (CB) to provide a chain of custody certification for companies in the marine industry supply chain. Just like it has been for the FSC, it has become harder for MSC to conduct onsite audits of these companies, which is crucial in the pursuit of deciding what makes an ethical marine industry.
What it does
To resolve this problem, we have built a web application that enables MSC auditors to virtually audit CoC applicants and issue these certifications. In addition, we have built a blockchain microservice to keep track of certifications with an immutable ledger. Let’s bring people who love forests together and help make today’s decisions work for tomorrow’s world.
Our application has user management, authentication, and many services built in so it can be used as a standlone product by the MSC right away.
We have made some customizations to this app for the MSC; specifically we have updated our role based access control to support MSC role type and updated the UI's look and feel. We did not change our hosted demo app or demo video.
How we built it
Technical architecture
The app technical architecture is the same as what we submitted to the Virtual Audit category. It is easy to swap out FSC schema for MSC schema in Microsoft Dynamics. We have made sure our app can be reused by various non-profits that follow a similar certification process.
Frontend UI
The frontend UI is built with React, Redux, and Ant Design. When a user first logs in, they enter a guided walkthrough of the certification process. Our interface supports multiple user roles (Applicant, CB, MSC, ASI). Each roles correspond to a different walkthrough experience tailored based on their permissions and needs. Data is persisted through the backend REST API server.
Authentication and Authorization
User login is done by exchanging their credentials for a JWT token from the backend server. This JWT token is signed by an asymmetric key and encodes information including user's email and role.
{
"user": {
"id": "5f48737f8968a481770ab4df",
"email": "cb@cb.org",
"name": "Tom",
"role": "CB"
},
"iat": 1598755434,
"exp": 1630291434
}
The token is decoded to facilitate Role Based Access Control.
Docusign and OAuth2
OAuth2 is used to make request to Docusign on behalf of a user. This is used to generate embedded signing ceremonies.
OAuth code and token exchange is facilitated by proxying requests through the backend server. When the token is received by the frontend, it is saved in the browser's local storage and refreshed when it's expired.
Google Drive Integration
A google drive folder is used to upload evidences and observations which are then evaluated by the auditor. This folder is embedded and integrated in the UI's observation step.
Evaluations
Evaluations allow the auditor to comment on observations. This data is persisted in Dynamics' evaluation schema. Every evaluation has a date, subject (observation) and the related certificate which the observation is part of.
CRUD operations on the evaluations schema are proxied through the backend server.
Live Chat
Our live chat feature allows different parties to communicate with each other in a unified chat interface. This allows conversations to be scoped to the certification in progress.
This is implemented using long polling which is what allows real time chat to take place. Periodically the UI polls the backend to check if any new messages are available. The chat component keeps track of whether a message was sent by the current user or by a different user, and uses this information to visually distinguish different messages.
Backend server
Our backend server is built with Node.js and Express. We have written our server side code in Typescript for the ability to do static type checking and less error prone code.
The server stores MSC data & schema, evaluations, and certificates to Microsoft Dynamics 365. Evaluations and certificates follow the required MSC schema. In addition, the server stores user info, roles, and audit comments to MongoDB Atlas.
The server exposes the following
15 REST APIs
, consumed by our UI. The decoupling of server and UI is beneficial because we can scale up the server without impacting the UI, and the UI can be swapped out as needed.
Register user
POST api/user/
Get all registered users
GET api/user/
Login and authenticate
POST api/auth/
Get logged in user
GET api/auth/
Get all organizations from MS Dynamics CRM
GET api/org/
Add a new certificate to MS Dynamics. When the blockchain microservice is enabled this will add a certificate to the ledger as well
POST api/certificate/
Update an existing certificate's status to "Issued" in MS Dynamics. When the blockchain microservice is enabled this will update the certificate in the ledger as well
POST api/evaluation/certificate/:certificateID
Get all certificates from MS Dynamics
GET api/certificate/
Add a new evaluation for a certificate to MS Dynamics. Evaluations are only visible to MSC, ASI, and CB
POST api/evaluation/
Get all evaluations for a certificate from MS Dynamics
GET api/evaluation/certificate/:certificateID
Add a feedback comment for a certificate, comment is visible to CoC applicant
POST api/certificate/:certificateID/add_comment
Get all feedback comments for a certificate
GET api/certificate/:certificateID/comments
Get Docusign access token with authorization code
GET api/docusign/token
Get embedded signing URL for MSC Trademark License Agreement
POST api/docusign/agreement
Get embedded signing URL for MSC Certificate Template
POST api/docusign/final_certificate
We have also added an authentication middleware for role based access control of our APIs. Roles can be "CB", "MSC", "ASI", or "Applicant". The following is achieved:
Only a CB auditor can add an evaluation comment. These evaluations are only visible to CB, MSC, and ASI.
Only a CB auditor can issue a certificate and update a certificate.
Both the CB auditor and the CoC applicant can chat freely on evidences. As shown in the chat box feature of our UI.
In addition, we have integrated with DocuSign's eSignature APIs. The CoC applicant is required to sign the MSC Trademark License Agreement and the CB auditor is required to sign the MSC Certificate using embedded signing ceremonies.
For our demo, the server is deployed to AWS.
Blockchain microservice
Simply relying on an centralized database such as Microsoft Dynamics isn't enough. We have decided to take advantage of blockchain technology and add an immutable source of truth for each certificate issued by the MSC.
Our blockchain microservice is built on top of Hyperledger Fabric. Hyperledger Fabric is an open source private permissioned blockchain framework. The microservice's server is built with Node.js and Express. The server side code is written in Typescript. The server calls Hyperledger Fabric's Contract APIs to communicate with the blockchain network.
The smart contract chaincode is written in Typescript as well. It is ready to be hosted on a managed blockchain service such as the Amazon Managed Blockchain service.
Certificate object in the blockchain ledger:
@Object()
export class Certificate {
@Property()
public certificateID: string;
public type: string;
public company: string;
public issuer: string;
public issuanceDate: string;
public status: string;
}
The microservice server exposes
REST APIs
, called by the backend server:
Add a certificate to the blockchain ledger
POST api/blockchain/certificates
We have made it optional for the backend server to connect to the blockchain microservice. In the backend server, the config setting is the
enable_blockchain
field in
src/config/config.ts
. After the chaincode is deployed to a managed blockchain service, this option can be turned on, and the microservice's server can be started. When this is enabled, the backend server can call the
POST api/blockchain/certificates
API when updating the certificate's status to "issued" in Microsoft Dynamics. This creates a certificate in the immutable ledger.
What's next for this project
We are proud to have gotten this far in our spare time in 2 months. However, there are a few improvements to be made if the MSC would like to use it in production.
On the frontend, implement a more seamless integration with google drive which allows users to drag and drop files, and directly add evaluations in the form of annotations in the file view.
Since there are multiple actors in this certification process, use of notifications and email alerts would help make the process more efficient.
Deploy the smart contract chaincode to a managed service.
Add additional features to the smart contract to allow more companies in the supply chain to participate.
Enhance authentication and restrict access to blockchain microservice APIs.
Try it out
Our UI is live at:
http://docusignfsc.s3-website-us-east-1.amazonaws.com/login
Auditor:
Email (case sensitive):
cb@cb.org
Password: password
CoC company representative:
Email (case sensitive):
Applicant@tree.org
Password: password
Built With
active.com
amazon-web-services
ant-design
api
atlas
azure
blockchain
code-pipeline
docusign
ec2
elastic-beanstalk
esignature
expres
fabric
fsc
hyperledger
jwt
microsoft-dynamics
mongodb
node.js
oauth
oauth2.0
react
redux
restful
s3
typescript
Try it out
docusignfsc.s3-website-us-east-1.amazonaws.com | Greenblocks - Greater Good Category | We have created a customized virtual audit application backed by an immutable blockchain ledger for the Marine Stewardship Council. This app is adopted from our submission to App 3 category. | ['Alex Casella', 'Vidhu Bhatnagar', 'Iriana Rodriguez'] | [] | ['active.com', 'amazon-web-services', 'ant-design', 'api', 'atlas', 'azure', 'blockchain', 'code-pipeline', 'docusign', 'ec2', 'elastic-beanstalk', 'esignature', 'expres', 'fabric', 'fsc', 'hyperledger', 'jwt', 'microsoft-dynamics', 'mongodb', 'node.js', 'oauth', 'oauth2.0', 'react', 'redux', 'restful', 's3', 'typescript'] | 15 |
10,269 | https://devpost.com/software/fsc-audit-qualification | Inspiration
The site was inspired by the idea the FSC needed a place where the CB can judge the incoming applicants for remote audits
What it does
It connects to the backend of the dynamics 365, retrieves all the applicants from there and shows them for the CB.
How I built it
For connecting the backend to my site i used a lot of tutorials by microsoft, in the end i hacked it all together though because i ran out of time.
Challenges I ran into
The most challenging partts whas the connection with the microsoft dynamics 365 parts which i had never worked with before and only had 1 month with in my spare time.
The most challenging thing for me was the amount of time i could spent on it and prioritizing this time to get the best app
Accomplishments that I'm proud of
Getting the connection the backend and getting the site online with the login feature.
What I learned
I learned a lot from all the tutorials put online by the members of arc gis and by docusign. For example the mailinator site used by Inbar Gazbit (docusign). which is very useful also in my professional live and the coding examples in javascript for arcGIS
What's next for FSC Audit Qualification
Built With
c#
html
javascript
Try it out
auditqualification.azurewebsites.net | FSC Audit Qualification | The FSC Audit Qualfication shows is for the Certificate Body (CB) and shows the companies. The CB can see the risks and deny or approve the remote Audit after signing the agreement through docusign. | ['José de Raad'] | [] | ['c#', 'html', 'javascript'] | 16 |
10,269 | https://devpost.com/software/wecare-0fjkb9 | Summary: Home Screen of app, which allows you to report your symptoms, check the status of your circle, and get daily personalized tips.
Home Screen of app, which allows you to report your symptoms, check the status of your circle, and get daily personalized tips.
Map Screen of app, which allows you to see hotspots around you and your Care Circle.
Care Circle screen of app, which allows you to health conditions of your loved ones.
Web interface, which can be used to update the symptoms. It is synced with the app.
The problem WeCare solves
As the outbreak of COVID-19 continues to spread throughout the entire world, more stringent containment measures from social distancing to city closure are being put into place, greatly stressing people we care about. To address the outbreak, there have been many ad hoc solutions for symptom tracking (e.g.,
UK app
), contact tracing (e.g.,
PPEP-PT
), and environmental risk dashboards (
covidmap
). However, these fragmented solutions may lead to false risk communication to citizens, while violating the privacy, adding extra layers of pressure to authorities and public health, and are not effective to follow the conditions of our cared ones. Until now, there is no privacy-preserving platform in the world to 1) let us follow the health conditions of our cared ones, 2) use a statistically rigorous live hotspots mapping to visualize current potential risks around localities based on available and important factors (environment, contacts, and symptoms) so the community can stay safer while resuming their normal life, and 3) collect accurate information for policymakers to better plan their limited resources.
Such a unified solution would help many families who are not able to see each other due to self-quarantine and enable early detection and risk evaluation, which may save many lives, especially for vulnerable groups. These urgent needs would remain for many months given that the quarantine conditions may be in place for the upcoming months, as the outbreak is not reported to occur yet in Africa, the potential arrival of second and third waves, and COVID-19 potential reappearance next year at a smaller scale (like seasonal flu). There is still uncertain information about immunity after being infected and recovered from COVID-19. Therefore, it is of paramount importance to address them using an easy-to-use and privacy-preserving solution that helps individuals, governments, and public health authorities. The closest solution is
COVID Aggregated Risk Evaluation project
, which tries to aggregate environment, contacts, and symptoms into a single risk factor. WeCare takes a different approach and a) visualizes those factors (instead of combining them into a single risk value) for more tangible risk communication and b) incentivizes individuals to regularly check their symptoms and share it with their Care Circle or health authorities.
WeCare Solution
WeCare is a digital platform, both app and website. Both platforms can be used separately, and with freedom of choice towards the user. The app, however, will give users more information and mobile resources throughout the day. Our cross-platform app enables symptom tracking, contact tracing, and environmental risk evaluation (using official data from public health authorities). Individuals can add their family members and friends to a Care Circle and track their health status and get personalized daily updates. In particular, individuals can opt-in to fill a simple questionnaire, supervised by our epidemiologist team member, about their symptoms, comorbidities, and demographic information. The app then tracks their location and informs them of potential hotspots for them and for vulnerable populations over a live map, built using opt-in reports of individuals. This map is accessible on the app and our website. Moreover, symptoms of individuals will be tracked frequently to enable sending a notification to the Care Circle and health authorities once the conditions get more severe. We have also designed a citizen point, where individuals get badges based on their contributions to solving pandemic by daily checkup, staying healthy, avoiding highly risky zones, protecting vulnerable groups, and sharing their anonymous data.
Our contact tracing module follows guidelines of Decentralized Pan-European Privacy-Preserving Proximity Tracing
(PEPP-PT)
, which is an international collaboration of top European universities and research institutes to ensure safety and privacy of individuals.
What we have done during the summer.
We have updated the app-design. New contacts with Brasil, Chile and Singapore. We have also made some translation work with the app. Shared more on social media about the project and also connected to more people on slack and LinkedIn.
We have consolidated the idea and validated it with a customer survey. We then developed a new interface for
website
and changed the python backend to make it compatible with the WeCare app. We have also designed the app prototype and all main functionalities:
Environment: We have developed the notion of hotspots where we have developed a machine learning model that maps the certified number of infected people in a city and the spatial distribution of city population to the approximate number of infected in the neighbourhood of everyone.
Contact tracing: We have developed and successfully tested a privacy-preserving decentralized contact tracing module following the
(PEPP-PT)
, guidelines.
Symptoms tracking: We have developed a symptom tracking module for the app and website.
Care Circle: We have designed and implemented Care Circle where individuals can add significant ones to their circle using an anonymous ID and track their health status and the risk map around their location.
You can change what info you want to share with Care Circle during the crisis.
The app is very easy-to-use with minimal input (less than a minute per day) from the user.
We are proud of the achievements of our team, given the very limited time and all the challenges.
Challenges we ran into
EUvsVirus Hackathon Challenge opened its online borders recently to the global audiences which brought together plenty of people of different expertise and skills. There were challenges that we faced that were very unique, as we faced a variety of communication platforms on top of open-source development tools.
Online Slack workspaces and Zoom meetings and webinars presented challenges in forms of inactive team members, cross-communications, and information bombardment in several separate threads and channels in Slack and online meetings of strangers that are coordinated across different time zones. In developing the website and app for user input data, our next challenge was in preserving the privacy of user information.
In the development of a live map indicating hotspot regions of the COVID-19 real-time dataset, our biggest challenge here was to ensure we do not misrepresent risk and prediction into our live mapping models. We approached Skill Mentor Alise. E, a specialist in epidemiology, who then explained in greater detail that the proper prediction and risk modelling should take into account a large number of factors such as population, epidemiology, and mitigations, etc., and take caution on the information we are presenting to the public. Coupled with the lack of official datasets available for specific municipalities for regions, we based geocoding data mining of user input by area codes cross-compared with available Sweden cities number of fatalities, infected and in intensive care due to COVID-19.
The solution’s impact on the crisis
We believe that WeCare would help many families who can see each other due to self-quarantine and enable early detection and risk evaluation, which may save many lives, especially for vulnerable groups. The ability to check up on their Care Circle and the hotspots around them substantially reduces the stress level and enables a much more effective and safer re-opening of the communities. Also, individuals can have a better understanding of the COVID-19 situation in their local neighbourhood, which is of paramount importance but not available today.
The live hotspot map enables many people of at-risk groups to have their daily walk and exercise, which are essential to improve their immunity system, yet sadly almost impossible today in many countries.
The concept of Care Circle motivates many people to invite a few others to monitor their symptoms on a daily basis (incentivized also through badges and notifications) and take more effective prevention practices.
Thereby, WeCare enables everyone to make important contributions toward addressing the crisis.
Moreover, data sharing would enable a better visual mapping model for public assessment, but also better data collection for the public health authorities and policymakers to make more informed decisions.
The necessities to continue the project
We plan to continue the project and fully develop the app. However, to realize the vision of WeCare we need the followings:
Social acceptance: though being confirmed using a small customer survey, we need more people to use the WeCare app and share their data, to build a better live risk map. We would also appreciate more fine-grained data from the health authorities, including the number of infected cases in small city zones and municipalities.
Public support: a partnership with authorities and potentially being as a part of government services, though not being necessary, to make it more legitimate. This would increase the level of reporting and therefore having a better overview and control of the crisis.
Resources: So far, we are voluntarily (and happily) paying for the costs of the servers. Given that all the services of the app and website would be free, we may need some support to run the services in the long-run.
The value of your solution(s) after the crisis
The quarantine conditions and strict isolation policies may still be in place for upcoming months and year, as the outbreak is not reported to occur yet in Africa, the potential arrival of second and third waves, and possible COVID-19 reappearance next year at a smaller scale (like seasonal flu).
Therefore, we believe that WeCare is a sustainable solution and remains very valuable after the current COVID-19 crisis.
The URL to the prototype
We believe in open science and open-source developments. You can find all the codes and documentation (so far) at our
Website
.
Github repo
.
Other channels.
https://www.facebook.com/wecareteamsweden
https://www.instagram.com/wecare_team
https://www.linkedin.com/company/42699280
https://youtu.be/_4wAGCkwInw
(new app demo 2020-05)
Interview:
https://www.ingenjoren.se/2020/04/29/de-jobbar-pa-fritiden-med-en-svensk-smittspridnings-app
Built With
node.js
python
react
vue.js
Try it out
www.covidmap.se
github.com | WeCare | WeCare is a privacy-preserving app & page that keeps you & your family safer. You can track the health status of your cared ones & use a live hotspot map to start your normal life while staying safer. | [] | ['2nd place', 'Best EUvsVirus Continuation', 'Best Privacy Project'] | ['node.js', 'python', 'react', 'vue.js'] | 17 |
10,269 | https://devpost.com/software/cloudtrack2020 | Inspiration
It was really nice to take participate in this Hackathon. By reading the basic detail and components to be used like docusign, CRM, WebPortal, Map, etc, we started feeling excited about it.
What it does
We worked on the app1 which is more on design and streamlining of the whole process. We would say App1 is the foundation app for the other 2 apps. App1 provides a web portal for Certificate Holder, Applicant, and Certification Body. It allows certificate holder/applicant users to assess their likelihood for the certificate based on the set of question tree. Also, they can apply for a new certificate and add evidence, notes, documents, and sites with the location. Once the certificate is submitted, Certificate body users can select and choose for review. To start the review, App enforces to have mutual consent between the Applicant and Certification Body using docusign.
How I built it
App is built using dynamics 365 as backend, ASP MVC portal with C# as a language base and it is hosted on azure app service.
Challenges I ran into
Basically, solution design should be thought of in detail to provide extensibility for future purposes and we invested a lot of time there.
Accomplishments that I'm proud of
As the app gives good experience on new components like docusign and ESRI map, we were excited from start and very happy to complete and submit.
What I learned
What's next for CloudTrack2020
Built With
azurewebapp
c#
dynamics365
mvc
Try it out
cloudtrack2020.azurewebsites.net
org44d5dbde.crm.dynamics.com | CloudTrack2020 | DocuSignGoodCode | ['Sagar Thakkar'] | [] | ['azurewebapp', 'c#', 'dynamics365', 'mvc'] | 18 |
10,269 | https://devpost.com/software/fsc | Inspiration
What it does
How I built it
Challenges I ran into are related to audit with consistency in a virtual environment
Accomplishments that I'm proud of
What I learned
What's next for FSC
Try it out
neocert.gondolasegura.com.br | APP 1 - self assessment FSC | A self assessment to FSC certified company | ['Marcos Planello'] | [] | [] | 19 |
10,269 | https://devpost.com/software/facebook-i3ag2y | Inspiration
What it does
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for FACEBOOK.
Built With
portugues
Try it out
www.facebook.com | FACEBOOK | MINHA PAGINA. | ['Viviane Coelho Ulysséa'] | [] | ['portugues'] | 20 |
10,269 | https://devpost.com/software/open-mind-0ykivf | open mind logo
Open Mind
A web application that you can use to train a machine learning model and make it recognize your images
currently supports two class
uses
tensorflowjs
supports
dataset
upload
can download your trained
dataset
When Using
Try to give as much example image as possible so the application can recognize it better
Since the training happens instantly when you add examples, sometimes on lower-end devices the application might slow down for a bit
Built With
bootstrap
css
html
javascript
tensorflowjs
webpack
Try it out
github.com
cluster-11.github.io | Open Mind | A web application that you can use to train a machine learning model and make it recognize your images | ['Prottay Rudra'] | [] | ['bootstrap', 'css', 'html', 'javascript', 'tensorflowjs', 'webpack'] | 21 |
10,269 | https://devpost.com/software/app-1 | Inspiration
Docusign 2020 Hackathon
What it does
Templates for app 1
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for App 1
Built With
express.js
javascript
node.js
react
Try it out
github.com | App 1 | Complete app 1 | ['Carlos Green'] | [] | ['express.js', 'javascript', 'node.js', 'react'] | 22 |
10,273 | https://devpost.com/software/furthermore | Inspiration
tegvd
What it does
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for Furthermore
sfdgd
Built With
javascript
json
python | Furthermore | This is also a test | ['Kewsi Cobbina'] | [] | ['javascript', 'json', 'python'] | 0 |
10,273 | https://devpost.com/software/elite-hack-test | Inspiration
-> HI
What it does
-> nOTHING
How I built it
Challenges I ran into
Accomplishments that I'm proud of
What I learned
What's next for ELiTE Hack Test
Built With
css
html
Try it out
github.com | ELiTE Hack Test | Testing devpost for hackathon | ['Jessica Adjei'] | [] | ['css', 'html'] | 1 |
10,274 | https://devpost.com/software/spirittrackr | Inspiration
Our team was inspired by the indigenous communities who have been oppressed for centuries. This Canada Day, our country saw protests against the systematic racism against the Indigenous People of Canada. Some people even see it as an “ongoing genocide”. While Canada Day is a day to celebrate our beautiful country and all of our accomplishments as a nation, it’s unsettling to ignore the millions of Indigenous people in Canada who have suffered for so long. That is why we have created SpiritTrackr, an app that brings light to Indigenous communities in Canada and allows us to explore the true north strong and free. Indigenous culture is underrepresented in Canada, so the purpose of this app is to allow users to look at our Country in a way they have never seen before.
What It Does (Abstract)
The app acts as an educational platform that informs the user of what land they are standing on. Land acknowledgements are something that the Region of Peel is familiar with, as we often state the land we are standing on before major events and even on the school announcements. Brampton belongs to the Mississaugas of The New Credit First Nations, and when you open our app, it will track where you are and provide resources and media about that land acknowledgement. You will be greeted with a map of the Mississaugas of The Credit First Nations boundary, a description of the Indigenous community living there, as well as a constantly updated catalogue of media from this area such as videos, books, art pieces, and future events.
As you travel across Canada, you will be able to find specific landmarks on the map such as the Kwakiutl Statue in Chinguacousy Park. When you are within 5km of these landmarks, you will receive a notification stating you are nearby. When you actually visit the landmark, you can take a picture of it, and through machine learning, the app will identify the picture you took and verify that you have visited the landmark. This will then be added to the “Scrapbook” section of the app, which shows all of the landmarks you have ever visited from every land territory in Canada. You will be able to gain experience points for adding landmarks to your scrapbook.
These experience points will show up on your profile. You can compete with people across Canada as well as your friends by looking at the leaderboard. This provides an incentive to travel across Canada and visit specific Indigenous landmarks and engage with Indigenous culture.
How We Built It
The app prototype was built in Adobe XD, a software designed to help map out mobile applications. You can view the live prototype through the links below. The notification code was created through Python, and the landmark recognition model was created through machine learning with Javascript using google teachable machines and the ml5 library. We sourced the ml5 library and recalled our google teachable model so that the images could be accurately classified. You can view the live model of the camera function below. Try selecting an image of the National Indigenous Monument or a Totem Pole.
Challenges We Ran Into
We knew we didn't have enough time to make a fully working app in two days, so we decided to use a new application called Adobe XD to map out the app and show off our design skills. In terms of the notification code, we wanted to use the Google Maps API to track our location and determine if we are nearby landmarks. However, the Google Maps API was no longer free, and we could no longer use it. To work around this, we made a code that uses the Haversine formula to calculate the distance between two coordinates on Earth. Another challenge we ran into was creating the camera so that mobile users could have the option to either upload the image or take a fresh new picture. We overcome this challenge by creating a function which allows an upload file input this way when a mobile user is accessing the app instead of having a designated camera it will use the mobile device camera or upload from past pictures.
Accomplishments That We're Proud Of
We were happy to see that our Adobe XD prototype was working, as it was amazing to see the app in our drafts come to life without real code. It was also a heartwarming feeling when we were able to simulate the Google Maps API with the Haversine formula. It was a beautiful piece of workaround code that ended up being useful. Training the image classification module was a very lengthy process. It had to be prepared with various images near to perfection; we taught around seven different places/items while using 100 images to teach them. By recalling the google machine database, we were able to recognize any image that fits into the category.
What We Learned
We learned how to effectively use Adobe XD as a substitute for creating real apps. We also learned how to work around Google API problems with hard code and research. This was also our first time using Microsoft Video Editor to create the video. We also learned how to use the ml5 library to create small intriguing modules which we plan to use for other projects. We also learned how to use HTML and CSS and incorporate it with java to make a visually appealing web app. Over it was indeed an excellent experience, and we learnt a lot about video editing and ml5 ai modules.
What's Next for SpiritTrackR
The next steps for our project are to use Xcode and android studios to code out the UI prototype into a real global app with help from developers and get financial support to hire people to update the media catalogue of various territories. We would also like to enhance our image classification ai module further, as due to time constraints, we were only able to add seven different categories (Veteran Monument, Saamis Teepee, Inukshuk, Totem Pole, Anishinaabe Scout, Mr.Bannock Foodtruck, Sixteen Mile Creek). We would also like to enhance the website experience by adding an option to take pictures from laptop devices and integrate the entire image classification code with the UI app.
Built With
adobexd
javascript
pycharm
python
Try it out
spirit-tracker.glitch.me
github.com
docs.google.com
xd.adobe.com | SpiritTrackR | An app to explore Indigenous landmarks and nurture diversity and inclusion | ['Somesh Karthi', 'Jay Sharma', 'Jasanjot Gill', 'Aamodit Acharya'] | ['Best Hack', 'EDGE Innovation Award'] | ['adobexd', 'javascript', 'pycharm', 'python'] | 0 |
10,274 | https://devpost.com/software/helping-endangered-canadian-sea-otters | Poster for advertising the game and further educating people about endangered otters
Inspiration - We started off with the general idea of helping endangered animals in Canada. We narrowed it down to sea otters that are currently endangered. We researched the causes and conditions of the otters and decided to create an educational game so that people can learn more about why otters are endangered and what they can do to help.
What it does - The game takes you through several levels, each displaying a reason for the decrease in otter population. It also contains a link for people to go to and be able to donate to an organization that is working towards helping these otters to sustain in their habitat. One of our team members was responsible for creating the game.
How we created it - Hylian used Scratch to code a game that has an otter character going through the course. Each level has different objects that the otter has to avoid like plastic waste and oil spills.In addition to the game Kasturi created a poster using Adobe Illustrator that can be used for advertising the project and giving people access to the game. The final team member, Anandi used PowerPoint for creating a detailed and informative slide deck to explain our project, and create a short pitch video.
Challenges - Some challenges we ran into were figuring out the plan and purpose of the game, apart from being educational so we connected the game to a donation website. It was difficult for us to make the game fun and give it a purpose at the same time, but we successfully completed it.
Accomplishments - Kasturi created a fun and exciting poster that's eye-catching and has a good marketing design. Hylian was successfully able to create a game that functions well, is really fun to play, and serves the purpose of educating people. Anandi created a well informative slide deck and narrated the pitch video that including all our opinions about the project.
What we learned
We all learned some new skills during the course of this Hackathon. Kasturi and Anandi learned MIT App Developer, basics of HTML and CSS. In addition to that Anandi learned to code basics in python, and Kasturi learned new skills in digital art. Hylian and everyone learnt to coordinate with a team and manage time efficiently so that work can be completed in time.
What's next for Helping Endangered Canadian Sea Otters - Our organization is a non-government organization that can continue to work towards helping endangered otters. In the future if our marketing works we can hire wildlife conservationists and create our own team that goes out in the field to preserve and help otters with the help of donations from people and large corporations. Our game can be developed into an app that people can download, and the purchases on the app can be used to fund our field work.
The donation page that people can donate money to:
https://shop.wwf.ca/products/protect-sea-otters
Built With
adobe-illustrator
powerpoint
scratch
Try it out
scratch.mit.edu
onedrive.live.com | Endangered Canadian Sea Otters Organization | Sea otters in Canada are going extinct. Our solution is to make a game, teaching others about this problem and asking them to donate to companies who are helping sea otter not go extinct. | ['Kasturi Bhatt', 'Anandi Jawkar'] | [] | ['adobe-illustrator', 'powerpoint', 'scratch'] | 1 |
10,274 | https://devpost.com/software/beachcleanup-5m8l1h | Game Icon
As we all know, plastic is becoming the most major part of garbage and pollution. The purpose of our project was to spread the word about plastic being polluted at beaches and in the oceans, resulting in endangered marine animals and toxic oceans. We built the game using github and atom (script writing editor program). We used javascript and html to create the objects, graphics, and physics. Besides the simple bugs that we found out in testing, we came across several challenges such as sharing and editing code at the same time or starting up a server using command prompt. I've learned a lot about creating websites/games using different programs. I've also learned how to tackle tough problems by using the internet as a resource. I'm proud of this project as it was my first project that has a true meaning to it.
Huge thanks to my partner: Nathaniel
For more info, check out the slides:
https://docs.google.com/presentation/d/1pwMA0CKgt5v_4MuRCWAV716ca1-CqQFQMiaJxbqvbjE/edit?usp=sharing
Built With
babylon.js
cannon.js
css
github
html
javascript
Try it out
github.com | Beach Cleanup | Plastic is ruining our planet, so we have created this game to teach this and the next generation about the harmful effects of pollution. Join and help the planet! | ['Nathaniel Hawron', 'Anshuman Dhillon'] | [] | ['babylon.js', 'cannon.js', 'css', 'github', 'html', 'javascript'] | 2 |
10,274 | https://devpost.com/software/cleanbot | Slide 8
Slide 1
Slide 3
Slide 7
Slide 4
Slide 5
Slide 2
Slide 6
Initial Design Sketch
Inspiration
We watched a movie called Wall-e, which represented a world where humanity destroyed Earth due to littering. This movie inspired us to create a robot that can help prevent our world from ending up like the world portrayed in wall-e.
What it does
Our product is called CleanBot, which is a small and portable machine that can clean litter inside of buildings and outside in nature. CleanBot can identify the difference between litter and objects in nature using sensor identification technology. This makes it very efficient in cleaning different locations while not harming the overall environment.
How we built it
We used Scratch, Python, Weebly, Powtoon, and Google Slides to represent several different aspects of CleanBot. We physically built CleanBot using materials we found around our homes. However, it should actually be 3d-printed but we did not have access to a 3d-printer due to the pandemic.
Challenges we ran into
We had no experience with coding, so starting from stage one was difficult. We also had a problem when we designed our CLeanBot on Tinkercad because we want to use that software to 3d print our product. So, we worked around it by creating a model at home using things we found in our houses.
Accomplishments that we're proud of
We are proud of tackling different Softwares (Weebly, Scratch, Python, PowToon and Google Slides). We are also proud of our end result!
What we learned
Our group learned many things through this experience. Overall, we are happy and proud of participating at this event, as it taught us lots of things. Especially because we are beginners. :)
Our group explored different software and learned how to use, Weebly, Scratch, Python, Powtoon and TinkerCAD.
What's next for CleanBot
Next, we want to try to make CleanBot waterproof so that it can clean up ocean litter. Littering destroys aquatic ecosystems and food chains, so CleanBot can help prevent the loss of aquatic wildlife once we discover a way in which we can make CleanBot waterproof.
Built With
3dprinting
python
scratch
Try it out
scratch.mit.edu
github.com
www.tinkercad.com
cleanbotcanada.weebly.com | CleanBot | Plastic litter impacts all cities in Canada. Currently, cities clean litter via labour, costing millions annually. CleanBot solves this issue while being cost-efficient and environmentally friendly. | ['Jaskirat Pabla', 'Terry P'] | [] | ['3dprinting', 'python', 'scratch'] | 3 |
10,274 | https://devpost.com/software/racism-in-canada-website | Inspiration
What inspired us was the fact that racism existed in Canada and affected many people so we decided to make a website based on raising awareness of the topic.
What it does
It informs people about racism in Canada and it provides help lines and raises awareness for the problem.
How I built it
We used a co-operation friendly platform named Glitch where we used HTML for putting the elements of our website and CSS to give our website a modern and professional look.
Challenges I ran into
Challenge of cooperation, Learning new coding skills and working with people we've never worked with before.
Accomplishments that I'm proud of
The fact that we made a website that can make a difference in fighting racism and also we learned how to code a website which is something I've never done before.
What I learned
I learned how to use JavaScript in coding a website.
What's next for Racism in Canada website
To inspire people to learn about racism and the effects it has people and we want our website to offer solution's to problems regrading racism in communities and most importantly in CANADA!
Try it out
racism-hackathon-project.glitch.me
glitch.com
docs.google.com | Racism in Canada website | Our idea is to create a website which highlights what racism in Canada. In the website we highlight what racism is, some historical events of racism and some solutions you can use to combat racism. | ['Shanker Ghimire', 'Faris Sandhu'] | [] | [] | 4 |
10,274 | https://devpost.com/software/moveit-l8iq0f | Inspiration
Our inspiration for this project was inspired by many people's situations during this pandemic. People who go to the gym regularly to maintain a healthy life whether to lose weight, build muscle or have fun at the gym no longer have access to those places anymore. So we decided to create a Social media like platform where people can share tips and tricks regarding exercise they can do at home, good diet plans and also how to keep a positive mental attitude within these stressful times.
What it does
This website is designed to be a social media for people who want to start living healthy and help others do the same. Along with supporting others to be in a good mental state.
How I built it
We built it using HTML, Python, Django, bootstrap and css.
Challenges I ran into
Challenges we ran into were mostly debugging our website when we were coding it. Linking pages and adding user input were huge problems and actually caused our site to crash several times.
Accomplishments that I'm proud of
We are proud of making a functional and aesthetically pleasing website. We learned to use the django framework and apply css which took a lot of effort but in the end we made a working website that helps others maintain a good lifestyle.
What I learned
We learned how to use django to help develop our websites more efficiently
What's next for MoveIt!
We want to advertise this to other Canadians so people will be inspired to write about their aspirations and help create a community that respects, teaches and grows together.
Built With
bootstrap
css
django
html5
python
Try it out
github.com | MoveIt! | Let's Move It! | ['Abhayjit Sodhi'] | [] | ['bootstrap', 'css', 'django', 'html5', 'python'] | 5 |
10,274 | https://devpost.com/software/s-a-r-v-search-and-rescue-drone-system | Drone
Sonar Module
Camera Module
Charging station
Drone Model
Module attachment
Drone Model
Drone Model
Everyone’s Role
Aryam Sharma (Disc. @imaryamsharma) - He was our programmer and also did the rendering and modeling of the portable charging station. He was responsible for programming the interface the drones would use to convey information to the user, and the one responsible for actually programming the drones to go out and search the water. Due to time restraints, he also helped out in modeling and rendering the Portable Charging Stations the drones use.
Matthew Simpson (Disc. @inferno) - He was our electronics engineer. He was the one responsible for designing the circuit for the electronics of the drone, how they would be, work, and be wired. Matthew also helped in researching for the drone and helped to add things to the overall project to elevate its resourcefulness and effectiveness in solving the problem. Due to time restraints, Matthew also helped to develop the video pitch that shows and explains our project.
Shahmeer Khan (Disc. @PotatoTheTomato)- He was our main designer and modeler. He was responsible for the design and render of the actual drone models, making sure the measurements of the drone would accommodate the electronics that would go inside of it and giving the drone its aerodynamic shape and key features such as a stabilizer and searchlights required in this project.
Ishpreet Nagi (Disc. @Bapple_Boi)- He was our main public representative and main researcher. He was responsible for researching the topic and making sure the project was suitable enough for solving the problems which it currently does and finding other features that could be added to this project to increase its effectiveness. He also the one to organize and explain which problem was being targeted, the solution we had come up, and how we had built the solution in this document and the slideshow.
The Issue
According to the U.S. Lifesaving Association, “One of easiest ways to drown is to get caught in a rip current”(Death Beaches.) People that get caught in these types of currents at beaches are able to move them so far from the shore that when trying to get back, the most seasoned of swimmers can tire themselves out and drown (Death Beaches.).
Furthermore, infants and little kids being left unsupervised in the water at popular beaches could cause them to venture out to dangerous parts of the water which could cause them to get lost or get stuck in the water with no way to return to safety. Once they are lost, it is only a matter of time before they panic and tire themselves out to the point where they can no longer swim, thus resulting in them drowning.
These are the types of problems the S.A.R.V(‘Search And Rescue Vehicles’) project will try to resolve.
How it works
There are three core sections that come together to make the basic function of our project. The sections being the drones themselves, the modules that are attached to them, and the Portable Charging Station (PCS).
The drones feature four brushless DC motors equipped with a power supply sufficient enough to give the lift required for the drones to fly. They feature headlights on all four corners of the drone, as well as two landing legs featuring two magnets and two metal plates. The magnets and metal planets allow for the drone to return and attach itself to PCS without the fear of the drone falling off the PCS as the magnets keep it attached to the platform. Once the drone has landed on the platform of the PCS, there is a connection made between the metal plates on the PCS and on the drone allowing the PCS to charge the drone. The drones feature an nRF24L01 transceiver with an LNA RF Transceiver Module with SMA Antenna allowing the drones to travel from 800m to 1000m away from the home base. This is all controlled by the arduino microcontroller onboard each drone receiving instructions from the PCS through the transceiver, the only true processing happening aboard the drone is checking the battery health to determine if it needs to return to the charging station.
Drone Circuit design:
https://www.tinkercad.com/things/glB5i62scGg-hackathon-pt-1-drone/editel?sharecode=R__0VUVJEz7oCuwwvjZ_hyk4XLhqIsh7VUptiMhrUGY
Next is the modules, each module features different components to allow the drone to be customizable. For our initial design, the drone features two modules that are interchangeable for each drone. The first is an ultrasonic sonar that detects large irregularities along the bed of the body of water, and the other module features two cameras that capture images of the sections pinpointed by the sonar. The camera module features a normal camera as well as an infrared night vision camera for 24-hour searching. The sonar module uses the Arduino onboard the drone, yet the camera module features a second Arduino located on the module itself that transfers the captured images to the main Arduino on the drone, and then the main Arduino sends the images back to the user where they can be streamed in real-time as almost a live video footage as the drone takes so many images every second.
Module Circuit Design:
https://www.tinkercad.com/things/gfY7EmiB65i-shiny-lahdi-fyyran/editel?tenant=circuits?sharecode=QE-KTnFuOPy7Sd1DTu2mqlz2rmkfN1XI8kL6bf5otNY
and
https://www.tinkercad.com/things/f8iB2bFaLPM-tremendous-leelo/editel?tenant=circuits?sharecode=7B2Pdn-ENVUTF0TYVGJ7aEUIOw45WcRdMk_Xw-rChuQ
Next is the PCS, the most vital part of the whole system. The PCS acts as a communication point for the drones as well as a charging dock, each PCS has eight charging stations as each PCS connects to eight drones. The PCS’s have two nRF24L01 transceivers with an LNA RF Transceiver Module with SMA Antenna to allow the PCS to communicate the movement instructions to each drone via 2.4 GHz radiofrequency. Each transceiver can act as a transmitter to six other transceivers, the transceiver also features one hundred and twenty-five different channels and each drone has its own customizable address, this allows for there to be 125 drones per a body of water searching at time. The PCS’s feature propellers so they can move in a grid formation along with the drones as the drones expand their search area, as they can only go so far from the PCS before requiring it to recharge. The PCS features multiple arduinos to receive data from the drones as well as control the function of the PCS.
PCS Circuit Design:
https://www.tinkercad.com/things/juoupXJsDVZ-hackathon-pt-4-buoy-control-center-and-recharge-station/editel?sharecode=1uSRlcrtuosv5Z7nyUeTC5sMTJHYz2OZsQmCQTCWnwE
Unfortunately, due to time limitations, we were unable to complete the code for the Arduino, however, we have found the necessary libraries to do so:
https://github.com/nRF24/RF24
Challenges
Disagreements on plans and ideas within the group.
Trying to get everyone on and working at the same time as there were many instances where our schedules would not align.
Communication within the team was an issue as due to being confined inside, it was hard to talk over electronic resources and get everyone’s ideas without people shouting and talking over each other.
When creating the circuit for the drone, it was difficult organizing all the pin as we would constantly run out of pinto attach things into. So we had be really creative and smart on how we made sure everything was connected.
Our Accomplishments
We were able to accomplish so much in such a small time frame. We were nearly able to complete everything in our vision!
We were able to successfully simulate the drone movements and its interface on a body of water in Pygame.
We were able to model and render such detailed and complex models of the drone and PCS.
We were able to construct such efficient and detailed electronic circuits of how the components in the drone and the PCS will work and be wired.
What we Learned
We learned how to work with an nRF24L01 transceiver while creating the electronics circuit for the drone.
We learned how to transfer data between two separate Arduinos through the means of wires using Rx, Tx, and common GND.
We learned how to use the modeling and Rendering software Blender as we were completely new to it when we started this project.
We learned to organize and manage our work without feeling overwhelmed by such a small-time frame.
We learned how to simulate such a complex interface within Pygame.
We learned how to do particle swarm optimization when we were coding the drones themselves.
Tools used to Create
Fusion 360 - Used to design and render the drones.
Blender - Used to design and render the Portable Charging Stations.
Python 3 - Used to actually code the interface and the way the drones would move.
Pygame - Used to simulate the ways the drones would move over the body of water and what information they would send back to the user.
TinkerCAD - Used to design and create the electronic circuits for the drones and Portable Charging Stations.
Resources used in this Document
“Death Beaches.” Forbes, Forbes Magazine, 13 July 2012,
www.forbes.com/2005/07/22/death-beaches-cx_ah_0719deathbeach.html#3e68cbb6137d
“Water-Background-Wallpaper-HD-14616.” LSC,
www.livingstones.ab.ca/baptism-class/water-background-wallpaper-hd-14616/
.
Built With
autodesk-fusion-360
blender
pygame
python
tinkercad
Try it out
github.com | S.A.R.V. Search and Rescue Drone System | This is an army of drones that can be deployed at beaches, that will scan the water to search for missing people that are lost at sea. They send the location of the person to authorities when found. | ['SK - 11EA - Jean Augustine SS (2612)', 'Matthew Simpson', 'Ishpreet Nagi', 'Aryam Sharma'] | [] | ['autodesk-fusion-360', 'blender', 'pygame', 'python', 'tinkercad'] | 6 |
10,274 | https://devpost.com/software/shoppar-59fm4a | Banner
Business Card
Inspiration
Due to the Covid-19 pandemic and almost all stores being closed, none of us were able to buy clothes by trying them on and seeing the fit. Shopping online was a hassle for us due to fitting issues, and the product return process is long and inconvenient. So we decided to counter both of these problems at once, by getting rid of the product return process and taking away the chance of coming in contact with COVID-19. We wanted to make the consumer’s shopping process convenient and easier. Thus, Shoppar was born.
What it does
Shoppar acts as an augmented reality camera that can take the item a consumer is trying to buy and put it on their body to check the fit of the item. Their measurements will be calculated using the camera feed and other environmental factors with very high accuracy. The product will then be placed within the phone screen at the same size it would look in proportion to real life. By using Shoppar, online shopping’s returns will start to diminish, saving time for the business and the consumer.
Challenges we ran into
Due to Shoppar being a web-based platform, the quality of the user’s webcam can vary from consumer to consumer. Augmented reality needs an adequate webcam to work, meaning that it cannot run on old or lower-end hardware. This is not only a concern for personal computers and laptops, there are various smartphone webcams as well. This was a challenge for Shoppar because all users might not have the same experience. To fix this, Shoppar analyses the user’s webcam before the render to ensure that it is adequate. If it is not, to save the consumer from improper renders, they are informed of their inadequate hardware and are prompted to use their smartphone or other device if possible.
Accomplishments that we're proud of
When creating the prototype, it was important for us to demonstrate that our idea was feasible. In order to do this, we successfully created a makeshift product page from an SQL database. We then created the extension that allowed us to go to the Shoppar API. Finally, we created the extension that allowed the viewer to see the product in their webcam. These were all important milestones that needed to be accomplished in order to demonstrate the feasibility of Shoppar.
What we learned
We learned a lot of things in different aspects of Shoppar. One of the things we learned was the structure of a business report and the content that resides in it, as well as the search for extra information such as competition. For the coding aspect, MySQL was used to create a database to hold the product information for the demo of the site. This was learned by the project leader and software developer to provide a state of the art demo. For the design aspect and styling, the designer practiced different styles and worked on different templates to provide a finished prototype for Shoppar. Overall, we learned a lot while trying to make Shoppar feasible.
What's next for ShoppAR
The next step for Shoppar is demo-testing by sending out a prototype of our software to small businesses to test Shoppar and achieve feedback on how the software works. Using this feedback, we will finetune and fix any complications that may have arised from testing. Once Shoppar’s finetuning is complete, we will transition to bigger companies and keep completing the same process to ensure Shoppar can match the standards of each of its customers and keep them pleased with the service. Shoppar is the next evolutionary step in online shopping.
Built With
ar.js
bootstrap
css3
feather
font-awesome
html5
javascript
jquery
mysql
php
Try it out
github.com | ShoppAR | Shoppar is a revolutionary extension for eCommerce vendors looking to gain a competitive advantage and limit their online returns by allowing customers to check the sizing of the products using AR. | ['Imesh Nimsitha', 'Raj Tiwari', 'Virain Bawa', 'Shawn L'] | [] | ['ar.js', 'bootstrap', 'css3', 'feather', 'font-awesome', 'html5', 'javascript', 'jquery', 'mysql', 'php'] | 7 |
10,274 | https://devpost.com/software/gardener-s-handbook | Register Page
Log In Page
Home Page
Garden Page
Family Page
Weather Page
Calendar Page
Sustainability Page
Mood Page
This past May, Health Canada revealed that roughly 11 million Canadians may experience high levels of stress, with two million more at risk of traumatic stress as a result of the pandemic.
An IPSOS poll found that 66% of women and 51% of men claim their mental health has been negatively affected by COVID-19. Even more concerning is that only 1 in 5 people have asked for support for their issues.
In the Second World War, the Canadian government encouraged citizens in urban areas to plant vegetables to supplement their food rations. The Victory Farms boosted morale for citizens and are known as patriotic war gardening efforts today.
There is no doubt that the pandemic has affected the health and state of mind of many Canadians. For that, we have created The Gardener's Handbook, an app for Canadians to track the growth of their plants as well as their emotions after spending time outdoors.
Cheney Creamer of the Canadian Horticultural Therapy Association has said that gardening can provide mental health benefits to families during this pandemic. The phytochemicals released by plants such as lavender and basil are soothing to humans. Nature also teaches people about constant change, growth, rebirth, and renewal. A small seed in a tiny flower pot has an effect on people. By checking up on the plant and watering and nurturing it, it gives people something to look forward to every day. The Gardener’s Handbook allows users to successfully grow their garden but also record how they feel after they’ve engaged with their plants. Users are able to choose one of five options when tracking their emotions. Keeping track of your emotions daily helps create better wellness strategies. You begin to recognize the small or big parts of your day that make you feel better. This app allows users to be more involved in their health and have a sense of control. So you see, it’s not only what you can do for the plants to be healthy, it’s also what the plants can do for you.
Canada has seen a sudden rise in gardening. John Barrett of Veseys Seeds said that orders have increased by about 450% compared to the year before. Barrett also suggested that people are deciding to spend more money in their home garden to avoid going out often. With the coronavirus rising food prices, the issue of food security becomes more prominent. Canada’s Food Price Report predicts that Canada’s food inflation rate will be 4% by the end of 2020. Having your own garden can help ease the concern. In 2009, the National Gardening Association said that for $70 in seeds and supplies, you could grow 350 pounds of vegetables worth over $600.
Gardening reaps environmental benefits as well. Non-local products in stores travel an average of 1500 miles or further. The shipping and transport associated burns fossil fuels, which produce greenhouse gases that increase global warming. When you follow the sustainability tips in The Gardener’s Handbook, such as using relatively small amounts with little or no pesticides or synthetic chemicals, you create a more environmentally friendly environment.
The Gardener’s Handbook is built on a web framework using Django. HTML and CSS were used for the app’s front-end development and python used for its back-end development. As a group, challenges we ran into were learning how to connect the website to an external weather network and creating a calendar. We learned to develop a python API that would connect the user to the weather network for daily forecasts. Creating a calendar without JavaScript to include events was a challenge we were not able to solve. After doing some reading, we decided to embed a google calendar instead.
As a team, we are proud that we were to create an aesthetic and functioning website to replicate what a mobile app will do. Prior to the hackathon, we each followed tutorials on HTML, CSS, and Django, making The Gardener’s Handbook our first project with these languages and framework.
Our next steps for this hack is to transform our website into a mobile app. In terms of features, we would implement a calendar using JavaScript. Additionally, we would implement a feature that would allow users to share a family code and sync their accounts, which will ensure the plants listed under “My Plants” and allow families to work of the same calendar for their garden.
Thanks for reading our story!
Built With
css
django
html
python
Try it out
github.com
docs.google.com | The Gardener's Handbook | With Canadians experiencing stress due to COVID-19 and gardening known to provide mental health benefits, The Gardener's Handbook is an app for Canadians to track their plants and emotions. | ['Kush Kansara', 'Shaili Kadakia', 'Joshua Johnson'] | [] | ['css', 'django', 'html', 'python'] | 8 |
10,274 | https://devpost.com/software/5-days-a-text-based-choose-your-own-adventure-game | A SHORT ABSTRACT OF OUR PROJECT:
Meet 5 Days, a story-based choose your own adventure game designed to teach players how to save our world. In a time where climate change is steadily growing and the Earth is steadily deteriorating, it is important that we teach citizens how their daily lives are contributing to this issue. In the form of an adventure game, 5 Days shows citizens how decisions that may not even seem remotely linked to the environment are still connected in some way, and how small, environmentally harmful decisions, when placed on a global scale, can take the Earth down an unimaginable path of destruction.
Athithiya:
Hi! My name's Athithiya and I am a programming newbie, who's written their first ever line of code as a part of '5 Days'! As a part of this team, my duties primarily consist of scriptwriting and creating the games story line, as well as designing all the content for the game.
Athavan:
Hi! My name’s Athavan and I am also a programming newbie, who's written their first ever line of code as a part of ‘5 Days’! As a part of this team, my main duty is to put our storyline into code and program it as a game. I also am in charge of troubleshooting any issues within the game and ensuring that all aspects work smoothly.
Click here
to see our pitch deck!
Built With
python
Try it out
github.com | 5 Days — A text based choose your own adventure game | Introducing 5 Days, a story-based choose your own adventure game that teaches players how to save the world. | ['Athithiya Mohanakumar', 'Athavan Mohanakumar'] | [] | ['python'] | 9 |
10,274 | https://devpost.com/software/help-0e4pry | Our App's HomeScreen-Help! App cannot be shared, please check video for method to download.
Abstract
Our chosen topic, violence against Indigenous women and girls, would be solved with a variety of products that can act upon the situation, inform and grow for a global approach. It is important for us to inform others and society about this repulsive topic, which is not being greatly spread and acted upon on larger platforms. This presentation covers the principle subject matter while introducing the viewer to our products and how we will combat a few other issues unfortunately in Canada from the surplus of our product. In a country where certain problems are going to be present, Using our knowledge and skills is a must to help to solve these issues and spread as much awareness as possible.
Inspiration
As two young girls living in society, knowing that women and girls live in constant fear disgusted us. Spreading awareness and relieving anxiety for Indigenous Women and Girls was our main motive. This topic was not heavily discussed on mainstream media and as a result, the public is unaware of this event. Technology has evolved to the point that creating an app can impact multiple lives.
What it does
Our app allows the victim to send a discreet message to local authorities to access Help! Along with this, our app has self-defensive tactics, GPS tracking and other resources to help the victim return safely to shelter.
How we built it
During the creation of our two products, an app and a website, we learned the different types of coding languages and which one would fit our needs. Often, a website uses an https code which is offered through various websites. Although the physical act of coding for our website wasn’t used, our digital media skills needed to be strong. For the website, we need the information to create a credible platform for potential investments.
The creation of our app used a website that is a simulated Drag and Drop code. Due to the short period, we wanted to make our app through and filled with information. Focusing on the code portion would just improve the graphical aspects, which wasn’t important for the app. AppyPie was the resource we used for the completion of the app. Currently, the app is testable for Apple and Android devices but has some restrictions. For ios platforms, you would need to download Test Flight and Apply Test Lab, enter the email shown in our video demonstration and the app would be downloaded. Currently, for demonstration purposes, we didn't link 911 on the app so no accidental calls occurred.
Challenges we ran into
Over this weekend, we faced many challenges, the app continuously deleted our information. We found we constantly had to rewrite our information onto the app. We fixed this situation by remaining calm and being patient with the app; this worked out in the end. Time management was also another problem we faced. We found that we were reaching close to time to submit. We faced this challenge by remaining focused and breaking down what we had left to do in different topics for each of us.
Accomplishments that we're proud of
For both of us, creating an app was a first-time project. Having a functional yet aesthetically pleasing app was very excited for both of us. We also managed our time effectively giving us time to add extra features to the website. The workshops also helped improve our computer coding skills.
What we learned
We learned how to use drag and drop to create an app, some skills with python, how to make a pitch and how to manage my time properly. We also learned how to create a website and how to create a credible platform with various investment skills.
What's next for Help!
On our own, providing every woman on reserves with a cellphone isn’t achievable. After the hackathon, we would publish it for android and ios devices. We would also continue to promote Help! on the GoFundMe page and get more donations to eventually start this product. If we receive a lot of donations, we will be able to give back to the community with their own devices for them to be educated and stop the problem in Canada of lack of education and poverty.
Built With
draganddrop
https
Try it out
docs.google.com
anayasood06.wixsite.com
www.gofundme.com | Help! | Help! It's everywhere you need it! | ['AvneetK Saini', 'Anaya Sood'] | [] | ['draganddrop', 'https'] | 10 |
10,274 | https://devpost.com/software/covid19_management | COVID_Management
Inspiration
The current pandemic has created a lot of challenges and hardships for everyone. On the news and from personal connections, we have seen many businesses struggling to reopen and get back onto their feet. A major problem that businesses have is being able to test their employees to ensure they do not have the virus before coming back to work. This inspired us to create an application to solve this problem.
What it does
The program allows employees to complete a daily questionnaire to assess their fitness to go to work each day
If deemed unfit, the results of the questionnaire will be sent to the employee and the employee’s superior(s). In addition, the application will keep track of the 14 days of quarantine that people must undergo if they test positive for COVID, if they have recently travelled, or if they have recently met up with someone who recently travelled. This service will be paid for by the organization and each employee will create an account under the organization that must be approved by their superior
How I built it
We developed this application using c# as our team is the most proficient with this language. Our application uses the Windows Forms Apps (.Net Framework) where the user interacts with the forms. The application is connected to a Firebase database to allow the user to sign-up and login to their accounts.
Challenges I ran into
Initially, when we started to develop this project we faced the challenge of receiving errors when we shared our code on Github as we did not know how to clone the repository and how to pull and push code. However, we overcame this challenge by researching and asking for assistance when needed.
Accomplishments that I'm proud of
Our team is proud of ourselves for creating and developing this project in 2 days! We accomplished our goal of creating an application that will help businesses transition out of lockdown and manage the spread of COVID in workplaces.
What I learned
Through developing and building this project we improved our coding skills in the c# language, learned how to connect our project to Firebase to store user information, and learned how to efficiently and effectively use Github.
What's next for COVID_Management
In the future, some improvements and additions to be added include implementing scheduling recommendations to modify shifts/start times/end times to respect physical distancing for small public workplaces such as retail and food.
Built With
c#
firebase
Try it out
github.com | COVID19-Management | An application for organizations coming out of lockdown | ['Jenn Zhang', 'Julie Ngo'] | [] | ['c#', 'firebase'] | 11 |
10,274 | https://devpost.com/software/doctor-help | Logo
Screenshot 2
Screenshot 1
Screenshot 3
Screenshot 4
Screenshot 5
Inspiration
Due to COVID-19 pandemic, many people are afraid or unable to go to the doctor's office. Additionally, we found a variety of statistics that show that a majority of people are unable to get their health-related questions answered quickly without the long process of going to a doctor's office or clinic. We have had our own experiences with this problem, some of which resulted even our own group members having to go to the emergency to deal with conditions that could have been solved by a doctor, had they been available.
We wanted to provide a solution for this common issue faced by countless Canadians across the country, which is why we created “Doctor, Help!”.
What it does
“Doctor, Help!” is a simple but powerful platform that allows communication between anybody that has health-related questions, and doctors.
In this application, you can either register as a doctor or register as a user. Users can make posts, asking questions, and doctors can add comments to the posts providing help or an answer. Users can also choose to stay anonymous when making posts.
Users and doctors can filter by categories, or view all posts to find relevant posts.
How I built it
This platform was built with the Python-powered Flask micro web framework. The frontend was primarily done with Materialize CSS, a CSS framework. We used a number of Flask extensions, such as flask-admin for the admin page, and flask-login, to handle user sessions and logins.
Challenges I ran into
We ran into many challenges. One of our main challenges was hosting the Flask web app on Heroku and configuring a custom domain for the web app. We also had many bugs, such as comments on anonymous posts not being anonymous, which we fixed in later deployments. For the anonymous comments issue, we just needed tp
Accomplishments that I'm proud of
We as a group are particularly proud of the fact that we were able to create a fully functional social platform complete with a stunning user interface and elaborate backend workings in a just over a day’s time. We also added an admin platform that allows moderators to remove spam. It is truly a great accomplishment, and we are very proud of the result of our hard work.
What I learned
One of the major things that we as a group learned over the process of creating this platform was the importance of effective communication. We found that we were at our most efficient when we were on a call together, so that we could bounce ideas off of one another and provide constructive criticism on projects.
Additionally, alongside effective communication it was important for our team to divide up the work so that we could efficiently get the project done quickly and efficiently. This delegation allowed us to work even better as a team and create a better project
For Lavan and Pranav, this was one of their first major experiences with Flask and backend development. So it was a great experience to learn a lot about backend development concepts.
All in all, we truly learned a lot and were able to help each other grow as programmers and are happy to have worked on each other's skills.
What's next for Doctor, Help!
We plan to continue to maintain this project, while trying to expand the user base through marketing. We also wish to begin testing this project online and have doctors that we know test the site so we can learn more about what features they would want to add to this project and any other possible future developments. We hope this project impacts many lives across Canada and creates a great impact.
Built With
css
css3
flask
html
html5
javascript
jinja
jquery
python
Try it out
doctorhelp.tech
github.com
doctorhelp.tech
www.instagram.com | Doctor, Help! | "Doctor, Help!" is a simple, but powerful platform for anybody with health-related questions to communicate with doctors. | ['Vishnu S.', 'Lavan Surendra', 'Pranav Rao'] | [] | ['css', 'css3', 'flask', 'html', 'html5', 'javascript', 'jinja', 'jquery', 'python'] | 12 |
10,274 | https://devpost.com/software/welcome2canada | Coding Welcome2Canada with HTML
Coding Welcome2Canada with HTML
Coding Welcome2Canada with CSS
Welcome2Canada-Homepage
Welcome2Canada-Our Mission Page
Welcome2Canada-Services Page
Inspiration
We as a group were very inspired by our nation and it's social environment. To reflect the nature of Canada's accepting/welcoming environment, we, the team were inspired to create Welcome2Canada. As Canadian citizens who came from a line of immigrants and settlers, we decided to pay respects to our roots and the struggles of immigration, by analyzing these struggles and hardships, we learned that there was a massive gap in how we can ease the transition for these immigrants during such stressful times. With the influence of our own heritage, the accepting/welcoming environment of Canada and the idea around immigration, we were truly and proudly inspired to create Welcome2Canada. Together with our project, we aim to unite Canada, because we are stronger together.
What it does
Our project acts as a hub for immigrants to learn more about Canada. Apart from learning about Canada, it also enables these immigrants to find tools, resources, services, extensions, programs and many more useful items to further aid their arrival to Canada. Through many of our offered tutorials and features, we are providing an all-in-one website that allows the users comfortability and accessibility. Not only does it prepare them for immigration but it also prepares them well for their integration into Canada. As for other features we also have a newsletter subscription to help them understand the workings and the many programs at their fingerprints. Following that we also have the unique quizzing feature, providing many with the chance to practice, learn and attempt to put the skills and tutorials they have learnt from to the test, these quizzes are also built to help prepare these immigrants with certification practice. Finally, one of the most coveted features is the immigrant mentorship program, where immigrants can use a social network to connect with each other, through learning from another person's experience they can become well acquainted with Canada. The best way of learning is through collaboration, by pairing immigrants with mentors it allows them to learn more and become better-equipped citizens of Canada. That is what our project does!
How we built it
Using text editors such as brackets and sublime text 2, we coded our main website with HTML and CSS, then went on to further style it using extensions and coding software such as Dreamweaver, Webflow, Bootstrap and Xd. Other than that we programmed special parts of our web page with javascript such as a quiz extension we have. We also used other software and coding languages/programs to spruce up our website to make it as clean, presentable and reliable as possible. That is how we built our project.
Challenges we ran into
Some challenges we ran into were some beginner mistakes, forgetting to save files, formatting and some more. But together as a team we helped each other out and came out on top with a great project that we are so proud of. Those are some of the challenges we ran into.
Accomplishments that we're proud of
This for many members of the team was their first hackathon and therefore that in of itself is an accomplishment, the fact that I made such good progress with building a web page and applications to go along with that is just fantastic. Other than we worked well as a team to accomplish our goal and bring together a lot of people for a common goal. Those were some if not the many accomplishments that we were so proud of.
What we learned
Working on this project made us learn the intricacy of collaboration, communication, critical thinking, initiative and more. It helped us expand our world of coding as well as our working habits/skills. We learned to use applications that we have yet to use as well as different languages.
What's next for Welcome2Canada
We hope we can expand our horizons and grow stronger as a community and help improve the interface with some more work as well as reach out and make stronger products and in-web extensions thus, improving this application for the use of the general public and more. We would like you to thank you for taking a look at our project and we hope you enjoyed it!
Built With
bootstrap
brackets
css
css3
dreamweaver
html
html5
javascript
python
sublime-text
webflow
xd
Try it out
github.com
welcome2canadacc.netlify.app | Welcome2Canada | Erasing the stress from transition to the canadian lifestyle for immigrants! | ['WILLIAMS THOTTUNGAL', 'Muqeeth Khan', 'Baller Frank', 'Koala Kare', 'MAJD AL-AARG', 'ALEXANDER MOGHADAM'] | [] | ['bootstrap', 'brackets', 'css', 'css3', 'dreamweaver', 'html', 'html5', 'javascript', 'python', 'sublime-text', 'webflow', 'xd'] | 13 |
10,274 | https://devpost.com/software/carepackages4u-y9edf0 | logo
Pitch slides are attached in links!
Inspiration
This benefits those who are immunocompromised or those who are unable to leave their house easily for the sake of health and safety; this includes the elderly, those with respiratory illnesses, or people showing COVID-19 symptoms.
CarePackages4U increases accessibility of basic living supplies to those who are vulnerable or in need during this pandemic. Those who are in a position to help, can easily provide aid with a non-contact delivery. This promotes a sense of community and dependability.
What it does
CarePackages4U is an easily accessible web application that allows anyone who is unable to leave their houses to request their needs in a list. Local volunteers, donors, food banks, or charities can then view their list in the homepage, contact them, then set up a plan for delivering the needs for them.
Anyone with a web browser and internet connection can access this!
By not having to go outside, those who are vulnerable to the Coronavirus do not risk the chance of becoming even more susceptible to catching the virus. Local charities or donors simply only need to add the items in the care package to their normal shopping list, thus reducing the number of people outside and total trips made. This supports self-isolation. With a contactless drop-off to the front of the requestee’s door, there is a decreased- or even very low -chance of transmission of COVID-19, keeping both the receiver and the donor safe.
How I built it
HTML, CSS, Python (with flask and sqlalchemy libraries/packages)
Designed UI first, then implemented database and visuals
Challenges I ran into
None of us had too much experience with HTML and CSS, and this was our first time ever implementing a database.
Accomplishments that I'm proud of
Getting it done!
The pitch slide deck.
What I learned
We both learned and gained experience with HTML, CSS and Python. We now know how to implement a database into web applications.
What's next for CarePackages4U
A login/authorization system to distinguish between volunteers and those who need help
Allow users to choose how long they would like their post to be up for
Security system that verifies that those volunteering do not have ulterior motives
Add better responsive designs for smaller devices such as phones and tablets
Use location services to show users in the nearest listings
Have posts expire every 10 days unless the user chooses to renew the post
Allow users to upload images
Built With
css
flask
html
python
sqlalchemy
Try it out
github.com
docs.google.com | CarePackages4U | Finding donors made easy! | ['Ankit Gupta'] | [] | ['css', 'flask', 'html', 'python', 'sqlalchemy'] | 14 |
10,276 | https://devpost.com/software/famjam-ytn3bv | FamJam
Sign In Options
Login Page
Family Creation Menu
Joining a Family
Leaderboard
Family Page
Profile Page
Family Member Page
💡 Inspiration
We all tend to take a lot of things for granted. While brainstorming solutions to connect people during social distancing, all of the ideas we had were to connect with
friends
or even
strangers
, especially during a time like this. But weirdly enough,
not once did we think of connecting with our families
- which we realized was
exactly the problem
. So many of us spend our time at work or school, always wishing we could hangout more with our friends and even get a break from our family - but what better opportunity to get to know those
literally
closest to us than while
stuck in quarantine?
🤔 What it does
FamJam is an Android app that helps families, roommates -
anyone who lives together
, to
get to know each other in a fun way.
Every “family member” will receive two daily missions and one mission weekly. The first daily mission will be sent in the morning while the second will appear at a
random time
for you to rack up bonus points, to encourage you to put family first, and of course to see you scramble. Every mission involves
brightening up someone's day
or doing something to get to
know another member better.
For example, your mission of the day might be to give your mom a hug! The weekly mission will involve the entire “family”, with anything from playing soccer together to having a
profound discussion about what family means to them.
After completing a mission, you immediately
earn points
, the harder the mission, the more points you get! Complete more missions and you can climb to the top of the leaderboard 😎. At the end of the week, the member with the
most points wins a badge
. Badges can also be earned through other methods, just to keep members on their toes. But be
warned
,
there’s also a laziness badge.
The member with the most points by the end of the month receives a present from the other members. Though of course,
everyone's a winner when you’re strengthening genuine connections with those around you!
🧰 How we built it
This is the second time our team has ever used Android Studio! Our last hackathon was our first time trying to build an Android app. Everyone took the lead on learning a certain element such as UI/UX design, front-end and back-end. We were amazed by how much we all learned throughout those two days and we wanted to
challenge ourselves again.
This time,
we all took leads on a different component
. Those who focused on design before, worked on the back-end now and vice versa - we really wanted to push ourselves while being able to create a project that we were
passionate
about.
The first day after finalizing our idea, we all shared a Figma document and over call, one of our members taught us how to use the prototyping tools and gave us design tips. For the initial setup of Firebase and connecting it to our app, another member wrote up a document with a structure, steps, and advice on how to implement each component.
Each of us had to study up on different areas
, whether it was tinkering around with tutorials or reading documentation. Nevertheless, we really took advantage of each other's skill sets to
grow
our own. This was extremely effective as by the end of the first day we had finished the UI/UX designs, had a quarter of the app coded and our database structure outlined.
😅 Challenges we ran into
There were many challenges we ran into while making this app, especially since this was our
most ambitious project yet
, with more screens, features and components than anything we’d ever done before! Some specific challenges we’re proud to say we’ve overcome were:
Data Structures:
Although we're super excited about our app features, we quickly realized that we would require a complicated backend structure to accommodate authentication and data storage using Firebase. In particular, it was confusing to structure relationships between different nodes containing user and family data. We ended up using foreign keys, custom Java objects and
lots
of testing to make our app work.
Layout Inflater & RecyclerView:
To populate our views with our Firebase data, we needed a way to change views dynamically. It took many lots of tutorials, discussions with teammates and searching on StackOverflow to make this aspect function properly.
Image URL firebase
: This was definitely one of the most
frustrating
challenges we ran into and definitely
tested our resilience
-
how could something as simple as loading an image via it’s URL be so hard?
Implementing this took
several tries
. We researched and compiled a list of various strategies to go about implementing them,
dividing and conquering them
amongst us to figure out which ones would work best. We tried everything from extending the Async task to using the Picasso library. It was by troubleshooting together that we were most effective because we could contribute new ideas and push each other forward.
Customizing Mission Card designs:
While in our last project we went with a more generic card block, this time we really wanted to make our app feel unique with new layouts and
dynamic styling
! We had to get crafty with relative positioning, background colours and button styling. Since we also wanted our cards to change strokes, colours and assets depending on the type of mission you receive,
we had to integrate a lot more Java backend than before
, switching out elements after checking out mission statuses and more! It was complicated and overwhelming at times, but seeing it all come together made every minute worthwhile.
🤩 Accomplishments that we’re proud of
Some things we are really proud of is definitely
pushing ourselves out of our comfort zone
into areas we aren't familiar with. This includes working with the backend in firebase, logins, google authentications and working with inflators.
UI/UX design
is another feature we are very proud of. We made sure to create multiple versions to create a cohesive and streamlined design that would be friendly, inviting and calming to users. In order to do this we experimented with a variety of soft colour palettes that were muted and gentle to the eyes in addition to making countless iterations of different cards to see which would fit FamJam best.
Teaching our own knowledge
as it’s quite difficult to articulate a concept when we, ourselves, were beginners. However, today every one of us taught a skill to the others. This not only made everyone more well rounded but also surprisingly taught us that teaching is a great way to learn. Through visualizing the problem multiple ways when someone couldn’t understand, we had a much more organized understanding of concepts that used to be difficult.
🧠 What we learned
Since this was our second time developing an android application, we already learnt some of the very basics needed to get an app running. However this gave us an
opportunity
: unlike our last Android project where we were unfamiliar with these basics, we were able to feel
confident enough to switch our typical assignments
. From this, we were able to learn how to implement a working User Login in Firebase with Google sign-ins, Layout Inflators, and using Figma more intensively with masks, blending modes, and creating vector art.
🎓 What's next for FamJam
We are planning on implementing
tracked statistics
through the completed missions to determine how close members are to each other, allowing them to
“level up
” in closeness as they do more missions together! This would help users understand who they are closest with, as well as gear the app to give
targeted missions
depending on how close they are. For example,
members who aren’t that close
to each other might be
given easier missions to start off!
To make things both more accountable and fun, we want to add a feed of all the missions that your family members have completed recently. That way, if someone tries to mark a mission complete when you know they didn’t do it with you, you can call them out for it and they lose their points!
We also plan on adding
custom missions
that can be randomized and given out to members, giving the option for ‘families’ to come up with their own missions. This would make each experience
more personalized and more fun
, allowing for
inside jokes
and further improving how
tight knit
everyone is.
We recognise that an app that allows for closer relationships to be formed has uses beyond being used only with those we are stuck with. We plan to add the option for users to have multiple “families” with their close friends, or other people they hope to become closer with. Especially for situations where the members of a family or friends are long distanced, we also plan to give an option for members to select virtual missions that can be completed even while apart!
Furthermore, we’d love to
publish the app
to get feedback from the public. We could then identify how to
improve
existing features, code new ones, and add better incentives to use the app for
future reference.
Lastly, with the COVID-19 pandemic taking place, not every family has had the privilege of being at home, whether they are unable to travel or a frontline worker. Once we finalize and publish the app, we hope to
donate the Google Ads revenue towards charitable organizations
helping to
support families and frontline workers impacted by the coronavirus.
Built With
android-studio
figma
firebase
java
xml
Try it out
github.com | FamJam | Your friends are a world away, there’s no way for you to meet new people all because of Covid. Look around, you may not be as lonely as you thought. | ['Bonnie Chin', 'Kailey Chen', 'Grace Gao'] | ['1st Place'] | ['android-studio', 'figma', 'firebase', 'java', 'xml'] | 0 |
10,276 | https://devpost.com/software/astr | Main Screen
Astr Insight
Astr Screening
Astr Mind
Note about demo:
The demo is available at
http://www.astr.xyz
, but due to costs, I couldn't afford a server that could handle the deep learning models. However, both the "Astr Screening" and "Astr Mind" are available.
Inspiration
Despite machine learning showing amazing results in many tasks, it will still be a long time before it can be implemented into real diagnostic systems due to both pure accuracy and public trust. Based on both the shortcomings of machine learning and state of the art research, I'm proposing a platform that implements machine learning in a more assistive sense by building upon, instead of replacing, hospital infrastructure.
What it does
It consists of three parts:
Astr Insight - A modular pipeline that uses deep learning to implement better preprocessing techniques from image superresolution to anomaly detection for both human-based and machine learning-based diagnoses. It also uses the GradCAM architecture to provide insight into the "thought process" of neural networks and
why
a certain classification was made, assisting doctors in diagnosis instead of just producing a separate classification value.
Astr Screening - It uses existing information within hospital databases or from routine checkups to automatically detect diseases that a given patient may be at risk for. Because of the availability of the input features, it's able to scan large amounts of patients and serve as an automatic "early warning" system that then leads to consults with physicians. The main interface is a REST API designed to be implemented into hospital software.
Astr Mind - Connects patients with therapists in a more personal way by using a chatbot interface that mimics natural conversation. It alters its mode of speaking in order to reflect or "empathize" with the sentiment of the patient. Finally, it uses keyword processing algorithms to automatically detect what kind of therapist the patient needs based on natural conversation alone.
How I built it
Astr Insight - There are 4 deep learning models in this module. The superresolution and denoising are
"Residual Dense Networks"
that are designed to be better at capturing local information in images. The anomaly detection is accomplished by a variational autoencoder that probabilistically models image distributions. With a trained VAE, you can calculate a lower bound on the log likelihood of seeing a given image. Based on the histogram of lowerbounds, boundaries were determined to classify images as "anomolous". The skin cancer detection model was very simple: just a ResNet50 with a dense classifier fine tuned on the HAM10000 dataset. I didn't spend too much time on that one as pure classification was not the focus.
Astr Screening - Because of the time restrictions, I was only able to implement 4 detection systems. The classifiers used were Random Forest and Gaussian Naive Bayes. They were trained on publicly available datasets of common diseases, with features optimized for both accuracy and occurrence in regular hospital data.
Astr Mind - I scraped articles from Wikipedia concerning various psychological conditions. They were preprocessed by the removal of stopwords, stemming, and lemmatization. Those articles were then passed through the "Rapid Automatic Keyword Extraction" algorithm to extract keywords. It is based on those keywords that classification is made. As a backup, for ambiguous text, a general therapist search is made instead. The sentiment classification is based on the polarity score given by TextBlob.
Challenges I ran into
The preprocessing and classification pipeline was difficult due to resource constraints both in my own personal computer and in the server. There are ways around it - e.g. I used tflite for the variational autoencoder, but I needed to calculate gradients for GradCAM, which isn't available in TFLite. It is for that reason that the online demo does not include the "Astr Insight" feature.
Accomplishments that I'm proud of
I definitely got better at web design in this process, I became more familiar with a css framework, which will be very useful for later projects. The screening machine learning models, along with the keyword-based classification, also turned out better than I thought.
What I learned
I became a lot more familiarized with many different aspects of both machine learning and webdesign. I feel much more confident doing something similar to this in the future.
What's next for Astr
I want to find a way to reduce the resource costs of the different models. I think that it wouldn't be too difficult getting the memory usage of the RDN models down, but the classifier is much more difficult as it has to be compatible with GradCAM.
Github:
https://github.com/AlexWan0/Astr2
Built With
flask
keras
python
tensorflow
Try it out
www.astr.xyz
github.com | Astr | Assistive Machine Learning for Hospitals | [] | ['2nd Place', 'New Technology Track Winner'] | ['flask', 'keras', 'python', 'tensorflow'] | 1 |
10,276 | https://devpost.com/software/exarcise | Inspiration
Obesity afflicts over 13 million American children, according to the U.S. Centers for Disease Control and Prevention. The risk of childhood obesity also increases with age, with over 20% of all American 12 to 19 year olds being classified as obese. Furthermore, study after study has found that childhood obesity dramatically increases the risks of dangerous health consequences in adulthood.
COVID-19, and the lockdowns imposed to combat it, have made this complex and far reaching problem even worse!
Schools all around the U.S. have closed, which means no recess, no sports, and no gym class. Many communities have implemented strict social distancing guidelines which have closed outdoor spaces like playgrounds and parks. Unfortunately, these measures have accidentally encouraged kids to spend even more time just sitting around indoors. In fact, University of Missouri sociology professor Joseph Workman estimates that just six months of school closure could result in a 4.86% increase in childhood obesity.
I built the exARcise web app to help solve this problem, by giving kids a creative way to have fun exercising in their own homes.
What it does
ExARcise uses augmented reality to gamify exercise for kids, in order to encourage them to exercise. The app is a platform that facilitates the creation of interesting and fun real-world activities by providing easily embeddable augmented reality experiences.
The core of the app is the AR enabled QR codes, which I power through echoAR. The QR code has the information the app needs to pull up the AR player, which then displays an exercise tutorial/example video onto the marker. This combination tech stack allows users to use the QR codes to create their own activities, like scavenger hunts, dice, or bean bag toss, and display the information into the real world.
I have also used gamification to encourage exercise by awarding badges for doing specific exercises, and having the user set daily exercise goals.
How I built it
Since exARcise is meant to be accessed via a mobile device, responsiveness is a key design feature. Therefore, I chose to build a React app, styled in Material UI so the website is accessible and easy to use on all sized devices. It’s also hosted on Google Firebase Hosting, to guarantee high availability and to automatically scale server resources up and down based on demand.
For the AR portion of the app, I used echoAR, because it allows me to easily manage and track my AR experiences, and change them in the future. To use echoAR’s built-in rendering system, our app has a two-part embedded system for reading and viewing the experiences. The first step is scanning the QR code using the reader built into the app. This triggers a popup with the appropriate viewer for the experience the user is looking to have. From there, echoAR allows me to embed and play the video.
Challenges I ran into
One major challenge with the app that I came across was in encapsulating echoAR’s full rendering process into the app. Traditionally, the user would scan an echoAR QR code outside of any app, and the QR code would take them to the web viewer for the media. While that is great for a poster or flyer that is isolated from any specific technology, I specifically wanted people to view the exercises in the app so I could reward them for their exercise. The result was creating a slightly roundabout process on our end, but the end result from the user is intuitive and simple, and it prevents them from ever needing to leave the app.
Accomplishments that I'm proud of
The main thing I am proud of is getting the AR to work so well! I'm really proud of the simple process I created for the user.
What's next for exARcise
In the future, I want to expand exARcise in the following ways:
Expand out the library of exercise videos, exercise badges, etc.
Enable the user to create personalized workout routines and sets
Add mindfulness and wellbeing activities, like yoga poses
Built With
echo-ar
firebase
react
Try it out
exarcisedemo.web.app
github.com | exARcise | Augmented Reality for real fitness fun! | ['Nathan Dimmer'] | ['3rd Place', 'Honorable Mention: Best Use Of EchoAR'] | ['echo-ar', 'firebase', 'react'] | 2 |
10,276 | https://devpost.com/software/liveify | Liveify
Main
Concert Playlist Generation Inputs
💡 Inspiration
Over the past six months, the number of confirmed cases of coronavirus has risen to over 3.3 million in the United States alone. As the world battles COVID-19, the entertainment industry has been put on pause. In an effort to prevent spreading the virus, many prominent venues, like Carnegie Hall and Lincoln Center, and artists, like The Weeknd and Billie Eilish, have canceled their concert tours. Liveify will create personalized, live concerts for users to listen to from home.
🎵 What it does
User interaction has three main parts. First, the user must authenticate and sync up their Spotify account with Liveify. Second, the user inputs the desired mood/positivity, danceability, and energy of their concert. Liveify will take the user inputs and auto-generate a personalized concert playlist on the user’s Spotify account. Third, the user can relax or dance to their live concert!
🔨 How we built it
Front End: HTML | CSS
APIs: Spotify API
Back End: Python | Flask | Tekore
The majority of Liveify is built in Python with Flask, and we used HTML/CSS to build the UI. The mood/positivity, danceability, and energy metrics were accessed through the Spotify API using a Python library called Tekore.
😓 Challenges we ran into
Before implementing Tekore, we tried using Spotipy at first. For 3 hours, we were trying to pass Strings as Floats since we forgot to cast. Spotipy also caused later issues with user authentification, so we pivoted and used Tekore instead.
🌟 Accomplishments that we're proud of
This was our first time creating a web app and using an API, so we’re pretty proud of pulling everything together and creating a useful/functional product!
🧠 What we learned
While Alexis has done hackathons before, this was Henry's first hackathon. We learned lots about time management during a hackathon as we went through so many ideas and iterations.
What's next for Liveify 🎶
Next, it would be nice to expand the library from which Liveify pulls songs from, increase the accuracy of its algorithm, and improve the UI. Then, we hope to put Liveify out for everyone to use, which means deploying it to the web.
Built With
apis
css
flask
html
python
tekore
Try it out
github.com | Liveify | Personalized concerts anywhere. | ['Alexis Fry', 'henry bloom'] | ['Beginner Prize'] | ['apis', 'css', 'flask', 'html', 'python', 'tekore'] | 3 |
10,276 | https://devpost.com/software/corona-simulation | Inspiration
With two people who knew HTML and CSS we decided to make a website. We also had one person who knew a little bit of python so we thought it could be fun to put a game on our website. Trying to think of ideas for games was difficult so after reflecting on our situation, we thought about quarantining and how it can feel so difficult to make sure that we are taking care of our mental health and our communities health by staying home.
What it does
Our project is a website that was built to showcase our game, Corona Simulator. The game starts when you click the run button. The purpose of the game is to not get hit by the blue squares which will result in an instant game over. The white squares on the other hand will not end your game but increases your mental health score.
How we built it
Nhi and Dalon built the website with HTML and CSS and Sarah made our game with python. We used an online IDE called repl.it to collaborate and build upon each other’s ideas. Whenever we ran into struggles or wanted to incorporate an idea into our project, we used online resources and beginner’s tutorials. Which helped a great proportion of our website. Sarah also used a video from Keith Galli on, “ How to Program a Game! (in Python) ” as a reference to create her game.
Challenges we ran into
Putting the game into the website: Using Python we found that it would be hard to put it into our HTML site. We decided that we would instead just upload it to github and put a link on the website.
-Navigating Repl.it
-Recording the video
-Formatting the website
-The animations portion of the website
Accomplishments that we're proud of
-We didn’t use any templates, it was purely from scratch
-The visuals of the website
-Innovating on the game tutorial
-Working through challenges together
-The fact we completed it in 2 days
What we learned
-Learned how to incorporate animations into HTML and CSS
-Learned how to collaborate with other programmers
-Learning how to use repl.it
-Learning how to build a game in python that had gravity
What's next for Cloud Simulation
-We would write the game in JavaScript in order to put it in the Website
-More format and CSS
-A start button, one that doesn’t rely on a third party to initiate the game
We would change the icons to more than squares.
Built With
css
html
python
Try it out
github.com
repl.it | Corona Simulation | A game displaying the difficulties of staying safe while in quarantine | ['Girl2Wolf Temple'] | [] | ['css', 'html', 'python'] | 4 |
10,276 | https://devpost.com/software/lifeline-gduo1n | Splash Interface
Dispatcher UI
Responder UI
Inspiration
During these tough times, we were concerned by the amount of stress placed upon our emergency services. After further research, we found that there were already issues with our emergency services system - miscommunications resulted in thousands of deaths per year - and with the increased stress on our responders, these figures would only go up. In order to improve this situation, we decided to make a dynamic management system to help emergency services coordinate and communicate more effectively.
What it does
LifeLine sends geolocation and health information of the caller ahead of time to emergency services. This allows emergency responders to be informed of the situation ahead of time. Additionally, the people in the emergency situation will always know where the responders are through the app, so that they can take more-informed next steps in stressful situations.
How we built it
Our web frontend, written in the powerful VueJS, embraces the JAMStack as a prerendered single-page application built with the durable meta-framework, NuxtJS. The views are styled with Buefy components and its underlying CSS library, Bulma.
We designed our backend REST API with Django and the simple, flexible Django SQL-backed Rest Framework, authenticated via JSON Web Tokens. We utilized MySQL, a table-based data store for more efficient and simpler backend logic.
The iOS front end uses the powerful, new, and reactive SwiftUI library. We have implemented HealthKit to get quick and easy medical information about the user and MapKit to give the user a live and accurate view of where their first responders are.
Challenges I ran into
We initially tried to do a websockets approach, but after realizing that it isn't well-supported on all platforms, we decided to switch to an HTTP polling method.
Another issue that we ran into was that Visual Studio Code Live Share, our real-time code collaboration tool, repeatedly disconnected, which made it a bit difficult to stay productive.
Accomplishments that we are proud of
We are proud that we have pulled together a team with members that have never worked with each other before, and still built to make a completely functional full-stack application with both web and iOS support.
What I learned
We learned how to build a REST API with Django, and how to utilize MySQL for more efficient backend logic. Our frontend developers have also learned how to use the Google and Apple Maps API for both displaying locations and geocoding.
What's next for LifeLine
We will implement smart-watch technology such as heart rate and blood oxygen levels into the app, on top of call transcribing features to make it even easier for both emergency services and people in trouble.
Built With
app-engine
axios
buefy
bulma
django
django-rest-framework
django-simplejwt
google-cloud
google-maps
googlemaps-api
healthkit
javascript
mapkit
mysql
netlify
nuxt.js
python
swift
swift-ui
vue
Try it out
gitlab.com
gitlab.com
gitlab.com | LifeLine | Our app, LifeLine, send relevant information ahead of time to emergency services when a dispatcher calls for 911. | ['Derick Mathews', 'Vincent Wang', 'Raghav Misra', 'Ethan Kuo'] | [] | ['app-engine', 'axios', 'buefy', 'bulma', 'django', 'django-rest-framework', 'django-simplejwt', 'google-cloud', 'google-maps', 'googlemaps-api', 'healthkit', 'javascript', 'mapkit', 'mysql', 'netlify', 'nuxt.js', 'python', 'swift', 'swift-ui', 'vue'] | 5 |
10,276 | https://devpost.com/software/the-mini-games-series | Website page
website code part 1
website code part 2
website code part 3
rock-paper-scissors code
rock-paper-scissors code part 2
mini story code
mini story code part 2
calculator code
calculator code part 2
make a password code
make a password code part 2
Backstory
Hi, my name is Carmen. I decided to join my first hackathon during quarantine since I didn't have anything else better to do this weekend. But also for the first-time experience. I don't have much hands-on experience with coding, as I mainly focused on the arts (such as music) my whole life, and I had just started learning C# ~4 weeks ago. Although I don't know much about coding, computer software, nor computer science, I didn't let it stop me from creating a functioning website. It's definitely not the best, but it shows my innovative side and my work ethic (since I'd never done these type of projects before, let alone doing it all by myself). I like to design, so I tried to make the website look neat and aesthetic as possible, given the limited amount of time I had. I also like to play games, so I thought making/designing mini games would be a fun project to start out this first time experience at a hackathon.
How It Works
This website essentially displays all the mini projects/games that I coded. They're simple and fun, but behind all that, there were a lot of coding done. The top of the web page includes a list of links that will lead to certain mini games. It is pretty simple, with one click to the image or a hyperlink, it'll direct you to a mini game so you can start playing. Repl.it was the site that I used to build the foundations of the website.
Challenges and Difficulties
There were a lot of Google searching, as I am not familiar with many aspects, starting out in this project. YouTube videos was also a source of information that I spent a lot of time in, with my first video as "How to create a website using HTML on repl.it". Saturday was spent watching a lot of tutorials, Google searching/hunting, while attending each and every workshop in the schedule. Sunday was then spent creating, designing, and coding, while also attending the workshops. I ran into lots of challenges during this process. There were many times I wanted to quit. I was frustrated, angry, and disappointed at the many obstacles that I took forever to overcome. Some were as simple as lining the images in the center of the web page, or even making the images as the hyperlinks. On top of that, codes were constantly developing bugs as I code more. It was difficult to seek the mistakes, but through extensive research, it was possible.
I'm proud that I made it this far, as an early beginner. In the process, there were many times I wanted to face defeat and not even turn a project in.
What I Took Away
I learned many technical skills, such as the basics of HTML and CSS, coloring of the web page, changing the sizes of images, applying hyperlinks/texts, and so much more. I never knew that I would be able to learn so much within a 48 hr time frame if I hadn't attended this event. Overall, I gained a lot of knowledge, and I couldn't have asked for a better way.
Built With
c#
css
html
repl.it
Try it out
website.carmenli1.repl.co | The Mini Games Series | Here is a display of multiple mini games that I'd made on repl.it. Some are childhood games, some are everyday necessities, some are security check, and more. Stick to find out what you can discover. | ['Carmen Li'] | [] | ['c#', 'css', 'html', 'repl.it'] | 6 |
10,276 | https://devpost.com/software/depressiondestroyerclient | Yikes Donald! Is that the best you can do?
A hearty welcome from Donald Duck!
DepressionDestroyer
Depression Destroyer
Why We Made This
We chose to make this project because we believe that there needs to be more fun in the world, and we wanted to have fun while making a project that would make teens laugh. With all the terrible things going on in the world, there needs to be something for people who are feeling down and need something happy.
How We Built
We used Java to build the UI and design the features of the Depression Destroyer. On the backend, we set up a server to continually feed fun and random insults and compliments.
Challenges We Faced
We had a lot of issues syncing the server to the program, and getting the logic to work perfectly was a struggle as well, but at the end, we succeeded, and created a successful program.
Welcome to Depression Destroyer, an application designed to help those who feel like they are too arrogant or sad (Or those looking for a few laughs).
This project is broken up into the client, located here, and the server, which provides a wide range of fun and colorful insults & compliments.
Upon opening the client, you will see a smiling Donald Duck, introducing you to the Depression Destroyer.
There are 4 main settings you can choose from: Yo Mama, Old Timey, Rare, and Cringe! There's also generic compliments & insults.
After clicking one of the settings (or none at all), you can request a compliment or insult, which is provided by our server.
This is just a fun project, and I hope you won't take offense to the insults that may appear.
Built With
elasticsearch
java
javascript
json
nestjs
typescript
Try it out
github.com | Depression Destroyer | A program designed to either lower someone's ego or boost it. Feeling down after a bad day? Use this! Want a couple laughs from strange insults and compliments? Use this! | ['Aarav Naveen', 'Sahus Nulu'] | [] | ['elasticsearch', 'java', 'javascript', 'json', 'nestjs', 'typescript'] | 7 |
10,276 | https://devpost.com/software/face-recognition-security-system | Inspiration
What it does
Our face recognition security system will send an alert to the user if an unknown person in our system is detected.
How I built it
My team built this by first taking open-source code, then tweaking it to be able to do face recognition on video as well as alert the user by lighting up an LED if an unknown person is detected using Arduino and the pyserial library in Python.
Challenges I ran into
The main challenge we had was face recognition on a video. The video turned out to be really slow and was broken up into many images. We found out that detecting though a webcam was much faster, so we decided to put our video files to be recognized in Obs Virtual Camera to simulate a webcam source. This helped to speed up our video.
Accomplishments that I'm proud of
We were able to recognize faces accurately and even use Arduino as an alert system.
What I learned
Through this project, I learned the process of detecting and recognizing a face.
What's next for Face Recognition Security System
Hopefully we can speed up the process of face recognition for video.
Built With
opencv
pyserial
python
Try it out
github.com | Face Recognition Security System | When an unknown person is detected, an Arduino LED with light up as an alert to the user. | ['Akemi Yu', 'Gavin Li'] | [] | ['opencv', 'pyserial', 'python'] | 8 |
10,276 | https://devpost.com/software/covid-a | Our home page
Inspiration
Some parts of the world are lacking information about what we fear the most - COVID-19. We wanted to make a website so that more people can get a sense of reality right now.
What it does
It is a website, linked to some others, of info that allows people to understand the current situation.
How we built it
Using programming languages via HTML, CSS, and JavaScript, we were able to create a simple website.
Challenges we ran into
We found it hard doing backend development and the data research to create the website, especially since some people dropped out of our group.
Accomplishments that we're proud of
We were finally able to code and add data from given websites on to ours, despite the amount of extra work added.
What we learned
We learned about RSS, web development, and frontend development.
What's next for COVID-A
We might add interactive Q&A, local information about the spread, and neighborhood information.
Built With
css
html
javascript
Try it out
sajivjam.gitlab.io | COVID-A | A website that gives info about latest COVID-19 cases impacting the world. | ['Shivanshu Prakash', 'Ryan Lo'] | [] | ['css', 'html', 'javascript'] | 9 |
10,276 | https://devpost.com/software/psychbase-doc | PsychBase.doc Logo
Inspiration
You've likely seen a number of apps and websites created recently to help combat the disastrous impacts of COVID-19. However, the majority of these programs have one flaw in common: they overlook the
unfolding mental health crisis
this pandemic is creating worldwide. In particular, the suffering of one group is often ignored: healthcare workers. Mental health care is already highly-stigmatized, but for this career, where stoicism is praised, it can be extremely hard for sufferers to reach out for and receive the help they need. This is especially concerning given that due to the taxing nature of their jobs, healthcare workers have historically had higher rates of depression and suicide than the general population.
Let's take a closer look at the numbers. A study out of China at the height of the COVID-19 outbreak there found that a shocking
72%
of healthcare workers reported being distressed,
45%
were experiencing anxiety, and
34%
were experiencing insomnia. COVID-19 is leaving such a substantial psychological toll on this population for many reasons. For one, doctors and nurses are working in a stressful hospital environment for such a long period of time, putting them at risk of burnout. They must also fear getting the virus, especially since many of them lack proper PPE. They are dealing with the grief of watching constant patient death and being isolated from their families.
Why is this such a pressing issue?
Simple. Beyond the idea that everyone has the
fundamental right to quality mental health care
, we already don't have enough healthcare workers. If poor mental health deems these heroes unable to continue working, our healthcare system is at risk of collapse, endangering the lives of the thousands of patients that are testing positive for COVID-19 every day. If everyday people can no longer work due to sickness, our already damaged economy will take a further hit.
We need our healthcare workers to feel adequately supported psychologically so they can continue saving our lives.
What it does
What's the solution, you ask? Introducing PsychBase.doc, the revolutionary new platform for healthcare workers to find and share helpful mental health resources during the COVID-19 pandemic. An anonymous, open-access database with a built-in email service, PsychBase.doc helps our #HealthcareHeroes obtain the support and psychological tools they need to remain happy and productive. It is divided into six categories, based on the most common stressors: Dealing With Burnout, Dealing With Grief, Fear of Contracting COVID-19, Stress & Shortages of PPE, Dealing with Pre-Existing Mental Health Conditions, and Misc.
_ The Process _
On the home page, click on the "Get Advice from the Medical Community" link.
You will be prompted to a page to enter your email address.
Check your inbox for a complete list of all the resources under that category!
If you wish to add a resource, visit "Contribute to the Database!"
You'll be prompted to a page where you can title the resource and select its type. This resource will then be added to our MySQL database.
Other features (in the works):
Select a tag (anxiety, depression, positivity, death, de-stress, suicide, support, how to cope) from the rectangle at the bottom of the page to search by tag. You'll receive an email with all the resources under that tag.
Select a resource type (articles, website, therapy/crisis prevention services, videos, forums, apps) from the second rectangle at the bottom of the page to search by type. You'll receive an email with all the resources under that type.
_ The Benefits _
Easy navigation process
Research-backed category organization for site layout allows users to quickly find help for the specific issue affecting them
100% anonymous to fight the heavy mental health stigma that healthcare workers experience
Self-guided to empower users (based on studies that have shown that doctors prefer to confide in each other as opposed to reaching out for traditional help); made by healthcare workers, for healthcare workers
Expedites the resource-search process
How we built it
We first sketched out the UI/UX using wireframing. Then, we moved onto front-end development by building the website. We started with HTML to flesh out the necessary information work, and then we moved to CSS and JavaScript to add the colors and aesthetic features. Through this process, we created our home page, about us page, and category page. We then used Java, PHP, and SQL to build the database and email features, as well as connect the front-end and back-end to build the full platform.
Challenges we ran into
We experienced frustration with connecting our front-end and back-end programs, but our patience brought us through.
We initially struggled to devise a website layout and pick a color scheme that worked; we eventually did more research to choose colors that were relaxing and a layout that was simple and not overwhelming.
Accomplishments that we're proud of
We're proud of identifying a need in our community that often goes overlooked, and then coming up with the idea for a database that is backed by scientific research. We built a website from scratch and connected it with HTML, PHP, and SQL programs to create a working platform, which was very exciting. We came together, all from different time zones, to create something that we hope will truly be of use for our #HealthCareHeroes.
What we learned
Lina - I came into this hackathon with very minimal knowledge of HTML, and I'm glad to have come out of it with a working knowledge of how to build a website and how to utilize CSS/Javascript! I also saw first hand how front end and back end development can come together.
Swetha - I learned how to combine HTML, CSS, PHP, and MySQL ,all ends of the front and back end for the first time. I also learned how to run my own localhost on my computer as well as collaborating with a team for a web dev project with both ends of development!
Albertina - One thing I learned was we could use back-end languages like Java and PHP to simulate real life purposes, which was illuminating in that Java seemed more real and had more potential to touch each of us in our lives. I also learned how to connect front end and back end languages and uncovered various new ways to accomplish projects and previously foreign actions.
What's next for PsychBase.doc
To further improve PsychBase.doc, we are working on convenience for the website. While we originally settled for emails to make the platform more intimate and anonymous, we want to expand so that users can simply click on a category and view the resources directly on the website. We also want to make the email feature more like a newsletter, where users can enter their emails once and automatically be sent out the most relevant resources every week. To further improve ease-of-use, we'd like to actually implement the search bar feature, as well as the search by tag and search by resource type algorithms. Additionally, we want to improve the website UI/UX to make it even more visually appealing and relaxing for users.
In terms of content, we'd like to partner with large mental health nonprofits, like NAMI, as well as organizations that represent healthcare workers and governments. This will ensure that we can curate and display the most meaningful, helpful resources on our site.
Lastly, for security purposes, we'd like to create a short authentication method to make sure malicious users don't take advantage of the site.
Built With
canva
css
html
java
javascript
php
sql
Try it out
github.com | PsychBase.doc | By healthcare workers, for healthcare workers: a revolutionary new platform for #HealthcareHeroes to find and share mental health resources during the COVID-19 pandemic | ['Albertina Lee', 'Swetha Tandri', 'Lina Chihoub'] | [] | ['canva', 'css', 'html', 'java', 'javascript', 'php', 'sql'] | 10 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.