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,222
https://devpost.com/software/scape-fqzwj4
What does it do? scape is a lightweight, fast, and cross-platform terminal file manager written in Rust, with asynchronous tasks being multiplexed across all physical CPU cores using tokio and it's rt-threaded feature. This allows non-blocking reads of directories, files, and keyboard input. Instead of a normal GUI, file icons, and mouse input, scape lives entirely in the terminal. It displays text, some color, and allows you to use only a keyboard to navigate. Being a vim user, I decided to design scape with existing vim bindings in mind. You use h j k l to move around, and vim-style key chords are also available. I find that using terminal and command line applications greatly boosts my workflow, as I am able to navigate around my filesystem quicker with a keyboard than with a mouse. Why? Being frustrated with existing terminal file managers (i.e. broot in Rust, lf in Go), I decided to make my own. There's nothing wrong with them, just small things that I felt I could do better. In its current state, scape is not yet rivalling the functionality of these existing solutions, but serves as a starting point for future development. It doesn't look like much, but for me, developing this was less about the program itself, and more about diving deeper into Rust, and asynchronous Rust programming: I learned a lot from making this. How does it work? scape only has two dependencies: crossterm - A cross platform library for terminal manipulation tokio - A fast, asynchronous runtime library Essentially, crossterm allows us to write text to the terminal, push some colors, and move stuff around how we'd like. tokio allows for concurrent/parallel tasks, meaning operations that could take a while, like reading a directory or listening for keystrokes, can be ran at the same time. On the topic of keystrokes, scape is designed for easy implementation of configurations in the future. Take a look at how easy it is to add a new chord (a chord is a sequence of keys pressed to yield an action from the program): let f_chords: HashMap<Chord, Cmd> = HashMap::new(); f_chords.insert(Chord('q', 'q'), Cmd::Quit); I wrote it as f_chord , meaning functional chord, since it has a "function", or Cmd attached to it. This particular chord would require me to press 'qq' to quit scape . The Cmd is listened for asynchronously, and when it's detected, a corresponding action is performed. If you're wondering how Chord and Cmd are defined, they're quite simple: #[derive(Copy, Clone, Debug)] pub enum Cmd { Quit, // Leave the program DirUp, // Scroll up DirDown, // Scroll down DirOut, // Go to the parent directory DirIn // Go into the directory you're highlighting } #[derive(Eq, Hash)] pub struct Chord(pub char, pub char); The derivations on Cmd are there because of how I designed scape around Rust's type system. The derivations on Chord are useful because it allows us to use HashMap s and HashSet s. These collections are great because they offer fast lookup, and all keys are guaranteed to be unique. This means we don't allow any duplicate Chord sequences, or any duplicate directories in our cache. Challenges While I've tinkered with Rust in the past, scape is my first real Rust project. Rust's safety is one of its main features, and that can somewhat slow down a developer used to more unsafe languages. On top of that, thinking in/writing in an asynchronous mindset for the first time was definitely a challenge. That being said, tokio was fantastic to work with, and I'll definitely be using it to continue scape 's development. Considerations for the future Here's a quick list of things I plan to consider for continuing scape : Leverage Rust's ownership model and type system more - I didn't really make full use of it in this project, given the short period of time and how new I am to Rust, but I am definitely interested in learning Rust more depth and applying it to scape . Segregate tokio tasks - At the moment, input handling and rendering are sort of intertwined. I'd like to seperate those, along with other functions of the program, to make it easier to work on. Directory caching - I almost implemented it in this version, but decided against it. My original implementation was a HashMap keyed with the PathBuf of the directory in question. This theoretically would have been pretty fast, but I'm open to explore more (and potentially better) solutions. Nailing down the filesystem/file tree structure - I'm not entirely happy with how I structured the filesystem. I think I could have done a better job. With more considerations and time, it should see big improvement. Configuration system - I'd like users to be able to configure scape to their liking, through a file. Scrolling - A basic quality of life feature that I did not have time to add. My original idea involved mutating a slice of a Vec , which is an illegal operation in Rust. I'll have to rethink my approach. Editor and Opener support - I'd like to be able to hit a key and open a file in vim, or NotePad, or whatever I choose! File and Image previews - In an attempt to completely replace my GUI file manager, I'd like to have file and image previews. nvim plugin - Once scape is in a stable place, I plan on making an nvim plugin for it, so that I can use it to navigate around my codebase. Typed commands - On top of chords and single-key actions, I'd like to able to type some commands. Some examples are mkdir and mkfile Symlink representations - Implement accurate representation of symlinks (safely) Test on MacOS and common Linux distributions - These systems remain untested at the moment "cd" functionality - I'd like to be able to change directories of the parent shell from within scape File operations (move/rename, delete, etc.) Upload to crates.io - This is so anyone can do cargo install scape and have the scape command ready to them Bugs Currently, there are two known bugs: Slight flickering and general glitchiness when traversing large directories: I don't know the cause of this yet. I think it might have something to do with cursor::Hide from crossterm not working properly. When more than one chord is defined, only the last defined one works (FIXED): This was because I forgot to drain the chord HashSet . It has been fixed. Continuing the project Right now, you can find scape at https://github.com/marc1/scape-vh , vh being for VikesHack . I'll be continuing the project at https://github.com/marc1/scape in the future. Built With crossterm rust tokio Try it out github.com
scape
A fast terminal-based file manager written in Rust
[]
['Best Overall Hack']
['crossterm', 'rust', 'tokio']
1
10,222
https://devpost.com/software/resist-tha60v
In these challenging times, our generation is very involved in the societal conflicts we face. However, those who want to join the movement often struggle on where to start and how to join. This app allows you to join peaceful protests near you which we find through Facebook and Twitter posts. This was my first time using Figma to design something, but after getting used to the basic controls, it was smooth sailing from there. Not only that, Figma also offers a feature that allows you to transform your designs into real code, making it much simpler when I build the real app. Before making the home screen, it was very difficult for me to find inspiration on what the app should look like, color scheme, etc.. But after finishing the home screen, it gave me motivation and an idea of what the finished app should look like. All in all, I am really satisfied with what I've designed in the last 24 hours. https://www.figma.com/file/Ygf1Iumb2uxphlr9iBVJt1/Resist?node-id=5%3A201 Built With figma Try it out www.figma.com
Resist
Finding peaceful protests and rallies of all sorts in a consolodated app.
[]
['Best Prototype']
['figma']
2
10,222
https://devpost.com/software/auto-generate-quizes
home page, can manually add quizes or get automatic quizes auto generator page quiz page quiz maker page Inspiration learning for exams What it does auto generate quizes manually add quizes How I built it parsing text based on logic of Wh-questions Challenges I ran into parsing text what type of question fits the sentence handle json arrays in a json file Accomplishments that I'm proud of see it auto generates quizes from a random text What I learned regex javascript promise json array teamwork time management What's next for Auto Generate Quizes generate more precise questions using ML make an error checker more precise Built With css html5 javascript php Try it out github.com
Auto Generate Quizes
Auto generate quizes from text file. Good for learning or revising lessons.
['Vicky Nguyen', 'Poomon001']
[]
['css', 'html5', 'javascript', 'php']
3
10,222
https://devpost.com/software/3d-world-exploration-game
Inspiration This project was inspired by experiments both in 3D rendering and Perlin Noise. I was originally doing the two independently when I realized I could use them in conjunction to randomly generate terrain. What it does To give the program control of your mouse, click anywhere inside the Pygame window. This will hide your mouse and allow you to move it to look around. To release your mouse, just click again. Looking around does not affect the motion of the car. Use the WASD keys to control the car: W and S to move forward and back and A and D to turn. You cannot turn unless you are moving. How I built it A lot of trigonometry! The terrain and the car are stored in a list of shapes, which are in turn lists of points, which are 3-dimensional co-ordinates [x, y, z]. Then all of the shapes are rotated to match the rotation of the camera object and then translated onto the screen. To get the third-person perspective, I had to rotate everything around a point that was not the viewpoint, which was more difficult than I anticipated. Challenges I ran into It was difficult originally to create noise algorithm, which is in fact slightly different than Perlin Noise, but was definitely inspired by it. It was very difficult to first figure out the math to draw a first-person perspective, then to draw a third-person perspective was difficult again. Unfortunately, I could not introduce colour in time. Getting the car to look good was also a challenge. Accomplishments that I'm proud of I am proud of the way the terrain is generated and rendered. This was difficult to accomplish and I managed it without using any libraries. I am also proud of the way the car tilts according to the terrain it is on. What I learned I learned heaps about Perlin Noise and the type of mathematics used in it (which is largely vectors) and the mathematics used in rotating and projecting 3-dimensional shapes onto a 2-dimensional screen (which is entirely trigonometry). What's next for 3D world exploration game Next I will try to make the car look more realistic and I will also add colour. I would also like to clean up the way the car tilts according to the terrain it is on. Built With pygame python Try it out github.com
3D world exploration game
Explore randomly generated 3D terrain and enjoy the virtual landscape.
[]
[]
['pygame', 'python']
4
10,222
https://devpost.com/software/password-generator-v4aufd
User chooses password attributes Passwords stored in passwordList.txt Different variation of customization Inspiration I decided to make this program to give the user some control over the password that is generated for them, so they can use the password in places where a strong password is required. Since a lot of university students are required to create many accounts for scholarships and learning resources, I figured it might be helpful to not only generate a random password but also automatically store it somewhere for later use. What it does Generates a password, based on some specifications given by the user through a GUI dialog. The password is then copied to the clipboard and can also be written to a .txt file with the website name if the user so chooses. How I built it I wrote a java file from scratch in an IDE over the course of 4 hours. Challenges I ran into Although this isn't the most advanced program, the biggest challenge I faced was formatting the GUI dialog to my liking. Accomplishments that I'm proud of Firstly, I'm glad I could make the GUI work, and secondly, I am happy that I could make a well-documented, streamlined, and useful program for my first Hackathon. What I learned I learned more about Java than I knew yesterday. Specifically, Swing, FileWriter, and different instances of control flow. What's next for Password Generator This program could do well with some additional features, but it is quite useful in its current state. Built With java Try it out github.com
Password Generator
Generates a strong random password based on some user specifications through a GUI dialog.
['Jeet Ajmani']
[]
['java']
5
10,229
https://devpost.com/software/loto-abk9q3
Vista app 4- Game Vista app 3- Bot voice Vista app 5- Questions Vista app 1-Home Vista app 2 - Bot Vista extension 2-Lesion Vista extension 1-Signo Loto Categoría: Una Colombia más equitativa / Colombia durante y después del Covid Video: https://www.youtube.com/watch?v=d_usrwqr-cQ Problema En Colombia, la violencia intrafamiliar es una problemática que evita que el país crezca en igualdad y seguridad. Es tanto así que, esta misma, ha cobrado la vida de más de 10220 personas, las cuales, hubieran podido salvarse si se les hubiese brindado la ayuda y el apoyo adecuado. Según un informe de medicina legal, durante los primeros meses del año 2020, la agresión entre parejas ha aumentado un 0,4%, hasta alcanzar los 10.220 caso. El instituto de medicina forense afirma que son las mujeres las más afectadas. De los casos registrados (15.440), aproximadamente el 76,7% son mujeres. En total, el aumento entre 2019 y 2020 fue de 2.016 casos, una cifra preocupante que es generado por el constante convivio de las víctimas con los agresores durante el confinamiento. Solución "Loto", una aplicación para móviles que le permite a las personas recibir ayuda cada vez que lo necesiten, brindándoles una mano e informándoles de las alternativas a seguir para salir de ese ciclo de violencia que viven dentro de su propio hogar, es el lugar donde muchos de nosotros pasamos el confinamiento producto por el covid 19. Por otro lado, Loto también cuenta con una extensión añadible a chrome. detecta lesiones, o el símbolo señalado para pedir ayuda (una “x” creada por los dedos). En cualquiera de las dos ocasiones, se le será enviada una notificación para confirmar su estado de peligro. Prototipo El prototipo esta compuesto por un apk para android de la aplicación,y una extensión en la carpeta llamada Loto ambas dentro de la carpeta ejecutables, el paso a paso de su ejecución a continuación: App Descargar el apk que se encuentra dentro de la carpeta ejecutable en este repo y pasarlo a celular o descargarlo directamente desde el celular con el siguiente link https://drive.google.com/file/d/1jHESVWtjJC-hmq66buzjd4HuOwFRQnZU/view?usp=sharing . Es importante aclarar que para instalar un apk de terceros, se debe tener activado o habilitado la opción de instalación de fuentes desconocidas en el celular y que aparecerán advertencias de Google Play, se debe seleccionar instalar de todos modos. Una vez instalada empezar a navegar. Aclaración: El código fuente se encuentra en la carpeta appFlutter, este se puede ejecutar en un computador con flutter instalado para correr en un emulador o directamente en un dispositivo. Extensión 1.Para ejecutar la extensión, se debe ingresar a la url chrome://extensions/ , una vez allí activar el modo de desarrollador como se ve en la imagen. Luego oprimir el botón Load Unpacked y cargar la carpeta llamada Loto dentro de la carpeta ejecutables de este repositorio. Finalmente la extensión esta instalada, ahora para facilitar su manipulación se añade a la barra. Oprimiendo el icono se deberán llenar los datos del contacto de apoyo y la persona, esto es necesario para que cuando se identifique alguna lesión o la señal (x con los dedos definida por la app para lanzar la alerta), serán enviados a los datos del contacto de apoyo. Aclaración de uso: Loto extensión, recibé infomación de las siguientes plataformas: meet.google.com us04web.zoom.us sceenic.co web.skype.com teams.microsoft.com bluejeans.com webapp.lifesize.com google.duo.com app.houseparty.com i.ibb.co (Para efectos de pruebas y prototipo) Si desea probar una vez añadido los datos del contacto, puede abrir: https://i.ibb.co/HVwMMpT/lesion.jpg para probar lesión o en su defecto subir una imagen de lesiones a esta plataforma y probarla, para el caso de signo basta con abrir una videollamada y hacer la X con los dedos. Una vez se identifique se enviará un SMS a su contacto de apoyo, este solo se envia en intervalos de 6 minutos. Nota: Por cuestiones de privacidad de chrome Loto solo analiza la primera de las pestañas que pertenezca a alguna de las urls antes mencionadas cuando se encuentre seleccionada, para probar otra página deberá cerrarla y abrir la otra. *Si las imágenes no se visualizan entrar al github: https://github.com/Lala341/Loto Built With dart html javascript kotlin objective-c swift Try it out github.com
Loto
"Loto", una app móvil que pretende ayudar a personas en vulnerabilidad doméstica, haciéndoles saber que no están solos y que, así como la flor de Loto, puedan crecen entre en fango.
['Laura Camacho', 'Gisella Herrera']
['Mejor Solución de la Hackathon Uniandes 2020']
['dart', 'html', 'javascript', 'kotlin', 'objective-c', 'swift']
0
10,229
https://devpost.com/software/omicron-s28in5
Inicio Actividad Estudiantes Landing 4 Landing 5 Login Landing 3 Landing 1 Cuaderno Landing 2 Inspiration Como consecuencia del COVID, uno de los sectores más afectados ha sido el educativo debido a que a lo largo del país no se presenta la infraestructura necesaria para atender a los estudiantes por medio de herramientas virtuales. Es por ello, que analizando este problema encontramos que una gran cantidad de colegios, en su mayoría públicos no han podido adaptarse adecuadamente a la virtualidad. Sin embargo, la solución más común que se presenta a lo largo de los departamentos es que los estudiantes tanto de primaria como de secundaria y algunos de ellos desde el teléfono de sus padres, envíen sus tareas y trabajos a los profesores por algunos medios de comunicación, principalmente WhatsApp debido a que esta plataforma es de uso gratuito y está adaptada a un gran número de celulares. Encontramos que una gran cantidad de colegios han podido generar guías para los estudiantes que pueden imprimirlas en las papelerías designadas por el colegio y también que algunos estudiantes reciben un archivo editable, sin embargo, de estos últimos son muy pocos los beneficiados. Lo anterior conduce a que el maestro descargue una por una las imágenes que el estudiante haya enviado de sus talleres, cree carpetas para el estudiante, gestione cada una de las materias del estudiante y vaya clasificando cada imagen que le llega en la carpeta correspondiente y ahí sí pueda dedicarse a calificar a un estudiante. El anterior proceso puede llegar a gastar hasta varias horas de trabajo extra al día, generando desgaste en los profesores y algunas veces no se califique adecuadamente por la gran cantidad de trabajo que realizan, implicando que los estudiantes no lleguen a aprender de forma adecuada debido a que no reciben la retroalimentación correspondiente. What it does Omicron es una plataforma dirigida principalmente a profesores que reciben sus trabajos por medio de aplicaciones como WhatsApp. Estamos enfocados en disminuir el tiempo en la clasificación de trabajos y hacer más amena la calificación de tareas y talleres para el profesor. Esto permitirá que el estudiante reciba la calificación adecuada y facilitamos al profesor el uso de una herramienta tecnológica disminuyendo así su tiempo de calificación de un taller o actividad y permitiendo que trabaje el tiempo estipulado en su contrato o que dedique el tiempo restante para elaborar guías más elaboradas. ¿Cómo lo hacemos? Todo inicia cuando el profesor crea el taller, una vez el profesor ha desarrollado el taller en su herramienta preferida ingresa a Omicron con sus credenciales. Una vez esté dentro el profesor crea una actividad o taller, luego de crearla obtendrá un código QR que identificará esa actividad en particular. Por ahora, el profesor descarga este código y lo adjunta en alguna parte de su taller. Luego de esto, se presentan dos caminos según la disponibilidad tecnológica del estudiante, recibir la copia física del taller (dada por el colegio con intermediario de algunas papelerías como mencionamos anteriormente) o recibir una copia virtual editable. En ambos casos se posee el código QR que identifica a la actividad dentro de la plataforma. Una vez el estudiante ha completado la actividad el profesor recibe la imagen del taller o su copia virtual. Posterior a esto, el profesor reenvía estas fotos al chat creado en privado con Omicron y al terminar de enviar todas las actividades del estudiante recibirá un mensaje diciendo que por favor digite el código del estudiante al cual le quiere añadir esta información. En esta parte, Omicron automáticamente asociará la actividad del estudiante y creará cuadernos virtuales con cada una de las actividades que vaya entregando el mismo por medio del reconocimiento de texto y reconocimiento de imagen. Luego de esto, el profesor por medio de nuestra plataforma podrá visualizar cada una de las entregas que ha realizado el estudiante y ver las entregas de forma cómoda debido a que ya están organizadas y clasificadas en un solo lugar. How we built it Se crearon 2 repositorios, uno que contiene el front y otro que contiene el back. Asignamos diversas tareas en Trello y según nuestros gustos y tiempos las fuimos eligiendo para la comodidad del equipo. Diariamente nos reuníamos para desarrollar la aplicación, para ello, usamos la sincronización y concurrencia que ofrece GitDuck en Visual Studio y estuvimos pendientes tanto de nuestro desarrollo como de nuestros compañeros en caso de que presentaran problemas. Challenges we ran into Aprender y mejorar nuestras habilidades en diversos Frameworks y APIs Accomplishments that we are proud of Generar QRs, insertar QRs, leer mensajes a partir de un QR, comunicar con Twilio, comunicar WhatsApp con nuestra base de datos, procesar imágenes y convertirlas en formato pdf para ponerlas en un visualizador dinámico de pdf's (sin embargo debido a Yumpu con su prueba gratuita no se puede visualizar de la forma ideal), procesar texto a partir de las imágenes, tener un equipo eficiente que logró un gran avance en el desarrollo teniendo en cuenta las restricciones de tiempo de la mayoría de sus integrantes. What we learned Nuevos lenguajes, frameworks. Nuevas herramientas de trabajo en equipo como GitDuck. Organizar las tareas de forma eficiente para que todos los miembros trabajaran según su disponibilidad y sus gustos. What's next for Omicron En un posterior desarrollo nos permitirá generar reportes para que se generen avisos automáticos a los padres de familia de las entregas de sus hijos y que los profesores puedan tener un seguimiento más adecuado y detallado de cada uno de sus estudiantes y monitorear cada una de las asignaturas que dicta, así como generar posible información de valor previa autorización del profesor con el reconocimiento de texto, a la vez de generar un observador virtual del desempeño del estudiante. Y así es como funciona Omicron, agilizamos el trabajo de los profesores que reciben sus trabajos por WhatsApp y mejoramos su experiencia de calificación. Built With bootstrap django fpdf html5 javascript json node.js npm os python twilio whatsapp yumpu Try it out github.com github.com
Omicron
Facilitamos y agilizamos el trabajo de profesores que reciben sus trabajos por medios de comunicación como WhatsApp y mejoramos su experiencia en la calificación de trabajos
['Germán David Martínez Solano', 'daniela mariño', 'Nicolás Andrés Tobo Urrutia', 'Juan Andrés Avelino Ospina', 'Catalina Alcalá']
['Mención meritoria en la Hackathon Uniandes 2020']
['bootstrap', 'django', 'fpdf', 'html5', 'javascript', 'json', 'node.js', 'npm', 'os', 'python', 'twilio', 'whatsapp', 'yumpu']
1
10,229
https://devpost.com/software/vizinhohackathon
Como cualquier idea, partimos de nuestras propias concepciones. Los cuatro como equipo: Santiago Bobadilla, Daniel Martinez, Juan J. Escobar, y Juan J. Beltrán; hemos pasado por varios sentimientos durante y en ciertos casos antes de este confinamiento. Sentimientos difíciles de apalabrar, pero que al investigar se acercan y revelan un perfil psicológico emocional propio. Creemos y casi afirmamos que no somos los únicos que estamos pasando por la misma situación, por tanto, nos propusimos generar una herramienta que generara el perfil del usuario y fuera capaz de sugerirle ciertas actividades que le sirvieran para sentirse más vivo, mucho mejor, con más energía y mejor salud. Sin embargo, no nos limitamos a eso. Entendemos que cada persona tiene gustos diferentes y agrado por ciertas actividades, como desagrado por otras. Por lo cual, por medio de un optimizador lineal, le vamos a sugerir al usuario aquellas actividades que además de que le sean útil, sean aquellas que maximizan sus gustos. Esto, sujeto a una respuesta variada. Esperemos les sea de su agrado, y les sea tan útil como a nosotros. Gracias ! Built With gurobi python sqlite Try it out github.com
Vizinho
Buscamos dar sugerencias de actividades optimizando los gustos de usuario, y buscando recomendaciones especificas a su propio perfil psicológico emocional el cual creamos con la herramienta.
['Santiago Bobadilla', 'Juan José Beltrán Ruiz', 'Juan José Escobar', 'Daniel Martínez']
[]
['gurobi', 'python', 'sqlite']
2
10,229
https://devpost.com/software/truever
Inspiración Comenzamos este emprendimiento dado el exceso de desinformación presente en nuestro país. En tiempos difíciles es donde más tenemos que unírmos como sociedad y con la pandemia del COVID-19, queremos asegurar el periodismo de alta calidad y reducir la distribución de noticias falsas en internet. ¿Qué hace Truever? Truever es una herramienta digital que te permite revisar la calidad de las noticias que frecuentas y advertirte sobre posibles medios que pueden ser de baja calidad periodistica. Usamos Procesamiento de Lenguaje Natural sobre los articulos para intentar dar una prediccion sobre la calidad del articulo que estas leyendo. Tambien evaluamos la calidad de los portales web de noticias por medio de votaciones de fundaciones que intentan proteger al lector de contenidos de baja calidad. ¿Cómo lo construímos? La clave para el desarrollo de esta tecnología fue la organización y trabajo en equipo. Nos dividimos en 2 equipos (apoyándonoslas todos mutuamente) en Front y Back end, cada equipo cumplía un horario tal que el desarrollo de este prototipo estuviera en desarrollo 24/7. En la construcción de Truever utilizamos dos API´s, la primera TrueverAPI se encarga de verificar la calidad del sitio web en el que se lee una noticia, a partir de las votaciones de un grupo en constante crecimiento conformado por organizaciones de la sociedad civil, profesionales del periodismo, las ciencias y las humanidades. La segunda es FakeAPI cuya función es realizar una evaluación del artículo o noticia dando como resultado una calificación de confianza, usando librerías que implementan algoritmos de web scrapping y machine learning para determinar si el contenido puede ser falso, sesgado, o Clickbait la API a su vez funciona gracias a dos librerias de código abierto “news pls” para analizar noticias y “robinho”para la implementación de machine learning. Retos que encontramos Integrar el front-end y el back-end fue uno de los retos, ya que nos dividimos en grupos de trabajo para este desarrollo. Por otro lado, desde el back-end lograr el deploy del API REST fue difícil por la documentación estaba desactualizada para la versión de django que empleamos. Por último, uno de los mayores retos del front-end fue hacer las solicitudes al back y poder recibir la información de este mismo para mostrarla en la extensión de manera adecuada Accomplishments that I'm proud of Lograr hacer deploy de la aplicación del back-end fue todo un logro debido a la cantidad de documentación y foros que tuvimos que revisar y que al final no fue útil, se podría resumir que fue una experiencia de aventura y trofeo adquirido ver el build exitoso en Heroku. También algo de lo que nos sentimos orgullosos es aprender en tiempo record sobre extensiones y diseño responsive Qué aprendimos Durante este proyecto conocimos muchas herramientas que nos facilitaron completar nuestra tarea con el proyecto. También aprendimos de herramientas para trabajar en equipo y conseguir nuestros logros de manera rápida. Lo mas importante fue armar un equipo competitivo y que se entiende de una excelente manera. Built With django extension firefox heroku html5 javascript jquery machine-learning news-please postgresql python robinho Try it out truever.co
Truever
Truever servicio de detección de noticias falsas, alimentado por la comunidad y vigilado por profesionales de las ciencias, humanidades y el periodismo.
['https://youtu.be/w1_VbP81EWI', 'Santiago Sáenz', 'https://youtu.be/w1_VbP81EWI', 'Santiago Vargas', 'https://youtu.be/-4ScQIiUOys', 'Diego Forero Cruz', 'https://youtu.be/-4ScQIiUOys', 'David Monsalve', 'https://youtu.be/w1_VbP81EWI', 'Juan Lucas Ibarra Sierra']
[]
['django', 'extension', 'firefox', 'heroku', 'html5', 'javascript', 'jquery', 'machine-learning', 'news-please', 'postgresql', 'python', 'robinho']
3
10,229
https://devpost.com/software/qubot-t5lu6h
Logo APP Inspiration Mejorar la condicion de los empresarios y emprendedores en colombia que sufren debido al covid-19 What it does Automatiza servicios de las empresas y negocios mediante la implementacion de chat de bots y streaming services de sceenic How I built it Usando node.js vue, nuxt y manejo de base de datos con postgreSQL. Desplegado en AWS. Challenges I ran into Manejo de bases de datos, relacion de peticiones POST,GET Accomplishments that I'm proud of Web app funcional con front y back, ademas de What I learned Primera app funcional con front y back, manejo de autorizaciones de usuarios y almacenamiento de bases de datos What's next for Qubot Implementación de un módulo de analítica avanzada para dar reportes precisos e informativos para un análisis de toma de decisiones Built With javascript node.js nuxt sequelize vue Try it out github.com github.com
Qubot
Automatizacion de servicios para micro-empresas colombianas
['jm-olave Olave', 'Daniel Valbuena Bautista', 'JDVR25 Villamil', 'Pablo Garzón', 'Nicolás Londoño']
[]
['javascript', 'node.js', 'nuxt', 'sequelize', 'vue']
4
10,229
https://devpost.com/software/cenit-hqcbr4
Kahoot - Prototipo Nueva Sala - Prototipo VideoChat - Prototipo Home - Prototipo Salas - Prototipo Chats - Prototipo Inspiration Para nadie es un secreto que la educación no llega a cada rincón de Colombia. La situación es aún más complicada ahora, debido a que el distanciamiento social necesario para evitar la propagación del CoVid-19 ha dificultado aún más el acceso a la educación de las personas más vulnerables. Por otro lado, las instituciones educativas se vieron forzadas a usar plataformas digitales para dictar sus clases. Entre ellas se encuentran sus propias plataformas educativas (como LMS’s) y alternativas gratuitas como Zoom, Microsoft Teams y Google Meet. Estas plataformas tienen pocas herramientas interactivas e intuitivas por lo que, aunque son efectivas en un entorno universitario, pueden no ser suficientes para el óptimo desempeño de los estudiantes de la educación primaria y secundaria. What it does Es por ello que decidimos crear una plataforma educativa para dispositivos móviles (debido a que queremos que más gente pueda acceder a ella) con el modelo de sitios como Coursera o Udemy, en el cuál las personas se pueden inscribir a diferentes cursos para aprender lo que deseen. Los cursos son gratuitos, los profesores son voluntarios y se busca financiación por medio de publicidad. La propuesta de valor de la plataforma se encuentra en la mezcla de este modelo de cursos con la posibilidad de clases en vivo. Dentro de las clases se le permite a los estudiantes y profesores hacer uso de herramientas útiles como una calculadora, un diccionario, la creación y ejecución de un Kahoot o cuestionario, el despliegue de un cuaderno por parte del estudiante y un tablero por parte del profesor, entre otros. Estas clases pueden ser descargadas por los estudiantes de forma funcional; es decir: el estudiante puede acceder a sus herramientas en la clase grabada y, si se hizo un Kahoot o cuestionario, responderlo como si estuviera en la clase en vivo. Las características de la descarga permiten que personas sin una conexión estable o que solo tienen acceso a internet en ciertos lugares o momentos tengan la posibilidad de acceder a una buena educación, como si estuvieran aprendiendo con un profesor en vivo. Por otro lado, se añadió una función de chat para que los estudiantes puedan hablar en privado con sus profesores y con otros estudiantes. También se permite crear un videochat privado entre estudiantes, en el cuál pueden repasar con cuestionarios de sus clases y competir para divertirse aprendiendo. How I built it Se creó un prototipo visual en Adobe XD. La aplicación fue creada sobre Java en Android Studio. Se utilizó Sceenic y su documentación para la implementación de los videochats y Firebase para la implementación de los chats de texto. Challenges I ran into El primer desafío fue elegir la tecnología a utilizar, debido a que ninguno de los miembros del grupo tenía experiencia en el desarrollo de tecnologías móviles. Por ello, se invirtió una gran cantidad de tiempo en la lectura de la documentación y la realización de tutoriales que nos dieran las herramientas necesarias para crear nuestra aplicación. El segundo desafio fue la búsqueda del API para los video-chats y su implementación. Luego de ello, nos topamos con el desafío de la implementación de los chats. Accomplishments that I'm proud of La implementación de los videochats con Sceenic y de los chats con Firebase son los logros de los que más estamos orgullosos, debido a que como se mencionó anteriormente fueron los retos más grandes que tuvimos. Además, logramos un prototipo visualmente atractivo, en el cuál consolidamos todas nuestras ideas de funcionalidad para guiarnos al momento de desarrollar la aplicación. What I learned Aprendimos un poco de desarrollo móvil con Java en Android Studio, el uso del API de Sceenic para la implementación de sesiones de videollamadas. Además, aprendimos a trabajar con servidores y bases de datos de Google para poder implementar los chats con Firebase. What's next for Cénit Cénit busca ser una plataforma que lleve la educación a todos los rincones de Colombia. Este producto inicial se presenta como una solución rápida para los problemas de conectividad en ciertas regiones. Sin embargo, a futuro se piensa en la creación de un producto hermano de Cenit que se implemente directamente en escuelas pequeñas o puntos de confluencia de comunidades vulnerables con el cuál puedan acceder directamente a contenido interactivo de calidad que facilite el aprendizaje y el proceso educativo sin necesidad de ningún tipo de conexión a internet en ningún momento. Cénit es educación gratuita de todos y para todos. Built With adobe-xd android-studio firebase flask java python sceenic sql-lite video-chat Try it out github.com xd.adobe.com
Cénit
Cénit, educación gratuita y accesible de todos y para todos.
['Luis Gómez Amado', 'diana silva', 'Santiago Estupiñan', 'Daniel Santiago Tenjo Leal', 'Juan Felipe Rubio']
[]
['adobe-xd', 'android-studio', 'firebase', 'flask', 'java', 'python', 'sceenic', 'sql-lite', 'video-chat']
5
10,229
https://devpost.com/software/test-qx1l6w
Flow Chart Machine Learning Model Inspiration The Covid-19 pandemic has spread around the world not only a virus, but as a global economic crisis. The virus transmission coefficient is high (1 person can infect other 40), which has caused many establishments such as shops, restaurants and sports facilities, to close or face strict regulations in order to keep social distancing when operating. In total, the economic effect of the pandemic has brought a 3.5% increase in global unemployment with respect to 2019 (IMF). In Colombia the unemployment rate increased to 21.4% One of the main factors is found on the restrictions on in person transactions (restaurants, stores and so on). Developing countries like Colombia cannot keep the economic at a standstill, for the social consequences are made more critical by the limited aid that government is able to provide. In face of this restrictions, owners had to close their business and fire employees because of the losses. Because of the lack of strategies of safely not only open establishments, but also re-activate economy, we created Kairos, an intelligent crowd-managing platform to decrease establishments closing rate. What it does We built a mobile app that lets the user make reservations, know the capacity of the store at a specific time, and predicts the people that will be in that establishment at that hour. This makes for a safer, more efficient visit. Being a two-front platform, the owner (admin) will also benefit from this, having a better sense of the potential visits during and after the lockdown, which not only optimizes the flow of people and hence the labor costs, but also protects and tracks the health of their visitants. How we built it In order to train the Machine Learning model we took into count 9 different variables that directly affects people’s mobility, and the one that will be tuned which is the maximum number of people that a place can hold, according to social distancing regulations and its area. All these variables together show a better, but not still exact, way to know the amount of people presented in a store. Challenges we ran into There were two main challenges during this project. The first one is mainly because of the lack of individual’s mobility data during lockdown. Therefore, we had to do lots of research in order to understand what are the key variables that make humans go out; also, approximating how important that variable is for the decision, using the Machine Learning model. Second, the development of the application itself. Having only 9 days to build it, and so many features to add, it was challenging the collection of every API, and to make them work as we needed. Accomplishments that we are proud of As a team, we are, first, proud of having implemented a two-front platform that will be able to help two admins to manage their establishments, and users to have more comprehensive data about the place they will head to. Secondly, the development of the application itself is a high accomplishment since none of us was a Flutter expert. And third, a great teamwork. During lockdown one might think that communication will be an issue; however, we were more unique than ever. Each one of us knew exactly what to do, when to do it, and how to do it. Been this stated, the key for a good submission. What We Learned How to get things done. Ahmed Ashkar, CEO of Hult Prize said, “Solving the world’s most pressing challenges is not just the right thing to do, it is also a good business”. We learned that getting together our skills can make a difference when developing and deploying a project. If you are working for a purpose, do not try people to follow you; instead, make them love the reason why you do it. With this team we learn not only how to work together, but also how to be passionate about a certain project. Also, we learned that everything we do can be remarkable, if you start by questioning yourself why, then how, and lastly what you are doing. What's next for Test Please download the Android APK to test our project. For the user testing, please register (please do not use special characters). Password must be at least 6 digits long. For the Admin testing, use the following loging: User: zaraCol@yopmail.com Password: 123456 Check the live demo here Built With firebase flutter ibm-watson node.js postgresql Try it out drive.google.com
Kairos App
Intelligent crowd-managing platform to decrease establishments closing rate.
['Carlos Infante', 'Alvin Gregory Tatis', 'Manuela Mariño', 'Francisco Javier Gonzalez Rey', 'Santiago Forero']
[]
['firebase', 'flutter', 'ibm-watson', 'node.js', 'postgresql']
6
10,229
https://devpost.com/software/co-vida-pp
CO-VID-APP Inspiration El reto de apreder cosas nuevas y a la vez contribuir con soluciones a la situación actual. What it does La aplicación fue diseña para entregar en tiempo real si se puede o no salir a la calle,Pico y Cedula, según las regulaciones del estado. How I built it Mediante herramientas como android Studio y firebase. Challenges I ran into Accomplishments that I'm proud of What I learned What's next for CO-VIDA-PP Esta planedeado que para un futuro cercano CO-VIDA-PP, logre dar información en tiempo real sobre las ucis disponibles en cada hospital y clínica del país. Built With android-studio firebase java Try it out www.dropbox.com
CO-VIDA-PP
CO-VIDA-APP es una iniciativa que pretende aportar al manejo racional de los recursos hospitalarios(UCIs), e informar sobre el Pico y Cédula en las ciudades de Colombia.
['Alejito Rodriguez Avila']
[]
['android-studio', 'firebase', 'java']
7
10,229
https://devpost.com/software/rakaton
Nuestro logo Inspiration Nos inspiramos en la mascota que tiene Iván y en el problema que encontramos en estos tiempos para los veterinarios debido a la pandemia. What it does Conecta a los veterinarios y a los clientes potenciales para la obtención de citas virtuales y productos que son necesarios para el cuidado de las mascotas, mediante la página web que permite un agendamiento de citas tanto presenciales como virtuales y una plataforma de ventas de los productos que las mascotas requieren How we built it La construimos mediante la plataforma de wix que nos permite el desarrollo de páginas web así como el link a las redes sociales de este emprendimiento Challenges we ran into Complicaciones en la creación de la plataforma de las ventas Accomplishments that we're proud of La publicación de la página web y lo bien que se ve junto con el logo creado por nosotros que es el fruto del desarrollo de nuestra idea What we learned Crear una página web y el largo y arduo proceso previo a la publicación de la misma What's next for Rakatón Iniciar en la ayuda a los veterinarios y dueños de mascotas mediante la difusión de la página web Try it out santijoseni.wixsite.com
Rakatón
El cuidado de tu mejor amigo es nuestra prioridad
['Santi-III Mongua Niño Santiago Jose', 'Iván Camilo Ballén Mendez']
[]
[]
8
10,229
https://devpost.com/software/rhizome
Inspiración Venimos de Tiempos de caos. Incluso antes de esta pandemia, en Colombia y a nivel mundial, estábamos enfrentándonos a presiones sociales y manifestaciones de inconformidad. Pero luego de la tormenta, llega la paz, luego del caos llega el orden. A partir de ahí, surge la incógnita: ¿Cómo podemos organizarnos?¿Cómo podemos pasar del caos al orden? Es por esto que decidimos crear esta forma de organizar las ideas para que cualquier tipo de organizaión, comunidad, asociación, gobierno o Estado pueda potenciar sus capacidades como unidad colectiva. Lo que hace Se trata de una nueva forma de crear foros para organizar ideas. Búsquedas, Comentarios, Ideas son nuestros componentes. La búsqueda es un foro. Las ideas son entradas del foro que pueden elaborarse, divergir o converger. Los comentarios son la principal forma de comunicación para que las personas discutan las ideas de manera pública. Como la construimos Utilizamos Flutter para el desarrollo del front y como backend y base de datos utilizamos Firebase. Desafíos El principal desafío fue poder estructurar la base de datos para que fuera organizada y al mismo tiempo de alto rendimiento. Logros Pudimos crear una aplicación completamente funcional para crear foros de manera pública, con un servicio de autenticación muy simple. Lo que aprendimos Con este proyecto aprendimos Flutter y Firebase. Grandes herramientas que no conocíamos de primera mano. Lo que sigue Verificación, Predicción y Orientación sobre las discusiones con AI. Poder crear grupos privados, visualizar datos y poder clasificar las ideas en áreas de conocimiento. Built With dart firebase flutter Try it out github.com
Rhizome
Una idea sencilla. En la que cambiamos a una nueva experiencia de usuario para utilizar foros, de manera que pueda organizarse en comunidad y establecer problemáticas que definen un problema general.
['Angel Rodriguez', 'Louis Fernando Gualtero Espitia', 'Mateo Salcedo Rodriguez']
[]
['dart', 'firebase', 'flutter']
9
10,229
https://devpost.com/software/vedar
Logo Amigos Airboard GIF Airboard - Webcam Home Inicio de sesión Registro de usuario Chat y mensajes Perfil de usuario Configuración de perfil Avatar - Hand tracking Prototipo - Pantalla de clase Prototipo - Landing page Prototipo - Perfil de usuario Prototipo - Registro de usuario Vedar Proyecto Hackathon Uniandes 2020 del equipo Alpha Doradus. VEDAR: Aumenta tu educación. Visión general Vedar es una plataforma de videollamadas interactiva, amigable, y eficaz, conectada con un sistema de centralización de información y contenido especializada en el sector educativo. Nace al evidenciar las problemáticas comunicativas, en la enseñanza y el aprendizaje virtual entre docentes y estudiantes, por causa de la pandemia. De esta manera, busca cerrar las brechas de las clases actuales al proveer herramientas tecnológicas que usan la realidad aumentada, modelación en 3D y la detección de gestos como principal medio de interacción. Objetivos Principales Ofrecer una sensación de cercanía entre los docentes y estudiantes. Brindar mayor expresividad remota a través de la comunicación del lenguaje no verbal. Generar un ambiente propio para el aprendizaje y que motive a la comunicación. Generar retroalimentación en tiempo real a través de indicadores de 'Concentración de la Clase', 'Participación de los estudiantes' entre otros. Centralizar la información y el contenido educativo para el docente y estudiante de forma organizada y amigable. Funcionalidades Proveer un avatar para cada estudiante, sin mostrar el entorno propio de cada uno para respetar la privacidad de los usuarios. Permite obtener un tablero virtual utilizando detección de gestos y su representación, en tiempo real, con objetos y modelos 3D de realidad aumentada. Generar datos, estadísticas y gráficas sobre la atención de los estudiantes para los docentes, al tener inteligencia artificial previamente entrenada para detectar caras de confusión o comprensión del conocimiento. Mostrar adecuadamente las estadísticas para que tanto el docente como el estudiante puedan tener información relevante para un buen desarrollo del curso. Permite conocer los estudiantes que no se encuentran frente a la cámara al mostrar un avatar con apariencia de sueño o inactividad. Transcripción de resultados de clase tanto para los docentes como para los estudiantes. Unificar las herramientas necesarias para la virtualidad (Correos, Whatsapp, Videollamadas, Tareas, Material, Notas). Calendario desplegable que esté vinculado con los documentos y fechas. Firma de asistencia virtual. Calidad Idea Actualmente no existe en el mercado una plataforma educativa que permita unificar las diferentes herramientas esenciales para el aprendizaje, y que además proporcione un servidor de video llamadas en tiempo real que a través de la implementación de tecnología AR y 3D permita hacer un análisis de estadísticas enseñando a nuestro software cómo interpretar el lenguaje no verbal, para así fortalecer la comunicación de forma prudente y apropiada. La competencia más cercana es SPATIAL, sin embargo, no contemplan la unificación y centralización de plataformas y contenido. Concepto En el mundo hay alrededor de 1370 millones de estudiantes y 60 millones de docentes que se vieron obligados a adaptarse a una nueva metodología de clases virtuales debido a la pandemia. La poca rapidez de adaptación en algunos lugares es la muestra de la obsoleta estructura académica, además de la falta de centralización de contenido, la poca conectividad entre plataformas, la sobre productividad y falta de organización. Estos son unos de los pocos problemas reales y actuales que Vedar busca mitigar con sus funcionalidades. Diseño Para el diseño de la marca se tuvo como pilar la educación, de allí su nombre Vedar (Video Llamadas-Educar) y también por de forma gráfica la letra 'V' de logo simula la silueta en perspectiva de un libro abierto como símbolo principal. Además, como solución principal a la problemática educativa se presenta la tecnología por lo que la letra 'V' elevada al cubo hace referencia a la realidad aumentada y modelos 3D. Finalmente, se implementó una paleta de colores enfocada una sugestión de concentración por el contenido visualizado. Implementación técnica La implementación cumplió gran parte de las expectativas y objetivos planteados al inicio por los desarrolladores, se completaron las funcionalidades principales del prototipo conceptual, dando como producto final un prototipo funcional a unos pasos de verificación para ser un MVP. A pesar de esto, y debido al poco tiempo, faltaron implementar herramientas secundarias que fueron mencionadas en el pitch presentado. Impacto y futuro Existe una gran cantidad de dificultades evidenciadas en la adaptación del sistema educativo, que permiten abrir muchas puertas a Vedar para implementar y mejorar la comunicación y el aprendizaje: Queremos darle la oportunidad a cualquier persona de acceder a una clase virtual de la mejor calidad y que a través de tecnología de IA, junto al sistema de avatares actual, se pueda simular estar conectado sin tener acceso a internet sino a través de una llamada de voz que desencriptada por nuestra plataforma simula la clase. Queremos hacer un catálogo de los lugares icónicos de la institución educativa para que ambos agentes no pierdan el sentido de pertenencia. Facilitar el trabajo colaborativo en cuanto a la asignación salas, roles y tareas a realizar. Parte del cambio en el aprendizaje es que el estudiante adquiere mucha responsabilidad para su proceso por lo que a veces el autoaprendizaje se dificulta. Por esto, se quiere dar la opción que la plataforma oriente tiempos de estudio o tiempo de realización de las tareas. Metodología de incentivos al realizar labores y que se van marcando conforme el cronograma especificado del curso. Guía interactiva del uso de la plataforma, así como sugerencias de preparación y capacitación de la clase. Se debe contemplar la edad y capacidad tanto de docentes como alumnos al momento de utilizar la plataforma. Equipo Vedar fue creado por un equipo de estudiantes que creen en la comunicación como base del aprendizaje, que le apuestan a una conexión fluida y en tiempo real que pueda brindar información relevante y confidente del lenguaje no verbal, que al ser traducidos por VEDAR generen una sensación de cercanía y confianza entre el estudiante y su profesor. Tech stack Para el desarrollo de VedAR se usaron las siguientes tecnologías: Front-end HTML5 CSS3 Bootstrap AOS Scroll Animations Back-end Python OpenCV Flask Bcrypt Jinja2 SQL (sqlite3) Email Validation API by Chema ( https://github.com/neo22s/emailvalidator/ ) Prueba de la aplicación Dirigirse a https://github.com/Alpha-Doradus/vedar-web-app y seguir las instrucciones de uso. Built With aos bcrypt bootstrap css flask heroku html javascript jinja opencv python sql webrtc Try it out github.com github.com
Vedar
Plataforma de videollamadas con realidad aumentada en el sector educativo.
['Juan Alegría', 'Juan Pablo Ramirez', 'dscamacho Camacho', 'felipe ariza', 'Juan Pablo Galvis']
[]
['aos', 'bcrypt', 'bootstrap', 'css', 'flask', 'heroku', 'html', 'javascript', 'jinja', 'opencv', 'python', 'sql', 'webrtc']
10
10,232
https://devpost.com/software/informa-mvp-antigo-corgi
MVP do Projeto INFORMA+ pitch: https://youtu.be/8txD9cHYmWw código: https://github.com/thiagodff/InformaPlus Built With node.js react typescript Try it out github.com
INFORMA+ - MVP (antigo Corgi)
Levando informações relevantes para todos
['Thiago Dornelles']
[]
['node.js', 'react', 'typescript']
0
10,232
https://devpost.com/software/informa-codificacao-antigo-corgi
Esquemático original para o MVP Esquemático implementado para o MVP Construção da API em Node.Js, a ideia inicial era ter criação de usuários com login e senha mas devido ao tempo não será implementado. Na construção do MVP também não será possível a implementação de um serviço que de fato envie SMS. A mudança do nome do projeto foi uma sugestão dos mentores. Nas imagens tem o esquemático do banco de dados criado para concretizar a ideia. Built With node.js typescript Try it out github.com
Informa+ - Codificação (antigo Corgi)
Levando informações relevantes para todos
['Thiago Dornelles']
[]
['node.js', 'typescript']
1
10,232
https://devpost.com/software/caixa-desinfetante-ecyjsh
Protótipo Caixa Desinfetante Inspiration Deficuldade na desinfecção dos produtos comprados nos supermercados. What it does Métodos de desinfestar os produtos de supermercados. How I built it Através das ideias partilhadas com o ponto de vista dos colegas e por nossas próprias experiências. Challenges I ran into Como gerar ideias inovadoras que ainda não foram implementadas perante essa pandemia. Accomplishments that I'm proud of A nossa equipa conseguiu desenvolver uma ideia inovadora capaz de ajudar a população de Bragança,tais como, empresários dos supermercados e os seus funcionários e principalmente os clientes. What I learned Através do problema posto pela direcção do Hackathon a equipa teve de saber lidar com as dificuldades e desenvolver uma ideia inovadora num curto prazo de tempo, aprendendo assim a investigar de melhor forma os processos do combate do Coronavirus. What's next for A equipa pretende trazer um projeto estruturado capaz de ir para além de uma ideia, podendo ser implementada futuramente, tanto no distrito de Bragança como nos outros distritos. PROJETO CAIXA DESINFETANTE PROBLEMA Tendo em conta o panorama internacional, o mundo está a passar por uma das maiores dificuldades em todos os setores da economia, resultando grandes problemas. As pessoas não podem sair livremente para fazer as suas atividades diárias como ir ao trabalho, frequentar e manter em lugares públicos, reunir com os amigos e fazer as compras de forma livre e segura. Temos mesmos que desinfetar tudo que compramos no supermercado? Uma das primeiras questões que fazemos ao ir ao supermercado numa altura como esta é se temos mesmo que desinfetar todos os produtos. Um problema silencioso que tem assolado as famílias são as contaminações do covid 19 através das compras feitas nos supermercados. As famílias têm levado doenças para as suas casas sem ter esta consciência uma vez que as pessoas ao fazerem as compras nos supermercados acabam de uma forma consciente ou inconsciente levando doenças para os produtos. SOLUÇÃO Numa altura em que o Governo pede contenção da população para travar a propagação do Covid 19, acautelar e manter-se seguros a idas às compras de maneira a evitar riscos desnecessários surge como uma ideia fundamental do “Projeto Caixa Desinfetante”. Um projeto cujo seu principal objetivo é permitir o máximo de segurança nas compras, garantindo uma higienização dos produtos que levamos pra casa sem se preocupar com a contaminação, e reduzindo o grande trabalho de chegar em casa e ter que desinfetar todos os produtos um a um. Para responder a esta necessidade que afeta também aos funcionários dos supermercados como os consumidores dos produtos de modo a evitar a propagação do vírus, o projeto Caixa Desinfetante desenvolve uma ideia que consiste na criação de uma caixa que libertará gases desinfetantes sobre os produtos de modo a eliminar os vírus, evitando assim a propagação dos mesmos. A Caixa Desinfetante é suportada por uma inovação tecnológica capaz de responder às necessidades dos clientes, facilitando assim por sua vez os seus interesses. IMPACTO NA SAÚDE PÚBLICA Com a pandemia do novo coronavírus, o mundo ainda está a adaptar-se e a perceber-se qual será a melhor forma de gerir o dia a dia, as rotinas bem diferentes de antes, e sobretudo para evitar contágio. Mas é certo que há vários cuidados que se podem ter para evitar que o Covid-19 nas famílias, assim como a limpeza das compras do supermercado. Para mantermos esta segurança de higiene nos produtos comprados nos supermercados é necessário que os supermercados adotem series de medidas de contingência e estratégias no combate a esta pandemia.Com a entrada do “Caixa Desinfetante” nos supermercados poderemos ter a possibilidade de levar os produtos para casa já desinfetados ,uma vez que ao passar no caixa terá um desinfetador automático, em que deixa os produtos já higienizados evitando por sua vez tanto o contágio nos supermercados como nas famílias. PÚBLICO ALVO O público alvo do projeto Caixa Desinfetante são os empresários de supermercados, empresários estes que vendem grandes quantidades de produtos de vários setores como, alimentícios, higiênicos, mobiliários, entre outros, em que a facilidade das pessoas contaminar com os vírus é muito fácil, isto porque as pessoas estão sempre a tocar nos produtos e a repor novamente. INOVAÇÃO ● produto O produto é inovador devido a sua inexistência no mercado, um produto capaz de resolver a necessidade dos clientes com um custo moderado. Trata-se, pois, do aparecimento de um novo produto no mercado, que facilita de uma forma. ● processo O projeto “Caixa Desinfetante” traz uma inovação no processo onde busca minimizar os casos de contaminação dos produtos nos supermercados e minimercados no processo de compra dos clientes, garantindo uma maior segurança por parte dos clientes dos supermercados, maximizando a comercialização, possibilitando uma maximização da eficiência neste processo. ● Organização As empresas (os supermercados e minimercados) poderá realizar regularmente reuniões com os seus colaboradores de forma a manter uma linha de feedbacks continua entre os seus colaboradores e os seus gerentes, de forma a obter uma melhoria contínua na cultura organizacional da empresa. A implementação da “Caixa Desinfetante” nos supermercados permitirá o bom funcionamento da empresa e uma boa organização interna que vai desde os processos de desinfeção dos produtos até o relacionamento com os clientes, resultando uma melhoria contínua influenciando no sistema e qualidade empresarial. dará a possibilidade aos funcionários de desenvolverem as suas criatividades sem a intervenção da direção da empresa. Para o controle de qualidade as empresas poderão realizar regularmente reuniões com os funcionários para receber opiniões de melhoria para o bom funcionamento da empresa. TECNOLOGIA O projeto “Caixa Desinfetante” trará uma tecnologia baseada numa estrutura tecnológica que se traduz em uma caixa que desinfeta os produtos quando passam por ela. Esta caixa desinfetante contém as seguintes funcionalidades: ● Sensor que liberta o produto desinfetante em forma de fumaça que permite a desinfeção dos produtos, garantindo a segurança e a qualidade dos produtos. ● Esteira rolante que permite a uma maior mobilidade dos produtos facilitando no processo de venda. VIABILIDADE O projeto Caixa Desinfetante é um projeto viável tendo em conta as inúmeras vantagens traz tanto para os clientes como para os supermercados. ● Do ponto de vista do cliente permitirá: uma boa experiência de compra visto que os clientes se sentirão seguras para frequentar os supermercados sem se preocupar em contrair covid 19 porque os produtos serão todos desinfetados. ● Do ponto de vista dos supermercados permitirá e facilitará que os seus clientes tenham uma boa experiência de compra porque manterá os clientes fidelizados e atrai novos clientes. Aumentará e ou manterá o nível de faturação sem por sua vez aumentar os custos. Permitirá manter os funcionários na empresa aumentação os níveis de produção sem ter que aumentar as despesas. O projeto “Caixa Desinfetante” é um projeto que não tem grandes custos com a sua fabricação tem uma estrutura muito simples que não necessita de grandes investimentos. PRÓTOTIPO “CAIXA DESINFETANTE” Exterior da “Caixa Desinfetante” Interior da Caixa Desinfetante: Demonstrando os produtos comprados nos supermercados, utilizando a “Caixa Desinfetante” onde os produtos passam por ela e a esteira rolante facilita a mobilidade dos produtos para dentro da caixa. Os produtos têm uma duração de cinco segundo para o processo de desinfeção e em seguida os produtos são movidos para a exterior da “Caixa Desinfetante”. PESQUISA DO MERCADO A equipa “Caixa Desinfetante” fez uma rápida pesquisa do mercado onde teve os seguintes resultados. A equipa “Caixa Desinfetante” obteve num total de 17 respostas sendo 7653% são do sexo feminino e 23,5% são do sexo masculino. file:///C:/Users/User/Desktop/Projeto%20Caixa%20Desinfetante%20-%20Google%20Forms.pdf Assim concluímos que todas as pessoas inqueridas gostariam de levar os produtos que compram no supermercado de forma limpa sem quaisquer indícios do covid 19 e tendo uma boa experiência de compra nos supermercados sem quaisquer riscos de contágio. EQUIPA: Melany Martins Leana Semedo Yara Anes Built With frameworks
Caixa desinfetante
Mantém as suas compras desinfetadas
['Melany Brito Martins']
[]
['frameworks']
2
10,232
https://devpost.com/software/marketplace-4wjbh3
Apresentação Buscamos métodos de difundir o comércio local de Bragança permitindo o mínimo de contato num fim de pandemia. Nosso foco está nos pequenos comerciantes e seus produtos artesanais. Comerciantes com possibilidade de expandir que tem seus produtos muito bem reconhecidos, mas que são limitados pela região e clientela e que acabam tendo seus produtos consumidos somente quando as pessoas vão até eles, como é o caso nos eventos locais. Nosso produto vem para deixar esses vendedores mais próximos dos consumidores. Como desenvolvemos Inicialmente fizemos um estudo da região além de levantarmos os pontos fortes da equipe para qual produto poderíamos e conseguiríamos desenvolver. Levando em consideração um curto tempo para a entrega foi decidido utilizar o Kodular uma plataforma para montagem rápida de aplicativos. Built With kodular
In Locus
Aplicativo voltado para comerciantes locais buscando facilitar suas vendas com consumidores da região e que visitam a cidade a turismo.
['Julio Cesar', 'Eric Gama Lima', 'Daniel Cosmo']
[]
['kodular']
3
10,232
https://devpost.com/software/braganca-empreende
O Projeto O Bragança Empreende é um aplicativo mobile, que estará disponível para todas as plataformas, com o intuito de ser um portal do empreendedor residente em Bragança. apesar do seu uso ser aberto a todos os tipos de empresas, o público alvo do aplicativo são os micro e pequenos empreendedores, especialmente aqueles que ainda não estão regularizados. O aplicativo para estes é uma forma de facilitar o processo da abertura de NIF, uma vez que o acompanhamento é feito no aplicativo, mostrando os documentos que faltam obtenção e disponibilizando templates para aqueles que possuem. O empreendedor consegue, a partir do aplicativo, se regularizar mais facilmente e sem burocracia, tendo facilidade e estímulo para empreender. Para os que já são regulamentados, haverá também a área de comunidade, onde os empreendedores da mesma região poderão dialogar entre si, a fim de formar um networking entre as empresas de Bragança, e com isso diminuir gastos com pedidos de distribuidores e proporcionar um ambiente no qual podem ser efetuadas parcerias e trabalhos em conjunto. Além da proposta do aplicativo, a ideia da implementação é justamente gerar nos habitantes de Bragança o espírito empreendedor, incentivando a regularização àqueles que já possuem negócios informais e convidando aqueles que ainda não possuem negócio a possuírem. O aplicativo também permite acesso às últimas notícias locais, como palestras sobre empreendedorismo, novas empresas e algumas dicas de outros empreendedores. Built With figma flutter Try it out www.figma.com
Bragança Empreende
App para incentivo à criação de empresas e gerenciamento de documentos para que seja efetuado essa abertura facilmente.
['Natália Lara', 'Beatriz Siqueira Campos', 'Marcus Vinicius', 'Felipe Morais']
[]
['figma', 'flutter']
4
10,232
https://devpost.com/software/horti-estoque-reserve-e-compre
Inspiration - What it does How we built it Challenges we ran into Accomplishments that we're proud of What we learned What's next for Horti-Estoque, reserve e compre! Built With figma Try it out drive.google.com www.figma.com
Horti-Estoque, reserve e compre!
Nossa plataforma possibilita criar uma conexão entre os estoques dos comerciantes e os consumidores. Fortalecendo as relações de confiança entre cliente e vendedor além de fomentar o comércio local.
['Jean de Carvalho Araujo', 'Francisco Neto', 'Paloma Santos', 'Sabrina Hottum Rodrigues']
[]
['figma']
5
10,232
https://devpost.com/software/opbusiness
Logo do aplicativo Inspiração A situação pós pandemia serve para evidenciar ainda mais a necessidade de otimizar seu negócio, algo que pode ser difícil para um pequeno negócio que não é capaz de contratar uma equipe financeira. Com isso surgiu a ideia do Op Business, o aplicativo móvel para otimizar seu negócio. O que é o Op Business? Com o Op Business você pode gerenciar seu negócio realizando o controle de estoque, despesas e vendas através de seu celular. Além disso você pode manter uma lista de contatos de seus fornecedores facilmente acessível na aba de contatos do aplicativo. Quer comparar a quantidade de vendas entre dois produtos? Verificar a diferença entre seus lucros e suas despesas? Gere gráficos personalizados baseado nos seus dados e veja como pode melhorar seu negócio! Como foi feito Para a organização e esquematização do aplicativo, utilizamos os sites Miro e Figma, onde geramos, respectivamente, nossos protótipos de baixa e alta fidelidade. Para a criação das artes utilizamos o Canva, um website apresentado para nós num dos seminários da maratona. O aplicativo foi criado usando kotlin, uma linguagem derivada de Java, junto do uso de xml. O trabalho foi feito na plataforma Android Studio. Para armazenamento de dados utilizaremos um banco de dados SQLite 3. Em relação aos gráficos, fizemos uso da biblioteca mpAndroidCharts para gerar os gráficos personalizados em tempo real. Challenges we ran into Um dos maiores desafios que tivemos foi a criação das tabelas dentro do aplicativo mobile devido a restrição de tempo para implementarmos um banco de dados. Accomplishments that we're proud of What we learned Este projeto foi uma ótima oportunidade para aprender a utilizar as ferramentas de organização Figma e Miro. Essa também foi nossa primeira vez trabalhando com a biblioteca mpAndroidCharts. What's next for OpBusiness ... Built With android android-studio kotlin mobile mpandroidchart xml Try it out www.figma.com
OpBusiness
Ferramenta que auxilia na estruturação e administração de negócios
['Renato Ferri', 'Mateus Lucas', 'Carlos Ivis', "Gabriel d'Almeidda"]
[]
['android', 'android-studio', 'kotlin', 'mobile', 'mpandroidchart', 'xml']
6
10,232
https://devpost.com/software/arbeit
List Offer (Company) Register (Company) Login Page (Both View) Create Offer (Company) See Person (Company) See Candidates (Company) Register (User) Find Offer (User) Splash (Both) Inspiration Vários empregos foram perdidos durante a pandemia, com isso, o desemprego está crescendo e muitas pessoas precisam de novas oportunidades, mesmo que sejam temporárias e menos formais. Pensando nesse contexto, cidades como Bragança possuem épocas do ano em que determinados tipos de serviços temporários são necessários e não há uma forma muito consolidada de divulgar tais oportunidades, devido ao perfil sazonal das vagas. Além disso, várias oportunidades de trabalho para um único dia, ou serviços que alguem precisa uma única vez, poderiam ser anunciados no aplicativo por pessoas físicas que buscam alguem que possa fazer esse trabalho rapidamente, com isso o público alvo da aplicação pode ser muito abrangente, o que possibilita um bom mercado a ser análisado. What it does Com isso o aplicativo Arbeit permite aos empregadores disponibilizarem vagas temporárias e pessoas em busca de oportunidades poderão se inscrever em quaisquer vagas que sejam de seu perfil. Assim o empregador poderá avaliar os usuários que se candidataram a vaga oferecida e visualizar seus perfis. Garantindo assim, um meio no qual possa haver uma comunicação ampla de trabalhos temporários e ajudar pessoas que buscam emprego naquele momento e precisam de algo rápido. How I built it O sistema foi desenvolvido em React Native com sistemas de autenticação e banco de dados em nuvem do Firebase . Isso garante que a aplicação pode ser compilada para as plataformas Android e IOS . O sistema encontra-se estável e funcional, além disso, graças a utilização de bancos de dados e autenticação em nuvem, pode ser utilizado em qualquer lugar, bastando apenas que o APP seja instalado no celular. Challenges I ran into Concorrencia de ofertas entre usuários em tempo real, listagem de ofertas e exibição uma única vez para cada usuário (não exibir a oferta novamente para o usuário se o mesmo já recusou ou aceitou essa oferta), autenticação com criptografia de senha, entre outros. What's next for Arbeit Perfis de usuário mais complexos, Melhorias visuais e efeitos, Inserção de funcionalidades premium para divulgação de oportunidades. Built With firebase react-native Try it out www.figma.com github.com drive.google.com drive.google.com
Arbeit
Plataforma de Divulgação de Empregos Temporários para aqueles que buscam trabalhadores e para aqueles que buscam oportunidades de renda.
['Lucas Ribeiro Mendes', 'Tarcisio Prates', 'Milton Boos Junior', 'Giuseppe Setem']
[]
['firebase', 'react-native']
7
10,232
https://devpost.com/software/aproxima-braganca-pizya1
Tela inicial Dashboard do cliente Dashboard do comerciante Edição do perfil do cliente Edição do perfil do comerciante Avaliações do cliente Avaliações do comerciante Mapa dos estabelecimentos para o cliente Perfil do comerciante visto pelo cliente Chat do cliente Chat do comerciante Situação do estabelecimento do cliente Inspiration O principal atrativo dos pequenos negócios é a atenção que o cliente recebe e a relação de proximidade com os funcionários. Pensando nisso, nossa equipe pretende desenvolver um aplicativo que retome essa ideia de proximidade, contando a história do comércio e de seus colaboradores. Além disso, visamos incentivar a volta ao atendimento presencial contribuindo com a sensação de segurança dos consumidores, ao informar quando é o melhor momento de comparecer à loja. Para isso, será levando em conta a capacidade física do estabelecimento e a distância de segurança recomendada entre os clientes para criar um sistema de agendamento e aviso que facilite à ida dos consumidores às compras com facilidade e sem filas. What it does How I built it Challenges I ran into Accomplishments that I'm proud of What I learned What's next for Aproxima Bragança Built With android-studio java
Aproxima Bragança
O Aproxima Bragança pretende retomar a relação de proximidade entre clientes e funcionários de pequenos negócios, contando suas histórias e estimulando o atendimento presencial de forma segura.
['Taís Christofani', 'Rafael Neves', 'Tiago Figuerêdo']
[]
['android-studio', 'java']
8
10,232
https://devpost.com/software/bragancheap
Inspiration De acordo com a Associação Comercial, Industrial e Serviços de Bragança (ACISB), existe uma campanha de incentivo à compra do que é local para ajudar a minimizar os impactos econômicos da pandemia da Covid-19. Essa campanha pretende sensibilizar a comunidade sobre a necessidade de apoiar a economia, através de iniciativas nas redes sociais, comunicação social do concelho e nas ruas da cidade de Bragança. Com isso, surgiu a ideia de criar uma ferramenta digital que seja de Bragança para Bragança. Essa ferramenta digital é um aplicativo (app) disponibilizado nas plataformas do Google Play Store e App Store. Portanto, apresentamos a Bragancheap o aplicativo que busca ajudar as empresas em suas novas realidades, melhorando também sua a relação com o cliente. What it does Com diversos níveis de utilização para empresas comerciais e prestadores de serviços localizados na cidade de Bragança, Portugal. De forma gratuita para usuários e consumidores da ferramenta. Espaço destinado à propaganda (remuneração) de patrocinadores. O aplicativo vai oferecer as informações das empresas, tais como: horários de funcionamento, site oficial, redes sociais, endereço físico, telefone de contato, espaço para comentários, mapa de localização e fotos dos produtos e serviços. As promoções devem ficar destinadas ao aplicativo Bragancheap, desta forma gerando fluxo de informações no sistema. Quanto maior o fluxo, maior a probabilidade de conclusão de negócios. Os usuários do aplicativo teriam um código com a promoção a ser utilizado, podendo ser utilizado uma vez. As empresas cadastradas no sistema podem informar o link dos descontos em suas mídias sociais, mas não podem fornecer os descontos diretamente. O usuário precisa acessar o Bragancheap. How I built it Challenges I ran into Accomplishments that I'm proud of What I learned What's next for Bragancheap Built With react-native
Bragancheap
Ferramenta digital que aproxima o comércio e os serviços de consumidores locais, fornecendo os preços promocionais das lojas de Bragança e algumas informações relevantes.
['Caio Nakai']
[]
['react-native']
9
10,232
https://devpost.com/software/rota-brigantia-8z6gmo
tela de abertura Tela Inicial Menu Tela de Produtos Visualização dos comércios locais disponíveis a para delivery tela de compra Rota Brigantia foi inspirado na necessidade de um comércio digital em Bragança, onde após muita análise foi constatado um deficit de integração entre o comércio local. O Rota Brigantia é um aplicativo que trabalha com o sistema crowdshipping, onde todos os produtores locais que se cadastrarem na plataforma, poderão oferecer seus produtos de maneira fácil e acessível, contando com uma entrega efetuada por pessoas comuns, cadastradas no aplicativo, que oferecem o serviço e usando seus próprios meios de transporte, visando uma maior sustentabilidade. Rota Brigantia é uma aplicação social que tem foco elevar o comercia brigantino, ou seja é um serviço que visa apoiar pessoas que por diversos motivos não podem se descolar até o produto desejado. Para fazer uso do Rota Brigantia tudo que o produtor precisa fazer é um cadastro no aplicativo e identificar seus produtos, após isso os produtos ali identificados já ficarão disponíveis para a escolha do cliente, que não precisará se preocupar com mais nada, pois a entrega será realizada por um dos entregadores cadastrados no nosso servidor. Nossa solução conta com entregas sustentáveis, onde os entregadores serão estudantes universitários que querem fazer uma renda extra e ajudar a comunidade local, de forma aberta simples e rápida. Com o Rota Brigantia é possível encontrar os negócios situados no entorno, nas categorias como: Alimentação, Pastelarias/ Padarias, Mercado, Farmácias, dentre outras. Rota Brigantia tem como diferencial o crowdshipping, que é pessoas comuns fazendo entregas da maneira que preferirem, com prazos e preços combinados individualmente. Crowdshipping, multidão (Crowd) e remessa (Shipping), tendo como objetivo o ganho em larga escala, pela disponibilidade de entregadores onde for, a hora que for, sem vínculo direto com a empresa. O meio de transporte também muda. Em vez da frota tradicional, quem faz o serviço pode optar pelo que tem em casa, seja bicicleta ou mesmo a pé. Já quem compra o serviço tem a vantagem de poder escolher meios menos poluentes, fazendo uma escolha mais consciente ao planeta. Pensando na viabilidade da utilização da bicicleta e meios de transportes sustentáveis foi feita uma Análise de Adequação dos comércios previamente cadastrados no banco de dados do aplicativo. A configuração circular é um indicativo positivo, especialmente com a ciclovia no eixo central da cidade fornecendo acesso aos pontos comerciais em um raio curto de 1km. Rota Brigantia não é somente um aplicativo de delivery, Rota Brigantia é uma maneira de fazer integração entre o fornecedor o entregador e o consumidor. Rota Brigantia é a rota para salvar o comércio Brigantino. Venha se apaixonar pelo produto local, Bragança precisa de você.
Rota Brigantia
Rota Brigantia é uma plataforma que trabalha com o conceito de crowdshipping, onde os produtores locais colocariam seus produtos e o cliente poderia fazer a compra e está seria entregue em sua casa.
['bianca auwarter', 'Lídia Rocha', 'Yuri Tomaz Martins', 'Flávia Kobayashi']
[]
[]
10
10,232
https://devpost.com/software/cefet-rj-cbm
CLICK & CONNECT c&c é o elo que conecta velocidade, sustentabilidade e segurança de forma a transmitir valores e conscientização a comunidade. Problema digno de solução Devido a pandemia Covid-19, comerciantes estão impossibilitados de vender seus produtos. Consequentemente, não conseguem pagar seus funcionários, acarretando num desemprego em massa e no fecho de muitos estabelecimentos. Nossa solução Entregas de baixo impacto ambiental Entrega expressa Oportunidades de emprego Apoio ao comercio local Inuenciamos hábitos saudáveis Mercado alvo LOJAS DE ROUPAS FARMÁCIAS FEIRAS REDES DE MERCADOS PASTELARIA/PADARIA Vendas e Marketing Canais de vendas APLICATIVO/APP SITE REDE DE BICICLETAS Atividades de marketing MARKETING DIGITAL: REDES SOCIAIS MARKETING OFFLINE: RÁDIOS/TELEMARKETING MARKETING DE CONTEÚDO: EVENTOS CICLISMO E-MAIL MARKETING Equipe e principais funções Crislaine Marques CEO Brenda Italo CFO Ana Santos CMO Maria Amorin COO Built With ingles internet plataformas plataformasmultilaterais portugues
Click & Connect
O projeto constitui-se de uma startup com uma plataforma multilateral para conectar empreendedores e consumidores.
['Crislaine Bello Marques', 'anacaroline_rsantos', 'Brenda Neves', 'Maria Rita Maia']
[]
['ingles', 'internet', 'plataformas', 'plataformasmultilaterais', 'portugues']
11
10,238
https://devpost.com/software/application-of-neuronal-nets-on-covid-19-x-ray-images
Xidivocx Deep Learning RNNs detects COVID-19 on radigraphs Inspiration: As a pandemic desease, COVID-19 is still spreading throught-out the entire world. You might want to check the COVID-19 Dashboard by Johns Hopkins University at https://coronavirus.jhu.edu/map.html showing more than 20.000 new cases daily for the US and Brazil at the time of writing this text. Despite the development of genetic as well as antibody tests, 2D planar x-ray of the lung is often the first-in-clinics diagnosis choosen in case of severe respiratory disease. We think, it's worth to further optimize AI-driven tools to help radiologists distinguishing between COVID-19 and other lung desease, especially considering the enormous work-load during pandemic events. What it does: The pre-trained neuronal net "VGG16" works on 2D x-ray radiographs as a feature extraction layer. We added layers to train for disease classification, which are reflected by more or less prominent tissue alterations within the lung. The algorithm reached over 80% classification accuracy on a pneumonia dataset after just one hour of training on a dataset with around 5000 files, which shows great potential for future improvement! How we built it: We used Keras and Tensorflow on Colab. The pre-trained "VGG16" was just one starting point. Other pre-trained nets, e.g. ResNet50, InceptionV3 or Inception_ResnetV2 might be good picks as well. We built a pre-processing step, which checks images for file-type related issues (e.g. lossy compression, missing dpi value, RGB instead of grayscale or which encoding). Especially considering the increasingly available material in open databases, an automatic data quality assuarance as well as homogenization is of great importance. Challenges we ran into: Work collaboratively on CoLab with three people is not that easy considering productivity. We lost a lot of time due to broken kernels and "lost" code blocks. Considering the Waterkand Hackathon, the timing issue was most challenging. Maybe for AI projects, there should be a little bit more time due to the computational demand. One major drawback is the fact, that more or less all pre-trained NNs have been trained with color images, but we fed it with 8-bit grayscale data. As a consequence, all trained features-detectors which are trained on color-gradients or peak color intensity are worthless in our application. Considering the programming tasks, we did not manage to turn the NN into a grayscale-optimized detection system. Either we look for already x-ray-film trained NNs, or we build our own deep NN and train it ourselves, which would require a huge dataset of labeled x-ray films. Accomplishments that we are proud of: The ready code that we produced was able to distinguish the big validation dataset with an accuracy of more than 80%. Of course there is still space for improvement, but given the limited resources, this is a great starting point. What we learned? After getting this hands-on experience, we much better understand the complex problems, that come into play when working on "uncommen" grayscale data. But during this intensive weekend with very, very long nights, we learned a lot about more efficient cooperation, as we distributed the work at several stages. Moreover, we found several important programming designs, that go beyond the normal computer-science lectures covering programming languages, as we felt the preassure to finish something in a defined time frame. What's next for Team Xidivocx - Deep Learning RNNs detects COVID-19 on radigraphs? Screening the web for further datasets, getting a grayscale-optimized deep NN and maybe apply it to related fields: On the one hand, planar radiographs of other body sites with other motivation, and on the other hand, transfering some of the gained knowledge to 3D volumetric datasets from computed tomography (CT-)datasets. Wrapping up the hackathon project >>>Xividocx<<< Deep Learning RNNs detects COVID-19 on radigraphs Radiograph-optimized version with pre-trained Deep Neural Networks VGG16 and ResNet50. Data Pre-Processing to analyse images for color-related "artefacts" in the form of annotations and/or compression artefacts + removal in the form of transformation to 8-bit grayscale jpegs Normal model.fit_generator() implementation and a model.fit() implementation, that saves intermediate steps and feeds them afterwards into a decoupled prediction algorithm. Model accuracy, loss, confusion matrix, and KFolds routine Extraction of network layer visualizations Adding more case fitting weights for the pretrained model Most importantly, integrate more labeled training data and spend more time on hyperparemter tuning and successive training the neuronal network. Soon publicly available on Github: https://github.com/td-ct/Xidivocx.git Team Xividocx now project >>>RC-TOM<<< Rapid-Cycle Tensorflow Model Optimization (RC-TOM) is a GUI framework to: import, pre-process and dynamically group the training, testing and validation data to feed into the model for training and prediction load pre-trained NN, e.g. from imagenet define the output layers run the model iteratively, saving intermediate model states to have the ability to start again from there with different training-data and/or hyperpaprameter settings generate reliability output, e.g. accuracy and loss curves, confusion matrices and more This new project is an attempt to streamline our experience as project Xidivocx during the 2020 Waterkand hackathon On Github and soon public: https://github.com/td-ct/RC-TOM.git Built With colab dgg16 keras resnet50 tensorflow Try it out github.com github.com
Xidivocx - Deep Learning RNNs detect COVID-19 on radigraphs
Use the potential of deep NNs, which have been pretrained, to differentiate between COVID-19 and NON-COVID-19 patients by classify their 2D xray radiographs
['Timo Damm', 'Valentin Dercho', 'DoubleK20']
[]
['colab', 'dgg16', 'keras', 'resnet50', 'tensorflow']
0
10,238
https://devpost.com/software/codingwaterkant20hackathon_challenge07
Challenge 07: Prediction of ticket processing times Inspiration Since 2018, I've been working in computing centres with ticket systems. I also like to try out NLP and NN approaches. This challenge provided my with the opportunity to develop code and to combine both. What it does First, the code reads the given .xlsx file, extracts 200 rows of validation data. Second, it preprocesses the ticket title texts, calculates a Latent Dirichlet Allocation (LDA) topic model, extracts features and plots diagrams for visual feature inspection. Finally, the code tries to find a good ReLU neural network model, calculates the RMSE for 1000 rows of test data and the 200 rows of validation data. How I built it I developed the code using PyCharm (Community Edition) for development and testing of functions as well as Jupyter Notebooks. I used Python 3.7.4 and among others the Python libraries pandas (0.25.3), numpy (1.18.1), matplotlib (3.1.2), nltk (3.5), scikit-learn (0.23.1), gensim (3.8.3) and torch (1.4.0). Challenges I ran into Many of the tickets contain different types of numbers like version numbers, telephone numbers, years, dates or other numbers and I needed to replace them. The ticket titles also contain some synonyms like 'passwort' and 'kennwort' and I needed to replace the most frequent synonyms. The ticket processing times in minutes range from 0 to 140000 and because 0 values are actually occurring quite frequently as processing time in minutes, calculating and predicting the log value was not applicable, so I calculated the 4rth root. The torch library by default works fine with float values but not with the double values which I had as target values after calculating the 4rth root, so I needed to round the values to not run into conversion errors. Accomplishments I'm proud of I preprocessed the title texts in a way, I find the word stems in the topics fit quite well together. What I learned (1) Ticket titles may not say much about the processing time needed. In some tickets the problem or requirement may not be well described. (2) There may be a range of different causes which result in the issue described by the ticket creator, and processing times for the different causes which need to be fixed may vary. In other words, the cause of the problem may be unknown to the creator of the ticket, so the ticket title may not be that much related to the time needed for processing the ticket. What's next Quantizing the processing times and applying NLP to the ticket texts instead of the ticket titles may lead to better predictions. Also adding vectors from Google BERT to the input by using the Python libraries bert-serving-server and bert-serving-client may further improve the results. Built With jupyter-notebook python Try it out github.com
CodingWaterkant20Hackathon_Challenge07
Using LDA and a ReLU NN to predict ticket processing times
['Franziska W.']
[]
['jupyter-notebook', 'python']
1
10,238
https://devpost.com/software/hijacking-question-answering-for-metadata-extraction
Searching for studies by funders Searching for studies by name The ZBW provided us with a dataset of around 7.000 text files of studies from the EconStore Database. We were using machine learning based question and answering systems with the Haystack Framework to extract information from scientific studies. e.g. "what datasets were used in this study?" or "who funded this study?" We also built a React Frontend to display the newly extracted meta-data and make our new database seachable. Built With haystack python react Try it out coding.waterkant20.metadata.s3-website.eu-central-1.amazonaws.com
Hijacking Question Answering for metadata extraction
Using machine learning based question and answering systems to extract information from scientific studies. e.g. "what datasets were used in this study?" or "who funded this study?"
['Matthias Nannt']
[]
['haystack', 'python', 'react']
2
10,238
https://devpost.com/software/c10-covid-19-characterization-on-lung-radiographs
Inspiration In the current situation of COVID-19 the assessment of radiograph images of lungs can help to optimize treatment for patients. Artificial intelligence may be able to improve diagnosis of COVID-19 patients based on analysis of chest radiograph images. What it does The final neural network takes a radiograph image of a lung as an input and predicts whether there are signs of pneumonia of not. How I built it In the first few iterations we tried to assemble a neural network with some convolutional layers for image recognition. Later on we switched to use a pretrained model based on imagenet. We omitted the last few top layers of the existing model and added our own layers, which then were trained on the trainings set of radiograph images. Challenges I ran into One major challenges were the inexperience we had when working with neural networks and transfer learning in particular. Another great challenge was to make the right adjustments to the pretrained model in order to improve its performance. Additionally as in all AI challenges time is a very limited factor. Especially when the training of a specific model takes up to a few hours. Accomplishments that I'm proud of We managed to get up to 70% accuracy on the prediction of pneumonia, although we only had a few epochs to train the network. What I learned We learned some basics of applying neural networks to image classification problems. Especially constructing a neural network from ground up and using pretrained models and adjusting them to fit our problem. What's next for C10-COVID-19 Characterization on Lung Radiographs Improving the accuracy of the model with addiational training time and image augmentation on the training set. Built With python tensorflow Try it out colab.research.google.com
Waterkant C10 Challenge Team fhp
COVID-19 Characterization on Lung Radiographs
['flohst Stöhr', 'Henrik Horst', 'Paul S']
[]
['python', 'tensorflow']
3
10,238
https://devpost.com/software/hackathon2020-prediction-of-ticket-submissions-c6-and-7
Hourly Predictions of ticket submissions with LSTMs Daily Predictions of ticket submissions with LSTMs Daily Predictions of ticket submissions with ARIMA - long term prediction Hackathon Waterkant Festival 2020 in Schleswig Holstein This project was part of the Hackathon of the Waterkant Festival 2020. It was part of a challenge that was created by the Landeshauptstadt Kiel. Challenge Text As the Landeshauptstadt Kiel with more than 5,000 employees we try and do our best for all our citizens each and every day. We want everyone to be able to do their best job and we want our internal processes to run smoothly - so we need a strong team in the background who will have our back in case of problems. As a help desk, this team works on up to 1,000 different requirements and problems every day. We need your support so that the help desk team can organize themselves even better. Our goal was to predict the amount of incoming tickets predict the lifetime of a ticket. For the first goal we tried three different approaches, traditional models like ARIMA and Exponential Smoothing as well as modern approaches like LSTM. For the second goal we used a Random Forest Model. Conclusions Our goal was to predict the amount of incoming tickets The LSTM model seems to be the most promising - for daily as well as for hourly data. Further tweaking should improve the results, as well as additional feature engineering However, the traditional approaches for daily predictions are nearly as good as the LSTM predict the lifetime of a ticket. The Random Forest Model needs more feature engineering in order to improve the results Outlook We like to advance the project together with the LKSH to bring the models into the production system. Built With keras python r tensorflow Try it out github.com
Coding.Waterkant2020 - Prediction of ticket submissions C6/7
During the Hackathon 2020 we worked together with the Landeshauptstadt Kiel to create a model to predict support ticket submission times and processing time
['Tronje Kemena', 'Sascha Mahmood', 'TimJohannsen Johannsen', 'gupta-vipul Gupta']
[]
['keras', 'python', 'r', 'tensorflow']
4
10,238
https://devpost.com/software/the-impact-of-corona-on-our-life-80hilj
Inspiration The Corona crisis had an enormous impact on the social life all over the worlds: our consumer behaviour changed, our working times and our form of working changed, and also the preferred way of transportation changed a lot. Machine learning models and many other methods of forecasting rely on patterns learned from past behaviour. What it does One important method to adjust to the new situation now is going back to classical data science and looking at descriptive statistics to get an idea of the quality of the changes - to find out which patterns from the past are still the same and which aren't. And to find out to what extent at least in Germany we are already on a way back to pre-Corona patterns. In the first exploratory step we therefore visualized the changes with different datasets depicting the changes in the behavior due to Corona on a website. Overall we looked at data on the sales of different product groups of a bakery branch provided my Meteolytix, the rentals from a bike sharing service in Kiel (Sprottenflotte from the KielRegion), pedestrian movement in main shopping streets of Hamburg and Berlin, and the usage of the IT Help Desk of the city of Kiel. Finally, we prepared data for the bakery branch sales, bike sharing usage, and pedestrian movement. The graphs used to depict the changes show the percentage of the corresponding value in comparison to the same value one year ago. In order to get more stable values that are less volatile (e.g., due to holidays), we used moving averages, in which the daily values represent the average of two or six weeks (we played around with different values for different datasets) before the day depicted in the graph. Therefore, the observed changes are somewhat less extreme but clearer and more stable to recognize. How we built it We setup a website using Firebase to visualize the data with chart.js. The data sets themselves were imported from the different data sources and re-calculated and aggregated to the needed values using R, and an additional data preparation step was done in Scala to finish the prototype in time. The link to our GitHub-Repo is the following: https://github.com/nikitaDanilenko/changes2020 Challenges we ran into Since there was no time (and no money :-) ) to host a web application on premise, we had to find a web-based solution that fit our prerequisites for displaying the graphs for the different datasets and allowed us to import the data in the needed format, which was one main task. The further task was to find a meaningful aggregation of the data and way to depict the data that actually shows the underlying changes in the patterns. We were playing around with different forms like bar charts and line charts of the actual values, which were not very useful though to detect patterns beyond the "crash" due to the lock-down in mid of March. Also we had to notice that many of the available datasets were not perfectly suited since the observed data points were not as need; for example, not covering the year before the Corona crisis (to avoid seasonal effects in the comparisons), or not including the latest data (e.g., only yielding time point until March). Accomplishments that we're proud of The members of our team had quite different backgrounds: from a programmers with a the frontend or backend experience, persons familiar with quantitative statistics, and others with a little bit of everything. However, we fit perfectly as a team, with everyone always having his specific task. And the final result is a true team effort, where everyone has its share. What we learned We learned a lot about the many possible forms to look the impact of the corona, and in particular how many forms of data representations there are where you actually cannot see anything - in fact, simply because there is too much information. Finding out what works and was not works was therefore a valuable experience. What's next for The Impact of Corona on our Life The data from the bike sharing service Sprottenflotte was only available until end of march since dataset updates are only available every 3 month, we would like to upload the updatet dataset including the interesting time span of March, April, May to compare the changes in that dataset to the other ones. Built With chart.js firebase r scala Try it out waterkant-analysis-app.web.app
C09 - The Impact of Corona on our Life
How did Corona changed our behavior - and what is the "new normal"?
['Konstantin Holm', 'Steffen Brandt', 'Nikita Danilenko', 'Flexizzle Engelbrecht', 'Thies Schönfeldt']
[]
['chart.js', 'firebase', 'r', 'scala']
5
10,238
https://devpost.com/software/c05-library-chat-bot
C05-Library-Chat-Bot Team and patrons felixvdh , Christopher Hlubek , Jan Peter P. Anastasia Kazakova (ZBW), Tamara Pianos (ZBW) Challenge The chat of the library service is used to attend the very different needs of the customer. These might be rather simple questions such as “Why is my account blocked?”, “When do I need to return books?”, “I cannot access an electronic full text online. Why is that?”, which are often re-occurring in similar forms, or very specific questions on publications dealing with certain research issues. Currently the complete chat communication is answered by library staff and restricted to the office hours of the library. Desired Solution Prepare existing data for further using and definig intents. Desing possibPrototype a chat bot with the help of Rasa X . Dataset The dataset comprises of chat transcripts from the last couple of years. The chats were done between library users (students or researchers mostly) and library staff. The language of the chats is German and English. While some user questions are unique there are possibly many recurring questions that could be answered automatically in the future like e.g. “Why is my account blocked?”, “When do I need to return books?”, “I cannot access an electronic fulltext online. Why is that?” Provider ZBW - Leibniz-Informationszentrum Wirtschaft Characteristics Format : XML Number of Cases : 4000 Type of Cases : complete chats (1-40 per day) Number of Variables : 10 Variable Names : questionId, status, type, wait_time, session_time, language, browser_betriebssystem, author (Patron or Library), time_stamp, text Data processing and analysis Transformation of XML data into a linear format (CSV) and basic cleanup of data by patterns Identification of questions asked in chat transcripts Manual annotation of transcripts that begin with greetings ("Hi", "hello", "moin") Training of a separate Rasa NLU to classify transcript items into "greeting", "question" or "test" Idea: Use the resulting questions to validate the chatbot and identify the distribution of intents in the last years Concept Identifying the most importan use cases by analysing chat logs and consultig partons Definig/identifyin intents Retrieving trainig data (so far manually) Elaborating trinig data Development notes How to run XML transformations Start the Rasa API server: cd xml-transform/rasa-nlu rasa run --enable-api Run conversion: cd xml-transform ./convert.sh Results Scripts for transforming data into CSV-Format Trining data for several intents Possible further work Find the possibility to retrieve trainig data semi-automatic Define more intents and define/use more suffisticated actions Evaluate intents and trainig data with EconDesk stuff Provide UI Built With go python shell Try it out github.com
C05-Library-Chat-Bot
Chat Bot for Libraries
['Anastasia Kazakova']
[]
['go', 'python', 'shell']
6
10,238
https://devpost.com/software/ksu-covid19-challenge
In the current critical situation of COVID-19 spread throughout the world appropriate image assessment can help to optimize treatment for patients admitted to hospitals. Currently imaging by x-ray radiography is standard, in uncertain cases with CT. Patterns typical for COVID-19 commence with predominantly peripheral ground glass opacities visible on CT, followed by interstitial changes and consolidations that can become extensive at later disease stage, associated with a poor prognosis. Radiographs are less sensitive and specific compare to CT but still contain valuable information (W. Liang et al., JAMA 2020). Imaging may help improve patient stratification, e.g. predicting a poor outcome. Artificial intelligence in imaging Classification of patients based on AI analysis of chest radiographs has been documented for lung disorders including tuberculosis, pneumonia,... (I. Sirazitdinov et al. Comput Electr Eng 2019). AI methods may be helpful in assisting the radiologist, pointing to suspicious image features. AI method development require large datasets and technical expertise. However, application later can be done for single patients and on patients groups. Currently, the number of COVID-19 cases in public repositories is limited. We have extensively searched the web but the number of cases made available is still limited. How to deal with this situation to come up with a powerful AI approach? Approaches tried Used transfer-learning in Tensorflow. Experimented with VGG16, InceptionV3 and Xception model trained on ImageNet. Model with pre-trained inceptionV3 model performed slightly better than VGG on pre-COVID dataset(85% accuracy), whereas pre-trained VGG model performed significantly better on COVID dataset(72% accuracy). Slight augmentation of the training data(rotation, brightness change) was alos performed. Xception and ensemble model couldn't be completely tested due to training time constraints. Built With python tensorflow Try it out github.com
KSU - Covid19 Challenge
Characterization of lung radiographs as whether they may be COVID-19 infected or not
['Uche Okereke', 'Kenneth Klischies', 'Subodh Dahal']
[]
['python', 'tensorflow']
7
10,238
https://devpost.com/software/d08-discovering-ancient-villages-in-turkey
Inspiration The inspiration came from the Insitute of Geography of Kiel University. What it does The model was meant to detect the sites by training a model with Tensorflow. How I built it We worked together on it via Google Colab (best platform to run it regarding Tensorflow, Keras and Cuda...) Challenges I ran into Not all group members were on the same level of programming and understanding machine and deep learning and we are not quite sure if the given dataset and the chosen model are fitting together. Accomplishments that I'm proud of We are proud on our extremely good collaboration of such different people and technical backrounds. What I learned We learned a lot about how these kinds models work and how important good preprocessing ist. Aswell as the fact that developing a good model takes its time. What's next for D08-Discovering-Ancient-Villages-in-Turkey We'd like to push the model forward to finally learn something Built With python Try it out github.com
D08-Discovering-Ancient-Villages-in-Turkey
Our idea was to write a code that is able to detect ancient village sites in Turkey.
['Jkilling Killing']
[]
['python']
8
10,238
https://devpost.com/software/c01-surf-forecast
train and validation accuracy Inspiration Inspiration of our 3 team members: direct connection to weather (also at the sea) on a daily basis Interest in surfing Working at SAR as a sea rescuer Studying ocean science What it does Our Neural Network decides based on wind and temperature data from one day, if it is a good day for surfing or not How I built it We build a small feed forward network (FFN) to fit our data. We used github, google colab, keras, tensorflow, numpy, csv, relu and sigmoid as activation functions. Challenges I ran into Our team started to learn ML / DL some months ago and is building up experiences of data science methods and coding in new environment with python and the necessary libraries. The data preparation cost us most of the time: processing the raw csv files, work around missing days and different amount of data on different days and in the end feed our neural network with the correct data was a very tricky challenge for us. Accomplishments that I'm proud of We build a network that straight away delivered decent results and it was great to became a successful team in such a short time of 2 days. What I learned We learned a lot about data preparation / preprocessing, applied machine learning with tensor flow and python, usefull libraries. We discussed about different types of NN architectures, activation functions, online Hackathons. What's next for C01 - Surf Forecast Tuning the networks parameters and try different architectures like RNN (Recurrent Neural Network with LSTM), try other spots (we focused on Kiel Leuchtturm weather data), create forecasts for different watersport activities like surfing, windsurfing, kite surfing , sailing, SUP. And grazie mille to Luca!!! He is doing our Deeplearnig Course and while working on his own project, he helped us out with the data processing. Built With keras matplotlib numpy python tensorflow
C01 - Surf Forecast
Improve the spot forecast on the base of weather data and page views
['Luca Palmieri', 'Kay Sörnsen', 'Sina Scholz', 'Weidav Weissensteiner', 'ATUL KUMAR YADAV']
[]
['keras', 'matplotlib', 'numpy', 'python', 'tensorflow']
9
10,238
https://devpost.com/software/c12-visualization-of-bike-rentals-1i5v0u
Sample view of bike rentals in Kiel including routes and heatmap. Intro A main task for bike rental companies is to make sure that the bikes are always where they are needed. However, people often go the same ways at the same time, which is why the bikes at certain times have to moved back from one rental station to another to guarantee the needed distribution of the bikes. As a first step in helping Sprottenflotte , the sponsored bike rental from the Kiel Region, the bike rentals at the different stations shall be visualized in a way to easily detect which station need additional bikes, which stations have too many bike, and where these stations are located. Our steps first we played around with the nextbike API we started our first asp.net project with .netcore 3.1 and blazor setting up a custom OSRM server in docker we had a little trouble with the OSRM wrapper for .NET, so we used the OSRM REST API we integrated leaflet.js into our blazor view and made use of its JS interop Key Struggles frontend!! :) osrmnet (wrapper to call c++ OSRM library from C#) Features in our Demo Version show simulated routes (bike-routed) from start to stop of bike rentals optionally visualize flow between pairs of stations ("arrows") select time period to be shown optionally show only rides taking place at a specific point in time highlight single station consume public nextbike api to record current bike positions and estimate rental routes later Open Questions / Features Our very next step is to think of a way to deploy the application to be accessible for experimental usage by the Sprottenflotte team. Technical clean up code and architecture web app could be leaner (e.g. outsource route caching) hosting: the API-crawler should run permanently and fetch live data to be processed later (could be a lambda function streaming the response to S3) the routing server needs to either be hosted as well or replaced by some public API calls the web app itself could be hosted on heroku etc move from xml to a better persistance format/db MapBox for better performance and customized map style Features / Ideas improve UI highlight/select single routes to get more info (duration, time, bike nr?) more filters needed for the view (esp. time selection) histogram of requests over the day/period "play" mode that scrolls through the selected period of time and animates the routes visualizing how many bikes were at each station over time and for fixed points in time how long and often have which stations been (nearly) empty? multimodal navigation feature (address to address by foot optionally using bike stations) lending durations compared to estimated direct travel time classification of direct transfer vs. A->B->C vs. A->B->A which effects does the 30min free offer have? application to other regions than Kiel (basically our API call works for any Nextbike region) Built With .netcore asp.net blazor c# docker git leaflet.js openstreetmap osrm Try it out github.com
C12-Visualization of Bike Rentals
Visualising the rentals and returns of the local bikesharing system SprottenFlotte in a map
['npaulsen Paulsen', 'Philipp Walter', 'Kevin Prohn']
[]
['.netcore', 'asp.net', 'blazor', 'c#', 'docker', 'git', 'leaflet.js', 'openstreetmap', 'osrm']
10
10,253
https://devpost.com/software/iconpool
Liquidity management screen - add / remove liquidity pool share Pool screen - get status data of a liquidity pool Swap tokens screen - users can swap their irc tokens instantly Transfer token screen - swap and send tokens to another address instantly Inspiration After seeing huge success and contribution of AMM’s like uniswap on Ethereum’s astronomical defi ecosystem growth, we understood the need and importance of good universal liquidity pools and hence started laying the foundation of iconpool. Also we felt the need of it especially while working for other P-reps and brainstorming on how to make ICON ecosystem more active. What it does Iconpool can be understood as a uniswap/ kyber equivalent defi protocol, It works as an automated market maker and liquidity provider for onchain token pairs Users & Traders and common users can utilize the protocol to swap any IRC2 tokens instantly. Arbitrageurs can utilise iconpool to gain trading opportunities and increase activities on icon blockchain in the process Dapp developers can integrate ICONPool to provide for all ICON based tokens in their dapps. How I built it After initially taking feedback from PICONBELLO P-rep Team, we started working on ICONPOOL with the implementation of constant product market maker. We implemented the algorithm by taking reference from uniswap's algorithm and bootstrapped the front-end. As of now we are planning to launch it while taking essential security measures and feedback from active Icon community members. Challenges I ran into The question of beating ICON's staking reward to incentivize LP's enough is still a challenge we are trying to overcome. However after planning a collaboration with Block42 P-rep, we are confident in the success of protocol and looking forward to integrate with LICX protocol. Accomplishments that we are proud of After working as a team on other people's blockchain projects for more than 2 years, the most proud thing for us is to choose our future plan well and investing our time and effort to work on our own project. Also after working and observing the platform for months now, we are pretty confident about ICON's success and have planned to invest in the growth of the platform for years to come, having a immediate 1 year worth of upcoming development plan. What we learned biggest learning for us is to plan and coordinate with other projects like ICD and LICX and keeping their plans in handy to make our development plans align to get the maximum out of ICX ecosystem and providers users with the best possible experience for ICON based DEFI What's next for ICONPOOL We are planning to launch on first week of Oct on main-net after completing proper testing and possibly a security audit. The future plans are to migrating liquidity ICX to LICX to maximise yield for LP's. Also we are looking to provide a governance portal to let users contribute to the future growth of protocol. Built With icx javascript python tbears Try it out iconpool.io blockdevs.co github.com
ICONPOOL
ICONPOOL is an automated market maker platform for ICX and Icon based tokens. Users and dapps can use it to swap tokens instantly onchain.
['Aaron S']
['Decentralized Finance (De-Fi) | Grand Prize']
['icx', 'javascript', 'python', 'tbears']
0
10,253
https://devpost.com/software/kotani-pay-imxgrl
First, select the USSD service. Enter the USSD Code *384*5495# Press Call. From this selection, Select Kotani Dex by entering 5 Enter 4 to Access ICX options Press Send to get Feedback Enter the desired option's number to access more on it. Press Send to get Feedback Enter desired transaction amount If the transaction details are correct, press OK. Inspiration Most blockchain technology services are built with smartphone users in mind. However, most mobile phone users in Africa use feature phones with USSD as the primary interface. Of the 770 Million mobile phone users in Africa, about 440 Million use feature phones. With the proliferation of blockchain platforms and the use of cryptocurrencies, these users are locked out of the ecosystem. We started working on Kotani Pay with these users in mind. What it does KotaniPay is a middleware technology service that serves as an on-ramp and off-ramp solution that utilizes USSD service. This means that it does not require internet connection, and does not require an application on the user's phone. With cellular connection only, we enable users to dial in and buy or sell ICX with ease, with all details of the transactions being recorded on the blockchain. The simplicity of the solution is that it does away with the need for the user to interact with the complex private and public keys. These are created automatically by the system and are tied to the users phone number. The user only has to use their own Personal Identity Number (PIN) as they otherwise would in using a feature phone. How I built it We built Kotani Pay was build using Javascript for the UI, and utilizes APIs to interface with the smartcontracts on the ICON network and the Oracles for price discovery. Challenges I ran into We had very few sample smart contracts to work with for a basis for our work. We also struggled to get documentation for the ICON SCORE. Additionally, ICON uses Python for its runtime environment. This is fairly unique in the backdrop of the smart contract ecosystem. Accomplishments that I'm proud of Our goal with Kotani Pay is to have a blockchain agnostic solution. Our focus is on the African continent, and we aim to increase accessibility and the ease of use of cryprocurrency and other blockchain solutions. We are proud to have intergrated the solution with M-Pesa, the most widely used payment system in East Africa. What I learned This process has taught us patience and persistence. Having to intergrate various systems written in different languages and for different purposes required creativity and the patience to try many possible work-arounds. Being able to make this submission in itself, has been an achievement. What's next for Kotani Pay Kotani Pay intends to go on to create a decentralized onramp/offramp. Instead of relying on the traditional banking service, we use an agency model where anyone can provide fiat liquidity using their Mpesa balance. In return the users will earn settlement fees and a fraction of the Governance token that will be minted daily and shared amongst all the liquidity providers. Built With firebase icon json-rpc node.js ussd Try it out github.com
Kotani Pay
KotaniPay is a middleware service that allows users to onboard and invest in the ICON ecosystem by leveraging USSD technology to buy/sell ICX without an internet connection or access to an exchange.
['Keith M', 'Felix Macharia', 'sam kariuki', 'Steve Kiarie']
['Decentralized Finance (De-Fi) | 2nd Prize']
['firebase', 'icon', 'json-rpc', 'node.js', 'ussd']
1
10,253
https://devpost.com/software/stakeconomy-1j9u84
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')); Delegate to gain access rather than paying. Delegate to gain access rather than paying. Waiting for user to delegate to get access Inspiration You can see some crypto services asking people to support them by staking with them. That is good for them. But that is not how most of developers usually do things. When a website needs to process credit card payment, they integrate a payment processor sdk. They don't go run a node inside Visa network. In similar veins, we will provide a sdk for website to process staking from their users easily. Imagine Wikipedia gets support from users this way. Also, any kind of premium content and paywall can benefit from alternative revenue stream through users' staking. This can work with or replace any kind of funding scheme, including: Github Sponsors Patreon Youtube Channel Membership Google Play Pass OpenCollective Codepen Pro Wikipedia donations What it does Sites/apps/projects can easily gain support from users by user staking. Website can integrate an sdk to easily process users' staking. Website asks users to stake to certain validator. Once users finishes the staking, the website's premium content is open to the users. Advantages users don't need to actually pay directly. Psychologically this is very different. It's like the users have a risk-free use of the premium membership. global. Most of other payment methods are regional. recurring revenue for developers and site owners More important than just the money, we are integrating (non-dApp) developer ecosystems into the whole staking economy. So far, we see that crypto has no problem attracting investors, but we should try to attract some other type of users, ie. users of regular websites, etc. This may help user adoption this way. How I built it ICON sdk to confirm users' delegation activities. Built With icon-sdk-js javascript node.js Try it out rebrand.ly rebrand.ly rebrand.ly github.com
Stakeconomy
Enable new type of staking economy. Enable websites/projects to gain support/fund through users staking. Users stake instead of paying to gain access.
['solomon wu']
['Decentralized Finance (De-Fi) | 3rd Prize']
['icon-sdk-js', 'javascript', 'node.js']
2
10,253
https://devpost.com/software/iconsafe
Balance Screen Transaction Screen Transaction Builder Screen (staking example) Settings Screen : Safe Management, Owners Management, Requirements Management Inspiration As ICON is growing, more and more teams from all over the world are joining. ICON is currently lacking of a way to manage funds with a remote team in a safely and trustless manner. ICONSafe is the first multisig wallet SCORE and GUI that solves this issue. What it does ICONSafe is a team wallet with advanced user managment. It is able to track tokens balance over time which is a unique feature that no other service provides. It is also able to send and receive any type of transactions. All outgoing transactions require confirmations from the wallet owners based on a vote before being executed. An outgoing transaction may contain multiple sub-transactions which are executed at the same time, so it is possible to create complex operations suiting for all type of situations. How I built it The SCORE design is inspired from the ICON Project Multisig Wallet , I rewrote everything from scratch in order to use SCORELib and add many features such as balance tracking and token management, wallet owner advanced management and multi-subtx transactions execution. The GUI code is based on the Gnosis Safe code, it uses the React framework in order to provide the best UI experience. Challenges I ran into The development of this tool led to an interesting discussion about context rollback in SCORE , which has been solved thanks to the help of the ICON devs community. Accomplishments that I'm proud of The ICONSafe UI is the most beautiful UI I made so far, and the ICONSafe SCORE the most advanced SCORE I developed. This tool is being polished so we can use it internally in the ICONation team. What I learned This project helped to improve SCORELib , and also my SCORE and React programming skill. What's next for ICONSafe More ICONSafe Apps needs to be developed in order to easying the transaction building process. Right now, there is only the Transaction Builder App. In that app, the user needs to input the contract address, and call the method with the correct parameters. It may be a little be scary for non-technical users, so a dedicated App integrated in ICONSafe for a specific contract (e.g. IISS) will be welcomed. The Address Book is not yet ready and will help building and reading the transactions. More Wallet providers (Ledger and Magic in priority) needs to be implemented. Source code SCORE : https://github.com/iconation/ICONSafe-SCORE GUI : https://github.com/iconsafe/iconsafe.github.io Yeouido Demo : https://iconsafe.net Instructions for the demo Open https://iconsafe.net , and click on " Open Safe ". Here's the demo Safe Contract : cxcce6d7105c5b36b1d4cdc47cf93d86cfb317d0cf Import the following private key to ICONex (connected to Yeouido): edfedfaaf6e041eb3f33f083bc1e9b5f876c144b9a31cd44075c376c24b4f33f Connect to this wallet in ICONSafe - this wallet is pre-configured to be an owner of the safe. Feel free to do anything ! Add, modify, remove owners and change safe settings, read and write transactions. Built With react score Try it out iconsafe.net
ICONSafe
The first multisig wallet to manage digital assets on ICON for DAOs, holders, investors, developers, funds, companies, ...
['Spl3en \u200e']
['Utility | Grand Prize']
['react', 'score']
3
10,253
https://devpost.com/software/skkrypto
There are various study groups. You can join in whatever you want with declared deposit. Studicon issues certificate to prove your effort and improvement. How about collecting various certificates? You can pay back deposit finishing course of study group. As you participated in the study group more, you can pay back more. This image is a full USER FLOW of Studicon. This image is a core USER FLOW of studicon. We add it because you may hard to see the full USER FLOW. ➤ Inspiration STUDICON is a blockchain-based platform which can manage the whole process from creating a study group to issuing the certificate. We provide various kinds of tools to simplify the process of study group management and issue certificate for those who want it. This will help people to make the best use of study groups easily and give study group members motivation to achieve their goals. Vision : To make more useful study group management tool Background Lack of transparency of current application managing study group might lead to the risk of embezzlement of public fund(deposit). Difficulty that current study group applications have when it comes to prove participation of each study group member Currently there is no certificate to prove that someone has participated specific study group Why Blockchain? Since blockchain opens all records transparently, study group application which uses blockchain technology will increase the reliability of managing any kind of deposit for the study group Once Information is transmitted to the blockchain, it is impossible to forge the information and it remains permanently. Therefore, the history of study group is permanently recorded on the blockchain and this platform issue certificate based on this information Service Feature Recruitment and participation of member of the study group Automated program managing study rules and giving penalties Incentive System for motivation Issue certificate of completion Expected effect Study group members can motivate themselves by systemized penalty and incentive system Study chief automates the management of rules to give any penalty or incentive to members. Study culture will change based on STUDICON which will be extending the variety of study groups to a wider range from current acquaintance-oriented study. ➤ Usage import project git clone https://github.com/Youngerjesus/studicon.git edit application-dev.properties & application.properties app.host=http://localhost:8080 server.port=8080 create jar file mvn package ➤ [User Flow] ➤ How I Built It Source Code Management We created a remote server configuration from Intellij IDEA Ultimate, and synced our works in real time. Specific methods are described in the following link : [Create a remote server configuration](https://www.jetbrains.com/help/idea/creating-a-remote-server-configuration.html) Languages and Frameworks Languages and Frameworks version Java 11.0.8 spring-boot-starter-data-jpa 2.2.4 spring-boot-starter-mail 2.2.4 spring-boot-starter-security 2.2.4 spring-boot-starter-thymeleaf 2.2.4 spring-boot-starter-web 2.2.4 modelmapper 2.3.6 querydsl-jpa 4.2.2 postgresql 42.2.9 icon-sdk 0.9.15 Cloud Services Amazon Lightsail Amazon Relational Database Service Amazon Route 53 Score Variables and Methods Studicon.py is an ICON Smart Contract that manages the major functions of Studicon service, deposit and certificates Variables self._allMemberList = ArrayDB("allMemberList", db, value_type = int) : For managing accounts who join the study self._memberStatus = DictDB("memberStatus", db, value_type = str) : For updating each study member status, JOIN, LEAVE, EXPEL, or GRADUATE self._studyStatus = VarDB("studyStatus", db, value_type = str) : For updating study status, OPEN or CLOSE self._depositInfo = DictDB("depositInfo", db, value_type = int) : For managing study deposit of each member Read only methods @external(readonly=True) def getMemberDepositInfo(self, _accountId: int) -> int: : Get the amount of remain deposit owned each member @external(readonly=True) def getCommonDepositInfo(self) -> int: : Get the amount of deposit owned SCORE address @external(readonly=True) def getPayBackDepositInfo(self, _accountId: int) -> int: : Get the amount of pay back deposit for each member External methods @external @payable def openStudy(self, _attendPenalty: int, _homeworkPenalty: int, _initDeposit: int): : Publish study and set initial deposit and penalties @external @payable def joinStudy(self, _accountId: int): : Register the account who joins the study with paying initial deposit @external def leaveStudy(self, _accountId: int) -> bool: : Remove the account who leaves the study with paying back the remain deposit @external def applyPenalty(self, _accountId: int): : Apply the penalty, absence, or incomplete assignment, to the member determined by voting : Reduced deposit is stored at the SCORE address def expelMember(self, _accountId: int): : Expel the member who no longer has the deposit left @external def closeStudy(self): : Close study and graduate the members who has the deposit left @external def payBackDeposit(self, _accountId: int) -> bool: : Pay back the member-owned and SCORE-owned deposit ➤ Challenges I ran into Every moment during our project was a challenge for us. Our team has just begun studying blockchain and this project was our first official project to make a tangible outcome. During the project, there were several challenges from designing to programming and we could learn many things from those challenges. Designing Service - Why Blockchain? When designing Dapp, we had to think about the reasons why blockchain should be applied to this application. We needed the idea which is attractive as itself, get benefit from the blockchain, and is realistic. Writing our new SCORE and deploying our SCORE It was the first time for us to write SCORE and deploy it with t-bears environments in docker. We studied for few weeks about writing and deploying SCORE. Adapting SCORE in our application We need to make java-sdk to adapt the score in our application. Constructing Server with Spring Boot We decided to learn and use Spring Boot framework as our web framework. ➤ Accomplishment that I’m proud of. Our own SCORE We wrote our own SCORE- Studicon Studicon is our own SCORE which controls the deposit of users in our service. We are proud the fact that we can contribute to the ecosystem of ICON. Our own Dapp We designed our service in the aspect of business to get the real profit. We are ready to launch our service, and we even prepared AWS domain. We are going to keep monitoring our code in detail and test server so that we can improve some operations and fix bugs to launch Studicon. Contribution to the popularization of blockchain and icon network. After studying the concept of blockchain, we have learned the way to “discuss” how blockchain can be applied to our daily life. Though there have been several trials to introduce blockchain to the public, blockchain technology is still quite unfamiliar to ordinary people. We designed our idea for ordinary people, especially those in their 20-30 who are looking for the platform to find other people to study together. The slogan of our team is to lower the barrier to enter the world of blockchain technology. We hope our service can make blockchain technology more familiar to the public. ➤ What I learned The ICON Network and Writing SCORE. Not only learning how to write SCORE, we studied ICON network and ICON loop chain for several weeks with regular sessions and seminars. We read the whitepaper of ICON and discussed the components, key concepts, and governance of ICON ecosystem. Especially, we are interested in deploying NFT and we found many practical applications of NFT deployed by ICON. Improved developing skills. Through this project, we got more familiar with web developing skills. We studied several Web programming skills such as Spring, Spring JPA and Security, Thymeleaf and so on. Also, we get more familiar with blockchain development environment. We learned how to set the docker virtual environment with t-bears and how to deploy it with key-store file. The developing process of Dapp Through the entire process of project, we learned entire way of Dapp developing process. The most important thing among what we have learned is that we should keep thinking why blockchain technology should be used. Also, we learned how SCORE can be adapted to our web application through java sdk and what we should consider during programming web application. ➤ What’s next for Skkrypto As it is said before, the object of our team - Skkrypto is to lower the barrier to enter the world of blockchain technology. We will keep monitoring Studicon and also try to take parts in ICON network in various ways. Introducing ’Study Token’ concepts to the Studicon Still, it is ICX which is exchanged between the users of Studicon. We have plans to introduce ’Study Coin’ concepts to our service, which can enable each study group to deploy their own study token. The following is the detail user flow of “Study Token”. When Study is established, the leader of study can deploy the unique token for the study group. Users who want to join the study should buy the token of the study group. There might be the auction system to buy the token of study group, which means if the study group gets famous, the token of the study group will be more expensive. Study Token can be exchanged with ICX. The following is the expected benefits of introducing study token into Studicon. Study Token can prevent malicious participants joining the study group. Through Study Token, there can be a high-quality study group which gives incentives to keep study group over and over. It makes it easier to introduce other gaming events to Studicon and makes services of Studicon much more unique. ➤ Contributors JeongMin Yeo SeungHo Park JunHo Bae YongWook Lee JiYeon Jin DongWoo Jeong MinSeung Shin 🔥 🔥 🔥 🔥 🔥 🔥 🔥 ➤ License Licensed under MIT . [User Flow]: https://viewer.diagrams.net/?highlight=0000ff&edit=_blank&layers=1&nav=1&title=flowchart_studicon.drawio#R7V1Zd%2BPGsf41OnPzIB30gu3R1nic5NqOEznLPPlAJCQhQxG8JDWLf%2F3F1iBQ3SCazV7AZR4Si6JaFOqrtau%2BuiH3r19%2FXCerl5%2Fzebq4wd786w15f4Mx9YhX%2FF%2F5yrf6FUz95pXndTavX0O7Fx6yP9LmRfa2t2yebnpv3Ob5Yput%2Bi%2FO8uUynW17ryXrdf6l%2F7anfNH%2FravkOeVeeJglC%2F7Vf2fz7UvzKvK83Tf%2BnGbPL82vjtjf95jMPj2v87dl8%2FtuMHmq%2FtXffk3YWc37Ny%2FJPP%2FSeYn8cEPu13m%2Brf%2Fr9et9uigfLnts9c99GPhu%2B7nX6XIr8wPzD39N8d9%2F3P7x7e%2FP%2F%2Fj4t%2F%2F%2B9vrPr7fID%2BtzPieLt5T9IdXH3X5jjyhdzr8rn3Tx1WyRbDbZ7IZ8%2F7J9XRQvoOI%2F06%2FZ9j%2FFf3t31PObrz%2BW37vzPPb99yViPPbFt84Xv6br7DXdpuvmtadssbjPF%2Fm6%2BuVknqTRU%2FkLN9t1%2FintfCeYRenjU%2FGd%2BgOnc07Qu0fTvLTJ39azdO%2FzCFrRFJhP8%2BKTrb8VP%2Fllhw0GgJcOKthr63SRbLPP%2FQ%2BSNBB9bo9rf8OveVZ8ROw1%2BoR90sijUaeYRv0z6r%2Bg%2BbGutOFJnt8%2FCXmR1z9qm6yf0y13VCHq5FvnbavyDZs9nzkkFPwmFBz62fo%2FUfxH%2FSnYVx1R7F6q8C3GehimwSwOn1AczJMoIreIQ%2Fn9gsP55kv2ukiWaR%2Fds5dsMf8p%2BZa%2FlbLebAu1Z18VmEzW28am4RK8lT1I5w2UW5Uvv1gkj%2Bni%2B9ZoMCAv8%2BoX1uhmFqj8vU%2F5cvshec0W5UP6V7qeJ8ukebn5jVHxZbLInpelYhZQL1VIWX0E2vI5XW%2FTr52XeLVovhvgnjyZNnSUhvhIoDYkIgCUXR3pwOEwaWNO2j%2BVYsUekpQ5J1cdT3UQlOOPmTlX%2FrmiQPhYkYbH%2Bld%2F8%2FWXe%2F%2Fpfp1%2BePrtc%2F7j7%2FM%2Fbnl38cOSndvzGYtF4cHLx%2FrlJdumD6uksrtfiiii%2F6iTzap260%2FZ11JxzDxqLP2ovzK89hBN%2BScfCh58aALNZAjNvKc%2BDTR%2FBdAdRneIjaGb%2F%2Fy81bjBwWLb2Nzegw7%2B7y1n37jdVE%2F2u9K84NXX3TeL%2F3ou%2F%2F%2Bn%2FDlb%2Fl7Foc15xWerj6zfwIlx50XQuAKdqpMZxLm8jgL8xOGdzxtIkd8JTJlHxCsrbxpHwunDH25amuA6AvfZlx9ZiF1%2BsYu%2Bq6%2B64Xfnx1jYvjdklxdkN9gWPizSxLZ1ILrvqTa2BYT4zqL0KL5jn535BxT3T5GO0wVnReCsgUBdIS4WiyG%2BYlaEWWGCSCQhy2Q6FcjGfVtZJOpFcr77Bw6URa%2BP%2B8f6iFqFLvv1eqoX8oAy6f9GzSazhl0M8tEMmRT%2BKIj1aKhoL9s0kh2E5YzlwVUNoDDIa3JcXSUKsWg1VOMUTLGCBqiabzU94OEtpQN4UjoQgXAV%2B2oqAM%2BJwDn6bK7QA%2Fr6TC7qwG0HvjHA9eC2Q98A4IyUk9Uwi3nMDscYziKFkIsU1GBKQGxAfLs41XixcQhOj4mED0P2ETgdhWDE43l6UIXRp3JQQT0A1eY6whZUNSRg9syjilJoMqn7oDpeRIicmtU4vos7%2F0DKD6NY1QSMhG0NTD92B6Mw7SXTPxcfq1swfVyz7%2FzPMi%2FPTRaL%2FEs6%2FxP%2FhmuN1WSNFbHg01mFldlGPcayn7y039McSx7qksV%2F%2BLSKoDARRx7BajYsBhFnEIMPY9j7BscDSlfO3TrOg3LuMdhq8r5iVIaSEWUcukXrPvdb%2FMHQa6o64AhqgenivbEK6H4sOq2ATswUIgK8ZBRjLdV1YGKjyDK2qD5smU2hDWBr%2FIZnWhV2REBdMA5CHSBElB50rukbn5PB5HFlHT0X7NKxpT8pLMfAqcYIGD5Z8AbwIC80hVZxOzHr0boGlyqlHeRRHsAD7%2FRdArbs4hgOL4MAq4aX8BoyQHZzoyKr02dvbcSXCkCcSgYd%2BprixBB%2BFuMg0ZBC2wwUzdyZIM9phdkHLRYBbK2XrseAQNLHe3uFjINLx%2B3ICUR8plyo4H5k4J1OKzQkxH0jRhWtIbzM4w4yfZkXnQpezRpDzyWaoDEMYU1ZOv3F0LnSwKk1FF25TRJd07SGniR%2B49glfAOvbwxjNmB3cAJMYPEGHGQar0x7rgmwEl6R7PUKctve4Pfz37A%2F30spUr5fAebX90CnhHEAazS41wR4v2xjxYyFOwh2HxgHiYYynx2QOLBykp1ZUuZwUhk2DVS7tthF3tBBmoYYuGEJr0cRYmiGQcC1sE6TbTmx%2FK14QHzLVv5lWf5Rs1n%2B1vy9E54kP7iDqkVf6wz5FqpIAFpI16HSQbU%2FqDimbY%2BK2vZa0bIXPna68R4P7dArnu%2F2BgyydwXXNNx1pdy8xPXSldLKZsniu%2BYbr9l8vhiCVJ%2FDY0Dcan6V6SUoUfgCSIgm3zF3j6ARFHzZ4uHt8TUr4bB9EXRibopH%2Bba6KSmX1q8T0Fq9IqJwDMK51nqiupIRrf3lqrVCrQVeu71c7vbCirTWHCR4Qz57SWefBj3tqog7v%2BTr%2BdmpK7zob1MJC%2Bq6t6NCWjTLbPZpmbymExCN3viH68FgyZIr0RDRlfbVkO4zpHoRAQ1pTHlEWDWkMX%2FFuF9Z09vXJOMJ5M7NirYdCe6CHlH5%2BKqr7oKeMOIhYTnoEQ2gHwgJJILE%2B7zW9%2FKPW2dlvSJIXsunvHzcrLqQac1AbRy8NqoiH6Snz17y18e3zbilmIZhgPQdovCq1VVLlkHUCHwtYrgrYoQebxksFzFiDYUtvaaBBQrw28l8vk43m8uxGKJQwpjF2DupdjUYrsJ%2BYDAi1otgxWDsHfaZjsFoywATsgx6YQAtg6geYMwyDPKkaacweKjK45ZoX%2BUoBsovO1Ku%2B9dEhmMYEAJ2gwFQ2YDObuZ8DDvmCF%2F5qnzF98srvPNagWZZgAsSHInYd61WC6xdkJyNg9cc8%2FE0SneYx4RlH0%2Bu92Zu4z5IWEg9JLAUQlSYshTDTn%2BzSpZawr6X5LN81NfvgNmFfkJao%2FojnkeaCPcs4IjchZIk7hFHdaUlIuTrSs26BcI9bK3rFhptlnikB29aiCBlqKDdpO0U179qQaiCONTQWGtvKsEW653swHNL0znaNIkDp3NdEaCPwJQoN4Pfsj5JdlaBT3N0dwNPUwP%2F7dnCdhyMzLiPAzxwuokNFquK3DNQnmHw4Vm%2Bfdg6mkqcNm2zNGyDQBq2Tq1tGEOo8RZSmmdcwnKbhi0bCnYzPmYD6GZhKx9OUJewpXCVk0%2BUrS13VuBxZxmHrZs9DmcTJMjD1intD6K0T42BAYqxsvFFgLGSjB9tGNREJ%2FWajWU7ZsBJRASBA%2B90Ol0ZwgJ9ezFyKBb5k3xwkmno6SQYsrHlZmKQRbKsHcQtB4wPIk7ErQdWhSyKrENWY8J1iZCVrRMQxzToELIxvN5UtrIetNemIYscOfgzgawnDVk0qcAARaqBAQoxRD%2B8sjOOWUeRwdSwJ8sT0xhWZxkTRAz2IGKUwYc9uH7duI8%2FmYxI1cSa9fHSmZRbdl%2FOYAZUV1gaSDLVDDN%2FaAe1rwHUVq3jOHx8p1dJsHaDAlWeI0gszQNRE3EM%2F5F9vcwxA3LSkDPZWX9rFq6hrAWlboHNKoJtIKlqF2ESFUqGkUfjmvW3GMU1jozVAsxQGk4ruD3k8tUpayf1QTMbVV26ErC0ZtfoYkYhAgQ%2BMgm9vZ8Me%2BHeHzCjQVQ4pjHJSNukZ6BsVGbcM0ROPQNl4tkNB0SKngGeFFO7BKAkxvqgNz0%2Bb%2BmghBFoj0Ovjm5dQS%2BIgIEKI9zjplW8kA1hD%2B3IuYZhSXUQK58%2BLKknyx1KPadF1yiIRWhprRrRAtJbWBKLAmIZlo746c%2Bjz5BKb%2BugntNQ9xZBoBFVB8%2BZVXCQ8V4tRxe151HExWEsG0G4DUm5hu4gosothjAoDSH6jQelGvOhyXp%2FiVBT%2BgYhdtrfGkDwhbGiueQavMPIrocnQpKdSdpLs9DzpKHn1O5BTj8c4VBHqMmfG%2B091zgsNcxlXa4bb0AqBWenOxgoTMOVK0sCANt14lRn%2B8ApO3H5ZH9SbQA49BWhB%2FdbW3fi1NXG1nNJ02Vb%2FajbhuoYzkKpQ5Yrf3qWraWr7tSJQY9dAUlcFjmF3i2FlZ2I%2BroSbuLZRh8%2B6xXX0ujD0oYPO0Uf8ijaU28nXugpT%2BYh4L2Lw%2BwugaXsA1w4GKWXY1Lkti8kiABgAlUmiQBCD55k3Auf9XZreejJVr2p4%2FEkwtkqxRY999BjSLtw6EnPH1O388ewUkM8XV3zPIiNQ%2B9kKjVTpCFpgCgFWbcVHi6yg%2FR30unyqN01TvjE7zRiHJKrHnAZh%2BUiW6a37KGWFJeluvrDtKfFx1rB114QfEWaYjUS8Wl%2BqFZLevfFe9Oqj3WAS7V9mf8A7Wf8OU232fK5OK5eszb8V7Qv%2FLnQ5gK1eYWs2fqtXIYp8WO%2FZduF3C%2B4KTXDy5%2BK%2F3lNXx%2FTdfEneiUWsPeP9Dkr1LyAc15yg87TZF5KSOrY9%2Blmts5W9Y%2Fufb8MDgZhIOQ2Hfl7RW8ChlTAhLtKZqXoyHt%2F99VvefFr399WDJsirtP8c7p%2BWlT2%2BCWbz9PlDSS7fV4n86zA1fuskG71sEoWznVpaHgL27Kl9ynQafsXHEqMOnAhzQwI6GJELPzqcnaKOHMR3CWtjbGTUv7mt7vnIKk0vdIWnr%2F2KVtmm5ebZpdsIe63%2BbeK6BYIX5q%2FVjdP7X5xIHDtTpBoA5KIpZZjXdEnD%2BZjBCaeo58%2Bjuq6y2w9YHkfD9HnkyE834%2BKksm6W2Tqp%2Fm79esdjFABRIzRXFPBpu9fk%2FIRZqt6IXu5qMD7nG%2F5taMTVUTCGAHbwEq4hdeuImI%2B1howjCv%2B6b82ccnpGEMoA%2ByHkjIwtvqhbUO82sJp2sJA4C%2Ft2kLiqDP9JHL48cycOM3MIxR10YVBdBwgr900cvDMRGGpSP84GnrtFgJbJSY2mTx9pluzMJOe5yFu73RCaOC8qMDMjgpUFY2EkZ%2B2zpXy2DYOxpNpL59kvZNIT%2FEQp73Btz6FYCNHGFKMuNNi%2B9A9mVK9WQhKN2oQt21CCJEuhXKIYRLtqyMyBiwKPkW28UgEa24%2BVmnhrF40laZ8sayujhVvyV9Xi3RbxO0cgpW3Bw7jESD4%2B%2Ffvgw%2F3plJIUE9DolqJ1eWB1OcFdb%2FIZp9u2ppluq0vECzIwsgzD%2FtRs7iGabd00u6DuS5tdJS384tuqGg9n2g7mMFcfbiac0WFHVTADNvjbYVdTAh2dT%2FM1nn1k%2FN6gWJtp1%2B%2F3bALpvIZPPO17VOx2D7XQjOBYrdgn2rPT46tvGT17nMRyq4zzqFQfD5h7wcvD7U%2BQGE0NxDLMiB9TNYnLBTQYjuB2KadTr96MUdeLIhBYTcMsWi9rF1H5l1h4RoWILiJWYOiu4BXNF6kYyP1Q1lf8ObpNskW3f65vUukTVj9ftsUMiTaEA6dTcA5twPOxyi8ULh9F59st%2Blynixn5RePb9ttr%2Ftvr66fipsPWZFmR7wTCpLVWCBfyLmt0Z6PxV5lhfl5%2BZpWomaCORcJRJF7CWDRdZV%2BBav7pFoJemlWvL6GmpeveyIfblo%2BVQTQflV9Ekmpz5cRH9JF%2BZiw95f7%2F%2Fzyw3%2FKXzubFbFFszbhJB89WCQ9hSyH%2BnyPIVMbPt9894H1AVcJ6buTFUXshXcBnp40PA319IFAsvzhtxW0htvstfJxy%2FmNcErhLGxe7OE7jldYGHpEMXuxd2sVw2lzjRIXTeReJW5A4uJQx77EsSkd74c7vPX%2B2%2F%2BebWYhsucepqJqkX2Bk2EXW4pkrOJ%2B4ikH8ijsCREm9aTt7ej7WsL1fGiUzLAqHle3%2BW61KiTMpv%2BeyqQCirU3SwC%2Fef6lnggyoU6g1EM9ETnq1TQfqf8BbVV4ctGXhk6Fq8AlBN6yczoVN9Ig7uvdzTEXvYz%2FbkdD47gxpW1l7EZn67Se8CtSpppzoGqTLRs56znAbsUQyG6iQ38%2Bx35KeIUUultjdd%2BWtPg69OdKG%2BN439BfRHmIWB36I7GgWQnq5lj6BFW3W9o%2FTne7IbJjbRa5V8vaHPHaPDBF%2FZp86gjwhAanA66GKHjqIhYJc3dnzJ9ebeg0B6djz7UNjTROVJ0w8TIjeRjfQhu6nUyFmRO3Y16a6ZYEMAmDC22NL%2Bcy1Tqz37MkN31eDrmsS4PXsVM6I9D7t6soet6fCvyQqcy6XfJstpAy2IzuzcqwMHNbTLEjfS72o17guoWHCLbwfVe3a9wMT97tnDM6RulsDj6GcHGiiNitZRjvPntoxTWqnuB6qZk8Hdebp4qi8WyUIySgv20CyoFDvsJkwTbuLGLrC8%2FeNkZs2%2FeExE8iweRbmqxnL3UIsx4vYRQPJLEiJZumNIam1HM9Q04E4WorqfoiZ9ZS2Z65NFAkcGxWpYEDXho%2Fl5%2B4mYUzE0zYsVMIDiFSLJraNhZI%2FNXffP3l3n%2B6X6cfnn77nP%2F4%2B%2FyP20BDG7bc5Vi3lHTSl2MypQkOOYOowKSfr0fChlQeETpqR0JEIEE%2FxH2%2B3GTzqm%2B%2BcV7cTGrxcNPNVqOJVC0l6RUPYoNAzESKYn82NNoLLfYUgY6Uz1VlHassWDmAkIBowVS9V4iJ0FQLU6fk9pJ8rluIBSPpjLmBmYHq5i1bmqjDTcQsADrdWFQRIMLWRmMYOJktT8fx%2Fx16MyB%2BWLIXA4jRKoIbClc3BT7pX0cixOgAD97PSNAdQmFAQ8%2BPoiIMAY7Og0jVd28gFEkkKpgciF87ZKpTwK9gjd5eoE8EvgRwFPEok4UvAXN1iNv7Y%2FieC%2Bkgp1YH7CG3so631w%2BEsd5hJtgVZJEHmKsDWP2Q30KKRk4yDtmTiRE0QW%2FgMQTS0HNKtBrw1lJxFXjg90%2BK4U5x08ijGrz75S6vR0R2bS5yS7EeIYhYrIjYCPTdxaFtxJ7M7gmzyJPOlCh2ibw40oU8hIDZjRn3lDXoiSYUJ5kKHQE9CUBJg9Qt9BBGEDCKOTlcWRex%2FmpryDuZAHGKSyQQlQ4sqVM3XaRU0FpSVWsZYAh%2By45aQAJ%2FxewBmJV28DX4nGHWB%2Bt7imwI%2BGV5zHLwh0cZB60GFy8uBXnGQNsvHiGXoPWli0f%2BQFOGJdDChChWtrMR6nO4xZL1%2BQJCybfO21blGzZHglpY0tOJ6SkbYi31T%2Ba1Riv47F5mIhX8cj%2FUvv25irXRAK60gAeZ3vkTTKiav9%2BEH2FYR80lYffYoyaY1IbMXVUe3v8EsJlXPhroG1bUDlsoW1bpz9y8sANzfaZmaOPpQHv%2FRZVRaPvxqUCbAJiEqtC%2BDUFvfIs489iOkBVsOy2VTcdsy0bOxHESB5ug1c023BRozmzzn9mO2RZNV16e2WYd6qcH7RACUtpsB4DW0pzZ5j60FbONqKhh1Rq27TV7mboZCSR1orlDcaYTFLZKc11a0lE6DeBRmN7FEQ79KMBeEJkrO4sb6zSu27bBsCEDvImUGDBYCEOUQwRwUItGSxjxNSRedjByXIegnoKY9N0ZQ9RE4IpA5uOzYPxouMKpP8NwFZAiKsP17Ou3jHtttH7LMvCJoBWDZUCIqHpkQuBJtvGqIUGy2aGlBXdTh1Pb6XkonGJgRtvSla2AztiNrJnmfKcoDGVvr5hJmAhcEbhm8iMAMlVfHQaW0cpfV7UkqRVXwu%2FCLdoHESZMZNQSVCgCJnVnnAkMM5aLF4oxj3pbp544icjGSf6kLAWFsPMBjZ60pQhGDjLdaoQFpuKQ5e8N9Yp333JLQaxb53jQTMwSD%2BRdVpaS7E2GzTP8fhyc0D8xhl%2FdtCwDpaMOJkROB5ki29zDmy8NACwCwJ%2BLD1jHClDx%2FydZLPIv6fxP%2FLekaR0OImh6SeaVxyyFukge08X3yezTc3UGgA%2FP2FR%2BjA%2FJa7YoBfavdD1Plknz8kP1BN5HIthNxAJFgLRXQCgi5Bg3xwvF14LE9Ltj3mPGotKaI%2BQY4veJxKOAijWkmJeViP3F3AorxALQc89dDXUTY9lsNpzUvYivWmrBsNSCQcXacPIqIPmzAteTvBdhlni81DItppoYdrEhHwyzSVcG2YhKe5LlQrOO3uDLwatsws84bCaC1zCEeIXDl6q1wZjYrQ22keKpdI7ZpURqCRQnAjwIF%2BSp9o2Nn%2BR8RkhHv%2B7F3DEHsnfMjG18Ioi%2BjWOIQ3CG9B0zKM3ZvhQMRLtDrVnSEyOlk49Uo0nBlSAIMqKIVngpKIlWe%2BbX3F6waY0d67m6ki0LRNMKKHwwGIFU8UzBSUEoh2dtaD0ZHpwJWF%2BWrXA1snH4Oh13CwJoNBVjhQC7jRUiDTMNJ9eONrHIs928yS5SVJmYfK4bjVgFk5DUxuASRf7ipoDHNptlq%2Fr2JlvedK9wzpTUHcwdiG7hbN%2FsnEwpxzHJ8N5L83GSDbf5Mo39O6%2FzD%2FeNmO%2F1vqvoH%2BGmGeKSQGaArAfrc6GHpCcd7AZFinRAuqGY2PyarrPiaZUtCBbIkqTnCut435UaIAqujCLVQiiKQPdeBEfIJoB1jVSLZ31nv7%2BIL1Hud8rhTSEvBlKlj%2Fc9eBKRA7U2yJILKd6bolIWQHYfQb27%2BhHpAY1j9JTPyB1Tg%2Bqg0DiFi3szNjaWv1F1yrwRQdZkFj8f3GgSjBykiXUjjsHOx8jb%2B7l8j%2Bx7vyGODsGK8Ylae6NWmw12jVvtwC1tWAhv%2F5VHMVEIWWE8y5tqMNVIrzFZ8I1CCrNNAKMwxXXq7KyHhaN%2F85SbUxGHY8tcoJhquPVvHTq6OSgCPaJYdwDMTVrMFlOTZxSPYUalzk4Ug9pxLGkw7RUcsE6efMXi2kE3%2BVOLAwTNWPvw78wUx9x6YtWKA44w5Mk%2FGtZD%2BsOxe4UWYlzsn0yYMcmKxgE64TY84eDF7eKW7vEqVODO96MI4dinOIbreAm5o56HPY%2FGKI6wsVvjgcfs8%2FAtRP%2FQfJmvty%2F5c75MFj%2FsXgXTtLv3%2FJTnqwbX%2F02322%2FNHGXyts2vXoE9cNnFfHjobuUwaB9qWLlLbeQFNgwrPRlupika1jbvk4DVwGSxrbyP89uqGyAKm0xGjjJuPaNTsZ4Ts4I1XI%2B1bYLGbG6GUDmU5e3g0VfCsr8J9SmVD%2F8JU8GvjjLH6YOXTXeO29rAbWKHoK1VLvCW8FfTBm3g07GU5AzAJ92b08DUFfgI5sdjVTMo%2FihYdjN%2BL3wyA90mwXfAFj23lg%2FxdSj1NXrwKAT3RDuv1CJzjvnM2hb2gVUK1k6rUiig3BpSfbCGRzmHNRbwi%2F%2B6zgvQpRrISocxKuAK6%2BP8%2B%2Ffvgw%2F3LSrNUnvtWLJt8JcOCMJR1Vu11DItt9nieDxmi53aFwqvN4lqyMY1sRLLraftHNcVsmqQla4nxpNi3UXcyhbpbmmYLHNbZIxD1lEJ%2FFwgi6UhO1B9dDS1gri9LdJRnA%2Bv7g2ugBl4lieTekwFfE6bPnnsqZYEuZN8yfFAXdBrxxGvV4ZqkJUtYxPPrYuHUSlVXe8WwiK2bRdP2HzAdYZPBbLEi6UhS1xC1ocdyVR1MJUjmeTAbxqyOrghLxmy8lY2dglZFMJQ0lfubeaPshyVEuTIzk4NfLIDpAS53bLFISZQTom4o0LLl4UEn0wr20QsH3abj%2FM%2BVhl8Eef4bVs%2BrJEl4pTBJ235sFO2Bx58gbLb5cDHHWXc7V4ngHf2TAZ8xCn4OMCQKL5T3FoHZ%2Brt59bkavl2kJICn9OEI4A3N%2BqGz4Mhn3XsoSv2dr5UBnvUaX8YZ%2Fh8os%2FwcVuWTIOPamxOPGHwUdnOWFIvYJuO4YMXJ%2BqGzz72rhFf9RgEvKED73TL%2BeLBK5BQOdf1oBENLff4EC20GxfbMEGo7DA2cUtQEMFmsvaFgzHLUcVYx6xOUo0TNpjSkwTELRGARuxxUyzWsYdF9lLHTnBu1fhH8TZwORb4KS0J19vbzeUd7WXFyJZw2NSorbW7LRd0MPHDPCuxsH0pefyf8vVreUjhyPL52yxbPt9U6wDWm3TxxFuuxSJbbYYecEeiyWaVzso%2F7in7Wj7yPXbIZvN9zHWI%2BLyAIoGAYKO0PgExyHQFVKG7sM1fs822ksjYUu1V4UW%2B5Ov5%2BQvMF%2BxgsCswwlvZ2SKbfWIqNSard2mhf%2B%2BKdz%2B%2Bbbf58uxEhjy4b2oCSsZPC9znr6tFWu0yqcUGxFSo0ydemGcvK%2Ff6FfLX68wgln5pXMGy8t3pZnsB0ooEs2N2pRXxo2MPyedqQ1AZZDyWH7%2BK1urIopDL2%2BIcJQOmS3BbiHElGYr5yO9jteZpllS7m9LW9LVSabY6Ja9p9TgEI5gmBGVIVdqKfyMS4rFzOyJh4w1dkbDX9ItEMMfdN22e1UDO1IPvP3YU85rQLsiyszWrDUCOyYw9UWb8S77NnooMdJvly02dTtXPr1mVVlu9ek%2Ba7iVpk51w5qpwgQACdt2UwBheSyM3LksjPuExYbc0gkXba66YcIiJdh7dGSY83kMbwsQvV0yIMBGyC5S2w1ZQPBDt3DSICf5KR7w0FSaiaV1oZaFdTW1SrUs9N5fPNeW3ZU13QV%2FLcXC17450mVtQ59y%2Bt3Pc7tYo941CtiwvYKr0wcQe5anaCwJ7pCZgL5q2MWF2vky%2FXNClC8Ie4KhyXhWmAuHwz93Y3utDOjHqj2Vm%2FxNla7BGOzCo2y2nCEVRD0I4jHD%2FEGl6UBLclZt52n8%2BOBjhuxA09xrutKACvtD77h2gwO6%2F%2B0f6av3ez4x1QOFdML0iH6V8vHdBBW%2BBVHAU7VTDWdFbcPd6sOWefEechOWW3dxHHRMFoDC6C3BrbVGfR7SIoMM7Gu%2F%2BKY5VEO5%2BBkc%2BwKBpKy7YKXnhBiMkEzAYQib42p1uVqVkaod6P950U%2Fz%2B7k%2FwTll0Lu%2BoBw47VcGTKJik%2Fw40sNCeQYjP4D%2FuKNxuAEDtRC4DEVYddKI%2BuKpHkE%2FJeEDPx47MvghC%2BftFvknPIZT3fSDCKdgBligeXG8vFauQSVKJrSmwzdNVvsm2hqruZoRCgVCooGwqZAg3KBRBV97BhdNQqph%2B%2F5JWAizLpNequpTSCq7SEaPIslJXp4K6OpOjXNMm09PzMaWB%2B5I2DQViGXZrf9ls3sq85r4EfNXVdBZOLgz7KSwhIn2x7eR4e8ok8%2B7n9PUxXb8bV5qzk4zQ01mWjGCzgERt96kw%2B%2BegLDHxJycSLFzPZeQm%2Fx%2Fpc7Ypxwfm1%2BBDhI%2FdFhp2NegFoRw%2BzF3qs49kZI%2BQahlZ93MHg8qxbE5gbmuQb62ntgklrwopAAaCE%2BwihbTaMNfusFSdkJyV5RW7vnS0HabVezPaPbgB01XDBfb5AHW7TpabZFY1K5WVlW2SLTbHWdfJSgShydlbwf22nt61vnICZVyXtyE3gsuQvQb3WB2VkbtlD8zvHnevo3x6b8oD5%2Bt1KaerDxZBg6PKQoLaT2DTB6NAxFipxVg0ZT0pT95tb%2BW%2BmTwnmQWDMg3zgWLYIj8B86FhKlLOfPx7nVc0JlfjMV5xKZJnHhiie1xzxkMQwBsCxnUKaqAyGvcro5Eg%2FLSa1CGBsejcyibP61QQPFaJQhVBbpNl%2BQjdzD4ZTRVQGPRlFYsWOtutmCIJKrhKVTsKjPaqq4TG%2ByKNf6hH3737dZpsy%2BF4dXXvq90BZbtG6fswwYbgQEDDZIgF9VFEBKobHQ%2BGv%2Fqbr7%2Fc%2B0%2FF0%2F7w9Nvn%2FMff53%2Fcxnyd7n5fxrd5e%2BynfM5DMZnGKk6KgxKKQcUspLyEYoG6QtJ5fQLi0ziOnWqsZFaqV12XqRn9zkxmYQRlhi3aWKHUIj7DqoxcegMIPzqcYi%2FJ9qbfyHRmcgrw5OQkGAN%2BSJP17OWm22MEYpb6prcRo7fItLKJTUNUPu7nHYEnMIO%2BwAz6hgQlaIm4Zh37sw7NiICOMeKVlxhKOsSI4O%2F9%2F7Jp1NZLFoW1rdSz4kk9KreYhkYStrK5NZ6UN54iAcSBKQGIWvKBMunR0Y%2BD6ifS1ItRSUr7jI8BpXf8fI4pDgUhJnRUli%2BMVkOzmaDjZtoqqwYSMmkZzd5p8co82by098zlF78m20Jgy%2BqVAmTGEnzw%2BAUc7%2B3Wx16IC5f3aLzt4TPI69Wwuz5W93c7SNATd7XS%2B6204RK%2B%2B8YsJOjpsWAmZmXpf3G1E%2BVNAe67jjBybCaEK7aujsMWIALQUxQHsSC8twwJU0biu9mssLrbG0acwNmJsrOkJkzOvyxvumTYQ3P78ldGJ9PpvVspP5nOQySkcNEBCQkOhy7fGmPV5krsZ989hKN%2BsTYORHUAU7dWA6gwlXQ8pIuq11BydDRp7UpFufi2SS8GFghHk4OFDI3H2RYDYkHihz2RAAjcDqhx2wGvmP0JxnflipZzXkHFTam530AgUIt1Okuzz%2BWoYb0n50v6eIaiYJTq7U5EQTwj6o02Fs6QgA9noCjS29ckW5yjNMAGqUBQvbQrDcFSnItQDC%2BcnmLwRcNLUQwvnJpiIMGiSTuJ%2BKaKv7uZeBtin23aDZsC41BUibGcdwuW917zbpuoCEFHxhTyK2KqPncQKN6t06e0eK6zVMiUedaoCMAFfBwEoqptyKOCvWYAFYI9nE334k%2Bi7sUTNNEtX6%2BLwqiwFaZtWr0S07huiqERAAfir9bssmBIlEe1j%2BAIscTswK%2FMjy%2B3m2NAdJpzOLEgnm8DLCtzOKGGeP7CWjI0N85x3FWCSVvL%2BwZ5ty3HdTt7SZZl7sYtDr6I9XLUPU0xoRr6YEd3CpcZ%2BNMNt4Wgei1ZrRa7t9Wbh9nEymua1gm8tYVidqs14NplAvV9QW%2FVhdTOYsB86750RgTUdJdQU46DfrliAiXlPd1E9TYNVSvJotpkkZTzrl4hsXqkrxwQeq2YZbySq%2Bxztq3etk6T0nCuK3%2B6ymbMimZlrJKWGbLkDpHTNp0RGzaejuX0%2BOkBuRhoU%2FH9v61a%2F7jses6LCIQC9%2By8BA8PiV3nNu3szO6jAovGD%2BzuzGZ%2F1cE6vW7qXLvMprLcl6DMWJSO2lZmj4%2BcDjbG7W7jxrNegvBQJNhTb1t46GqJp2WJUeTcEiMNrLFXTOjEhIgfzDImrO1TuGJCDhOikond66qYx8RBDQHpvBrpWtWLFzhZOiFtNxoB%2BPA2gQgiALuErrE1aoarXotvoWFdmlq09cJLxyuVq%2BtLR9BCRgTU4Kyly473D0RdhdBcSy5kZ6tx66254f61ucVTXX%2F7T%2FeLzrLd8svdj1VfOdnkPrp2l5EtjW7ybXoAeWRY2s8LdopgSD8iu503jPsHtTRhI8t5CwAl3zpvW5Vv2Oz5wB78wP7ezwXfj0jzQXfaUX%2BEna60QjhGfUROVov6XLWnt9VrwNXa0R442Edh1CarPbDphMK5P03aA34NI%2Bob%2Bljw7bQZGjSsO6IWKEXdOWRh%2B7R0oA0BRpWAUKdKgGIPXCgHSFENilCY3sWdf%2F7IwYY3vrfjtxcORXb5Og7FmlLeFRQDQACNQmhHpcMZWHvhTjINPXS1gjtASVnBwCX0fLj4i8J2mdOBXijB1HgB0AupLPRCp9CD%2FFAoUrV6yIPlyhjeQxrHno66Q5sE7fKej93vaUuC2hStRfbHDubFKDeLWdnMqUG3s6CRy%2BM91aCRd%2FowC9NWeojB%2BHcc7s%2BfELfzb%2Bwn4IQx%2FAFDKRdTMi3ligN0YWIWnzWpSWhP5FJ7buEVAvaUow1YAESShTtt2Is0Yu%2BEow22xmAce%2FUQoyvsRRz0tEUb2LOMPYp1lmlP1u5h6UiXus3vQ9ofIsHK%2BT1lgmYnyd5XaIMeiwyOgZ56wHqIoTQJPSqd31PiFHqIItpHTKBa7Ec%2B8u%2B83T%2FAC4%2BDMLoLwf4k02j0rk64dK2sN2Ycjd7Ahb6llD8AhjAmWFQ4P%2FwW97BzjcPyWn%2FfgU0Klk5jQx%2FCMgoAT8IRQCRWoYcFC1GVoXfCoaG0RSShU4uI4XwxUc2I26SAnWQ%2FNBSNw14e9ALprKTezeusCwTaqramcvD9NygXEhT7dyEqEOlX%2Fws2%2BJnGoYAi%2BhK9ry%2FtfX2n3hfikHAT%2B7I4hH6ccG2BxqEn6ki%2BQOjJFqSp708LetBnyt9%2BO4eeRu97ytCT7fmh%2FqS8Lw8YWei1bIDuoKexHH3K0Auloee2JuiNGqsD7kJcg0%2B4DPICwSddkA6cJrwIZryEwmkgafBh7Bx813ivegxYGnxO4z0B%2BFTbd5D7ZEPnsM4h4BvqU9t1pp3CsA6V7jmjIXYJ2iAEhb1INT9GRZJwRzr%2F%2BnMK%2FNWgrg60CPfvCglbF260PYxqacq0UpBUnX8zqSBNZVxKQZw2EiMS4r6GBMoa4oNWDcItttekExR0P7ez08PKC%2FK8w3%2FCktrFEksSLyAoiqT9S%2By2pzmAMPGV1SeG6uNbHgKhscYhkENsvr3mfaOgjaUvrxzXMHjQqpZukRd5dzFFKAxo6PkRWLZBuGWmuqKiGOw9JmyEavCTIrBvEv7E0QadAw4OeO0pkPfQfJmvty%2F5c75MFj%2FsXv2%2Bv3%2Bno1iL5DFdfJ%2FMPj1Xb%2BF2ZyTrLVPM7msfsvIDV%2BpSff1Q7xap9Qyq8m8v2bL%2BRvNjtQbOOz%2F033S7%2FdZ8nbxt8%2BKl3R%2FyU56vbro0LT0Opny5%2FZC8ZotSAP9K1%2FNkmTQvN%2BdFWuM%2FisIR%2B1F99Wu6zgoplxQxslwviLcI4sUevD3gz0JCm8TbhqPTdzBlghT7xRCYvTHXHyZ8plTjjGzfR7VuyXBeguUSEy0IRLKtPGzMaRSGblg2CBP7wRc8ft%2FqYyrXU3YwywacqSE9jhoz2QKOeGX4Z7nl3su3LyVV8hg33yZdf85m6YbXoKlt4tvPpYUwoCIiAvpzU5R7Ynq1E8vjuGctYVx82Xi3xelErEsM6gfqtyhk7CTjs9P4tHC2N%2FUSAG%2BAo0V6cM7xyLMP3AKKle9MWh7x9ijYcmicGccaO%2FDZ7Kk7zquFcMxdxBBtdy9deGJ%2BTY%2B98WS7UxodcWZvQo7MQ7UveQL2RrgX8%2ByxRrAs1iLHWBvcLnM01nbVCuU0Tb%2F3E0VaV%2B9nz%2FsJtxfZ9X7sE12WRcLS0XatI5PxfrwZOSuLFGls0TgdNEbS04mOabZ9MNmFo1BxMhb5kIAl8u2OxrZP%2Fer9LHk%2FCg1QxCrX3f0Adr3fRcbj0q0ojY44szflfScwEloIIkTWxylDhHDB%2BrnjkLIbMInuErd5IeEmmpUnZAhgjCTEMhs4FV43X%2F2eOb8HFxAQIlh%2Bys614vdaT3xh9kZ6Io%2B67WbDFHNGosu15an6PZH12Xew8ZmVc%2BIIkcZhID2UHDgdSsYB7EFAqq3AO2bCtv3F%2BnyU7Lpnj%2B8qyTabt7IJZVZ6kqfCl2xTQ6ueNTgcTKHYqGjbtqjOaG5hMz2rfTjSqs4umKY%2BVbarRLfzi8qqHhIIP9vUU6EovLmGuMZCXBwMWndXpR3KxtUuy94E0iFu6LSUXFiXeM%2BOLN5kyFsffNjBxm0RzwnwW6n3Z2sMdjuDWJtFO%2FXlauM31XnLaWv097Bpep1GRPo%2BikZugxa4QEKdPAT7dK%2FZ8C13wdLoErvSaCQ9bxg5nTHnkecrs2WGYIyJBJa3VbVP%2FRouWwuXQX3Pj12Hy9E5bcuTtzdY2t447bofC5c5k3FK1udkaFl0Io8pvAQdxMRiLGU6CL4GHFqPqoZ7fjh3dJzr%2B2XQq4kc4Nl6OrhQlviCjlfLuaCxcetzzAXlC0pue4VGEzhlDzl2sO2CEvMcVxtmy4btryi2c%2FLOLFqssdR9OhGUfOzutmt6zIAEyqXukYP1RVfFl%2Bu8NA27txfK9vJzPk%2FLd%2Fw%2F Built With bootstrap css html5 icon-sdk java javascript jquery modelmapper postgresql querydsl-jpa spring spring-boot spring-data-jpa spring-mvc thymeleaf Try it out github.com
STUDICON
Provide study members with Motivation and study operators with Ease of management
['Jiyeon Jin', 'Seungho Park', 'jeongmin Yeo', 'Dongwoo Jeong', 'Yongwook Lee', 'JunhoBae999 Bae', 'Minseung Shin']
['Utility | 2nd Prize']
['bootstrap', 'css', 'html5', 'icon-sdk', 'java', 'javascript', 'jquery', 'modelmapper', 'postgresql', 'querydsl-jpa', 'spring', 'spring-boot', 'spring-data-jpa', 'spring-mvc', 'thymeleaf']
4
10,253
https://devpost.com/software/speakyto
Homepage How it works Leveling system Dashboard Question asked Inspiration ICON is a worldwide community of people coming from all over the globe. We want to take this opportunity to create a platform where ICONists can learn and teach a language from eachother. What it does SpeakyTo is an app where you can ask questions about a language and get answers from natives.If you're confident enough, you can even answers questions and get rewarded in ICX. How we built it Our team consists of 2 people, CreativeMatte , the UI/UX developer, and Spl3en , the SCORE developer. The backend consists of a SCORE that keeps track of the user accounts, the questions asked, the answers replied, the question rewards, the users experience and levels. Everything is kept onchain on ICON and open source. The frontend uses the ICON SDK JS with Ancilia , it is coded in HTML, CSS and JavaScript. It queries the SCORE methods and display the result. It is hosted on a GitHub page, so the source code is entirely open source . Challenges we ran into It was the first time we (Matt and Spl3en) worked together, we didn't know eachother before the hackathon. We liked eachother work so we wanted to work together. We had to find a nice and fun idea we wanted to build, and find a way to work together remotely. We also got some testnet issues during the hackathon that slowed down the development a little bit. Accomplishments that we're proud of We managed to finish our MVP with all core features we wanted initially in a timely manner. What we learned With the current tools, we can build ICON apps remotely and quickly without too much friction between the backend dev and the frontend dev. What's next for SpeakyTo For the SCORE : we would like to implement virtual steps, so the application may be usable for people who don't know ICON and don't want to buy ICX. For the UI : We want to improve the user interface and build a community around SpeakyTo. We're considering re-writing the UI to React in order to make the user interface code clean. Due to the hackathon time constraint, we didn't have the opportunity to code it directly in React. Please also note that the mobile version of the SpeakyTo website isn't fully ready yet. Source code Governance SCORE GitHub : https://github.com/SpeakyTo/Governance-SCORE ICON MainNet : https://tracker.icon.foundation/contract/cx0be614dec0c0bfd94aee01a5af579b6c58f7f386 SPKT (IRC2 Token) SCORE GitHub : https://github.com/SpeakyTo/SPKT-SCORE ICON MainNet : https://tracker.icon.foundation/contract/cxbd7f41fb563f3eac0404bfb47a33c530376dc1be User Interface GitHub : https://github.com/SpeakyTo/speakyto.github.io/ Built With css html icon icon-sdk-js javascript score t-bears Try it out speakyto.com
SpeakyTo
Connect with people around you and translate what you need, at any time.
['Spl3en \u200e']
['Utility | 3rd Prize']
['css', 'html', 'icon', 'icon-sdk-js', 'javascript', 'score', 't-bears']
5
10,253
https://devpost.com/software/bonsai-exchange
Bonsai Exchange Bonsai Exchange👋 Live At https://bonsai-exchange.web.app Bonsai Exchange Dapp This demonstrates the three important parts of a dapp and how they should be connected: The browser UI (ReactJS + Redux) ICON SDK for JavaScript SCORE (Python) ICON Token Standard have used by app BonSai (IRC-3): Each Bonsai has id unique, name and price. Oxygen (IRC-2): Generate when user plant bonsai, use buy Bonsai. Functionality Bonsai Exchange : Buy bonsai from stock Planting bonsai in the collection. After a certain period of time (30 second), each bonsai will photosynthesize some oxygen. Transfer bonsai to friend. Future: The contract has the ability to update properties such as the life of a bonsai, which will display other forms of the bonsai such as sprouting, flowering, and fruiting. It is possible to resell the bonsai you have planted Video Demo How to play If you are beginer, you would go a tour with app You would be received 30 Oxygen to buy first Bonsai Let's buy Sign transaction with ICONex extension Tada ! Buy Oxygen by ICX Transfer Bonsai To Friends Move Position Of Bonsai How to run project mkdir keystores Copy JSON file of keystore (download from wallet ICONex) to folder keystores Deployment to local tbears instance Deploy Bonsai Contract tbears deploy bonsai -k keystores/keystore.json -c config/deploy_bonsai_local.json Deploy SunCoin Contract tbears deploy suncoin -k keystores/keystore.json -c config/deploy_oxygen_local.json Check result transaction tbears txresult [txHASH] Copy the scoreAddress from the result Deployment to testnet Faucet ICX testnet https://faucet.sharpn.tech http://icon-faucet.ibriz.ai https://faucet.reliantnode.com/ Deploy Bonsai Contract tbears deploy bonsai -k keystores/keystore.json -c config/deploy_bonsai_testnet.json Deploy Oxygen Contract tbears deploy oxygen -k keystores/keystore.json -c config/deploy_oxygen_testnet.json Update Bonsai contract tbears deploy bonsai -m update -o [address contract] -k keystores/keystore2.json -c config/deploy_bonsai_testnet.json Check transaction tbears txresult <txhash> -c config/depoy_bonsai_testnet.json With Docker docker-compose up Deploy Bonsai Score docker-compose exec Icon tbears deploy bonsai -k keystores/keystore.json -c config/deploy_bonsai_testnet.json Deploy Oxygen Score docker-compose exec Icon tbears deploy oxygen -k keystores/keystore.json -c config/deploy_oxygen_testnet.json Testnet tracker : https://bicon.tracker.solidwallet.io/ put the score address Run UI cd ui cp .env.example .env yarn Copy my info of wallet to .env yarn start View in localhost:3000 Built With docker javascript python react-js redux Try it out github.com
Bonsai Exchange
This is NFT game for buying and selling bonsai built on ICON platform. With tokenized Bonsai are IRC-3 and user must use Oxygen to buy it and Oxygen is IRC-2.
['Le Thanh Cong', 'hungld2201 Duy Hung', 'vinhyenvodoi98 Hoàng']
['NFT & Gaming | Grand Prize']
['docker', 'javascript', 'python', 'react-js', 'redux']
6
10,253
https://devpost.com/software/infernal-maze-0avzsb
Mobile Get started screen Android main menu Web main menu web Get started screen leaderBoard profile menu create room menu Actions menu Standalone Wallet Android playground Game over screen Ai playground Inspiration Infernal Maze is a 2 or 4 players abstract strategy game played on a game board of 81 square spaces (9x9). Each player is represented by a pawn which begins at the center space of one edge of the board (in a two-player game, the pawns begin opposite each other).The objective is to be the first player to move his pawn to any space on the opposite side of the game board from which it begins. Its twenty Walls are flat two-space-wide pieces which can be placed in the groove that runs between the spaces. Walls block the path of all pawns, which must go around them. The walls are divided equally among the players at the start of the game, and once placed, cannot be moved or removed. It is inspired by a famous board game "QUORIDOR" , But the distinguish characteristic of infernal maze is that you can get bomb which was randomly set below on square space and destroy any wall on the board. On a turn, a player may either move their pawn, or, if possible, place a wall.Pawns can be moved to an adjacent space (not diagonally), or, if adjacent to another pawn, jump over that pawn. If an adjacent pawn has a third pawn or a wall on the other side of it, the player may move to any space that is immediately adjacent to other adjacent pawns. Walls can be placed directly between two spaces, in any groove not already occupied by a wall.However, a wall may not be placed which cuts off the only remaining path of any pawn to the side of the board it must reach. What it does Infernal Maze use ICON Blockchain protocol to : Update players profile, Get LeaderBoard Create or join a game room and challenge anybody around the world in order to earn the jackpot pool prize. Mazecoin (IRC2 token) is the game 's currency and it is swapable against ICX (1ICX = 4MC this ratio allow to play with small amount ). Beyond to place wager, gamers can transfer icx and mazecoin between each other. Accomplishments that I'm proud of Build a game 's Frontend, Backend, Score developement is a real coding challenge for single full stack developer Testing Instructions Join infernal maze testers group Here first to get access to download our android app, no validation required, it 's open. Infernalmaze is a PWA, so for web version it is highly recommended to use Chrome browser for better performance. What's next for Infernal Maze Right now Infernal Maze only achieved 60% of the final outlook. so we aim to implement more functionnalities, improve performance,design and move on mainnet to spread the world. Built With css3 html5 java javascript kotlin node.js python Try it out infernalmaze.com play.google.com
Infernal Maze
Awesome Strategy Game
['jean-louis Boua']
['NFT & Gaming | 2nd Prize']
['css3', 'html5', 'java', 'javascript', 'kotlin', 'node.js', 'python']
7
10,253
https://devpost.com/software/nft-ecosystem
The 3min video doesn't do the system justice so here's a longer and more detailed video: https://youtu.be/wdoZl_EQdrI Inspiration I've loved horses all my life and I've always wanted to own and raise horses but have never had the opportunity so I figured why not take this opportunity to build an NFT system and ecosystem that players young and old can enjoy owning and raising their own unique horses. What it does This is an NFT token ecosystem. It's not just a single NFT token but a bunch of contracts and eventually even more NFT tokens like Stables that are connected to this ecosystem. There's such a large variety already for the horses, their colors, their manes and tails, and even their eye color. There are only 2 breeds currently in the system with 41 more being added over time. How I built it This was a team effort between myself and the iBriz team. The iBriz team built the SCOREs and I built the front end. This was built using C#, .net, and python. SCORE addresses on Testnet: Horse Contract: cxc16f81a0ee6f41c17f7df75a0771fd7d07abac96 Marketplace Contract: cx0df4179bea4044abd7860ac0a5e2aa7179135d9e Training Contract: cx489517c2f66a839cc8fd6c79b55657d0edbd217f Github has been shared privately with Markus Challenges I ran into This was a massive undertaking because we had to build a very complex and proprietary gene randomization and image compiling system. There are so many different varieties of colors, shades/tints, and gradients alone and that's not even talking about the different breeds and all the mane, tail, and bangs style. Accomplishments that I'm proud of Everything. Honestly. This was a HUGE learning experience. I never programmed for an NFT before and I've never programmed such a complex randomization system. I've never worked with combining so many images and masks, and saving them all as one unique image. It was all an amazing experience and while there were struggles and hurdles we made it to the end. What I learned Like I mentioned above I've learned a ton of new programming skillsets working with bitmaps, masks, genetics, and so much more. What's next for NFT Horse ecosystem We are just at the beginning stages of this ecosystem. There's stables, breeders, our own IRC2 token, 41 more horse breeds, many more manes, tails, and bangs, micro-transaction items like hats and saddles, the ability to race your horses against your friends' horses to see who has the best horse, accomplishments, trophies, medals, the possibilities are endless. Built With .net c# icon javascript python score Try it out horsenft.com
NFT Horse Ecosystem
The NFT Horse Ecosystem is for players that want to own, raise, and train horses
['Geo Dude']
['NFT & Gaming | 3rd Prize']
['.net', 'c#', 'icon', 'javascript', 'python', 'score']
8
10,253
https://devpost.com/software/hypernorm
Inspiration There are two main inspirations that have convinced me to build this application. Those are IoT and Adam Curtis's 2016 documentary Hypernormalisation. IoT is an intriguing subject, because of the thought of everyday physical appliances-like an oven or a traffic signal possessing sensors and being interconnected amazes me. This provides plentiful benefits that can assist people in making their everyday lives easier in this day and age, despite the security and privacy concerns. When applying this technology to a home, dwellers can go about their daily maintenance without having to apply much physical effort. Adjusting an oven, changing the room temperature, adjusting light levels and so forth, all would be made easy to operate from simply a digital application that is connected to such devices. The second inspiration provides the namesake for the application. Curtis's documentary discusses how a fake world built by politicians, corporations and other people involved (e.g., academics, think tank experts) has been accepted by the general public. What it does Hypernorm basically utilizes the ICON Network to store information about sensors on Loopchain. Data from IoT devices will be stored on the blockchain to foster enhanced data security. How I built it In building this application, I arranged the project mostly based on how a typical React.js project is organized. The "src" folder contains the files for building the web dApp. Other folders include the "score_contract" folder which contains the contract class "HypernormalContract" that can connect the dApp to the ICON Network. Challenges The biggest challenge that I have encountered was connecting the dApp to the ICON Network. What's next for Hypernorm Hopefully, to have it be officially connected and get the dApp functioning as desired. Built With blockchain docker icon python react.js Try it out github.com
Hypernorm
A blockchain application for smart homes using the ICON Network; an experiment to become a reality.
['Jonah Gonzalez']
[]
['blockchain', 'docker', 'icon', 'python', 'react.js']
9
10,253
https://devpost.com/software/iconparty
HOME DASHBOARD FAQ Inspiration Finance and game theory has been my passion. I have been playing poker for a few years and now getting into cryptocurrency and coding. I got the idea to mix my passions and implement something cool. What it does It is a game of economics, people buy tokens and get rewarded for holding it by getting dividends from actions on the platform from other people How I built it I learned Score coding from icondev website and implemented a score. Than I build a web app in js with the help on a web developer friend Challenges I ran into Learning tbears coding was challenging at first, also I took reference from similar dapp on ethereum so had to learn a bit of solidity Accomplishments that I'm proud of Implementing a working model of score for what i was trying to achieve and able to run it on testnet What I learned Learned a lot of coding and blockchain conventions, excited to dig more into icon development and build cool dapps like iconbet What's next for ICONPARTY launch on icon main-net and build more games Built With javascript python Try it out github.com iconparty.io
ICONPARTY
Iconparty is a financial game on ICON based on game theory
['Kayden Tremblay']
[]
['javascript', 'python']
10
10,253
https://devpost.com/software/project-nebula-6vfzq9
Helvet, Mythic Lava Planet Shamir, Uncommon Dust Planet Naroova, Sector View Oru, Solar System View Overview View Overview: Project Nebula is a space-themed collectible strategy game on the ICON blockchain. The individual planets in Project Nebula are non-fungible tokens (NFTs), which players can claim inside the game and trade or sell between themselves. Each planet has a unique design and attributes that determine how useful and powerful they are in the game. Project Nebula combines the genres of collectible and strategy games, including many elements from the “4X” games such as exploration, research and resource management. We are also collaborating with many artists to include digital art in the form of pictures or planetary soundtracks into the game. Game demo: For this hackathon we submitted an early stage demo of Project Nebula that showcases some of the functionalities of upcoming the game. NB! This demo is optimized for desktop. 1.In the Sector View players can explore the galaxy and investigate various stars. The covered hexes represent areas that have not been explored in detail yet (opening new hexes is not possible in this demo). 2.In areas that have already been explored, players can get a closer look at the individual planets of each system by entering the Solar System View. There they will see the list of planets of that specific system and will also see whether a planet has already been claimed by someone or not. Also, the rarity classes of each planet are visible here (based on the colours of the planet names). 3.To see a planet in more detail, players will have to enter the Planet Detail View, which hosts all of the important information about the planet: name, rarity, description, unique story (if available), artwork (if available), resource generation rate, special resources, available upgrade slots, completed upgrades and basic stats. There is also a button for either buying or selling a planet (if you already own it), buying/selling a planet is not possible in this demo. 4.Players can get an overview of their digital assets by clicking the “overview” button on the top navigation bar. The Overview View lists all the planets that the player owns along with the most important stats of those planets. The Overview View also shows the total resource generation, research queue, what the player is currently building and his/her special resources. It is not possible to research new technologies or build structures in this demo. Also the Marketplace/Achievements/Leaderboard buttons are grayed out and not implemented into this version. How we built it: This demo was created by the 2 members of the ICON Forge team: Kaarel Sööt, worked on game design and development. Holger Sundja, worked on game design, Unity and collaborations. We used SCORE to develop the NFT logic, implementing the IRC3 Token Standard (and complemented it with Metadata and Enumerable extensions). Planets used in this demo are stored on and fetched from Yeuido Testnet. Client-side part of the app was done in Vue.js. Amazon Web Services Serverless infrastructure was used for image manipulation, off-chain data storage and processing. The planet visuals are created in Unity3D (to enable future upgradeability to a full 3D game). Additionally we would like to thank: Triin Loosaar for helping us with UI/UX and other design tasks. Ewert Sundja for composing compelling music for Project Nebula. Elias Stern for creating the astonishing artworks for this demo. (NB the artworks presented in this demo will not be used in the final game, although the final game will include new artwork specifically created for Project Nebula by the same artist) What's next for Project Nebula: Next, we will build an NFT Marketplace for selling and trading the planets. Launch the IPO (Initial Planet Offering i.e planet pre-sale) Implement all currently missing pieces of the game, including the research tree, achievements, etc. and release the beta. UPDATE With the additional month we added the Marketplace functionality to the demo. It is now possible to sign-in to Project Nebula with your wallet and purchase planets for ICX. Selling planets it not possible in this demo. Video tutorial : https://youtu.be/jOxt-DCHrkw Contract on Yeouido testnet: https://bicon.tracker.solidwallet.io/contract/cxb3a4a89b2cdbc4165e6a6ec9efe069cd6bb30d06 GitHub access credentials sent to markus@hyperconnector.io Built With amazon-web-services python score unity vue
Project Nebula
Project Nebula is a space-themed collectible strategy game on the ICON blockchain. Explore a vast universe, collect unique planets and discover breathtaking digital art!
['Kaarel Sööt', 'Holger Sundja']
[]
['amazon-web-services', 'python', 'score', 'unity', 'vue']
11
10,253
https://devpost.com/software/icon-academy
Empty Built With empty Try it out example.com
Empty
Empty
[]
[]
['empty']
12
10,254
https://devpost.com/software/link-my-ride
Vehicle Owners screen Vehicle Renters screen Inspiration In the past, Smart Contracts have been integrated with electric vehicles via the use of specialized hardware that plugs directly into the vehicle to obtain real-time data. Not only were these examples restricted to just accessing data, but they also didn't scale well, as each vehicle requires special hardware installed. Tesla electric vehicles have a proper feature rich API that can be leveraged to obtain vehicle data & change the state of the vehicle, which then gives us the ability to create a custom external adapter to connect Smart Contracts to the vehicle via a Chainlink Oracle, giving the Smart Contract full access to the given vehicles data & ability to change its state. What it does This submission demonstrates the design pattern described above, applying it to the use case of the peer to peer sharing economy. In traditional vehicle rental platforms, the vehicle renter relies on the 'brand power' of the company renting the vehicles, and trusts that the bond they submit will be returned if they adhered to the conditions. And as a vehicle owner/provider, going through a trusted centralized platform usually requires sacrificing approximately 30% of revenue earned. But in a peer to peer scenario, both renter and owner are strangers, there is no 'brand power', and there's no guarantee any bond paid will be returned fairly if agreement conditions are met. This is where a Smart contract connected to external data and events can be leveraged to facilitate a digital agreement between a Vehicle Owner & Vehicle Renter in a trust minimized & secure way. How I built it React front end + Solidity Smart Contracts Chainlink node + custom Tesla External Adapter deployed to Google Cloud Lambda function deployed to AWS Google Cloud Firestore NoSQL DB for authentication token storage Was developed against the Tesla Mock Server, then tested against an actual tesla in the late stages of development See github architecture diagram for more info Challenges I ran into The sheer scope of the submission & the many moving parts, integrations and complexities made time the biggest limiting factor. Accomplishments that I'm proud of We believe this is the first ever public integration of an electric vehicle to a Smart Contract that doesn't require specialized hardware connected to the vehicle. Also we believe this is the first Chainlink external adapter that makes use of Googles NoSQL Firestore Serverless Database technology, which now opens up a conversation that can be had on how it can be leveraged in hybrid blockchain/cloud applications What I learned Harry: Learned a lot about Google serverless functions and NoSQL serverless database technologies. Matt: Learned a lot about web3js and using Chainlink price feeds. What's next for Link My Ride Ensure financial incentive for both vehicle owner and renter are sufficient to promote good behaviour Add features to facilitate vehicle fleet management including reporting and analytics Complete the external adapter to make use of all possible API endpoints Expand to other API-enabled vehicles Cover all essential insurance Improve Security, & add multiple Chainlink Nodes for better decentralization Improve UI/UX (Form validation, responding to events emitted from smart contract, use user's timezone [currently all times in the web app are in UTC] and more) Built With amazon-web-services google-cloud node.js react solidity Try it out linkmyri.de github.com
Link My Ride
Decentralized Tesla Vehicle Rental Platform, with a Smart Contract accessing vehicle data & modifying its state via Chainlink nodes & an external adapter
['Matt Durkin', 'Harry Papacharissiou']
['Grand Prize Winner']
['amazon-web-services', 'google-cloud', 'node.js', 'react', 'solidity']
0
10,254
https://devpost.com/software/renft
Dashboard User Profile NFT Detail What is reNFT? reNFT is a protocol layer that enables peer to peer renting of ERC-721 non-fungible tokens (NFTs), while also generating interest yield. reNFT enables holders of NFT assets to put them to work by renting out gaming assets to use in blockchain gaming experiences, digital art, or any other NFT asset. Further, reNFT opens the avenue for users to temporarily use an NFT they otherwise do not want to purchase, for a set time period. A user can rent an NFT by simply staking collateral + the set price as well as entering a desired lease duration. How it Works reNFT uses a Chainlink price oracle to fetch current market pricing for each NFT from OpenSea.io marketplace, Aave to generate interest on collateral, as well as The Graph to query all blockchain data. Technical Flow Chainlink fetches current market NFT pricing from OpenSea.io, _ italics _(Due to the testnet compatibility of Aave and OpenSea we have mocked OpenSea with our backend endpoint for testing purposes.. once we launch on mainnet we will replace the end point accordingly) We are using Open Zeppelin Minimal Proxy to generate proxy contracts for each owner-borrower pair to manage the amount deposited into Aave On a successful return interest generated is divided by 2 equally split between the renter and owner dApp Flow As an “Owner” List your NFT Connect Metamask wallet Set NFT address Set NFT ID Set rental duration Post your listing Once rented.. Claim interest/payment after NFT return Fraud Case: Fraud Claim button redeems collateral and interest to the NFT owner ONLY As a “Borrower View NFT desired Enter rental duration in days “Rent” NFT by depositing market value collateral + rental price “Checkout” with MetaMask wallet “Return” NFT to redeem collateral + 50% of interest generated Our Goal reNFT aims to revolutionize the ever expanding NFT market by enabling owners the ability to generate revenue off their otherwise stale assets, and renters the ability to use a variety of NFTs in experiences without having to be tied to any single one. Our goal is to implement reNFT into NFT marketplaces such as Rarible, OpenSea, and Cargo enabling these userbases the ability to seamlessly rent NFTs. Future Implementations Dynamic Fee (Set by NFT owner) Leverage yield farming platforms IE: Yearn for maximum interest yield ERC-1155 token standard implementation Gas Optimization Ability for the “Owners” to set a time period limit max and min Full proper UI development Implement into platform marketplaces And a whole lot more! Built With aave chainlink ethereum graph react solidity typescript web3 Try it out web-two-indol.vercel.app github.com
RenFT
reNFT is a protocol layer that enables peer to peer renting of ERC-721 non-fungible tokens (NFTs) while also generating interest yield. reNFT opens the doors for NFT holders and users to both benefit.
['Viraz Malhotra', 'Nick Vale', 'Apoorv Lathey']
['Runner up', 'The Graph Prize']
['aave', 'chainlink', 'ethereum', 'graph', 'react', 'solidity', 'typescript', 'web3']
1
10,254
https://devpost.com/software/parametric-water-level-insurance
Inspiration We started Water-level Ready Insurance because we identified a need for disruption in the $30B marine insurance industry by using parametric insurance and smart contracts. We want to make modern life for inland marine cargo transportation businesses more manageable during the times that matter most by providing a 21st-century insurance solution to help support them with adapting to the effects of a changing climate. Climate-related uncertainty is leading to more unpredictable seaway conditions such as low or high water levels. This can result in the temporary closing of major shipping seaway channels. For example, an estimated $193 million is lost per week in the U.S. economy if the St. Lawrence Seaway temporarily closes. Last year, the channel was closed for 12 days costing the U.S. economy an estimated $331 million. Fortunately, our solution using chainlink has paved the way for consumer-centric, self-executing, decentralized marine insurance products using real-time data and executing via smart contracts. What it does We created a water level named-peril parametric insurance product for inland marine cargo transportation. With parametric insurance, a loss is triggered by a specific automated event, starting the smart contract's automatic execution on the blockchain. With arbitrators removed from the process, the result is a significantly faster, trusted, secure payout process. For example, if a shipping channel's water level is outside the pre-agreed upon a water-level range, the insurance policyholder will receive a daily payment instantly for loss of business. This insurance product will be useful for primary and secondary supply chain infrastructures impacted by seaway water fluctuation, such as perishable goods manufacturers, commercial shippers, steel manufacturers, miners, construction companies, etc. How we built it The first task was to find data sources for water level data from where we could query. The API we selected was Stormglass since it provided water level information from stations worldwide and provided a free tier plan. We then created a Chainlink external adapter to make this API data available to the blockchain. We deployed the adapter in the Google Cloud and Azure Platform using Cloud Functions. We then requested two different Chainlink node operators to host our adapter. One node points to the Azure function URL and the other to the Google function URL. The approach we took will reduce the risk of data unavailability if one external adapter goes down. At a later stage, we created a pre-coordinator contract that pointed to both oracles from the nodes that host our external adapter. The smart contract we developed interacts with this pre-coordinator contract to make the decentralized API call. We found this solution to be the easiest to use multiple Chainlink oracles. We wrote the smart contract using the Solidity language. For the application codebase, we bootstrapped it using the Chainlink Trufflebox. The bootstrap code gave us a good idea of the best practices to test Chainlinked contracts, considering that they depend on other deployed contracts and components listening to the blockchain. Using mock oracles, as to how it's demonstrated in the bootstrap code, we were able to verify the smart contract's logic in the development process. Performing these tests was necessary since the oracles' response decides if the smart contract should make the ETH transfer to the beneficiary or not for the current day. We also implemented Chainlink alarms to update the water-level and perform the claim evaluation every 24 hours. Throughout the Hackathon, we iterated the smart contract to add more parametrization to make it easier to change the values once deployed. We used the React library, Web3, Rimble UI, and the Drizzle framework for the frontend. Challenges we ran into ENS not available in Kovan network: Even though we integrated ENS into our solution, it was challenging to test it since it's not available in Kovan. Since Ropsten was having issues during the Hackathon, we deployed our project and set up the Chainlink nodes in Kovan. It was later when we found out that ENS is not available in that testnet. The other testnet supported by ENS and Chainlink is Rinkeby. Unfortunately, test ETH for Rinkeby, unlike Kovan, is now hard to come by. In the end, we managed to deploy our contract with the little ETH; we were able to get to Rinkeby and demo ENS integration there. We performed the main demo in Kovan, where we have sufficient test funds. Lack of free or low-cost ship position APIs: One of our ideas we had to discard for the Hackathon was to use the ship position to determine the body of water they are currently traveling and send this position to Stormglass. Unfortunately, there are no free or low-cost APIs available that provide this data—the only potential ship location API communicated to us that they were having problems with their system. Chainlink Alarms: In our last test, the Chainlink alarm wasn't calling our contract function after the specified amount of time. We found out that debugging this kind of scenario is quite complicated. Accomplishments that we're proud of Working together as a team for the first time and coming up with innovative solutions and ideas to a real-world problem with the potential to completely disrupt an industry through automation and enhanced trust. What we learned We learned about the potential of smart contracts to disrupt the insurance industry. In our product for water level insurance, there is minimal need for arbitration as the conditions for the contract are set based on predetermined data points. Chainlink allows for entire business processes to become automated on the blockchain. At a technical level, we learned a lot about the infrastructure of Chainlink and Chainlinked contracts. We learned how to test Chainlinked contracts without deploying them to a network. We also learned about developing and deploying an external adapter and making decentralized API calls from the blockchain. What's next for Parametric Water-level Insurance We have focused on one seaway for our proof of concept. Still, We plan to extend insurance across all significant seaways in North America, starting with those that handle the most marine transportation and experience the most significant fluctuations in water level. From here, we will explore more use cases for decentralized parametric insurance products that can operate on the same smart contract framework we have built. Built With azure chainlink cloud-functions drizzle ens ethereum external-adapter gcp javascript node.js react solidity travis-ci truffle Try it out github.com waterinsurance-app.azurewebsites.net
Parametric Water-level Insurance
Inland waterway transportation meets smart contracts on the blockchain in a water-level named-peril parametric insurance product.
['Lukas Sexton', 'Luis R', 'Ahmad S', 'Mike Robinson']
['Runner up', 'ENS Prize']
['azure', 'chainlink', 'cloud-functions', 'drizzle', 'ens', 'ethereum', 'external-adapter', 'gcp', 'javascript', 'node.js', 'react', 'solidity', 'travis-ci', 'truffle']
2
10,254
https://devpost.com/software/take-stop
Landing Page Application Inspiration Dealing with market can be time consuming What it does Give the possibility to create autonomous task in a decentralized way. Like Stop Loss action, depending of the evolution of the price. How I built it I build it using differents protocol like gelato, chainlink, uniswap and instadapp. Challenges I ran into Integrating all this protocol has been quite challenging. Accomplishments that I'm proud of I have a mainnet ready application for doing autonomously stop loss on mainnet What I learned I learned gelato protocol, chainlink price references, uniswap dex and instadapp DeFi smart account. What's next for Take&Stop Add new type of task mainnet and create a more robust front end. Built With javascript react solidity Try it out github.com takeandstop.herokuapp.com
Take&Stop
Take&Stop is an decentralized application that take care of your DeFi position decentrally and autonomously.
['Twin Fish']
['Runner up', 'Gelato Prize']
['javascript', 'react', 'solidity']
3
10,254
https://devpost.com/software/intoo-tv-1jr32h
0. Splash Screen 1. I want to... 2. Guest Profile 3. XP-Factory (1) 4. XP-Factory (2) 5. NFT-ticket - VRF+QR-Code 6. Host Profile 7. XP-Market (1) 8. XP-Market (2) 9. XP-Cabin (Host) 10. XP-Cabin (Guest) Inspiration Whether on a personal or on a professional level - social interaction has been the most damaged by COVID global crisis. We may say, we have "life before COVID" - and "life after COVID." But what do all the good and bad COVID-stories have in common? Experience. A deeper human connection. Sharing. And either in the good or the hard times, people always find a way to do just that. That's what Intoo TV is about: creating and sharing experience, on demand. When is needed. When the COVID crisis keeps us isolated one from the other. To let Social Distancing feel us closer to each other. In a Nutshell: Intoo is a p2p live-streaming network to design, share and monetize real-life experiences. In-Depth Description: Problems: 1. General: many people (for life or health-conditions) cannot travel the places that they like, and/or experience something they would like to do. 2. COVID Crisis / Social Distancing / Isolation: Whether on a personal or on a professional level - social interaction has been the most damaged by COVID global crisis. We may say, we have "life before COVID" - and "life after COVID."Even basic daily-life actions, such as "gardening" "riding a bike" or "go to the market" may be extremely hard for many, and for others they may be irremediably different than the used to be. 3. Filtered information: Except for what the official media (filtered communication) share with them, people have a hard time understanding what the situation is in other countries/cities in the world, or even in their own. This makes hard to discern reliable information from propaganda. 4. Canceled events: Because of public health measures - performers, artists, Influencers, travelers, ..., had to cancel their tours and change their plans. These categories need a budget to keep sharing and producing their content, and their content has never been as valuable as it is during this global crisis. Surely for entertainment, but especially to keep and establish a genuine human bond, a connection. Solutions & Steps: 1. Guests: Intoo TV makes it easy for everyone to "design" an experience they want to live in first person, setting up duration, location, and budget for it. Making them "guests" of someone else's real-life, unfiltered experience for a while. 2. Hosts: Performers, creators, artists, or just regular people can "browse" the open experiences, and "match" with them in a Tinder-like fashion, based on their interests and their skills. Making them "hosts" of others, who cannot live that experience in first person. 3. Date & Tickets: After the two parties agree on a time and date for the experience to happen, Guest & Host will receive an NFT-ticket with a unique QR-Code to join the event as a real-time broadcast for the date and duration agreed. 4. Reward: After the live-streaming event, the broadcaster will receive the reward/budget set! Values & USPs: 1. Strictly one-to-one broadcast: an unfiltered, real-life experience, from a person to the other. 2. Entirely customizable Live-experience: the experience you want, anywhere in the world - with the duration, description, and budget you want. Realized specifically for you, in real-time. 3. Easy, and fun NFT generation: just like selecting creating your own Pizza with Domino! Intoo TV lets you be anywhere, at any time. Visit the world, through someone else's eyes. How we built it React Native Solidity ERC-721 (NFT-tickets) Infura Web3 react-native-anywhere (library) Chainlink VRF --> to generate unique QR-code for the ticket. Both to give a unique visual pattern to each event-ticket, and to add an additional layer of security by pairing user wallet IDs with the event itself) Challenges we ran into Integrating Web3 with React Native app. We consulted an exceptional library called react-native-anywhere! Accomplishments that we're proud of In roughly 5 days, and 3 people, we've been able to complete a fully functional React Native dApp! What we learned How to better integrate Web3 and React Native. What's next for Intoo TV We'll launch our Store to let users purchase additional EXP tokens to design new live-experiences, interact with them, and tip hosts In 15 days (12th of October) we will launch a close-beta to start onboarding first real users and stress-test our application. Built With agora.io chainlink infura react-native solidity web3 Try it out github.com intoo.tv kovan.etherscan.io
Intoo TV
P2P live-streaming platform to design, share & monetize real-life experience.
['Alex P', 'Ebtesam Haque']
['Runner up']
['agora.io', 'chainlink', 'infura', 'react-native', 'solidity', 'web3']
4
10,254
https://devpost.com/software/goldedstarswap
GoldenStarSwap Inspiration Our main goal is to build cross-chain lending. So first we have to build a protocol or a bridge between chains to be able to exchange crypto. GoldenStar swap is a demo for this main product, the first two chains we aim to be Ethereum and Harmony because they have some common point such as the smart contract building language (Solidity) as well as the use of Oracle Chainlink are available on Harmony and Ethereum. What it does GoldenStar swap allows you to convert between Erc-20s, ETH on Eth to One (native token in harmony). Thanks to Chainlink Oracle, we can optimize the exchange value between two tokens to help you have the most profitable cost. You can convert any type of ERC-20s to One, otherwise we have perfected the core but haven't really built the interface yet, but it will be finalized soon. How I built it Goldenstar is built on three main modules including EthBridge, HmyBridge and Relayer. In which the pricing of exchange tokens used through Oracle Chainlink is on Ethereum and Harmony. EthBridge: Lock the amount of tokens exchanged into the contract and calculate the value of the locked token at that time through Oracle Chainlink, emit Event Lock token for Relayer Relayer: Subcription EthBridge to receive Event Lock and moderate them before transferring to HmyBridge HmyBridge: Receive events from Relayer and parse the data, calculate the corresponding number of One through Oracle Chainlink located on Harmony and transfer amount One accordingly. Inspired by the open source https://github.com/harmony-one/ethhmy-bridge ,we have built a swapable POC from ETH, erc20 to One. Architecture Diagram Challenges I ran into To combine different blockchains, there are always difficulties, especially operational problems. In addition, the use case of the exchange between tokens requires updating the price between the two parties quickly enough to avoid detrimental to users. Chainlink Oracle on Harmony side is quite simple but we were able to run a complete version on their testnet. The challenges we will face will still lie ahead when incorporating more blockchains, establishing validates between relays (consensus), establishing liquidity pools between blockchains. Accomplishments that I'm proud of All the team members tried their best to come up with a product that could compete in a short time. Although the project is just a small use case in the product that we are researching and building, we have worked together to build a complete demo. What I learned After completing this project, the entire team has clearly improved their skills in writing smart contracts, interacting with Oracle Chainlink as well as skills in building frontend. What's next for GoldenStarSwap As mentioned above the goldenstar swap is a demo of the product we are looking to build: Lending cross-chain. We are continuing to build bridges between blockchains. In the next versions we will incorporate additional blockchains: Tomochain (with native token Tomo) Cosmos hub (with native token Atom) Build up an interface for the user to provide liquidity to receive farming tokens. Built With node.js react solidity Try it out github.com goldenstarswap.web.app
GoldedStarSwap
GoldenStarSwap brings the easiest way to swap crypto across blockchains. You can swap **ERC-20s**, **ETH** to **ONE (Harmony)** and vice versa
['Trịnh Văn Tân']
['Runner up', 'DappU Prize']
['node.js', 'react', 'solidity']
5
10,254
https://devpost.com/software/dexcrow
Inspiration A very common word in the blockchain space is "trustless". We identified that for cryptocurrency to further reach mass adoption, there must be tools that will further promote transactions between individuals who do not necessarily have to trust each other. We developed DEXCROWS as a scalable, autonomous escrows creation ethereum dApp that enables users to exchange their ethereum for bitcoin using chainlink oracle to verify transaction data. Escrow contract is specific to the transaction being made, it is deployed only after both parties agree to its terms and the service charge is paid after finalizing the escrow. We believe the functionality can be extended in many ways to further promote usability of cryptocurrency. What it does Dexcrows facilitates the exchange of ethereum for bitcoin by generating unique escrow smart contracts with details specific to the transaction agreed to by the two parties involved. How we built it The Client The web client is built with NextJS and styled with tailwindcss. It provides an interface for users to connect their metamask wallet and create or join a transaction using a sessionID which is generated upon initialization of a new escrow. It also provides dynamic feedback on the state of the escrow to both parties at different stages from initialization to deployment. The Backend Escrow transaction information is exchanged between peers using firebase realtime DB. At its core, Dexcrows has two smart contracts - the factory and escrow contracts. The factory takes all the necessary information that is required to create a new escrow from the peers (ethereum addresses of both parties, locktime, amount of bitcoin expected, bitcoin address expected to be funded) and through the use of the new ethereum create2 method, creates an escrow address specific to the terms of that transaction. It is also in charge of providing the escrow contract the needed chainlink token to make oracle calls. The factory replicates this action for individual escrows being created with Dexcrows thereby securing users' data and promoting transactional reliability. Everything at this point occurs off-chain. The escrow contract is deployed at the convenience of either parties involved. This keeps interaction with the blockchain to barest minimum and cheap since deployment to the blockchain is the only time gas is required. When deployed, the chainlink oracle queries the balance of the BTC address attached to the contract and if it contains expected amount, transfers the escrowed ethereum fund to the the desired party. If the lock time specified in the contract is exceeded and the BTC address is not funded as expected, the initiator of the escrow gets refunded. The application is deployed on IPFS and owns the dexcrows.eth domain name which is resolving to https://dexcrows.eth.link Challenges we ran into The implementation of p2p communication between peers involved in the transaction . We tried out webrtc which works fine on local networks but requires a centralized turn server for peers on different networks. The team settled for Google's firebase realtime DB for the purpose of simplicity. Deploying the web client on IPFS . The app failed initially to fetch the required styling and javascript assets to make the app functional in the browser. Accomplishments that we are proud of The dexcrow team is proud to have successfully built an autonomous escrow service. Dexcrows has a personal and business use-cases and has its own revenue generating model. What's next for Dexcrows The team will explore making Dexcrows more decentralized by making it fully p2p. We want to achieve this by replacing the firebase realtime DB with a much better solution or technology that is based on blockchain. We look forward to getting Dexcrows audited and deployed to ethereum main. We will also extend the functionality to enable exchange of other digital assets. This will hopefully make Dexcrows a go-to solution for trustless digital assets exchange and business integration in the future. What we learned The team learned about decentralized and peer to peer communication, some of the limitations of webrtc and importantly, application of chainlink oracle to solve real life solution. Built With chainlink ci/cd contract css ens ethereum figma firebase fleek.co github ipfs nextjs orbitdb remix smart solidity tailwind vercel vm Try it out dexcrows.eth.link github.com github.com
Dexcrows
DEXCROWS is a user-friendly and scalable ethereum dapp that uses chainlink oracle to provide smart escrow service to users who wish to exchange ethereum for bitcoin.
['Jimoh Lukman Adeyemi', 'Abdulhafiz Ahmed', 'Hakeem Orewole', 'Joseph Peculiar']
['Runner up', 'ENS Prize']
['chainlink', 'ci/cd', 'contract', 'css', 'ens', 'ethereum', 'figma', 'firebase', 'fleek.co', 'github', 'ipfs', 'nextjs', 'orbitdb', 'remix', 'smart', 'solidity', 'tailwind', 'vercel', 'vm']
6
10,254
https://devpost.com/software/dereit
DeReit #chainlink-hackathon DeReit DeReit is a decentralized platform for buying real estate properties via the Ethereum blockchain. It allows investors to diversify their exposure to the real estate market with low capital and minimum risk. DeReit grabs the real estate related data from the outside world and feeds the data in the smart contract with the help of external adapters https://github.com/SagarBehara13/realEstate-adaptar The external Adapter that feeds the data. DeReit calculates the amount of tokens generation on the basis of real estate properties surface area. Tokens minted can be bought and the bought addresses are termed as shareholders. On the basis of a share(token) possessed by the user, The monthly rent is distributed to the users. DeReit has a user interface to mint, buy, view the tokenized property. https://github.com/adamazad/dereit-web The frontend for DeReit. Challenges we faced It's not easy to find real estate data as per the requirement. So we made our own API server that stores data on the cloud and deployed it on Heroku. We made an external adapter that grabs data from the server and asked a chainlink node operator to host our adapter. Once the adapter and API server were in place the chainlink request was not responding on the truffle. Finally the dapp were seamlessly working in the remix editor. What we learned How does chainlink node works. Creation of external adapters. How can our smart contract communicate with the outside world. Built With blockchain chainlink express.js gatsby javascript node.js remix solidity typescript Try it out github.com
DeReit
DeReit is a decentralized platform for buying real estate properties via the Ethereum blockchain.
['Raneet Debnath', 'Adam Azad', 'Sagar Behara']
['Runner up']
['blockchain', 'chainlink', 'express.js', 'gatsby', 'javascript', 'node.js', 'remix', 'solidity', 'typescript']
7
10,254
https://devpost.com/software/ki-dot-a-substrate-based-blockchain-to-help-micro-funding
Loans page Ki.Dot Components Inspiration Blockchains promise a new world, but for the moment, they remain far removed from the real world. I wanted to find an idea that could bring these 2 worlds closer together, and also an idea that would allow me to learn how Substrate/Polkadot and Chainlink work. For several years, I have been a donor for Kiva which connects individuals who lend money (dollars) to small borrowers. So the idea is to connect the borrowers' projects to a community of Blockchain users, ready to invest their digital assets :) Disclaimer : this project is a pure proof of concept. No money nor cryptocurrency is spent, no project is really funded. I am not involved in the Kiva organization, I am just a regular user. All credits regarding to loans details, such as pictures and stories, go to the Kiva Team. What it does Bring real existing loans to a blockchain The Ki.Dot project displays randomly picked real world loans (retrieved from Kiva ) to the users. Let's say we have a brand new token named Ki.Dot token (KD$). It's USD price is retrieved through the use of a Chainlink Oracle. The users can lend some of their KD$ to the project of their choice. Many users can lend to the same project. The loan is completed when the amount of KD$ converted to USD reach the loan amount : the KD$ are converted to USD and the loan is fund. In the meantime, an identical amount of KD$ is staked or place in a pool : during all the loan, rewards are earned. Each month, the borrower pays back : the payment is converted back to KD$, and reverse to the lenders with a fraction of the staked assets and rewards. The earned rewards could be used to cover currency exchange risk or borrowers payment defaults. All the transactions involved in this process are stored in the blockchain. From a technical point of view Technically, the project is all about developing a substrate blockchain , and connecting it to a custom Chainlink External Adapter , as an Oracle to bring real aggregated asset prices to the substrate blockchain. See Ki.Dot Components . Price Feed External Adapter : Chainlink External Adapter that connect to the Chainlink Price Feeds to retrieve price feed upon Chainlink customer request. Price Feed Pallet : a substrate pallet to trigger chainlink request to the Price Feed External Adapter. Loans Pallet : substrate pallet that deals with loans ans lenders inside the Ki.Dot blockchain. Frontend : the User Interface to connect to the Ki.Dot blockchain. How I built it Building the Price Feed External Adapter That was the easy part, using the External Adapter NodeJS Template and the Javascript code sample . Updating the Chainlink/Substrate bridge After studying the Chainlink/Polkadot project , it was clear that this stuff need an update in order to use the latest Substrate samples and documentation. It takes me a couple of days to get the things work. As a result, 4 projects have been updated/built and tested: centrifuge/go-substrate-rpc-client smartcontractkit/substrate-adapter smartcontractkit/external-initiator smartcontractkit/chainlink-polkadot Creating the Ki.Dot blockchain The funny things started here :) I tried some iterative developments to have something working quickly, then added more features : Building my own substrate blockchain, using samples from parity repositories Add the Price Feed Pallet, make it call my Price Feed External Adapter through the help of the Chainlink Pallet Craft a basic UI to call the Price Feed Pallet Add a first version of the Loans Pallet, with some basic features (store and lend loans) Add a simple react component to view and lend loans Call Kiva API to get real loans Enhance UI to have nice cards for each loan Add charity like feature Simulate paid back from borrowers Simulate some staking feature to demonstrate the full concept Putting all things together online As soon as I got something working, I tried to put it online. I chose an online Kubernetes cluster provider and deployed all components on it: Chainlink nodes on the 3 testnets : Kovan , Rinkeby , Ropsten Some external adapters to help other guys from Discord ;) Chainlink Price Feed Adapter Chainlink Ki.Dot Adapter Ki.Dot blockchain with a load balancer to bring it to the world ! See it in action at [ https://ki.dot.ltk.codes/ ] ( https://ki.dot.ltk.codes/ ) Challenges I ran into The whole project was a challenge, but in particular : Coding for the first time in Solidity, Rust and Go Get familiar with how both Chainlink and Substrate work Updating the Chainlink/Substrate bridge (Initiator/External Adapter/Pallet) to the latest version of Substrate Develop something working in a timely manner Speak English ;) What's next for Ki.Dot, a substrate based blockchain to help micro funding I don't know if this project will find its audience. It's a project that represents me quite well: both a very technical thing, and something done to help others. But if there is any interest in it, I would like to : contact Kiva to see if they are interested (they already have a foot in the Blockchain ) play with other cool stuff from Substrate, such as the Democracy pallet understand how the Defi can concretely help in this project meet awesome and inspiring people to help me I don't know where this project is going, or even if it's going anywhere, but the Definitive Truth is that I've already much enjoyed the journey so far. Thank you for reading me. Built With externaladapter go javascript kubernetes react rust substrate Try it out github.com ki.dot.ltk.codes
Ki.Dot, a substrate blockchain to help in micro funding
How a blockchain could help people to find lenders for their projects ?This technical project aims to demonstrate how a substrate chain could rely on Chainlink to get Aggregated Price Feeds.
['Laurent Turek']
['Runner up', 'Polkadot Grand Prize']
['externaladapter', 'go', 'javascript', 'kubernetes', 'react', 'rust', 'substrate']
8
10,254
https://devpost.com/software/chain-draw
Inspiration I just like to build something that can be used by people, which makes sense. What it does The application is a twitter bot which can create a fair draw event by simple quote-retweet a tweet(with retweets), and texting @chain_draw in the quote text. The bot will automatically answer the winner of the draw after receiving the result from blockchain. This application provides a way to verify the draw ceremony which is not manipulated by draw host. How I built it This application is built using truffle, nodejs, solidity, and twitter-api, infura. On one hand i implemented smart contracts to host a draw event and to request a random number to chainlink VRF. On the other hand, i implemented bots to interact with twitter and blockchain, to recevie draw event creation from twitter user and provides draw event result back to user. Challenges I ran into Create an application using chainlink vrf. Beside of this, i think the main contribution is to explorer the posibility of bring blockchain to realworld scenery. I think chainlink is fundamental in this case too(usually people tend to use chainlink to bring information from real world to blockchain, in this case we do the opposite) Accomplishments that I'm proud of Have created a easy-to-use and verifiable application using blockchain and chainlink vrf, with all the benefits like, traceable, immutability, etc. On the other hand, this application interacts with real world(a social network, twitter), which can lead to a mass adoption, people may not need to know about blockchain, but enjoy those benefits. What I learned Chainlink interaction, how VRF works and its technical details. What's next for chain draw My goal is to create other bots/utils which can interact with both blockchain and social-network with sense(distributed or verifiable). IMO the ux for newbie user to start to use blockchain is still high, so an usable and useful bot may bring new user to this blockchain world. Links demo: https://twitter.com/chain_draw github: https://github.com/kkx/chaindraw Built With chainlink ethereum node.js smartcontracts solidity truffle twitter vrf Try it out twitter.com
chain draw
A tweet draw bot which interacts with chainlink vrf to provide verifiable draw ceremony. User can benefits from fair draw event, draw event host can get transparency in their draw result creation
['kkx Jiang']
['Runner up']
['chainlink', 'ethereum', 'node.js', 'smartcontracts', 'solidity', 'truffle', 'twitter', 'vrf']
9
10,254
https://devpost.com/software/feldmex-variance-swaps
Inspiration About 1 year ago I became interested in ethereum and started building an options platform, Feldmex options, (which remains in stealth) and realised the power of off chain price data on chain. About one month ago I saw an ad on etherscan.io for this hackathon and started thinking about types of derivatives I could build using Chainlink. I soon realised that there are no volatility/variance swaps built on ethereum so that was what I chose to work on. What it does Feldmex is the first ever on-chain pure volatility product (meaning it has no delta exposure). Feldmex allows users to mint, burn, buy and sell long and short variance(variance is equal to volatility squared) tokens, to get exposure to variance products directly from their ethereum wallets. At the same time Feldmex has a fee/reward structure that rewards early liquidity providers of variance tokens. How I built it I created an oracle that interacts with Chainlink aggregators to find the price of an given asset pair at a given point in time. I then read the daily prices into the variance handler contract(handles minting, burning, and payout of variance tokens) where they are used to calculate the payout of the variance tokens. There is a cap for payout of long variance tokens, short variance tokens payout the cap minus the payout of the long variance token, and users can mint an equal number of long and short variance tokens by depositing an amount of collateral equal to the maximum payout multiplied by the number of swaps they wish to mint. I also built a staking program through which users may stake Uniswap liquidity tokens from pools of either long/short variance token and the payout asset. Liquidity token stakers are rewarded with the fees generated by the platform based on the amount of time staked squared. Thus incentivizing staking early and staking longer. It should be noted that in the github repository the master branch includes a dummy oracle that makes testing easier. The branch kovan contains the oracle that interacts with Chainlink aggregator contracts and consists of the contracts that were deployed on the kovan test network. Challenges I ran into I had to spend quite a bit of time wrapping my head around how a variance swap works. The first time I deployed my contracts, though I had written tests, my understanding of how to calculated variance was wrong. When I read the term log returns I thought of the natural log of today's price divided by yesterday's price and didn't understand that it was a reference to percentage returns. I quickly went back, fixed all my errors and redeployed my contracts. Also building a simple front end took up more time than I had expected. Accomplishments that I'm proud of I am most proud of the fact that, as far as know, I have built the first ever on-chain pure volatility product. Also I am proud of the fact that I participated in this hackathon while my senior year of high school was starting. When I started high school I had never written a line of code but I proved to be a quick learner and it is a great feeling to build something of value from your keyboard. What I learned Before this hackathon I had thought of using Chainlink price feeds but never really got around to doing a deep dive because I was busy iterating the core functionality of my options platform. This hackathon helped me to better understand how Chainlink works and I have a new-found appreciation for how amazing the service they provide is. What's next for Feldmex Variance Swaps Next I would like to get an audit for my variance swap product and deploy it on mainnet. I also will likely expand Feldmex to support other types of swaps. Once I have some funds I would like to have the options platform that I built audited and deploy it on layer 2, most likely the ovm. Built With javascript solidity Try it out feldmex.com feldmex.com github.com
Feldmex Variance Swaps
Get exposure to pure variance (volatility squared) without exposure to the underlying price of the asset pair. Allows for use of advanced professional derivatives trading strategies.
['Max Feldman']
['Runner up']
['javascript', 'solidity']
10
10,254
https://devpost.com/software/integration-with-argent-wallet
Integration test results with Ropsten fork Inspiration The Argent wallet uses own token price oracle serving over 380 ERC20 tokens to provide the daily limit logic in the smart contract wallet. (See more on what the daily limit is here https://support.argent.xyz/hc/en-us/articles/360022693511-About-the-daily-transfer-limit ) Currently only 17 of those tokens are available via the Chainlink price feeds. Here, we've integrated those as preferred source for price data for the Argent wallet, aiming to gradually source all token prices from Chainlink, should they become available in future. How I built it Imported AggregatorV3Interface.sol into Argent's own Token price oracle and updated its getTokenPrice function to prioritise price data from Chainlink if available, and fallback to its own records otherwise. Challenges I ran into None really although the nesting of price feed aggregators which call into each other was a touch tedious to work through. Maybe this was necessary due to the contracts upgrade model so understandable. Accomplishments that I'm proud of Making the Argent wallet more decentralised. In the long term also saving gas on running own Argent oracle. What I learned How easy it is to integrate with the price feeds. What's next for Integration with Argent wallet Submit the PR to the Argent repo and get it into one of the next releases of the app. Built With solidity Try it out github.com
Integration with Argent wallet
Integrates available ERC20/ETH price feeds to be used in Argent wallet daily limit calculations
['Elena Gesheva']
['Runner up']
['solidity']
11
10,254
https://devpost.com/software/fruity-market
Technical Fruity Market Checkout Payment Succeeded Inspiration Fruity Market is an Open Fruit Market Proof of Concept designed to give insights on how would be the new way for purchasing groceries. In this new market, a user will be able to purchase food with its phone without a cashier (middle-man). This is already existing (Vending Machines) but Fruity Market wants to demonstrate how easy it is to do it with Blockchain and Modern Hardware Technology . What it does It allows people to buy fruits openly on a market with an Ethereum Wallet. How I built it I built it using both software and hardware components. Software: Infura - used to connect to the Ethereum network. Web3JS - used to interact with the Ethereum network. Chainlink Oracle - used to get the Ethereum price feed as all fruit purchases will be made in ETH. WebUSB - used to talk to the hardware device through the web. Arduino IDE - used to flash the device's firmware. Hardware: MacBook Pro - used as the host. Arduino Nano 33 IoT - used as the hardware device. Arduino's firmware, application's smart contract and more in the GitHub repository: https://github.com/TedNIVAN/fruity-market Challenges I ran into The hardest part was to get the Arduino working with the Dapp through the web. Accomplishments that I'm proud of I'm proud that the Fruity Market application can easily communicate with hardware devices through the web navigator. What I learned How to integrate an Ethereum price feed using Chainlink Oracle. How to connect a hardware device to the web. What's next for Fruity Market I would like to improve the smart contract's logic as it is pretty minimalist at this time and build a realistic vending machine using a Raspberry Pi 4 with a touchscreen. Moreover, I would like to expand the idea to build IoT Gateways for home automation. Built With arduino c++ chainlink css html infura javascript web3js webusb Try it out tednivan.github.io github.com
Fruity Market
Open Fruit Market Proof of Concept
['Ted NIVAN']
['Runner up']
['arduino', 'c++', 'chainlink', 'css', 'html', 'infura', 'javascript', 'web3js', 'webusb']
12
10,254
https://devpost.com/software/shield-2uzhso
Liquidity pools The insurance marketplace Entering insurance data EIP 3142 Buying the insurance The shield logo, inspired from the Chainlink logo Shield is live on the Rinkeby testnet at Shield.link . When searching for ideas for this hackathon, I found the app called "Flyt" , 3rd place winner of the 2019 Chainlink Hackathon. The idea was to offer flight insurance to travellers based on a smart contract using Chainlink to call a flights status API. If the API returned that the insured flight had been canceled or delayed, then the smart contract would automatically compensate the traveller. I really liked this idea of making fully automated insurances and thought about making a similar app but for Package Shipping Insurance using a Package tracking API such as TrackingMore.com to track delivery. I started working on that when I thought of another insurance idea : A life insurance using Legacy.com's obituary API to compensate families in case of death. I went on and on with new ideas of insurances in multiple domains. I couldn't decide which one to implement for this hackathon, so I thought why not build them all and have them available on a marketplace! Shield was born. Shield is an insurance marketplace where you can purchase many different insurances. So far I created 3 insurances in 3 different smart contract, one for packages based on TrackingMore's API, one for flights based on FlightStats's API and one for life insurance based on Legacy.com's API. Each insurance has a pre-determined compensation based on the user's premium. For instance the shipping insurance has a compensation of 1,000% of premium. Click to purchase it. You can input the tracking number of your package and the premium you want to pay. Let's say 0.12 ethers. You can see that you will receive 1.20 Ethers if your package gets lost. Indeed the smart contract of this insurance uses Chainlink to access the TrackingMore API and trigger the 1,000% compensation if the package gets lost. Clicking purchase will open Metamask and ask you to pay the premium. That's all, your package is now insured and you will automatically receive 1.20 Ethers if your package gets lost! You can also purchase a life insurance at 50,000% of premium and a flight insurance at 700% of premium. Now, notice that each insurance has a "funded" status with an amount of Ethers available in the smart contrat. For example, the package insurance smart contract currently has 4.20 Ethers meaning you can only purchase an insurance up to 0.42 Ethers or the contract won't have enough money to pay for compensations. Notice the flight insurance no longer has any available fund and therefore cannot be purchased. Now you may ask: How are contracts funded? Well, for that I implemented automated liquidity pools. Open the menu and go to "Provide Liquidity". Here you can see all insurances again, but this time with Annual Percentage Yields or APY. Indeed, you can provide liquidity to an insurance pool, and in exchange you will receive yield revenues based on the profitability of that insurance. Currently the package shipping insurance has a 6% APY. Click Provide Liquidity on that insurance and enter the amount of funds you want to provide. Let's enter 1 Ether and click send. Metamask opens to confirm the transaction. That's it, you will now receive yield revenues to your wallet. Notice however that Yield percentages are variable, based on the performance and profitability of the chosen insurance pool, and that your funds may be at risk if the insurance is not profitable. Oh and one more thing, I'm currently working on adding the capability for anyone to create and add a new insurance smart contract to the marketplace. I've created EIP 3142 that defines the standard interface for an insurance smart contract with automated liquidity pool. Anyone with an insurance idea and a API callable by Chainlink will soon be able to create an ERC 3142 smart contract and submit it to the marketplace. As you can see, SHIELD has a lot of potential. There are still a lot of feature to be developed before it can go into production, such as automatising compensation percentage based on the insurance performance, and implementing a lock mechanism of pool funds when an insurance is purchased with a release back into the pool when the insurance's deadline is met. There is still a lot of work but with your help, SHIELD could become the next DeFi unicorn. Shield is live on the Rinkeby testnet on Shield.link Built With chainlink solidity truffle typescript Try it out shield.link github.com
SHIELD
Insurance Marketplace with Automated Liquidity Pools
[]
['Best DeFi Project']
['chainlink', 'solidity', 'truffle', 'typescript']
13
10,254
https://devpost.com/software/farmtogether-rpg
Opening Welcome Page Linking to a virtual wallet via MetaMask Picking a plot of land Home farm Farming and planting seeds Watering Seeds Plants grow Market Inside market Overview A no-loss strategy-based Yield Farming RPG tournament. It's similar to Pool Together where users pool their assets and enter into a lottery to win the interest accumulated over time. Except that instead of a simple lottery, users have to actually farm in the game and get the most in-game crop yields to win the prize. The in-game farming part is similar to the games like Stardew Valley and Harvest Moon. But, in Farm Together users have to also strategically select their seeds and trade them to match the seed properties with the land they have acquired, which will allow them to get the most crop yields. Randomness and chance of seeds and land properties are determined using Chainlink. Inspiration Pool Together, the growth of yield farming and the lack of gamification Demo http://bit.ly/farmtogether-finance GitHub Repos https://github.com/kPatch/RealYieldFarm https://github.com/johhonn/realyield.farm-contracts What it does It's a 2D farming RPG that uses Chainlinks VRF, Alarm Clock, and AAVE. It creates a collective pool of user deposits using the AAVE aDAI token. Then generates NFTs based on user game performance with a proportion of randomness generated by the VRF. These NFTs can then be burned for access to a proportion of the interest. Users can also withdraw their initial stake after the game is finished. How I built it We used Unity, WebGL, Web3JS, Solidity Smart Contracts with Chainlink, AAVE, Open Zepplin, and Buidler. Challenges I ran into Integrating Web3 with Unity proved to be difficult. The mechanics of game play is difficult and hard to test because there are numerous components that are interacting and must be tested at runtime. Accomplishments that I'm proud of A new game play mechanic was created. Very few people have attempted what we did by game-ifying yield farming. By adding the NFTs as a certain portion of the interest we created a different sort of game play than a simple win-all-take-all type game play. What I learned How challenging it is to develop smart contracts around interactions that happen at runtime. Learned about Chainlink scheduler and AAVE api and how to use them within game play. What's next for FarmTogether RPG We intend to expand FarmTogether and add more complex game play mechanics. For example, the ability for genetic mutations on plants in order to breed new crops with different values, the ability to interact with other people's farms, the ability to add weather as a randomness factor to game play, and much more. We're hoping to go live and do a token sale. www.farmtogether.finance More details will be described in our greenpaper . Built With aave chainlink solidity unity
FarmTogether - A Strategic Yield Farming Role-Playing Game
A no-loss yield farming strategic role-playing game (RPG). Essentially Harvest Moon game, but user's enter into a farming tournament where in-game crop yields garner rewards earned through AAVE.
['Cait-L', 'Irvin Cardenas', 'John May', 'Tina Xu']
['Best Gaming/NFT Project', 'Aave Prize', 'CryptoChicks Prize']
['aave', 'chainlink', 'solidity', 'unity']
14
10,254
https://devpost.com/software/the-open-library-project
Opportunity : Little Free Library has done the heavy lifting of creating a physical network of individual run, openly available book collections. We'd like to solve the easy (but incredibly valuable) problem of creating a smart software layer for the Little Free Library. Vision is to bootstrap a worldwide community of readers with book sharing software . Our idea: a book rental platform where the end UX would be a familiar check in/out system , but the rental backend would be decentralized by smart contracts and RFID scanners enabled by chainlink and ethereum. Physical rental stations would be set up at existing Little Free Library locations, and books can be freely moved between stations. I.e. a book checked out in San Francisco could be checked in in New York . Note : this last point about inter-library sharing is quite important. Assuming the product form factor evolves to something simple enough where spreading to new locations does not rely on a physical scanner (perhaps replaced by a QR code and phone app), very low operating costs can translate into exponential growth as books circulate through the existing Little Free Library network . What it does TLDR: a book check in/check out system; accepts book contributions to the platform from users. Incentivizes quality book contributions and responsible lending (a unique advantage over the current Little Free Library). For a Little Free Library location, there will be an RFID reader connected to our platform. Using our website, readers can check out books by scanning them. This initiates a rental smart contract with a fixed term and late fees. Once the book is scanned and checked in again, the rental contract will self destruct and the book will be available to check out from the library again. Readers can also contribute books to the library by adding a supported RFID tag and scanning the book into the library. They will receive all fees generated by the book. Unlike the original Little Free Library project, this incentives the sharing of higher quality books that will generate revenue for the contributor. How we built it Our tech stack roughly broke down into the following categories (ordered by module dependencies): RFID hardware (C/arduino) RFID parser/adapter (python) Chainlink node ETH smart contracts (solidity) Frontend (HTML/JS/CSS). RFID stuff Hardware/firmware : MFRC522 RFID reader connected to an arduino board. Used an existing RFID firmware library for the RFID reader. Parser : we wrote a custom state machine to parse the UID from RFID scans. That code is in rfid-interface/rfid.py . External adapter : in the same python script, there is also a flask server in rfid-interface/app.py that accepts POST requests to get a scan. Upon a request, the scanner will turn on and wait till the next scan or timeout. The UID of the scanned card is then returned. Chainlink/smart contract stuff We opted to run our own chainlink node on the kovan testnet. This connected to the external adapter server running in the above section. Oracle address : 0x315FF29aC038d62e1AB915081281Eeb0FE503738 Job ID : b4103c96c6514e779a9bb386b7f84011 We wrote 2 custom ethereum smart contracts: contracts/Library.sol : main contract for the platform. Inherits from ChainlinkClient to connect to the RFID scanner. Primary interface functions: mapping(bytes32 ==> Book) bookCollection : maps rfid UID tags to book structs (collection of relevant data about a single entry in the library). contribute(string bookTitle) : adds a book to the bookCollection with UID of the requested scan. checkOut() : checks out book (from UID of next scan) to msg.sender . Initiates a Rental.sol contract with the duration and late fees of this rental. checkIn() : dual of checkOut . Closes the outstanding Rental.sol contract. contracts/Rental.sol : basic rental agreement between a user and the library. Contains duration and late fee params. Contracts were deployed to kovan using remix. Frontend Straightforward web3 interface to the Library.sol contract methods. Inspiration We (Aram and Aaron) faced a very simple problem. Aaron really likes biking and invited Aram to go on a bike ride. Problem is, Aram doesn't have a bike and Aaron didn't have one to spare. Aram proceeded to message several of his friends to borrow a bike, eventually finding someone willing and able to share. Though simple, this peer to peer sharing relies on existing trust between Aram and his friends: his friends need to feel assured that he won't just run off with their bike. However, this trust is hard to scale past his immediate group of friends. This specific problem inspired the following observation: hardware secured using chainlink can leverage the guaranteed trust of blockchain apps to create a peer to peer lending platform for "things". Trust can be assured and scaled using this technology to connect distant individuals in a mutually beneficial way. From golf clubs and bikes, to laptops and vacuums, this platform can create a trusted way for owners to rent out their valuable things to those who want them. Think rental smart contracts (which implement rules like late fees, distance boundaries, and damage clauses) that connect to sensors to automatically execute the clauses of the contract. In short, the AirBnB for all "things"! However, this is a hard problem to entirely tackle in 3 weeks. Being avid readers, we saw books as a small scale version of this larger vision that we could get off the ground quickly. We also realized that our tech could leverage the existing physical infrastructure of Little Free Library . Hence, the final version of our idea. Challenges I ran into Running the external adapter on a remote chainlink node : We were first using the services of a node operator in Spain (we're located in PST), which massively slowed down the debug latency for the external adapter <--> smart contract interface. Eventually, we bit the bullet on operating our own chainlink node, which worked very smoothly after initial setup. Smart contract design : The root of this problem is that real time (RT) embedded systems (e.g. the RFID scanner) and smart contracts have very different design patterns. As "real time" implies, timing is crucial for clean embedded designs, but smart contracts have well defined execution patterns (i.e. no delay function), which made linking the two modules notably difficult. Eventually, chainlink's external node design helped motivate a callback function style of the RFID system in the contract. Accomplishments that I'm proud of Designing a smart contract that interfaces with a real time sensor : We believe that projects of this style really unlock the potential of blockchain as digital infrastructure for analog systems. Though book rentals and RFID scanners are a very specific application of this principle, the smart contract and hardware interface is relevant to everywhere from supply chain to decentralized power systems and more. Designing a system that integrated components vertically across the chainlink stack : We custom built nearly all modules for this project from the external adapter/hardware interface to the smart contracts and frontend. We also set up our own chainlink node. We really came to appreciate chainlink as a piece of "middleware" by working on both sides of its stack . What's next for The Open Library Project Tamper proof hardware/general robustness : The obvious flaw in our current design is that the RFID chips can be easily removed, and there is no physical security (something like a lock) on the Little Free Library. This is quite a hard problem to solve, and it motivated the product improvements below. It's also worth mentioning that there are probably many other ways to game either our hardware or software configurations. Another principle that motivated our redesigns is that there should be as low financial and security overhead, at first. These are the hardest parts to get right, and also get in the way of scaling the network. Product improvments : Though RFID proved to be an interesting test bench for the project, it probably unneccasarily overcomplicates the system design and end UX. It also makes the project hard to scale to new Little Free Library locations because of the physical hardware that must be bought and installed. We also think that payments should be removed in the beta version, in favor of scaling the network as easily as possible. Using QR code stickers on books and a phone app scanner, we can essentially scale for free (minus the small cost of distributing QR stickers). This would dramatically simplify contributing books to the network, and overall make the process much more intuitive. Expanding past books : We're also excited about the larger potential of a peer to peer rental platform (as described in the inspiration section). We think that this is a hole in the market that blockchain enabled hardware can uniquely fill the void. This will involve new hardware (e.g. GPS scanners) and much more robust smart contracts Built With arduino chainlink ethereum javascript python rfid solidity web3 Try it out github.com
The Open Library Project
RFID enabled on blockchain to create a peer to peer book rental system. Smart software for Little Free Library existing locations (littlefreelibrary.org)
['Aaronstotle']
['Best Open Project']
['arduino', 'chainlink', 'ethereum', 'javascript', 'python', 'rfid', 'solidity', 'web3']
15
10,254
https://devpost.com/software/real-hedge
Deposit Dialog Withdraw Dialog Policies Screen Invest Screen Buy Policy Screen Protocol Components Inspiration I came up with this idea because I read that property price might go down in city centers hit by covid as people move to work remotely. After looking around for data sources I found a fantastic feed by the U.K. government for average prices. This can also become a building block for real estate tokenization and on chain mortgages. What it does The Protocol Real Hedge is a new de-fi protocol aiming to provide hedging facilities to real estate property owners. The protocol is comprised of multiple parts: Chainlink integration Aave integration rDAI an ERC20 token for liquidity providers REPLC an ERC721 token for representing individual policies On chain underwriting On chain claims handling Overview The protocol allows anyone to hedge real estate pricing risks in a fully decentralised fashion. A user can submit a request to purchase a policy to the on-chain underwriter, specifying duration, cover amount and location. The underwriter, using the chainlink oracle and the data sources, creates a policy with a set strike price. Whenever the price goes below the strike price the policy holder can claim the cover amount on his policy. The claiming process also relies on the chainlink network to assess the current property price, if the strike price is met the cover is transferred to the policy holder. The liquidity for paying claims is provided by LPs. LPs earn returns on their investments in two ways, premiums and interests collected on Aave money market. rDAI Token When an LP deposits DAIs into the protocol, new rDAI are minted for the LP. rDAIs are redeemable for a pro-rata amount of DAI held in treasury. Tokens can be redeemed only if enough liquidity is available for policies claims. Aave investing Since policies can potentially have long durations, 90% of the capital stored in treasury is invested in Aave and redeemed as necessary for operational needs. REPLC Token Each policy is represented by a NFT that can be traded on secondary markets. REPLC tokens are burned on expiry or after a successful claim. Data sources At the moment the protocol covers only the U.K. and it uses primary data from the British government ( https://landregistry.data.gov.uk/ ). The highest price resolution is the local authority area (i.e. Enfield). This helps in preventing possible price manipulations that can happen when tracking prices movements in smaller areas. How I built it Solidity, Chainlink, React, Typescript, Truffle Suite, Waffle Challenges I ran into Debugging Solidity code is always tricky, also initially finding the right data source for the job. Accomplishments that I'm proud of This is now in testnet and it works fine, fetches real prices and can "almost" be used! What I learned Chainlink integration, Aave integration, NFTs and much more What's next for Real Hedge Final destination is mainnet, before that I to address several outstanding issues Auto-complete for the location field Better notifications handling Realistic pricing model Use of current price in pricing Audits Handle time durations and delayed data feed More geographies Built With chainlink react solidity typescript Try it out tsnark.github.io github.com
Real Hedge
Protect your property value with real hedge. Buy a policy and get paid if the value of properties go down in your area.
[]
['Aave Prize']
['chainlink', 'react', 'solidity', 'typescript']
16
10,254
https://devpost.com/software/lottery-dao
What's LottoDAO? LottoDAO is a decentralised lottery application based on the Ethereum blockchain and synchronised information from Global major lottery platforms. What's the difference between LottoDAO and other lottery platforms? LottoDAO uses blockchain and Chainlink, the pivotal data is base on smart contracts, which is safe and won't be interfered by any third party. What's the main advantage of LottoDAO? With the advantage of utilising blockchain, LottoDAO is bringing off-chain data into on-chain. So you can still play your favourite lottery on-chain. it is more independent, as well as autonomous; also it allows lottery participants to purchase lotto entries in a secure way and makes the lottery transparent, no third-party manipulate and trust Inspiration It was inspired by other lottery game What it does We want to enhance lottery game with off-chain lottery information such as rules. So that people can still play their favourite lottery games on-chain. How I built it We built it with Solidity to create smart contract. Frontend running vue.js Challenges I ran into Using Chainlink to get off-chain data to on-chain Using Chainlink to with alarm job and getting VRF random number Running single page app with VueJS Accomplishments that I'm proud of It's working!!! And It's an on-chain lottery game with off-chain game information but secured by blockchain with transparent and non-changeable. What I learned Solidity, Chainlink, Vuejs What's next for Lottery DAO get traction and feedback from users. Then we can add support for all global lottery games. Built With chainlink magayoapi node.js solidity vue Try it out github.com lottodao.s3-website-ap-southeast-2.amazonaws.com lottodao.eth.link
LottoDAO
LottoDAO is a decentralised lottery application based on the Ethereum. It gets off-chain data with global lottery information into on-chain. Making it more transparent and no third-party manipulate
['Next Genius', 'Lecky Lao', 'David Yu']
['ENS Prize']
['chainlink', 'magayoapi', 'node.js', 'solidity', 'vue']
17
10,254
https://devpost.com/software/the-gelato-smart-vault
The Gelato Smart Vault This project, written for the ChainLink hackathon 2020, implements a Debt Bridge , composed of an interface composed with React ( https://github.com/oscarwroche/gelato-debt-bridge-frontend , deployed here https://develop.d3vj0zddwjxxir.amplifyapp.com/?fbclid=IwAR0fi9eRvanyei80fXznNicXbowsZGdH02F18ryKAYRGpZcsPeZ3__XnvDU ), and an SDK to interact with Maker, Compound and Aave through InstaDapp and Gelato. What is a Debt Bridge Maker and Compound are two financial services that allow a user to deposit ETH as a collateral and borrow another token up to a certain ratio (66% for ETHDAI). For example, if the ETHDAI price is 300, and I deposit 10ETH in a Maker Vault, I can borrow 300 x 10 x 0.666 = 2000 DAI. This costs a yearly rate. Now if Compound offers a better rate for the same financial product, I might want to move my borrow position to a Compound vault. A Debt Bridge uses a Gelato Automation to automatically refinance a Maker Vault to a Compound position (and vice versa), depending which is the most profitable for the user . This reuses two existing deployed InstaDapp Connectors (ConnectMaker and ConnectCompound) to provision Gelato with a refinancing sequence, that would only be triggered if one is better than the other. The refinancing sequence is the following: Instapool: borrow DAI MakerDAO: payback DAI MakerDAO: withdraw ETH Compound: deposit ETH Compound: borrow DAI Instapool: return DAI An interface for that can be found here The difference is that thanks to Gelato, someone deploying a vault from our interface wouldn't need to refinance manually, as Gelato executors will trigger the call when the conditions are met . More products This app can serve as a template for many more interesting lending applications. We included two more examples in this repository: Refinance to an Aave The createGelatoOptimizerAave function can setup an automation to refinance to an Aave lending position. Liquidate on threshold To avoid losing the liquidation fee, one can use Gelato to automatically liquidate a Maker Vault before the -50% mark on the ETHDAI price. This is showcase in the createGelatoAutoLiquidator function. Difficulties The hardest part was to connect the different financial services. Another hard part was to adapt the sdk to the front end. What's next for The Gelato Smart Vault Flash Loans with Aave and Compound More lending plateforms and a multi-platform optimizer Built With aave chainlink compound gelato instadapp maker react Try it out github.com
The Gelato Smart Vault
Using Gelato, we make a setup that will automatically refinance a vault from Maker to Compound or Aave when the rate is lower. Furthermore, it will use Chainlink to liquidate before 50% decrease.
['Antoine Estienne', 'Oscar Roche']
['Gelato Prize']
['aave', 'chainlink', 'compound', 'gelato', 'instadapp', 'maker', 'react']
18
10,254
https://devpost.com/software/on-time-rpvubh
Inspiration It is easy to schedule a transaction on your bank account. Like the monthly payment for you rent. But for Ethereum transactions, this is different. Easy things like putting DAI every week into a DeFi protocol requires you to do the transaction manually. What it does With On Time you can schedule your transaction on arbitrary conditions. Are you getting paid with Ether from your employer? Swap X amount into a ERC20 token on Uniswap based on arriving of payments in your wallet. How I built it Build it with the Gelato network. For the UI I used Angular and Angular Material Design. Ethers.js for handling the web3 connection. Challenges I ran into Calculating the correct data to call the smart contract with. Also there is no pattern yet, how do you build a DApp. Which address is connected on which network. If you support multiple networks, like mainnet and rinkeby. You need to distinguish between them for your ABIs and also for your smart contract addresses. Also support different proxy contracts which the user can use to interact with the Gelato network was a big pain point. Accomplishments that I'm proud of The whole DApp. What I learned A lot about web3 and smart contracts What's next for on-time Add new smart contracts like mStable that you can put something in their savings contract and accumulate mUSD. Built With angular.js ethers gelato Try it out on-time.xyz
on-time
UI for nice UX when interacting with the gelato network. Configurable conditions based on time, balance of a wallet and price on uniswap v2.
['Max Code']
['Gelato Prize']
['angular.js', 'ethers', 'gelato']
19
10,254
https://devpost.com/software/ample-harvest
Inspiration Ample Harvest was inspired by the composibility of ethereum (money legos!) and the importance of options as a hedging tool in the financial world. Since Ampleforth is a currency where the amount you own may change every day, many users may want to leverage against changes in their balance by placing bets that, if correct, pay out more AMPL during a supply contraction, or boost the upside impact of a supply expansion. This type of derivatives trading may also help stabilize the AMPL market overall, since speculators can profit under all three conditions (expansion, contraction, and equilibirum) and may help the AMPL token meet it's goal of staying within target range. What it does Allows you to write American-style call and put options based on the difference over/under of the current AMPL vwap to it's price target. These can be held, exercised or sold on DEXes to earn premium on your AMPL collateral. How I built it Using chainlink to keep the latest vwap price of Ampleforth continually fed into the smart contract. The entire contract protocol was written in Solidity, with a front end (WIP) that was built with a combo of TailwindCSS and Javascript. Challenges I ran into Initially, I didn't know what price feed to use for getting the best Ampleforth data. After research, I selected anyblocks API and the official Ampleforth/Fragments REST API for other data such as next rebase time and the CPI target. Some code size limitations in solidity, but I made the code shorter and more elegant! Also, the challenge that Ampleforth rebases daily, and how to best deal with that when creating a standardized contract that holds a fixed amount of Ampleforth. Accomplishments that I'm proud of Using ratios throughout the protocol, so that after rebase, you're still entitled to the same proportion of AMPL you should receive per contracts that you hold. I'm also proud of learning new things about finance, and more of the API of chainlink! What I learned How to get data of any precision/decimal place using Chainlink's HTTP GET More about AmpleForth and it's monetary policy What's next for Ample Harvest Bug fixes/errata Progress on the options exchange dapp Working towards a main net release! Built With ampleforth chainlink solidity tailwindcss Try it out github.com
Ample Harvest
Protect your AMPL crop from supply changes this season with Ample Harvest, the first ever options protocol built just for Ampleforth. With the power of puts and calls, you can profit in any weather!
['Michael Colson']
['AMPL Prize']
['ampleforth', 'chainlink', 'solidity', 'tailwindcss']
20
10,254
https://devpost.com/software/monkeypaw-platform-to-incentivize-open-source-contribution
Confetti After Successfully Getting Paid for Merge Transaction from Chainlink Node Registering a Pull Request Inspiration My day job involves mobile app penetration testing but I am very interested in the Blockchain space. While I do see the potential of smart contracts, and the ridiculous amount of money that has been made on DeFi, I am hesitant to put my own money into it because of how many bugs I see in mobile apps that are on app stores now. The thought of putting money into un-audited code gives me shivers ... I would love to see a decentralized bug bounty platform (similar to HackerOne or BugCrowd) with a focus on smart contract audits. The nature of smart contracts is that they are (mostly) open source - so a smart contract audit could take place entirely on Github as users could examine code and make Pull Requests (PR) to fix it before it is deployed to MainNet. But in order to get more eyeballs on these smart contracts there will need to be a incentive for auditors. My hope is this project is beginning of building a decentralized bug bounty platform for smart contracts (powered by ChainLink Oracles) What it does The External Adapter I wrote takes the inputs for an associated Github Pull Request (PR Number, Owner, Repo) and then checks the Github API to see if that pull request has been merged. Per the GitHub documentation a merged pull request will return a 404 response and unmerged will return a 204 repsonse (which I know is confusing) link The Smart Contract I wrote will communicate with a ChainLink Oracle running the External Adapter and allow users to register their PRs with the smart contract (so a Wallet Address becomes associated with a PR) and check whether or not the PR has been merged. If a PR has been merged then the associated Address will gain 5 PAW tokens (custom ERC-20)./ The Front-End that my friend/teammate Jake built ties the External Adapter and Smart Contract together by using web3.js to give the user an easy to use UI. How I built it Honestly I built this by reading tutorials and tweaking the sample code in using them. To get the EA operational I had to ask for help in the discord server and found someone that was nice enough to host the EA on a Node on Kovan network. Smart Contract involved a lot of trial and error and redeploying contracts on remix. The web3.js was frustrating because I did't learn how to test locally so I had to push up to Github everytime I wanted to see change in how frontend worked. Challenges I ran into The main challenge with the EA was the fact that out of the box the ChainLink client will ignore a 404 response... but unfortunately for me I needed to see the 404 because that is how I know something was merged. So I had to make some tweaks to code. I am new to smart contract development so I struggled with basics here. Figuring out the mapping was quite difficult and could be done much better Web3 just has lack of documentation (or conflicting documentation) so was just painful in general. Accomplishments that I'm proud of I am proud that I was able to get everything working that I wanted to by the end of this Hackathon. I haven't built a full project like this since my coding bootcamp in 2017 so I am very rusty on some basics of development - but I was still able to get a working proof of concept even though I was using brand new technologies and a language I just started learning last month (Solidity) What I learned I learned the hard way that I really need to learn how to set up truffle and test things locally. This project I basically just kept deploying new test contracts to see if my concepts worked... very painful. I also learned a TON about the Ethereum network and how to interact with it. This was also my first exposure to ChainLink so I was glad I had a chance to build External Adapter because I have a bunch of ideas I'd like to build out as well. What's next for MonkeyPaw - Platform to Incentivize Open Source Contribution So first thing would be resolving security issues I have with smart contract (there are a lot :) ). Because I just wanted to get a proof of concept I took a bunch of shortcuts that have real implications (i.e public functions that should not be public). Next I would like to improve the contract to allow more functionality ( i.e The paw tokens could be used as governance tokens and holders could up vote issues or PRs). Then I would like to build out a better UI using react or something similar. Built With github github-api javascript node.js solidity web3 Try it out yummyfunnybunny.github.io github.com github.com
MonkeyPaw - Platform to Incentivize Open Source Contribution
This project combines a custom EA, smart contract, and UI to create a decentralized platform for users to confirm that their Github PR has been merged, and if it has they receive ERC-20 token.
['MonkeyPaw Sherrets', 'Jake Nichols']
['DappU Prize']
['github', 'github-api', 'javascript', 'node.js', 'solidity', 'web3']
21
10,254
https://devpost.com/software/sigh-finance
Sigh Finance - Engineered to be Profitable! Inspiration I have been interested in the Blockchain space for long (you can read my articles either on my blog - cryptowhaler.github.io or on Medium - medium.com/@cryptowhaler ) but was initially more inclined towards its use-cases within the institutional financial space. However, now i am of the opinion that the emerging crypto assets market is a much better place to innovate, will grow much faster, and is most probably the only place where you can create monetary structures which can help make space exploratory missions a profitable undertaking. What it does SIGH Finance is essentially a money market protocol, with certain differences & optimizations when compared to Compound / Aave, briefly listed below - Version - 1 We are adding another token, SIGH , which is inflationary in nature (1% per day initially for 96 days, then 0.5% for a year which gets halved every year for 10 years) The SIGH tokens are added to a reserve contract, which drips these tokens at a certain rate per block (can be modified) The SIGH tokens are distributed among the supported markets based upon their performance (% losses / % gains, calculated daily), where the markets which have made any losses are allocated SIGH token distribution rate for the next 24 hours which can compensate for the losses made. The protocol fee (% of the interest rate) and the inflationary SIGH supply is further used to buy crypto assets (WBTC/WETH/LINK/SIGH among others) from the market and add them to the treasury. The funds from the treasury are used as reserves and to buyback SIGH tokens from the market at regular intervals which can then be redistributed among the loss bearing markets. The treasury funds, while acting as an investment fund, should act as a cover for the decrease in SIGH token's inflation rate over the years, that is, for example, the BTC purchased during the initial years should be more than enough to balance out the value of SIGH tokens available via inflation when compensating investors against market losses in the future. The governance token, GSIGH , has similar distribution mechanism as COMP of compound, and will be used for deciding upon future course of action through voting. Version - 2 (These additions will be made but it may be difficult to do so within the Hackathon's time-frame) A.I modelling techniques to calculate the most optimum SIGH distribution rates, interest rates, treasury to reserve ratio, among others factors, on a per minute basis, which will be easily possible on Ethereum 2.0 with much lower gas fees along-with increased speed. The platform will support self balancing tokenized basket of crypto assets which can be invested into, and the investor can further approve them to be used for lending purposes and earn interest from his investments. This will allow the protocol to expand the number of supported markets to a much greater scale. Sigh Finance is essentially being designed in a manner which can bring in more institutional capital into this nascent space, addresses the current high volatility issue, and the underlying incentive mechanisms will further allow it to stay relevant in the rapidly evolving DeFi space for a much longer duration. How I built it I took compound finance's code as the initial starting point, understood how it works, then came up with the additions that i wanted to do over it. I did a preliminary analysis regarding how the functioning of SIGH tokens and the treasury vault can be optimized to ensure a long-term value creation. Set up the website link using vue js , created a medium publication link and the twitter account link Writing the code and testing it locally with truffle and ganache. Will test it thoroughly on the test-nets and will add Graph protocol based querying facility. Note - Will try to add tokenized baskets and AI modelling techniques within the timeframe, but if not then it will be added later. Challenges I ran into Actually me along with my family got infected with Covid, so that's been a real blocker and have slowed down the progress. Accomplishments that I'm proud of I knew the technical stuff regarding Ethereum / smart contracts etc, but was not much aware about the innovations happening in this space (AMMs, liquidity mining etc). This covid period gave me a chance to delve a bit deeper into it and now i am about to make a full blown career change. I inherently believe that DeFi, while being a revolution led by the underlying blockchain infrastructure, will essentially be taken forward by the innovations in quantitative modelling techniques (AMMs are a quantitative breakthrough, not a technical brakthrough, which are now being improved upon by Dodo protocol) and will contribute to the study of econometrics and related theories. The long-term approach around developing SIGH Finance essentially revolves around trying to create new quantitative modelling techniques by using A.I which can help the protocol perform to its most optimum, the learnings from which will help further improve the protocol and expand our offerings. What I learned This is my first full blown Dapp which i am making individually, so learnt a lot around solidity coding principles, proxy contract standards, Graph protocol, implemented liquidity mining pipeline which actually has a use-case and a lot more. What's next for SIGH Finance Support for tokenized basket of crypto assets, integration with AI modelling techniques (initially it will be tested thoroughly, before it goes live in the production environment), and a plan regarding how to take the SIGH Finance protocol live on chain (token sale, listing, liquidity supply etc). Built With graph solidity vue web3 Try it out sigh.finance medium.com twitter.com github.com
SIGH Finance
SIGH FINANCE is an R&D undertaking to build Financially Engineered liquidity mining driven econometric models and other engineered financial products driven by A.I on the DLT Infrastructure.
['Rahul Mittal']
['The Graph Prize']
['graph', 'solidity', 'vue', 'web3']
22
10,254
https://devpost.com/software/chainlink-prediction-market
Homepage Success Message Make Prediction Resolve Market Deposit On Aave No Loss Market (Lost Case) No Loss Market (Win Case) Normal Market (Win Case) Normal Market (Lost Case) Github Repository https://github.com/princesinha19/chainlink-prediction-market All the source code is in the Master branch except the Subgraph. Subgraph Code is in the Subgraph branch. Inspiration The prediction markets are not popular financial products in DeFi due to their risky nature. Some of the existing solutions are based on the "winner takes all" model. The inspiration for the "No-loss" prediction markets was mainly due to the Aave lending protocol. So there is a low barrier for users who want to try out these financial products with essentially no risk. What it does Currently, There are two types of markets available:- Normal Market (High Risk) It's a market where correct predictors will get rewards proportional to their stake plus the interest earned from the Aave lending protocol. And, incorrect predictors will lose their stake. No Loss Market (Less Risk) Here the interest earned from the Aave lending pool will only be distributed among the correct/winning predictors. So, It's is a less risky market as even an incorrect/losing predictor will get their stake back. We also have two types of market outcomes:- Conditional Outcomes: Here one can predict only "YES or NO", based on condition. For eg. Will the price of ETH go above $500? Here, there will be only two options YES (For predicting that it will go above $500) and NO (For predicting that it will not go above $500). Strict Outcomes: Here one has to predict the exact value. For example: Q. Who will win the 2020 U.S. Presidential election? 1. Joe Biden 2. Donald Trump At the time of the market resolution (sometime in the future), the data is fetched from the chainlink oracles and the market is resolved with the correct results. These results are fetched from a trusted source. How we built it We have implemented prediction markets in solidity and deployed the contracts on the Kovan testnet. We make use of chainlink and Aave in our contracts. We are using Chainlink oracles to fetch external data to resolve the market. We believe that Oracle is the only secure way to fetch data into a smart contract. We are using Aave for maximizing the profits of the users. The user can stake for a limited time span after that the funds are deposited in the Aave lending pool where it earns interest until the market is resolved. At the time of market resolution, the funds are withdrawn from the market to the smart contract. The eligible users can then withdraw their respective rewards anytime they want. Once the market reaches the market close timestamp, the system automatically displays the resolve market button. On the click of the button, all the funds from Aave get withdrawn and get deposited to the market contract. At the same time, the smart contract calls the chainlink function to get the market result. In few seconds chainlink provides the result and the market gets resolved. We are using The Graph protocol, to visualize market data like predictions, stake, and market resolution results. This data can be analyzed by the user for risk assessment or due diligence. The subgraph can also be used as an oracle for other markets to supply useful data but such use cases are not explored in this project. The subgraph is deployed on kovan: https://thegraph.com/explorer/subgraph/ayushkaul/chainlink-prediction-market Steps You have to connect Metamask and choose the network as Kovan. The system will show all the available markets. It will display both No Loss and Normal prediction markets. One can also see if the market is already closed. You can click on any market and the system will direct on the market page. On that page, one can see all the details of the market. You can create your position by clicking Want to Predict button. You have to choose the outcome and need to fill the stake amount, We only support DAI for now. The system will show you metamask pop-up to approve the token. It will call ERC20 to approve the function. After approving, you will get another metamask popup to sign the submit prediction transaction. You can see the result once the market gets resolved at the market close timestamp. If you have any position in the market and made a correct prediction, You can click to claim reward button. For the No Loss market, also the incorrect predictor will get the button Get Stake to get their stake back. Challenges we ran into Calling the API from chainlink. Making the conditional market. Creating a generic market for assets like ETH, BTC, etc. Accomplishments that we're proud of We are able to create No Loss as well as Normal prediction markets. We successfully created a condition-based market, which is fully decentralized. Able to integrate Aave to maximize user profits. What we learned We learned to leverage chainlink oracles to fetch data securely. We learned about Aave and Chainlink . We got to know the power of The Graph protocol . What's next for Chainlink Prediction Market We want to make our system developer friendly so that anyone can deploy the markets easily. For example, anyone can easily create a market for: "Will Trump win general elections of 2020?" We want to incentivize the market creators with some fees. We want to use The Graph for providing results to Chainlink using External Adapters in the future to get the result of any type of questions. Providing interest to the incorrect predictors also in the case of Normal Markets (High Risk). We want to use Gelato For automation of Depositing stake on Aave and Resolving Market. Built With javascript react solidity Try it out princesinha19.github.io
Chainlink Prediction Market
Prediction markets leverage chainlink fo secure market resolution and Aave lending protocol to earn interest. This interest is paid out to the winner position holders at the time of market resolution.
['Prince Sinha', 'Ayush Kaul']
['CryptoChicks Prize']
['javascript', 'react', 'solidity']
23
10,254
https://devpost.com/software/subswap-3oe6lm
Subswap logo Frontend Inspiration: Decentralized markets for live Substrate tokens Live Polkadot/Substrate Networks & Parachains only have CEX listings Introduce De-Fi compostability, fee income, liquidity incentives & on-chain governance to the Polkadot Ecosystem Generate Liquidity for Substrate tokens with no markets at all ($PLM - $NODL), to decrease projects "building on Polkadot" with cross-listed ERC-20’s Polkadot network reduces DEX pain points: Expensive transactions What it does SubswapV1 follows the asset format declared in asset module from substrate. The assets can be minted within the access of the creator, burned, or transferred. Can be proposed to issue an asset in a proposal to get verified from the community or council of $SUNI How the team built it Initiated the project, Defined project design and specification on README, Developed the substrate runtime module and testing the logic with polkadot.js apps - Hyungsuk Built front end using javascript, react and semantic UI - Jacob Creating branding, organized team collaboration and focused on product roadmap & business development post-hackathon - Josh Challenges the team ran into Dealing overflows on operation between u128 types - Hyungsuk Communicating with local Substrate chain on front-end - Jacob Organizing work between 3 different time zones. Contacting Polkadot projects that only have ERC tokens & considerations to be made building a de-fi project on Acala, Centrifuge, Darwinia (live networks), SORA (Polkaswap), own parachain (us!) - Josh Accomplishments that I'm proud of Working demo with code & brand / mission What I learned I learned how to handle balance type with decimals and U256 type to handle overflows - Hyungsuk Kang I learned how to communicate with local substrate chain - Jacob I learned about different DEX implementations currently being built on polkadot as well as governance token mechanisms - Josh What's next for Subswap _ Live test network & create governance mechanisms to fund future implementation & upgradeable AMM models_ LP token pool that rewards LPs with $SUNI which enables community control & evolution of the protocol A struct that can handle and accommodate fungible assets’ operation with various digits DEX experience that rewards holders & accommodates active traders Potentially sign up for web3 foundation grant Proactive Market Making & Single-Sided Liquidity (DODO) Low Slippage for Similar Stable Assets (Curve/Blackholeswap) Multi-asset & Dynamically Weighted pools (Balancer) Built With javascript rust Try it out github.com
Subswap - Substrate-based Swapping
Permissionless Value Exchange Protocol based on Substrate. AMM (Automated Market Making) DEX (Decentralized Exchange) for native substrate tokens
['Jacob Makarsky', 'Josh Han', 'Hyungsuk Kang']
['Polkadot Runner Up']
['javascript', 'rust']
24
10,254
https://devpost.com/software/tezauction
Landing Page Landing page continued Footer Auction your product - Side Panel i Choose Auction type - Side Panel ii Configure your Auction - Side Panel iii View Upcoming Auctions View Ongoing Auctions Ship Track Delivered Track - In Transit Inspiration This project idea to create a unified auctioning framework was born at a company called www.drife.one of which I'm the CTO and a cofounder. At Drife, we're trying to build a decentralised ride-hailing platform with a whole new economic model to incentivise all the value creators fairly and to curb the existent central intermediaries. I was trying to replace the surge based dynamic pricing models that are used currently across most centralised ride-hailing platforms with an auction-based mechanism running on a blockchain. However, with a bit of research, I realised that no unified framework exists for conducting customizable auctions which ultimately led to the conception of this project. What it does TezAuction is a marketplace for NFTs or non-fungible tokens powered by a unified flexible framework for conducting different formats of auctions with customisable auctioning attributes. It is basically an auction-driven marketplace for rare, unique, precious and collectable items. These include both, real-world antiques, artworks, and other high-priced things as well as digital non-fungible assets like kitties and other virtual characters, collectable and tradable cards, and in-game assets. How I built it Tezos smart contracts written in SmartPy (a Python Library), compiled down to Michelson (a stack-based assembly like language) and designed in a mediator proxy and factory design patterns have been used to create and manage auctions. An Auction contract acting as a proxy contract (containing master data and functionalities) is created along with factory contracts for the various auctioning models like English, Dutch, Sealed Bid, and Vickrey. This Master/Proxy Auction contract receives auctioning requests from users desiring to sell their assets through an auctioning process, registering the asset if not already registered, initiates the auction, and instantiates a customisable auctioning contract instance from the respective factory. Based on the requirements of the auctioneer/seller, the parameters of the auctioning contract instance are configured by the seller/auctioneer. The Auction contract represents each asset with a unique asset_id as different transferable non-fungible tokens (NFTs). Once the auction is over, the auctioned assets and the final settlement amount held by the auction instance contract will eventually be released to the respective parties in an atomic swap. Challenges I ran into When the auction ends, if the auctioned asset is just a digital non-fungible asset, the asset and the settlement amount will be released to the respective parties in an atomic swap immediately. However, if the asset is a real-world asset that needs to be shipped to the buyer (winner of the auction), how do we ensure the due shipping and delivery of the asset and also that the seller doesn't double-spend the physical asset itself. This is where the ChainLink oracle comes in and it uses the FedEx and UPS shipment tracking APIs to track and report the status. Only when the asset is delivered to the buyer are the final settlement funds released to the seller. Accomplishments that I'm proud of TezAuction (formerly DexAuction) won the first prize in the Coinlist Tezos hackathon in the DeFi category. NOTE Requesting the judges to judge based on the latest feature of shipment tracking added via the ChainLink Oracle and not the entire app. What I learned Integrating ChainLink oracles with Tezos smart contracts written in SmartPy to call external APIs. What's next for TezAuction Built With css html javascript mysql node.js smartpy taquito tezos Try it out tez.auction github.com
TezAuction
A marketplace for NFTs powered by a unified flexible framework for conducting different formats of auctions with customisable auctioning attributes.
['Mudit Marda']
['Tezos Defi Winner']
['css', 'html', 'javascript', 'mysql', 'node.js', 'smartpy', 'taquito', 'tezos']
25
10,254
https://devpost.com/software/bifrost-baking-token
Burn Tokens Mint Tokens Inspiration We want XTZ holders to be able to fully participate in defi lending while still earning staking rewards. Stake on Tezos and lend on Ethereum for double passive income! What it does The app has 2 main functions: Mint and Burn. Mint Tezos users deposit XTZ into a smart contract that acts as a vault to hold and stake funds. It also whitelists an Ethereum address that is allowed to mint bXTZ tokens representing the users share in that vault. The tokens are minted on Ethereum and can be freely traded and used to make lending or market maker fees on platforms like Uniswap or Aave. Burn To withdraw XTZ a user burns bXTZ tokens on Ethereum and whitelists a Tezos account. From the Tezos account the user withdraws. How I built it Tezos smart contract acting as the vault was written in smartpy. The Tezos chainlink oracle contract was built off of the examples from the cryptonomic team. When the user wants to withdraw, a request is sent to the oracle, which uses web3 to search for burn events matching the users tezos address in the bXTZ token contact on ethereum. On the Ethereum side, the bXTZ contract is a mintable, burnable, chainlinked erc20 token. When tokens are burned, the contract emits a Burn event with the amount of burned tokens and a whitelisted Tezos account, allowed to withdraw XTZ. The ethereum chainlink oracle is used to determine the amount of XTZ deposited on Tezos before minting bXTZ on ethereum. It does so by calling the TzStats api. Needs Metamask and Thanos wallets. Ethereum wrapped token is deployed on Kovan test. Tezos = Vault Chainlink = Bridge Ethereum = Wrapped Token Challenges I ran into We needed a way to remember both the parameter passed in the chainlink requests and associate them with the oracle response. Accomplishments that I'm proud of We solved the above challenge in different ways in the Tezos and Ethereum oracles. On the Tezos side we used a mapping to associate the request param and the response, while on the the Ethereum side we encoded the response as bytes. What I learned We had only had superficial experience with Chainlink in the past so it was great learning about their applications to Tezos and Ethereum. What's next for Bifrost Baking Token We plan on applying for grants to prepare the project for mainnet deployment. I would also love to explore other uses of cross-chain wrapped tokens. Done in the other direction, Tezos could be used as a L2 for Ethereum. Prerequisites before testing Metamask with Ether (kovan testnet) Thanos wallet with Tezos on Carthage Testnet Built With chainlink conseiljs react react-bootstrap solidity web3 Try it out kuldeep23907.github.io github.com
Bifrost Baking Token
Stake on Tezos. Lend on Ethereum.
['Kuldeep Srivastava', 'Bryan Campbell']
['Tezos Defi Runner Up']
['chainlink', 'conseiljs', 'react', 'react-bootstrap', 'solidity', 'web3']
26
10,254
https://devpost.com/software/random-mirror
Inspiration This project is intended do be an infrastructural open source resource, putting together contributions from different parts from t he crypto ecosystem. It presents a smart contract which interacts with the VRF project Drand, broadcasting it’s random seeds through chains. What it does It intends to make bridges syncing random seeds/data between blockchains. How I built it It was architected to be deployed as serverless services, being triggered every minute. An initiator (off-chain worker) requests data with a smart contract from a chainlink node, then, fetched data is sent to another serverless function, an adaptor (off-chain worker). This adaptor inserts data into smart contracts in the Tezos Blockchain. Challenges I ran into The Oracle problem always makes us seek for the most decentralized solution. One can foresee many implementation possibilities. Accomplishments that I'm proud of First contract that I’ve publish on Ethereum Testnet/Mainnet using web3. It was also an interesting experiment to develop such mirror and get to see some similarities between implementations. What I learned It was a pleasure to get to know more about the ecosystem along some smart contracts experiments. What's next for random mirror We intend to develop some experiments with tokenization, atomic swaps and distributed networks related to such off-chain workers. Built With aws-lambda conseiljs javascript michelson solidity web3 Try it out github.com
random bridge
this project intends to get random numbers from drand api and chainlink vrf to sync it’s random seed values into tezos blockchain
['Rafael Lima']
['Tezos Data Feeds Winner']
['aws-lambda', 'conseiljs', 'javascript', 'michelson', 'solidity', 'web3']
27
10,254
https://devpost.com/software/tezo-sign
Upload your document to TezoSign to be hashed and stored Front-End of TezoSign Retrieve the meta-data for a document previously stored on Tezos Blockchain Tezosign Validate and prove ownership of your documents on the Tezos blockchain. Document validity is a huge issue in copyright and law. With Tezosign, you can prove the legitamacy or previous ownership of documents for low cost by tying a particular document or IP to the Tezos blockchain. Record your name, time, and any notes as part of the upload. Come back and check the previous existence or tampering of documents by using the built-in document validation logic. Validate that documents haven't been tampered with. Tech Use smartpy to generate the smart contract for managing historic upload state, and inserting/querying. Use PyTezos to query the deployed contract Created a serverless function to mediate the API calls from the front end to the smart contract and deliver back a result. Structure: `tezosign-api`: Serverless api for receiving and hashing documents. `tezosign-web`: Web interface for uploading and validating documents. `contracts`: Tezosign smartpy Tezos smart contract. Running backend locally PyTezos is used to interact with the (or a) deployed testnet Tezos smart contract. Preparing local pytezos backend: brew tap cuber/homebrew-libsecp256k1 brew install libsodium libsecp256k1 gmp From the tezosign-api folder, follow the instructions here to start the backend. Use chalice local to start the backend functions locally. Requires the tezos smartcontract already deployed and in the environment (original test pointed against Tezos carthagenet). Built With blockchain chalice python react smartpy tezos Try it out github.com
Tezo-Sign
Use the Tezos Block Chain to hash and store document records such as legal contracts, escrow agreements, IP statements, etc.
['Joel Barna']
['Tezos Data Feeds Runner Up']
['blockchain', 'chalice', 'python', 'react', 'smartpy', 'tezos']
28
10,254
https://devpost.com/software/agoric-oracle-dapp
UI queries oracle Oracle sets a price and reply UI receives the reply Inspiration Using Chainlink or other oracles on the Agoric blockchain should be just another modular smart contract. What it does Allows any user/other contract to submit a single query to the oracle and the oracle server to set a deposit price (or for free), and return a result. How I built it Javascript as just another Agoric smart contract (started from the sample encouragement dapp). Challenges I ran into Only had a few days to spend, and the UI is not great. Accomplishments that I'm proud of The generic oracle contract is relatively simple. What I learned More information about how to integrate Chainlink with the Agoric chain. What's next for Agoric Oracle Dapp Actual Chainlink integration, better UI. Built With blockchain javascript Try it out github.com
Agoric Oracle Dapp
Integrating oracles such as Chainlink with Javascript smart contracts on the Agoric blockchain.
['Michael FIG']
[]
['blockchain', 'javascript']
29
10,254
https://devpost.com/software/pietime
Banner for partner brading Inspiration We are inspired by the growth of Pizza Restaurants as well as DeFi and Chainlink and thought we could find a way to connect them both. What it does Link in, Pizza to your door. How I built it Mobirise, Visual Studio Code, Python, and Solidity, RealDrawPro (for GFX) Challenges I ran into Accomplishments that I'm proud of https://pietime.kinect.link What I learned A lot! It turns out when you break down the entire process of procurment and a smiple swap transaction, there's really a lot of steps from "I want" to "I Have". What's next for PieTime Expansion into other areas of commerce and industry such as financial, hospitality, and more! Essentially a bartering platform for anything, anywhere, anytime! ppt to be attatched to github!! Built With docker mobirise solidity Try it out pietime.kinect.link github.com
PieTime
PieTime is our Dapp where we’re using definitive truths using Oracles to lock cryptocurrency prices for buying anything in the world. We just happen to start with Pizza.
['Kinect LLC']
[]
['docker', 'mobirise', 'solidity']
30
10,254
https://devpost.com/software/avatheeers
Compliant with ERC721, which allows you to send and burn them You can create your own Avatheeers always different based on your address, name and random from Chainlink's VRF You can also transfer or burn your Avatheeers tokens Inspiration Everything started by taking a look at Avataaars open source design library. There are thousands of combinations that can be made in order to create your own avatar. Using that principle, I designed a system that allows you to play by generating random Avataaars using an ERC721 token to represent them using a randomly DNA calculated with Chainlink VRF What it does It uses an algorithm to determine characteristics of the avataaar based on there main parameters: The address of the user A random variable held in the contract and refreshed on every submission using the ChainLinks VRF The name of the new avatar You can write a name, and you will always get a different Avataaar, so you can only buy one until you're comfortable to do it How I built it I used the VRF service of ChainLink's oracle in a ERC721 token deployed on Ethereum testnet. It is also fully compliant with ERC721, so it can more features in future development. Basically, the way the Avataaar looks is based on an algorithm that takes every single variant of the Avataaar and combines it to generate a unique version of it, which is expressed as parameters to call to the public REST API they have, giving a dynamic SVG generation for every new avatheeer created. This is the algorithm given the generated DNA: /** * Creates an src for a custom avataaar using its API * to construct visual representation of the DNA * * @param {string} dna Unique identifier */ generateAvatheeerSrc = (dna) => { let src = 'https://avataaars.io/?avatarStyle=Circle&'; Object.keys(dnaVariants).forEach((key, index) => { const element = dna.substring(index * 2, (index + 1) * 2) % dnaVariants[key].length; src += `${key}=${dnaVariants[key][element]}&`; }); return src; }; Challenges I ran into It was so difficult to build the DNA system, and also, integrating the oracle into the Avatheeer workflow. There are still some problems with the visualization of the Avataaar, since the random value is always changing with every new transaction, I was not able to solve that problem, but may be improved in the future. Accomplishments that I'm proud of I developed a complete ERC721, which means that it can also be used for many other things than the frontend app functionality. Also, the app is deployed on ipfs, so you can access it by going to IPFS with the hash QmNSNRWnEdtC1q2H1QmGHeTKbSNX79ubKssGJhs7XiDdLK What I learned I've never used ChainLink before, so I got used to their services, and aside from that, I got experience on deploying a website to IPFS What's next for Avatheeers It may be developed in many different ways since it is ERC721 compliant, so it can be extended to as many functionalities as for example, CryptoKitties have. Built With chanlink ethereum infura javascript vanilla web3 Try it out gateway.ipfs.io github.com goofy-banach-cedfaf.netlify.app
Avatheeers
Avatheeers is a collectible NFT that represents a unique Avataaar created using an open-source design system and determined by a random seed using ChainLink's VRF
['Ernesto García']
[]
['chanlink', 'ethereum', 'infura', 'javascript', 'vanilla', 'web3']
31
10,254
https://devpost.com/software/backedfiat
Inspiration Cryptocurrencies have been touted as a solution to people in developing countries which have central banks that unnecessarily print FIAT causing insane amounts of inflation, or instability/corruption which causes the demand for a country's currency to drop. Such drops in price reduces the possibility of a country's population to trade internationally, with their money being worth less and less to the rest of the world. This means that their currency isn't acting as a store of value for their hard earned money. One can suggest holding a foreign currency such as USD, to be able to retain the value of one's assets. However this isn't practical, since all local businesses and necessities require their local currency as a medium of exchange. This outlines the problem I'm trying to fix: allowing FIAT holders to be able to eliminate their exposure to their local currency, whilst at the same time still holding this money and use it as a medium of exchange. What it does BackedFIAT works by issuing various virtual FIAT currencies such as EUR, JPY, CHF, and a few others which have Chainlink price feeds to USD. These virtual FIAT currencies have their value backed by the locked up USD, and are therefore pegged to this reserve. How I built it BackedFIAT tokens are minted by depositing USD stablecoins, and having their equivalent real value minted in the other FIAT currency, such as vEUR. This vEUR balance varies depending on the USD/EUR market rate provided by Chainlink. For example, if a user deposits 100 USD, approximately 84 vEUR tokens are issued to them if they select EURO as their desired medium of exchange. As Chainlink's network of decentralised oracles update the USD/EURO rate, this balance changes. However, at the same time, the user can transfer the vEUR to 3rd parties, which at the back end moves the reserve USD currency in the 3rd party's ownership. Code can be found here: https://github.com/franono/BackedFIAT Challenges I ran into Transferring these virtual tokens. However this was resolved by moving the underlying reserve tokens. Finishing and debugging the UI in time. Accomplishments that I'm proud of I think this tech would be useful for people in for example Brazil, Mexico or Venezuala, countries which in general don't have a stable economy and can lead to volatility in their local currency. If one wants to trust the EUR or USD, they're able to use BackedFIAT tokens for holding their assets' value, and get a virtual representation of their local currency issued to them. This system would work if there was an app to have buyers and merchants accept these type of tokens. With this system a user could technically lock up Bitcoin and get Venezualan currency issued to them, then pay 10 Venezualan currency at a shop, moving that Bitcoin in the backend to the merchant. Both parties will not be exposed to the local currency in this way, and use Bitcoin as a true store of value. This is a very exciting and I don't think there's a lot of work possible in this area. What I learned Time management and underestimating timelines.... Solidity and React What's next for BackedFIAT A fully working UI. Documentation on how it works. An app would be very useful to have buyers and merchants be able to interact with virtual tokens. Possible rebranding and further price feeds including of developing country FIAT forex feeds - possibility of also having Bitcoin and Ethereum backed tokens. Security audit. My twitter: https://twitter.com/cremonafran Built With javascript react solidity Try it out github.com
BackedFIAT
Separating medium of exchange from store of value. Such as minting vEUR or vJPY, locking up USD. Balances vary based on the reserve value. Crucial for volatile FIAT but need to trade in local currency
['Francesco Cremona']
[]
['javascript', 'react', 'solidity']
32
10,254
https://devpost.com/software/ad-bounty
Creating new contrat offering templates No SQL backend Front end- deployed contracts Inspiration Advertising as part of content has been rising- think of a Youtuber endorsing a product as part of a video instead of an automated Youtube ad. This application intends to connect content creators and advertisers over the blockchain, allowing automated payments without traditional overhead. What it does Allows an advertiser to make "Contract Offerings", which specify an amount of Ethereum to award to a content creator based on a set threshold of views. Allows a content creator to sell space on their content by creating a contract out of these offerings. Allows an advertiser to "approve" of the content creator's endorsement. Uses a Chainlink Oracle to automatically send payment to the content creator after an external adapter monitoring content (like a Youtube video) view count triggers. Refunds any payments not made ## How I built it Solidity for writing a main smart contract. Truffle (Chainlink Truffle Box) for compiling the contract. web3JS to inject the contract into Javascript Angular to build the web app itself. AWS for hosting and infrastructure management DynamoDB for off-chain state management (tracking contract offerings, etc). API Gateway-> AWS Lambda for the backend. Terraform for managing cloud infrastructure. ## Challenges I ran into Solidity was more limited than expected, because I originally wanted to have multi-tiered view count thresholds and payments. However this proved too complicated, so scaled back to single threshold/payout per contract. ## Accomplishments that I'm proud of About two weeks ago I had never built anything on blockchain before. Feels great to have made so much progress! ## What I learned How to build on blockchain, the basics of how smart contracts work. ## What's next for Ad Bounty So much! I plan to continue building it, especially the components I was unable to finish (contract approval mechanism, automatic off-chain polling mechanism). Would love to push this on to mainnet if I work the kinks out! Built With amazon-web-services angular.js chainlink ethereum python terraform truffle Try it out ad-bounty.com github.com
Ad Bounty
A web application that connects content creators with advertisers, with payouts based on video view counts triggered automatically by the Chainlink network.
['Brendan John']
[]
['amazon-web-services', 'angular.js', 'chainlink', 'ethereum', 'python', 'terraform', 'truffle']
33
10,254
https://devpost.com/software/some-project-ph1ygf
Software components diagram with off-chain verification server included Initial brainstorm flowchart Brainstorm Outline1 Brainstorm Outline2 Brainstorm Outline3 Brainstorm Outline4 Brainstorm Outline5 Decentralized Healthcare Insurance Protocol (DHIP) The concept of the smart contract inherently enables a trustless interaction between the insured and healthcare provider. The authors’ purpose is the elimination of the healthcare insurance paper product, which underwrites “purposeful inefficiencies” as a business model: such tactics include willful lack of price and supply chain transparency, denial-of-care tactics, copyrighted medical code--all of which supplants medical practice for profiteering motives. Using Ethereum, a model is installed wherein patient readily stakes a certain amount into a community pool through an annual tokenized subscription model which provides proof of ownership enabling unfettered access into the corridors of medicine. The smart contract owner provides credentialing measures and wallet authorization for healthcare provider—tantamount to KYC. Healthcare provider inputs billing cost, procedure code, pharmaceutical supply code, disease process code into blockchain, in return for payment. This enables supply chain information to feed the data economy of the medical industrial complex (MIC) in a transparent manner; and further augments supply chain economics by way of node installations which have the potential to carry oracle constructs into MIC smart contract processes. The resultant effect of such a model is the authentic cost of medical care in a given community, resulting in the expiration of unfair, inefficient practices executed by the healthcare industry. How we built it Django, Chainlink, OpenZeppelin, Brownie, and Truffle. The smart contract is written with Solidity for the ethereum blockchain. Chainlink alarm clock was implemented to schedule a delayed job to handle the membership expiration/renewal automatically. Challenges we ran into Multifaceted cross-collaboration was inherently limiting, as parties had to teach each other aspects of the Medical Industrial Complex and learn/discuss the nuances of smartcontract programming and development; which successfully led to a cross pollination of ideas, enhancing project dynamics. On a large scale, such a project will require input from a greater number of medical doctors, scientific experts, and developers; all operating in a democratic seamless manner with progressive leadership. Accomplishments that we're proud of We are proud of making a product that enhances the social good. The smart contract provides a solid foundation for anyone to create a version of this protocol with novel use cases. We are also proud of learning how to build upon Chainlink together as few of us had prior blockchain development experience. What we learned The team learned about the concept of Blockchain along with Chainlink, OpenZeppelin, Brownie, and Truffle. What's next for some project Future developments would include creating new pages for the patient and hospital to interact with the smart contract. We would also explore the design for an off-chain verification server or private blockchain to handle hospital and patient verification--to enhance patient anonymity and privacy. This could reduce gas costs by combining transactions and limiting on-chain computation. Furthermore, by integrating into the data economy, the patient cost-sharing insurance pool could also benefit from and increase its longevity by running an oracle to provide anonymized medical pricing/billing/procedure/treatment data; in effect, the cost-sharing pool would self-monetize from rendering transparent supply chain information. Icons from the website are from the Noun Project Built With brownie chainlink css3 django html5 openzeppelin truffle Try it out github.com docs.google.com
DHIP
Decentralized community insurance pool between patients and healthcare system. New model for healthcare insurance deactivates purposeful inefficiencies propagated by the medical industrial complex.
['Sepand Salehian', 'Oguntunde Caleb', 'Brendan Nelligan']
[]
['brownie', 'chainlink', 'css3', 'django', 'html5', 'openzeppelin', 'truffle']
34
10,254
https://devpost.com/software/accurate-prediction
Accurate prediction Inspiration People have always had their own point of view on future values. a third party in future disputes has been transferred to centralized organizations such as stock exchanges, bookmakers, banks, notaries and others. With the advent of oracles like ChainLink and smart contracts, it is possible to replace this third party. What it does When investors open a position long or short, they bet on the fact that the price will rise or fall in the future. Experts, analysts, traders and others predict the future price. But no one is responsible for the inaccuracy of the forecast with their money, only the investors who opened the position. This project allows investors to make money on the accuracy of the forecast for the price of the underlying asset during the derivative expiration period. The owner of the smart contract issues a derivative with the following parameters: the classification of the underlying asset, the price of 1 derivative, the block number of the Ethereum blockchain of the start of expiration, the duration of the expiration when the expiration price will be calculated. During the expiration period, purchases of derivatives will be stopped, prices are recorded from the Chainlink Oracle to the smart contract and the average price is calculated as the expiration price. After the block > expiration block + duration occurs, a calculation is made with the investors who made the price prediction closest to the obtained expiration price. 5% of the total amount of the bank is transferred to the owner of the contract, 95% of the bank is divided among the rest of the winners. The 10 prices that are closest to the expiry price are determined. The average size of the prizeAvg for payments is determined. Each winner receives: prizeInvestor = prizeAvg - ABS ((priceInvestor - priceExpiration) / priceExpiration)%. The investor who most closely predicted the price receives prizeWinnerInvestor = bank - (prizeInvestor2 + ... prizeInvestor10). Each investor takes a prize by calling a method from a smart contract. After the prizes have been awarded, the derivative is closed and the owner creates a new derivative for this underlying asset. How I built it It was awesome! Challenges I ran into I wanted to deploy the app to GitHub Pages, but I got memory leak error from GitHub Pages Accomplishments that I'm proud of I have developed smart contracts and DAPP DEFI with Oracle ChainLink for the prediction market What I learned I wanted to develop my own oracle, but I got acquainted with the reliable oracle ChainLink and now this issue is solved for me What's next for Accurate prediction The project involves working with various cryptocurrency assets, fiat currencies, commodity assets, the outcome of political, sports and other events provided by ChainLink. It is planned to improve the UX and UI design for these tasks. Work on advertising an application on the Internet, elaboration for SEO, deployment in the cloud for sustainable work. Test coverage of smart contracts and applications. Deploy in main net Ethereum. Built With angular.js firebase github kovan solidity truffle typescript Try it out github.com
Accurate prediction
Ideal platform for debate about the future
['Paul Spread']
[]
['angular.js', 'firebase', 'github', 'kovan', 'solidity', 'truffle', 'typescript']
35
10,254
https://devpost.com/software/chainlink-otp
One Time Pad is an encryption technique in which each character of a message is combined with a character from a random key stream. Many OTP generators exist online, but they use pseudo random number generators in order to create the random key stream. To add to the security of generating a OTP, this project uses Chainlink VRF which allows the user to verify the randomness used in creating the OTP. Phase I - Creating the OTP 1. User requests OTPs based on how long they want the pads to be and how many they want. 2. A VRF call is made requesting a random number which will then be use to create one-time pads (OTPs) 3. (Optional) Encrypt a user provided message using the OTPs 4. Transfer encrypted message to the other party Try it out here ! (Note that you must first connect to your MetaMask and refresh the page in order to view the front end) Incomplete Replace random number generator for OTPs with VRF call Show VRF number on frontend to the user in case they would like to use it as a public key, using a shared private key that they would create to encrypt messages using the verifiably created public key. Allow a text box for the user to encrypt/decrypt messages based on the pads created. Built With javascript react Try it out github.com
Chainlink-OTP
One Time Pad Generator using Chainlink VRF.
['Thomas Potter', 'Kyle Santiago', 'William K. Santiago', 'Thomas Greco']
[]
['javascript', 'react']
36
10,254
https://devpost.com/software/sedo-network
logo front end Vrf modules important Node completing Whois scan adding txt to my domain for verification txt created by VRF and stored on chain for comparison domain got verified adding domain Inspiration Domain buying and selling are some of the major financial areas that are centralized to its core. There are a number of websites that include middlemen to buy/sell domains. Those websites charge as much as 20-25% on a single deal of domain. For e.g. if you have a domain say flying.network which you want to sell it for $100k, Now according to those websites (taking a minimum fee in account), They will take a $20k direct fee and you will trust them and transfer the domain to them. So with current technology growth over Ethereum blockchain, We finally at a point where we can strongly talk outside the chain with Chainlink oracles. Having that power in hand. Having such a problem in my mind for a very long time inspires me to make it on the Blockchain ecosystem. What it does It basically decentralizes domain Buying and selling and makes it trustless with no fee. Sedo Network Takes your domain with parameters of your choice (Like want to sell, If so then for how much). Then It saves your choices, Talks to chainlink Verifiable random tool to get a trusted random value for the future to verify the domain. Then you add that value to your domain records. Hit verify domain from the contract, let the oracle handle this for you. After verified, You find sellers or let them, sedo.network website hosts the front end that helps you find domains that you like to buy. After one buys your domain, Your domain on chain gets locked with those funds, Once you transferred your domain to the buyer then click on the release Funds option and once again let the oracle handle this for you with a whois scan of the buyer email with the current domain owner email. After success, you will have funds and the buyer will get registered as the current claimed owner of that domain. What I learned I watched many awesome tutorials and workshops these months from where I learned a lot of new things. I learned a lot: How to run chainlink node How to define custom job How to use graphql queries with thegraph.com How to work with external adapters How Ethereum states should be taken care of. and much more which will come handy on my next great ideas. What's next for Sedo Network Custom domain management system : A system that lets users manage the domain, transfer them with ease, and interact with smart contracts from a single place. More refined and Much more featured smart contract : Like Currency conversion on-chain. Staking on-chain etc. while your funds are on hold. Making contracts more secure, arranging storage, and making use of more events with thegraph.com. Built With chainlink javascript openzeppelin oracles remix solidity thegraph.com truffle Try it out github.com github.com kovan.etherscan.io kovan.etherscan.io kovan.etherscan.io github.com www.sedo.network
Sedo Network
Register/Sell/Buy domains with Internet as source of truth, powered with Chainlink oracles.
['Jeevanjot Singh']
[]
['chainlink', 'javascript', 'openzeppelin', 'oracles', 'remix', 'solidity', 'thegraph.com', 'truffle']
37
10,254
https://devpost.com/software/certificado
Telegram interface example for offline events Certificate for OpenHack2020 Inspiration The global issue I was trying to solve is a bad reputation of educational certificates. For many HRs certificate is "just a piece of paper" because they cannot truly trust in it: many job seekers just draw their certificates trying to cheat about their background. That's why fair employees aren't benefited by hirers enough when attaching their certificates. What it does Certificado is a tool for schools and universities to add value to their certificates. Each document is verified and stored on-chain and can be verified by any Internet user on the validator page. Moreover, each certificate is represented as a PDF-file with unique QR-code that can be used to verify it's validity in one click. How I built it Certificado is built on a Tezos network. All certificates datas are stored on-chain and can be verified in a HTML+JavaScript form. The Telegram bot interface is used to provide simple and fast UX for certificates issue by students. Challenges I ran into 1/ Sending transactions in the Tezos network. While it's easy to access read-only API, it was pretty challenging to set "pytezos" library for sending data into it. 2/ Creating data bridge for both interfaces - Telegram and Web application Accomplishments that I'm proud of The most challenging issue for me was to find a balance between simple UX accessible to every Internet user and data security. So, I'm proud of designing an elegant Telegram solution with a blockchain logic inside. I believe that only products with the same UX logic can gain mast adoption Web3.0 industry deserves. What I learned Blockchain integration to a cross-platform product. What's next for Certificado Previously, Certificado was used by 5 different online schools and online events (for example, https://www.openhack2020australia.com ). Since now a truly decentralised logic is completed on a Tezos network, so I'm going to offer this solution for Higher Schools. We already have MOU confirmed with HISTES.de - this is going to be the first integration with European universities. I believe, that Certificado may become a new standard for Education. Built With api blockchain chainlink javascript python telegram tezos Try it out vlzhr.top
Certificado
A tool for automative issue and secure verification of educational certificates for schools and universities. Certificado is a trust layer between employees, HR and EdTech.
['Vladimir Zhuravlev']
[]
['api', 'blockchain', 'chainlink', 'javascript', 'python', 'telegram', 'tezos']
38
10,254
https://devpost.com/software/investmint
InvestMint - A fundraising token for no-loss investments. InvestMint - A fundraising token for no-loss investments. InvestMint was designed to offer the trust-less / decentralized benefits of ERC-20 tokens and blockchain technology to any size startup or individual looking to raise capital. Investors can buy into an InvestMint token with the guarantee that the value of their tokens can never be less than when they purchased them. Ideally, the value will increase and they will make a profit, but in the worst case even if the token creator vanishes and all token activity halts, the token holder can sell their tokens any time for the fair price maintained by the contract. Token holders are incentivized to hold onto their tokens and benefit when others exchange (burn) their tokens. This makes for a great fundraising situation where the issuer of the coin may initially purchase some blocks, then after investors mint some tokens, the issuer burns some of theirs to cover startup expenses. The investors hold their tokens until the value is appropriate for their exchange / burn. Value of the tokens increases whenever new blocks are purchased or when deposits are made to the liquidity pool. One major incentive for investors in a fundraising token could be the issuer promises to return some percentage of profits back into the liquidity pool, thus providing an increase in value to any token holders. If for any reason they were unable to contribute, the value of the tokens may not increase, but they will never go down. As tokens are sold, as long as at least 1 token exists, value of all tokens will never decrease, regardless of the number being minted or burned. Once an InvestMint token contract has been created, anyone with the address can mint blocks for a fee and exchange them for the current value at any point. The price is always fair and if any previous blocks are canceled or expired after a subsequent block is purchased, the purchaser will receive a refund of the cost difference as if they had purchased the lowest cost unclaimed block. A Chainlink Alarm Oracle is used to manage contract updates, delayed by the designated time set in the contract. A reservation Fee of 1 LINK is required to reserve a block of coins and up to the full reservation fee will be refunded once the block is purchased. Half of the reservation fee may be kept in the contract depending on how many existing LINK remain in the contract at the time of purchase. This was built using Solidity for the contracts and Node.js / React for the UI. There are many refinements to be made and this is simply a proof of concept, but I think it is a powerful demonstration of what is possible and I would love to continue to develop this technology. It would have been nice to include a profit calculator for determining the optimal settings for each particular use case when creating a new token, but this is at least a start and that's something we can look forward to in future development! Built With infura node.js react solidity web3 Try it out github.com
InvestMint
A fundraising token for no-loss investments. InvestMint is a mintable ERC-20 token with automatic price adjustment and a built-in liquidity pool / exchange.
['Max Meier']
[]
['infura', 'node.js', 'react', 'solidity', 'web3']
39
10,254
https://devpost.com/software/did-resolver
Inspiration Recently, digital civilians think that privacy is more important than before, especially blockchain users. However, when it comes to authentication, some sensitive information might be breached unavoidably. Therefore, we suggest a digital identity contract trying to solve the problem. With ChainLink's infrastructure, we can let developers to resolve DID and verify credentials in smart contracts on-chain, and users can approve the DID request off-chain. What it does The demo simply show we provide a ChainLINK node to run the jobs request from a sample ChainLinkClient request contract called, DIDrequest.sol. We can resolve any DID and parsing the DID documentation in return. How we built it We searched and analyzed providers of DID and build nodes and contracts to let users link their identities to the Ethereum. With ChainLINK's infrastructures, we can provide a secure and auditable way that combines existed services and blockchain's utility to protect users' privacy. We did try to provide an external adapter to get DID resolved from a universal DID resolver through the bridge on our node. But HttpPost encounter a problem that we can POST with any payload. So we turn out to use Get API direct to call universal resolver directly from the smart contract via ChainLink protocol. We also build a ChainLINK node to serve as a Oracle. we register our node to market.link and verified successfully. During the hackathon period, we also provide our own universal DID resolver from open source. What we learned Learn about what is the decentralized oracle and its architecture. Especially how to use ChainLINK protocol. Learn about developing solidity contracts with Rimex and how to develop a ChainLINK client request contract. Learn how to build an external adapter using serverless hosting on scaleway.com Learn what is DID and how to create DID account and how to issue a DID claim and verify credentials. and many many more... What's next for DID resolver Eventually, we want to provide a DID oracle service using ChainLINK protocol and hosting a complete DID solutions for auth and credentials on blockchain for smart contracts users. We found 2 issues on ChainLINK. I had posted one on stackoverflow and the other is that we need more then 32 bytes of data to return a full DID documentation. So far, we can only get a DID id back from the oracle as in the demo on Youtube. Hopefully we can keep this project on going after these 2 issues are resolved. Built With chainlink did solidity Try it out github.com gist.github.com gist.github.com
DID resolver
We fulfilled a request of DID documents resolving from any user DID via Chainlink's oracle protocol during this hackathon.
['Ming-der Wang', 'Wias Liaw']
[]
['chainlink', 'did', 'solidity']
40
10,254
https://devpost.com/software/phonevalidator
Veriphone Snippet of deployed (testnet) chainlink contract and a few transactions Creating an external adapter to encapsulate API logic outside of chainlink contract Adapter wraps a custom error response around the actual phone number API lookup theGraph deployment process Another view of validating the phone number and seeing the last phone validated event Newly upload Phone Validator graph theGraph schema theGraph mappings Veriphone - Chainlink-backed phone validation Yellow books are a thing of the past. Veriphone is a project with the goal of creating the largest index of chainlink-validated phone numbers. Not a DeFi or currency app, but a useful service. Marketers and sales people have huge incentives for getting and checking for valid phone numbers to close deals. In the non-business world, it can also feel like the amount of spam phone calls have reached an all time high. Robocalls that originate from telephony (nonphysical address) services who act as imposters of people and locations has boomed due to an addition of services like twilio.com and bandwidth.com, for better or for worse. Veriphone is a Chainlink app centered around a 'PhoneValidator' smart contract. This contract stores and emits events for phone validations whenever the contract validate method is invoked. Every update is tracked - phone numbers may be spam at one time and may later become a valid number. The Veriphone contract service is currently free, and returns valid / isValid becased on the phone number entered. Uses the APIFEX phone validation API in combination with Chainlink and theGraph. Uses thegraph service to index the events emitted whenever a phone number is validated. Use graphql to find the history of a given phone number by entering it in the graphql interface. Technical The phone validation API currently returns an internal error whenever an invalid phone number is provided, making the API difficult to directly insert into a chainlink contract and work correctly. To bypass this, I set up an external adapter to proxy the chainlink API calls (via a lambda function) and process the event such that a consistent response could be delivered back to the smart contract. Chainlink API calls were key to wire in the external phone validation data into the smart contract. Every requested validation (as of the last deployed contract) is emitted as part of the smart contract and ready to be indexed by theGraph. See the attached schema and graphql interface. Using this service can open up possibilities for indexing and providing hosted / blockchain-backed phone records. An event is broadcasted from the PhoneValidator chainlink contract every time a validation or lookup of a phone number is made: event LastPhoneValidated( bytes32 indexed requestId, string indexed phone, bool valid, string location ); These are later indexed via thegraph.com What's next for Veriphone: Add support for pulling more data out of the API response Could add paid validations in the future. Expand to support international numbers (US only). Project is open source. Chainlink Contract: https://ropsten.etherscan.io/address/0x7c68a3c9477f9b7bd491f2c788873cd6aa7630c0#code The Graph API: https://thegraph.com/explorer/subgraph/cbonoz/phone-validator Chris Buonocore Prototyped for the Chainlink Hackathon 2020. Built With amazon-web-services chainlink javascript lambda python shell solidity thegraph typescript Try it out github.com
Veriphone - Phone validation and antispam on Chainlink
Creating the largest chainlink-backed archive of phone numbers.
['Chris Buonocore']
[]
['amazon-web-services', 'chainlink', 'javascript', 'lambda', 'python', 'shell', 'solidity', 'thegraph', 'typescript']
41
10,254
https://devpost.com/software/jagerhub
Inspiration We were inspired by the idea of a distributed organization. We wanted to create a platform that allows people to hire programmers to work on their projects, without ever needing to interact with them directly. What it does Go to this link for a demo, we didn't set up https, so we couldn't post it in the links sections: http://ec2-54-87-63-68.compute-1.amazonaws.com:8080/ We targeted open source projects as our initial use case, and we built a system where owners of open source projects can post features they need help with on the website with a small cryptocurrency reward as an incentive. We integrated DAI coin as a stable store of value to handle these transactions. A use case of this would be: say that Bob is a owner of an opensource repository for an image recognition project. He wants to improve the training rate of his algorithm, but he needs help. So, Bob goes to JagerHub and makes a new bounty. To make a new bounty, he connects a metamask account to his browser, fills out the create bounty form on the Dapp, his metamask sends the contract the reward, and then he adds our webhook forwarding url to his repositories webhooks. Now, Richard, a ML expert, sees Bob's bounty on the Dapp and thinks he can help! He goes to the linked repo, clones it, and gets started coding! After weeks of work, Richard thinks he is done and opens a pull request on Bob's project. He adds the pr-tag that Bob defined in the bounty (which would look something like [ABCD]) in the title, and his wallet id in the body of the PR. After going back and forth over the changes, Bob decides to merge Richards PR into his project. Because he set up the webhook link, github sends a request to our express server, who then sends a request to the JagerHub smart contract. The Smart contract uses Chainlink oracles to verify the validity of the pull request, and rewards Richard with the Dai Bob sent to the JagerHub contract at the start. How we built it We built the contract using solidity and truffle. We tested and deployed it on the Kovan test network. The front end of our project is built in React with Redux, and is webpacked with an express server. We have no database, and store all of our data on the smart contract as bounty objects. However, we do have one server side api call for setting up the github webhook forwarding. Challenges we ran into This was the first time my partner Parker, and I have built a block chain application. We had a lot of fun doing it, but the documentation was sparse and hard to read. What we learned We learned a lot about blockchain in general and developing a smart contract. We also looked deep into how chain link and the oracles work. We learned to use blockchain development tools like truffle, web3.js, ethers, and the metamask api. What's next for JagerHub 1.) We would like to expand our usecase to private repositories on github. 2.) Fix our oracle integration 3.) Better UI/UX design 4.) Add test cases to our approval pipeline 5.) Add Kleros integration (a distributed court system on ethereum) for payment disputes 6.) Automatically create branches when creating a bounty 7.) Improved notification system 8.) Add human readable url Built With express.js javascript react redux solidity truffle Try it out github.com
JagerHub
JägerHub is a distributed platform where you can hire talent for your opensource projects without going through time consuming legal hurdles or even speaking to them.
['Paul Noble', 'Parker Pfaff']
[]
['express.js', 'javascript', 'react', 'redux', 'solidity', 'truffle']
42
10,254
https://devpost.com/software/performance-based-payment
Inspiration The inspiration was through big organisations that charge a higher cost for a premium product but cant deliver on that promise. What it does A smart contract holds a pool of ETH and if the node performance is below a certain level a remit payment is sent to the node. How we built it very quickly Challenges we ran into This project was only started on the Friday just gone, if we had started much earlier the outcome would of been tidier and at a higher standard. Accomplishments that we're proud of The underlying concept itself and the future adaptations it will allow us to do. Plus the fact, now when one of nodes go down we get an instant email to notify us of the issue. What we learned Start early so that stuff can be done correctly and to a standard What's next for Performance based payment metamask integration quicker status updates NFT based permissions The pool of ETH funded by customer payments Built With solidity uptime-robot
Performance based payment
To provide an automated performance based payment method for a managed Chainlink node via Smart Contracts.
['david gillies']
[]
['solidity', 'uptime-robot']
43
10,254
https://devpost.com/software/paramutual-forced-leveraged-options
Inspiration Money What it does Allows wagers on predictions of asset value changes. How I built it Only solidity so far. Challenges I ran into The limitations of the free price oracles. Accomplishments that I'm proud of Hashing all the data to reduce gas and batching the processing of the results to allow manageable transaction sizes. What I learned Solidity compiler will allow illegal operations to pass such as defining dynamic arrays in memory. What's next for Paramutual Forced Leveraged Options Paid oracles for offchain assets. Built With chainlink solidity Try it out github.com
Para-mutual Forced Leveraged Options
Predict how much an asset's value will change over a period of time. The further the prediction from 0, closer to the actual result and the further others are, the more payout.
['Solid-Code M']
[]
['chainlink', 'solidity']
44
10,254
https://devpost.com/software/accordion
Accord contract developed in Accord Studio (https://studio.accordproject.org/). Landing page for the front-end. Either load an existing payment contract or deploy a new archive. Upload modal for the contract. Uploading for legal contract. Contract parameters can be reviewed before deploying the payment contract from factory. Deposit page for client/insurer. Once both have deposited, the contract can be initialised. Once the contract is successfully initialised, either party may trigger for assessment. Inspiration Working professionally with smart legal contracts, I had realised that I had not seen a public implementation of the Accord Project ( https://accordproject.org/ ) on Ethereum. Given that off-chain interaction was needed in order to interact with the legal text, it made sense that Chainlink could be used to bridge the gap between the legal contract engine (Cicero) and handling of payments on Ethereum. What it does In it's current state, Accordion is able to take an legal contract archive (*.cta) of a fixed design and initiate on a Chainlink node. The smart contract on Ethereum then handles initial user deposits - in this instance insurer/client - before initialising the contract for use. Once running, the smart contract can be triggered by either of the parties to assess the legal clause against a given input. In this example the contract is an weather insurance agreement between two parties. A premium and payout is defined in the legal contract, along with the location to be monitored. The deployment flow is as follows: The legal contract is developed and exported as a (*.cta) file. This file is then upload to the Accordion app. Once uploaded, the user will verify the contract details and when happy will deploy the payment contract via a factory contract. With the payment contract deployed, the client and insurer must deposit the specified payment in ETH. The contract can then be initialised on the Chainlink node via the Accord Cicero engine. When successful, both the client and insurer can trigger the contract to assess it's status at a given time. How I built it External Adapter An adapter had to be built in order to deploy the Cicero engine on a Chainlink node. This adapter handles both intialisation and execution of contact input. This was build from the NodeJS adapter template. Cloud Functions & Storage A cloud function was built to upload the legal archives from the front-end to a cloud storage bucket. Smart Contracts A factory contract was developed for this specific legal archive so that a known, fixed triggering mechanism would be available if many contract's were to be deployed. The payment template contract derived from this, stores data on the current payment state, as well as the logic to trigger the Chainlink oracle contract. Drizzle Front-End Truffle's Drizzle framework was used to develop a front-end to tie all of the above functionality together. Challenges I ran into Due to personal contraints, I had started the hackathon quite late into the process so did not get full functionality into the current build. With that said the core contract mechanics are in place and is operational. Trying to package mutliple pieces of data in a Chainlink response also proved difficult at times. Originally, booleans were used to signal initialisation, but then I wanted to return a hash of the legal contract state. So, I opted to use the bytes32 format reponse and segment the response into different areas of use (ie. front half for hashing, rear for returning an address for processing). The main challenge that I had ran into was the storage and management of both legal state and response data. Currently this information is stored on Cloud Storage (!) which a hash of the buffer stored within the paired smart contract. Ideally this should decentralised, either stored on-chain or distributed via IPFS. Accomplishments that I'm proud of Getting a PoC up and running in the time participating. Also getting the core functionality working - the verification of contracts against the smart contract variables, internal triggering of the contract based upon weather API data. What I learned How to correctly deploy factory contracts. Passing files to cloud functions for processing. Correctly formatting Chainlink responses for smart contract parsing. Always leave enough time for a front-end! What's next for Accordion Get a more robust front-end operational. Currently extremely bare-bones and offers basic functionality. Find a more reliable way to hash data on-chain to gaurantee contract state. Generalise the Accord function format - look to create a model library aimed a Ethereum use (i.e. fixed format contract responses for wider use). Built With chainlink ethereum google-cloud node.js react Try it out github.com
Accordion
Smart legal contracts on Chainlink. Implements the Accord Projects cicero engine as an external adapter, paired with smart contracts for automated payment to involved parties.
['hill399 Hill']
[]
['chainlink', 'ethereum', 'google-cloud', 'node.js', 'react']
45
10,254
https://devpost.com/software/pancakes-f54xg9
Pancakes home page Example returns in bull market Example returns in bear market Demonstrates BUTTR's resistance to volatility Inspiration One of our friends was originally intending on getting married this fall. A couple months ago, the funds he was going to use for the wedding were tied up in ETH. He was concerned with ETH’s volatility; even though he was very positive about long-term payoffs, he was nervous that the value could tank right before the wedding. When Matt and Nate were discussing this concern with him, they came up with the idea for Pancakes, which would be a way for all investors to stay invested in ETH, but in a much safer manner. What it does When you invest in ETH, or any other token, the value fluctuates; this is known as market risk. Sometimes, investors are okay with this risk, especially because risk is usually accompanied higher returns, but other times, when investors need liquidity or stability, the risk can be concerning. Pancakes is a way for investors all of whom are long on ETH to swap returns for decreased risk and volatility. Pancakes creates a way for more conservative investors (investors in the Buttermilk token, BUTTR) to give up some of their return to more aggressive investors (investors in the Chocolate Chip token, CHOCO) in exchange for stability: When ETH appreciates in value, everyone makes money, but some of the money that BUTTR holders would have earned goes to CHOCO holders When ETH loses value, all losses are absorbed by CHOCO holders first. It is only when CHOCO loses all its value that BUTTR tokens start to lose value. In other words, when ETH is doing well, everyone makes money and CHOCO holders make a lot, but when the market goes down, the losses are primarily absorbed by CHOCO holders, keeping BUTTR intact. How we built it First we came up with a few different models for accomplishing this goal: The simplest model allocates a fixed percentage of profits to transfer from the BUTTR holders to the CHOCO holders at each timestep. As a result, returns for BUTTR holders are a dampened version of ETH returns, and returns for CHOCO holders are a more volatile version of ETH returns The next model modifies the first design to only take losses from BUTTR holders when necessary to attempt to stabilize their returns even more. This last model—which is the one used here—attempts to give BUTTR holders a fixed rate of return and they only lose money when CHOCO holders cannot lose any more (i.e. the token is worth zero) We then ran some Monte Carlo simulations to choose a design, implemented it in Solidity, wrote some helper scripts with to fast forward time on Ganache CLI, and built the frontend with Vue + ethers.js to interact with the contracts. Sample returns are shown in the images at the top of this page Challenges we ran into None of the three models are perfect and they all have tradeoffs, so it was tough to choose one. Ultimately we chose the third one because in our testing it seemed to provide fairly consistent results, and the fact that it generates a very stable collateral that can be used in other DeFi protocols was a great bonus. The tough decision with design 3 is choosing a target return rate for BUTTR holders. Choose a value too low and BUTTR may never recover from an initial drop, choose a value too high and its returns can outpace CHOCO. After some trial and error with historical data we made a decision to target 0.1% per day, but ultimately still don't feel confident in this target rate. Additionally, making this value based on historical data makes it hard to deploy this system for newer assets with less price history. We forked the mainnet using Ganache CLI so we can develop with real Chainlink price feed data. The problem here is that Pancakes is dependent on getting ETH price updates at regular intervals over many months. Simulating ETH returns over a time period using Chainlink was a challenge, so we ended up just hardcoded fixed price changes into the contract to work around this. Another challenge a production version would face is determining how to get price updates at regular intervals. This is required because only updating ETH/USD price and token values at the start and gives different results then updating the ETH/USD price continuously. Calling this function daily may get expensive for oner person to do, so we may need to figure out how to incentivize users to call it. Accomplishments that we're proud of It works! What we learned Designing robust financial products is hard. What's next for Pancakes Update the model to use a variable target rate for BUTTR holders that can adjust based on past returns and current token values Make the contracts more modular so they can easily be deployed with any token as the underlying asset Figure out a reliable and affordable way to get price updates at regular intervals Built With chainlink ethers solidity vue Try it out github.com
Pancakes
Pancakes creates a way for conservative investors to give a portion of their ETH returns to more aggressive investors, in exchange for stability
['Matt Solomon', 'Nathan Choe']
[]
['chainlink', 'ethers', 'solidity', 'vue']
46
10,254
https://devpost.com/software/tusslenet-a-consensus-for-conflicting-oracles
FusionLedger Logo TussleNet Pitchdeck Inspiration Inspired by Chainlink VRF, Chainlink Adaptors, Initiators, RANDAO, POA Network, POS Portal etc. Progress Designed, Developed and Deployed on Kovan TestNet for the Chainlink 2020 Hackathon Introduction A Conflict Curation Consensus Algorithm Conserved on Chainlink Initiators and Adaptors Theory Tussle is a consensus algorithm for conflict condensed consensus situations. Tussle is currently written based on Proof of Authority Consensus Algorithm Tussle is transitioning to Proof of Reputation along with Ethereum Roadmap Examples Tussle between Trading Agents Tussle between Tracking Devices Tussle between Tyrants in Society Lifecycle Conflict Condensation phase Conflict Resolution phase Conflict Annotation phase Conflict Conservation phase Conflict conjugation phase Requirements NodeJS NPM Truffle Yarn Initialization npm install truffle -g truffle unbox smartcontractkit/box yarn install npm test yar test Installation Package installation should have occurred for you during the Truffle Box setup. However, if you add dependencies, you'll need to add them to the project by running: npm install Or yarn install Testing npm test yarn test truffle test Deploy If needed, edit the truffle-config.js config file to set the desired network to a different port. It assumes any network is running the RPC port on 8545. npm run migrate:dev For deploying to live networks, Truffle will use truffle-hdwallet-provider for your mnemonic and an RPC URL. Set your environment variables $RPC_URL and $MNEMONIC before running: npm run migrate:live What it does Deployment of a Chainlink Client in the Structure of a Chainlink VRF Powered RANDAO with POA Consensus How I built it Solidity 0.6.6, Truffle 5.1.46, Kovan Test Network, Remix IDE, Metamask, LINK Tokens, Node v14.11, Yarn Challenges I ran into Challenges with Solidity Versions. Challenges with Memory Variables in Solidity. Challenges with Truffle Configurations for Kovan Test Network and Matic Network. Accomplishments that I'm proud of Integration of Chainlink VRF into RANDAO. Integration of Chainlink Client for Tussle Tokens. What I learned Chainlink External Adaptors, Chainlink Node Setup, Chainlink LINK Tokens in Kovan Test Network What's next for TussleNet - A Consensus for Conflicting Oracles End to End Deployment into Kovan Test Network Sidechain and Scalability on Matic Network Completion of Tussle Proof of Stake Transition to Dynamic Proof of Stake Transition to Dynamic Proof of Reputation Integration to the Beacon Chain Integration with Deposit Contracts Develpment of Oracle Contract Witnesses Built With chainlink ethereum node.js npm randao remix solidity truffle vrf yarn Try it out github.com docs.google.com
TussleNet - A Consensus for Conflicting Oracles
TussleNet is a Conflict Curation Consensus Algorithm Created for Crypto-economic Oracles and Conserved on Chainlink Initiators and Adaptors inspired by VRF, VDF, RANDAO, POA, POS concepts.
['Gokul Alex']
[]
['chainlink', 'ethereum', 'node.js', 'npm', 'randao', 'remix', 'solidity', 'truffle', 'vrf', 'yarn']
47