repo
stringlengths
8
123
branch
stringclasses
178 values
readme
stringlengths
1
441k
description
stringlengths
1
350
topics
stringlengths
10
237
createdAt
stringlengths
20
20
lastCommitDate
stringlengths
20
20
lastReleaseDate
stringlengths
20
20
contributors
int64
0
10k
pulls
int64
0
3.84k
commits
int64
1
58.7k
issues
int64
0
826
forks
int64
0
13.1k
stars
int64
2
49.2k
diskUsage
float64
license
stringclasses
24 values
language
stringclasses
80 values
daviteixeira-btm/API-RESTful-com-AdonisJS
main
<p align="center"> <a href="https://adonisjs.com/"> <img src="https://avatars.githubusercontent.com/u/13810373?s=280&v=4" alt="Logo" width="" height="100" /> </a> </p> <h1 align="center"> API RESTful com AdonisJS </h1> <p align="center"> <a href="#Introdução"> 🧩 Introdução </a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#Resultados"> 🚀 Resultados</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#Backend"> 💻 Back-end</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#Dependências"> 🧪 Dependências</a>&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp;&nbsp; <a href="#Scripts"> 📖 Scripts</a>&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp; </p> <a id="Introdução"></a> ## 🧩 Introdução ### É um framework que está sendo muito utilizado para construir APIs como também softwares monolitos, que tem o front-end junto ao backend, deixando assim muitas funcionalidades prontas, escrevendo menos códigos e tendo resultados mais rápidos para o desenvolvedor. <ul> <li>Um <b>framework Node.js</b>, para desenvolver aplicações web;</li> <li>Facilita muito a programação de apps, possui uma estrutura similar ao <b>Laravel</b>;</li> <li>Utilizar arquitetura <b>MVC</b>;</li> <li>Possui vários recursos, como: <b>CLI</b>, <b>File upload</b> simples, <b>validações</b> e etc;</li> <li>Há também outros pacotes externos para completar o ecossistema, como <b>ORM</b>, <b>Autenticação</b>, <b>Autorização</b>.</li> </ul> <a id="Resultados"></a> ## 🚀 Resultados ### O resultado desse projeto é a criação de uma <b>API RESTful</b> onde temos um <b>CRUD</b> e relacionamento entre entidades, aprendendo a como utilizar o framework. Os testes foram feitos via <b>Postman</b>, para garantir o correto funcionamento da API. <a id="Backend"></a> ## 💻 Back-end ### Instalação e inicialização da API ### ```COMANDOS``` #### Para instalar as dependências ``` yarn install ``` #### Para gerar a variável de ambiente APP_KEY ``` node ace generate:key ``` Depois de gerar o valor da key, procure por um arquivo chamado ".env.example", faça uma copia desse arquivo e o renomeie para ".env", em seguida copie o valor gerado no terminal da nova key e subistitua o valor de APP_KEY para o novo valor. #### Para rodar a API ``` node ace serve --watch ``` Após isso, o projeto vem com as migrações do banco de dados porem ele não vem com as tabelas, precisando assim crialas com o seguinte comando: ``` node ace migration:run ``` ### Moments ### 🎯 Pegar um momento atravez do ID ### ```GET``` ```URL http://localhost:3333/api/moments/1 ``` ### 🎯 Pegar todos os momentos ### ```GET ALL``` ```URL http://localhost:3333/api/moments ``` ### 🎯 Registrar um momento no banco de dados ### ```POST``` ```URL http://localhost:3333/api/moments ``` ```Body from-data key (text): title - value: Algum valor key (text): description - value: Alguma descrição key (file): image - value: Alguma imagem do seu pc ``` ### 🎯 Atualizar um momento no banco de dados ### ```PATCH``` ```URL http://localhost:3333/api/moments/1 ``` ```Body from-data key (text): title - value: Atualizando Momento key (text): description - value: Meu momento atualizado key (file): image - value: Alguma imagem do seu pc ``` ### Comments ### 🎯 Add um comentário ###```POST``` ```URL http://localhost:3333/api/moments/1/comments ``` ```JSON { "username": "Seu Nome", "text": "Algum outro comentário" } ``` <a id="Dependências"></a> ## 🧪 Dependências > Requisitos para rotar o codigo... <ul> <li> <a href="https://nodejs.org/en">Node</a> </li> <li> <a href="https://yarnpkg.com/">Yarn</a> </li> </ul> <a id="Scripts"></a> ## 📖 Scripts ```JSON "scripts": { "dev": "node ace serve --watch", "build": "node ace build --production", "start": "node server.js", "test": "node ace test", "lint": "eslint . --ext=.ts", "format": "prettier --write ." } ``` ### 📖 Dependencies ```JSON "dependencies": { "@adonisjs/core": "^5.8.0", "@adonisjs/lucid": "^18.3.0", "@adonisjs/repl": "^3.1.0", "luxon": "^3.3.0", "proxy-addr": "^2.0.7", "reflect-metadata": "^0.1.13", "source-map-support": "^0.5.21", "sqlite3": "^5.1.6", "uuid": "^9.0.0" } ``` ### 📖 devDependencies ```JSON "devDependencies": { "@adonisjs/assembler": "^5.9.5", "@japa/preset-adonis": "^1.2.0", "@japa/runner": "^2.5.1", "@types/proxy-addr": "^2.0.0", "@types/source-map-support": "^0.5.6", "adonis-preset-ts": "^2.1.0", "eslint": "^8.36.0", "eslint-config-prettier": "^8.8.0", "eslint-plugin-adonis": "^2.1.1", "eslint-plugin-prettier": "^4.2.1", "pino-pretty": "^10.0.0", "prettier": "^2.8.6", "typescript": "~4.6", "youch": "^3.2.3", "youch-terminal": "^2.2.0" } ``` <p align="center">Feito com ❤️ por Davi Teixeira</p>
Framework que utiliza o padrão MVC, facilitando nossa vida na hora de criar aplicação com um CLI bem completo, repleto de comandos para criação de diversas estruturas como: Models, Controllers e Migrations.
adonis-lucid,adonisjs,eslint,javascript,mvc,rest-api,restful-api,sqlite3,typescript,uuid
2023-03-23T20:32:12Z
2023-04-03T04:35:58Z
null
1
0
22
0
0
2
null
null
TypeScript
Kori-San/champdle
main
# Champdle An Infinite game about LoL's Champion. The Game is accessible → [here](https://champdle.vercel.app). # Pre-requisites - make - docker.io If you want to **install** all the pre-requisites use the command below: ```bash $ apt install docker.io make # Debian flavored # OR $ yum install docker.io make # RHEL flavored ``` > The installation of packages **requires** ***elevated privileges***. You might want to use '**sudo**' as well. # Features ## Champion's spell description A random passive or ability is displayed on the screen. The **player** have ***30 seconds*** (***-3 seconds*** for every combo point he have with a maxmimum of ***-15 seconds***) to guess the champion who have this ability or passive. The **player** start with ***3 lives*** and ***1 skip***. The skip allows the **player** to skip the guess and get another one without ***losing a life***. Every ***5 combo points*** the **player** ***heal himself for 1 life***. Each guess make the **player** ***gain 100 Score points***. If the **player** is on a streak then he gains an additional ***50 points for each combo points*** he have. # Makefile ## Rules - ***all*** - Execute the start rule. - ***start*** - Start Champdle's container. The container must be built before using the 'build' rule. - ***build*** - Build the latest image for Champdle and create a container. - ***stop*** - Stop the container. - ***clean*** - Remove the container. - ***restart*** - Stop the container and start it again. - ***rebuild*** - Remove the container, build the latest image for Champdle and create a container. - ***reload*** - Stop the container, remove it, build the latest image for Champdle, create a container and start a the newly created container. - ***ngrok*** - Start a secure http tunnel. # ngrok > All rights for 'ngrok' and it's binary goes to [ngrok](https://ngrok.com/). **ngrok** is a tool that allows you to create a secure http tunnel temporarily and gain access to it's web server on the internet. To use **ngrok** you'll need to register on their website and follow the simple steps that are shown there. Once you've add your **auth-key** and you want to expose this web server to the world wide web simple use: ```bash $ make ngrok ```
An Infinite game about LoL's Champion
game,javascript,league-of-legends,guessing-game,lol,ddragon,leagueoflegends
2023-03-24T23:03:56Z
2023-05-26T15:20:01Z
null
2
6
91
0
0
2
null
MIT
JavaScript
SevenAJJY/ColorPicker-Extension
main
<p align="center"> <img src="./icons/icon128.png"/> <h3 align="center">ColorPicker-Extension</h3> </p> ---- > The ColorPicker extension will help us to pick the color from anywhere (browser / anywhere on the system) while storing the colors used. Provides a HexCode of this color that can be used in other projects. Visit this extension <a href="https://sevenajjy.github.io/ColorPicker-Extension/">here</a> </br> ---- ### :wrench: Tools Used - Javascript / CSS / HTML / Chrome web APIs ----- ### ⚙️ Latest Version v1.0 - when the eye dropper opens the popup is hidden so, full window coverage is done - minor bug fixation - UI updation ### Features:<br> - This extension can extract colors from current tabs. - This extension has feature Eye Dropper - Eye dropper to select any color from the browser tab and Colour Selector to make possible combinations of HEX and form a required color. - The recent section can save all recent colors. - The eye dropper of this extension is powerful enough to extract color from all sites. Especially sites like work on new tab page, Chrome settings pages, and the Chrome Web Store. - Click on the hex value in the tool section and color boxes of the recent section to copy the hex value on the clipboard. - A user-friendly and simple interface. - The app has a dark mode that reduces exposure to blue light that causes eye strain. ### Preview <p align="center"> <img src="/icons/colorPicker_ext.PNG"/> </p> ----- <p align="center"> Give the extension a :star: if you liked it.<br> Made with :heart: and javascript. </p>
Make Color Picker Chrome Extension Using HTML, CSS, and JavaScript. In this color picker, users can easily pick any color on the screen, see the picked colors, and copy or clear them with a single click.
chrome-extension,color-picker,css,css3,html,html5,javascript,json
2023-03-20T13:27:39Z
2023-03-21T19:59:01Z
null
1
0
35
0
0
2
null
null
JavaScript
Basa2000/02.Discord_Clone
main
![MasterHead](https://camo.githubusercontent.com/48ec00ed4c84e771db4a1db90b56352923a8d644452a32b434d68e97006c9337/68747470733a2f2f63686b736b696c6c732e636f6d2f77702d636f6e74656e742f75706c6f6164732f323032302f30342f504e432d416e696d617465642d42616e6e6572732e676966) <h1 align="center">Hi 👋, I'm Basavaraj Kumbhar</h1> <h3 align="center">A passionate MERN Full Stack Developer from India</h3> <img src="https://cdn.dribbble.com/users/1162077/screenshots/3848914/programmer.gif" alt="coding" align="right" width="400"> <p align="left"> <img src="https://komarev.com/ghpvc/?username=basa2000&label=Profile%20views&color=0e75b6&style=flat" alt="basa2000" /> </p> - 🔭 I’m currently working on [Discord Clone](https://dis-discord-clone.netlify.app/) - 🌱 I’m currently learning **React.js, Backend Technologies** - 💬 Ask me about **MERN** - 📫 How to reach me **basavkumbhar1432@gmail.com** <h3 align="left">Connect with me:</h3> <p align="left"> <a href="https://linkedin.com/in/basavaraj kumbhar" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/linked-in-alt.svg" alt="basavaraj kumbhar" height="30" width="40" /></a> <a href="https://instagram.com/kumbhar_basavaraj_" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/instagram.svg" alt="kumbhar_basavaraj_" height="30" width="40" /></a> </p> <h3 align="left">Languages and Tools:</h3> <p align="left"> <a href="https://www.w3schools.com/css/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/css3/css3-original-wordmark.svg" alt="css3" width="40" height="40"/> </a> <a href="https://www.w3.org/html/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/html5/html5-original-wordmark.svg" alt="html5" width="40" height="40"/> </a> <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/javascript/javascript-original.svg" alt="javascript" width="40" height="40"/> </a> <a href="https://reactjs.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/react/react-original-wordmark.svg" alt="react" width="40" height="40"/> </a> <a href="https://tailwindcss.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/tailwindcss/tailwindcss-icon.svg" alt="tailwind" width="40" height="40"/> </a> </p> <p><img align="center" src="https://github-readme-stats.vercel.app/api/top-langs?username=basa2000&show_icons=true&locale=en&layout=compact" alt="basa2000" /></p>
The Discord Clone project is a web-based application created using HTML and Tailwind CSS that aims to replicate the features and functionalities of the popular chat and communication platform, Discord
css,html,javascript,tailwind-css
2023-03-20T14:10:02Z
2023-03-20T16:49:36Z
null
1
0
2
0
0
2
null
null
HTML
tuhinaww/ProcastiNo
main
## Welcome! This is ProcastiNO ❌ <p align="center"> <img src="https://i.ibb.co/HDHrnRF/Screenshot-2023-03-19-165834.png" alt="Screenshot-2023-03-19-165834" border="0"> <h2 align="center">ProcastiNO</h2> </p> <p> <h3>ProcastiNO is a simple yet powerful web app designed to help you manage your daily tasks and to-do lists efficiently. Whether you're a busy professional, a student, or a stay-at-home parent, ProcastiNO is here to help you stay organized and on top of things. <br/><br/> The web app is built using the latest web development technologies such as Tailwind CSS and Vite. This ensures that the app is not only fast and responsive, but also looks great on all devices. <br/><br/> When you first visit ProcastiNO, you'll be greeted with a clean and minimalist user interface. The app is designed to be intuitive and easy to use, with all the features you need to manage your to-do list at your fingertips.</h3> </p> ## Link: https://procastino.netlify.app/
Procastino is the ultimate to-do list creator and destroyer. It's the perfect app for someone like me who can't seem to get anything done on time. With Procastino, I can make a list of all the things I need to do... and then promptly ignore it.
javascript,productivity,todo-list,todolist,todo-app,todolist-application,aesthetic,beginner-friendly
2023-03-19T10:10:03Z
2023-09-05T13:40:26Z
null
1
0
16
0
0
2
null
null
JavaScript
Myself-Rohit-Dey/3jsportfolio
main
# A portfolio website using Three.js ![ezgif-1-aebcf589ec](https://user-images.githubusercontent.com/75258734/233187541-c342a8b0-f989-47ed-8906-adc7a3b573e0.gif)
My Portfolio Website
emailjs,react,threejs,css3,html5,javascript,tailwindcss
2023-03-19T17:46:43Z
2023-04-19T20:05:32Z
null
1
0
5
0
0
2
null
null
JavaScript
OutRed/outred-assets-cdn.outred.org
main
# outred-assets-cdn.outred.org The CDN for the subdomain for outred.org
The CDN for the subdomain for outred.org
cdn,game,games,html,html5,javascript
2023-03-18T23:41:28Z
2023-06-04T01:10:41Z
null
1
0
22
0
4
2
null
GPL-3.0
HTML
fang-kang/js-utils
master
# @fang-kang/js-utils <p> <a href="https://www.npmjs.com/package/@fang-kang/js-utils" target="__blank"><img src="https://img.shields.io/npm/v/@fang-kang/js-utils" alt="NPM version"></a> <a href="https://www.npmjs.com/package/@fang-kang/js-utils" target="__blank"><img alt="NPM Downloads" src="https://img.shields.io/npm/dm/@fang-kang/js-utils"></a> <a href="https://github.com/vuejs/vitepress" target="__blank"><img src="https://img.shields.io/badge/docs%20by-vitepress-blue?style=flat-square" alt="Docs & Demos"></a> <img alt="npm bundle size" src="https://img.shields.io/bundlephobia/min/@fang-kang/js-utils"> <a href="https://github.com/fang-kang/js-utils" target="__blank"><img alt="GitHub stars" src="https://img.shields.io/github/stars/fang-kang/js-utils?style=social"></a> </p> ## 🚀 What is js-utils? @fang-kang/js-utils,Is an out of the box tool library implemented in pure javascript, mainly used to simplify the development process and improve development efficiency ## 🦄 Usage ```typescript import { uniqeArrayByKey } from '@fang-kang/js-utils'; const arr = [ { id: 1, parentid: 0 }, { id: 2, parentid: 1 }, { id: 3, parentid: 1 }, { id: 3, parentid: 1 }, ]; uniqeArrayByKey(arr, 'id'); /** * [ { id: 1, parentid: 0 }, { id: 2, parentid: 1 }, { id: 3, parentid: 1 }, ]; * */ ``` Refer to [documentations](https://fang-kang.github.io/js-utils/) for more details. ## 📦 Install ```bash npm i @fang-kang/js-utils ``` ### CDN ```html <script src="https://unpkg.com/@fang-kang/js-utils"></script> ``` It will be exposed to global as `window.JsUtils` ## 📄 License [MIT License](https://github.com/fang-kang/js-utils/blob/master/LICENSE) © 2023-PRESENT [fang-kang](https://github.com/fang-kang)
This is a tool composed of pure js tool functions
javascript,tools,utils
2023-03-23T13:47:36Z
2023-03-26T09:47:26Z
null
1
0
20
0
0
2
null
MIT
TypeScript
BrunoOliveira16/portfolio-pessoal
master
# Portfolio Profissional Bruno Oliveira ![GitHub repo size](https://img.shields.io/github/repo-size/BrunoOliveira16/portfolio-pessoal?style=for-the-badge) ![Languages](https://img.shields.io/github/languages/count/BrunoOliveira16/portfolio-pessoal?style=for-the-badge) ![Status projeto](https://img.shields.io/badge/STATUS-EM%20DESENVOLVIMENTO-blue?style=for-the-badge) <img src="./public/screenshot-01.jpg"> <br> ## 📎 Sumário - 📌 Resumo do Projeto - 🛠️ Abrir e rodar o projeto - ⭐ Features - 📂 Temas abordados - ✔️ Tecnologias Utilizadas - 💻 Demonstração - 🙋🏻‍♂️ Autor <br> ## 📌 Resumo do Projeto Neste site, eu apresento o meu portfólio de design e desenvolvimento web, criado com HTML, CSS, JavaScript e React. Eu mostro os meus projetos em diferentes áreas, como web design, gráfico e ilustração. O site é responsivo e tem animações que tornam a navegação mais dinâmica e agradável. <br> ## 🛠️ Abrir e rodar o projeto Para Rodar o projeto em sua máquina, dentro da pasta raiz do projeto, execute o comando abaixo no terminal, para a instalação das depêndencias: ``` npm install ``` Após a instalação do projeto, execute o comando abaixo para inicializar o projeto: ``` npm start ``` <br> ## ⭐ Features - Um design minimalista e elegante. - Um menu de navegação que permite acessar as diferentes seções do site. - Uma seção de home que apresenta o autor e seus serviços de forma criativa e profissional. - Uma seção de projetos que mostra os trabalhos realizados em diferentes áreas, como web design, gráfico e ilustração. - Uma seção de contato que oferece diferentes formas de entrar em contato, como email, telefone e redes sociais. <br> ## 📂 Temas abordados - HTML - CSS - JavaScript - React - Hooks - Responsividade - Animações - Font Awesome - Netlify <br> ## ✔️ Tecnologias Utilizadas ![React](https://img.shields.io/badge/React-20232A?style=for-the-badge&logo=react&logoColor=61DAFB) ![JavaScript](https://img.shields.io/badge/JavaScript-323330?style=for-the-badge&logo=javascript&logoColor=F7DF1E) ![CSS](https://img.shields.io/badge/CSS3-1572B6?style=for-the-badge&logo=css3&logoColor=white) <br> ## 💻 Demonstração Para visualizar uma prévia do projeto <a href="https://portfolio-bruno-oliveira.netlify.app/"><b>clique aqui</b></a> <br> ## Autor | [<img src="https://avatars.githubusercontent.com/u/103857382?v=4" width=115><br><sub>Bruno Oliveira</sub>](https://github.com/BrunoOliveira16) | | :---: |
Meu portfolio profissional criado em React
javascript,react,vite,css,portfolio-website
2023-03-24T20:42:34Z
2023-08-08T03:43:11Z
null
1
0
29
0
1
2
null
null
JavaScript
CaptainBawa/Music-Festival-Capstone-Project
main
<a name="readme-top"></a> <div align="center"> <img src="img/LinkedIn Cover Main.jpg" alt="logo" width="100%" height="auto" /> <br/> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [🚀 Project Video Walkthrough](#walkthrough) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 [GLOBAL MUSIC FESTIVAL] <a name="about-project"></a> **[GLOBAL MUSIC FESTIVAL]** represents a celebration of cultural unity among humanity through the universal language of music. This festival serves as the culminating project of the first module in the Microverse Full-Stack Software Development Curriculum. Utilizing all of the knowledge and skills acquired since the first week of the program, I was able to successfully implement this project. ![mobile screenshot](img/Mobile.png) ![mobile screenshot](img/main.png) ![desktop screenshot](img/Desktop.png) ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://html.com/">HTML</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li> <li><a href="https://www.javascript.com/">JAVASCRIPT</a></li> </ul> </details> <details> <summary>Server</summary> <ul> <li><a href="https://pages.github.com/">GITHUB PAGES</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **Responsive** - **100% Accessibility Ratio** - **Animation Effect** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://captainbawa.github.io/Music-Festival-Capstone-Project/) - [Project Video Walkthrough](https://www.loom.com/share/9eae5fc86af046b8b529ef7eb3b1dfcf) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: ```sh git version 2.38.x node.js version > 12.x IDE Browser (chrome, firefox, edge, safari) ``` ### Setup Clone this repository to your desired folder: ```sh cd my-folder git clone git@github.com:CaptainBawa/Music-Festival-Capstone-Project.git ``` ### Install Install this project with: ```sh cd Music-Festival-Capstone-Project nmp install/npm i ``` ### Usage To run the project, execute the following command: ```sh Live Server ``` ### Deployment You can deploy this project using: ```sh github pages ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [@githubhandle](https://github.com/CaptainBawa) - Twitter: [@twitterhandle](https://twitter.com/BawaCollins) - LinkedIn: [@captainbawa](https://linkedin.com/in/captainbawa) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Add Content** - [ ] **Add Ticket Page** - [ ] **Add Registration Page** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/CaptainBawa/Music-Festival-Capstone-Project/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> Dear Viewers! I'm excited to be working on this project and I would be grateful for your support! By supporting this project, you are not only helping me, but you are also contributing to something meaningful that can make a difference. Your support will give me the motivation and resources necessary to keep moving forward with this project and to ensure its success. So, whether it's through your kind words, your financial support, or simply by spreading the word, your support means everything to me. Thank you in advance for your support, and I can't wait to share with you the amazing things we will achieve together. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to give credit to https://www.behance.net/gallery/29845175/CC-Global-Summit-2015 for the original design. I extend my heartfelt gratitude to the Microverse team and my coding partners for their invaluable inspiration and contributions towards the success of this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](https://github.com/CaptainBawa/Music-Festival-Capstone-Project/blob/finalchecks-readme/LICENSE.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The GLOBAL MUSIC FESTIVAL is a commemoration of cultural solidarity among people through the all-encompassing language of music. Constructed with HTML, CSS, and JavaScript, it serves as the final project of the initial module in the Microverse Full-Stack Software Development Curriculum.
css,html5,javascript
2023-03-19T08:04:06Z
2023-06-01T00:40:29Z
null
1
1
82
1
0
2
null
MIT
CSS
steinmannole/ChetChet
master
# ChetChet ## Important Links **!!!** http://chetchat.de/ http://figma.chetchat.de/ http://github.chetchat.de/ http://storyboard.chetchat.de/ https://getstream.io/chat/docs/ ## Client **INSTALL:** $ cd client $ npm install ( $ npm install axios@1.3.5 react@18.2.0 react-dom@18.2.0 react-script@5.0.1 stream-chat@8.5.0 stream-chat-react@10.7.5 universal-cookie@4.0.4 web-vitals@2.1.4 ) **START:** $ cd client $ npm start **BUILD** $ npm run build $ serve -l 80 -s build ## Server **INSTALL:** $ cd server $ npm install ( $ npm install bcrypt@5.1.0 cors@2.8.5 crypto@1.0.1 dotenv@16.0.3 express@4.18.2 getstream@8.1.2 nodemon@2.0.22 stream-chat@8.4.1 twilio@4.9.0 ) **START:** $ cd server $ npm run dev
Instant Messager - Projekt für FI211
javascript,messaging-app,node-js,school-project,website
2023-03-23T16:13:33Z
2023-05-30T12:21:28Z
null
5
0
74
0
0
2
null
null
JavaScript
Munyabelden/Leaderboard-app
main
# 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) # 📖 Leaderboard Application <a name="about-project"></a> **Leaderboard Application** is an app that displays the scores of a game grabed from an api. ## 🛠 Built With <a name="built-with"></a> - Javascript - Webpack - html - css ### Key Features <a name="key-features"></a> - **Webpack** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. - Make sure you have a code editor li Vs Code and git installed onyour local machine - Install Node.js - clone the url ### Prerequisites In order to run this project you need: -Node.js ### Setup Clone this repository to your desired folder: url: https://github.com/Munyabelden/Leaderboard-app.git ### Install Install this project with: Node.js ### Usage To run the project, execute the following command: - npm start - Fill in th inputs with your usernanme and score and submit - Click submit to see your score <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Belden** - GitHub: [@githubhandle](https://github.com/Munyabelden) - Twitter: [@twitterhandle](https://twitter.com/home) - LinkedIn: [LinkedIn](https://www.linkedin.com/feed/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **More javascript functionality** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Munyabelden/Leaderboard-app/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank the Microverse team <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](https://github.com/Munyabelden/Leaderboard-app/blob/develop/LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This is an application that displays results from an api game to the UI. built with mainly js
css,html5,javascript,webpack
2023-03-13T10:32:23Z
2023-03-17T07:08:49Z
null
2
9
35
1
0
2
null
MIT
JavaScript
thevkscode/Hardhat-Lottery-System
master
# Hardhat Lottery System using Blockchain, Chainlink VRF, and Keepers [![License](https://img.shields.io/badge/License-MIT-blue.svg)](https://opensource.org/licenses/MIT) ## Project Overview This repository contains a Hardhat-based Lottery System that utilizes blockchain technology, Chainlink VRF, and Keepers. - **Hardhat** is a development environment for building smart contracts on the Ethereum blockchain. - **Lottery System** is a program that allows users to participate in a lottery by buying tickets. - **Blockchain technology** is a decentralized digital ledger that allows for secure, transparent, and tamper-proof transactions. - **Chainlink VRF** is a decentralized oracle that provides verifiable randomness. - **Keepers** is a network of decentralized bots that perform tasks on the Ethereum blockchain. The combination of these technologies ensures that the lottery system is fair, transparent, and secure. Hardhat provides a set of tools and features that make it easier to develop, test, and deploy smart contracts. Blockchain technology ensures that the process is transparent and tamper-proof. Chainlink VRF ensures that the selection of the winner is truly random and cannot be manipulated. Keepers can be used to automate tasks such as selecting a winner and distributing the prize. ## Prerequisites In order to run this lottery system, you will need the following: - Node.js - Yarn - Git - Hardhat - Hardhat Network - Solidity - Chainlink VRF - Keepers ## Installation To install this lottery system, follow these steps: 1. Clone the repository using `git clone https://github.com/your-username/hardhat-lottery-system.git` 2. Navigate to the directory using `cd hardhat-lottery-system` 3. Install the required packages using `yarn install` ## Configuration Before running the lottery system, you will need to configure the Chainlink VRF and Keepers. ### Chainlink VRF 1. Create an account on [Chainlink](https://chain.link/) 2. Create a VRF job on Chainlink using the provided documentation 3. Copy the Job ID and Job Key and paste them in the `hardhat.config.js` file ### Keepers 1. Create an account on [Automation|Chainklink](https://automation.chain.link/) 2. Fund your account with KPR tokens 3. Create a job on KeeperDAO using the provided documentation 4. Copy the job ID and paste it in the `hardhat.config.js` file ## Usage To run the lottery system, follow these steps: 1. Start the Hardhat network using `npx hardhat node` 2. Deploy the smart contracts using `npx hardhat run scripts/deploy.js --network localhost` 3. Start the frontend using `yarn start` ## Contributing If you would like to contribute to this repository, please follow these guidelines: 1. Fork the repository 2. Create a new branch using `git checkout -b my-new-feature` 3. Make your changes and commit them using `git commit -am 'Add some feature'` 4. Push your changes to your branch using `git push origin my-new-feature` 5. Create a pull request ## License This project is licensed under the [MIT License](https://opensource.org/licenses/MIT).
This is an untemprable decentralized smart contract for Lottery System using chainlink VRF and Keepers
blockchain-technology,chainlink-keepers,chainlink-vrf,dapps,javascript,nodejs,smart-contracts,solidity,web3
2023-03-14T08:49:03Z
2023-03-18T11:40:41Z
null
1
0
4
1
0
2
null
null
JavaScript
hanjinsu302/fourmen
main
# CodingOn FrontEnd Project # Premierer ## 1. 설명 ### 잉글랜드 프리미어리그 팀 팬 페이지 서비스로, 선수들의 사진, 목록, 능력치, 각 팀의 전술, 매치 정보 등을 확인할 수 있다. ### front-end 기술만 활용해서 만든 페이지이기 때문에 기능이 별로 없지만 최대한 비주얼적으로 멋있게 만들어 보고자 했다. ## 2. 사진 ### main page ### <img width="1798" alt="img" src='https://github.com/junbum766/fourmen/blob/main/page_capture/main.png?raw=true'> ### 토트넘 page ### <img width="1798" alt="img" src='https://github.com/junbum766/fourmen/blob/main/page_capture/tottenham.png?raw=true'> ## 3. 파트 기술 detail
각 구단의 선수정보, 매치정보, 최고의 순간들을 볼 수 있는 축구 사이트 입니다.
css,ejs,javascript,express
2023-03-18T06:21:51Z
2023-04-08T00:04:39Z
null
4
43
96
0
2
2
null
null
HTML
nandrai/bookit
main
null
BookIt just like Airbnb is a two-sided marketplace that sought to match people that owned real estate properties with people interested in renting short-term lodging. https://shy-crown-eel.cyclic.app/
javascript,reactjs,tailwind-css,cloudinary,expressjs,mongodb,mongoose,node-js
2023-03-17T08:38:05Z
2023-04-09T10:03:49Z
null
2
0
3
0
0
2
null
null
JavaScript
robertvlad/js-array-carousel-boolean
master
# js-array-carousel-boolean Carosello di immagini dato un array contenente una lista di cinque immagini. Al click dell'utente sulle frecce, il programma cambierà l’immagine attiva, che quindi verrà visualizzata al posto della precedente. E' stato aggiunto il ciclo infinito del carosello. Ovvero se è attiva la prima immagine e l'utente clicca la freccia per andare all’immagine precedente, dovrà comparire l’ultima immagine dell’array e viceversa. In seguito è stato aggiunta la visualizzazione di tutte le thumbnails sulla destra dell’immagine grande attiva.
Carosello di immagini dato un array contenente cinque immagini.
css3,html5,javascript
2023-03-25T01:12:27Z
2023-03-27T21:08:24Z
null
1
0
10
0
0
2
null
null
JavaScript
devkarine/clima-tempo
main
# 🖥️ Projeto Clima Tempo ## ⌨ Descrição Projeto realizado com o objetivo de reproduzir uma página de previsão do tempo, usando as hard skills citadas abaixo. Foi feito em colaboração com dois colegas, onde podemos trabalhar gestão do projeto, gerenciamento de tempo e trabalho em equipe com setorial. ## ✍️ Processo - Marcação semântica HTML5 - Propriedades personalizadas de CSS3 - Flexbox - Grid - Design responsivo - JavaScript - Consumo de api - Validação ## ✍️ Consumo da api - Buscar a cidade - Temperaturas atual, máxima e mínima - Velocidade do vento - Porcentagem de umidade - Horário do sol ## 💡 Inspiração Figma > Figma: <a href="https://www.figma.com/file/6YZZOMBSEQzvvY2QaZrJNl/%23boraCodar---Desafio-10-(Community)?node-id=0-1&t=f4ystAKhdMxcKorz-0">Desafio #boraCodar Previsão do Tempo ## 🖱️ A página <img src="assets/img/desktop-mobile.gif" alt="Gif exibindo o desktop e versão mobile do site"> ## Acesse nossa página on-line > Deploy: <a href="https://devkarine.github.io/clima-tempo/" target= "_blank">Clima Tempo</a> ## 👩‍💻 Dev's <table align="center"> <tr> <td align="center"> <div> <img src="https://avatars.githubusercontent.com/u/114251625?v=4" width="120px;" alt="Foto no GitHub" class="profile"/><br> <b> Karine Pereira </b><br> <a href="https://www.linkedin.com/in/devkarine/" alt="Linkedin"><img src="https://img.shields.io/badge/LinkedIn-0077B5?style=for-the-badge&logo=linkedin&logoColor=white" height="20"></a> <a href="https://github.com/devkarine" alt="Linkedin"><img src="https://img.shields.io/badge/GitHub-100000?style=for-the-badge&logo=github&logoColor=white" height="20"></a> </div> </td> <td align="center"> <div> <img src="https://avatars.githubusercontent.com/u/110130663?v=4https://avatars.githubusercontent.com/u/110130663?v=4" width="120px;" alt="Foto no GitHub" class="profile" /><br> <b> Esther Vianna </b><br> <a href="https://www.linkedin.com/in/esthervianna/" alt="Linkedin"><img src="https://img.shields.io/badge/LinkedIn-0077B5?style=for-the-badge&logo=linkedin&logoColor=white" height="20"></a> <a href="https://github.com/EstherVianna" alt="GitHub"><img src="https://img.shields.io/badge/GitHub-100000?style=for-the-badge&logo=github&logoColor=white" height="20"></a> </div> </td> <td align="center"> <div> <img src="https://avatars.githubusercontent.com/u/75569069?v=4" width="120px;" alt="Foto no GitHub" class="profile" /><br> <b> Pablo Damato </b><br> <a href="https://www.linkedin.com/in/pablo-damato-gomes/" alt="Linkedin"><img src="https://img.shields.io/badge/LinkedIn-0077B5?style=for-the-badge&logo=linkedin&logoColor=white" height="20"></a> <a href="https://github.com/PabloDamato" alt="GitHub"><img src="https://img.shields.io/badge/GitHub-100000?style=for-the-badge&logo=github&logoColor=white" height="20"></a> </div> </td> </tr> </table>
Projeto em colaboração com o intuito de reproduzir uma página de previsão do tempo.
api,css3,html5,javascript
2023-03-15T17:25:15Z
2023-04-02T15:38:26Z
null
3
0
39
0
2
2
null
MIT
CSS
ArslanYM/Arsalan-Portfolio
v4
### Arsalan's Portfolio Website
Here's my personal portfolio.
javascript,portfolio,react,reactjs,nextjs
2023-03-21T14:03:27Z
2024-01-21T15:40:47Z
null
1
1
13
0
0
2
null
null
JavaScript
lorismilloni/social_coders
main
# Autores ![image](https://user-images.githubusercontent.com/80106256/235923668-e931e0d4-1595-411c-8fc3-3079a3d5c419.png) # social_coders Repositório e portfólio oficial da empresa Social Coders. # Bem vindo ao nosso repositório Aqui é possível acompanhar todo nosso processo de desenvolvimento Para baixar o nosso projeto basta clicar no botão azul < > Code e fazer o download da pasta zipada ![Download](PequenoCotolengo/imgs/downloadProjecto.gif) Após isso, é só clicar em algum dos arquivos html disponíveis e selecionar para abrir no seu browser, a navegação vai ser toda por lá. ## Aqui uma visualização do que desenvolvemos: ![Web site](PequenoCotolengo/imgs/amostraSite.gif) ## Utilizamos as seguintes tecnologias: HTML, CSS, JavaScript, Regex, Git, GitHub, VSCode.\ <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/javascript/javascript-original.svg" width="55px" /> <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/html5/html5-original.svg" width="55px" /> <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/css3/css3-original.svg" width="55px" /> <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/git/git-original.svg" width="55px" /> <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/github/github-original.svg" width="55px" /> <img src="https://w7.pngwing.com/pngs/512/824/png-transparent-visual-studio-code-hd-logo-thumbnail.png" width="55px" /> <img src="https://w7.pngwing.com/pngs/742/330/png-transparent-regular-expression-computer-icons-regular-language-regex-angle-text-logo.png" width="55px" /> ## Obrigada pela visita! ### Aqui organizamos o nosso desenvolvimento e salvamos algumas das nossas referências usadas para desenvolvimento ### Orientação para usar o repositório no Git Hub :warning: Atenção! Leia atentamente as instruções que vocês encontrarem! 1. Crie uma conta no site do GitHub, pense que você usará para postar seus projetos além de acessar esse repositório do trabalho, já é um treinamento. 2. Pesquise como fazer a instalação da ferramenta Git no seu sistema operacional.\ Git é a ferramenta local de versionamento, GitHub é o repositório online. 3. Abra o VSCode na pasta que você deseja clonar o repositório. 4. Abra o terminal do VSCode com o comando `ctrl+j`. 5. Abra seu browser e vá para a página do nosso projeto: https://github.com/lorismilloni/social_coders 6. No botão azul "Code", clique e selecione "SSH", copie esse link. 7. Volte para seu terminal (que está na pasta que você copiará o repositório) e escreva:\ `git clone link_copiado`\ Aperte `enter` no final desses comandos. 8. Pronto! Verifique se você tem os arquivos no seu computador. 9. Agora crie sua branch de trabalho! 10. Digite no terminal do VSCode o comando:\ `git checkout -b meu_nome`\ Exemplo: `git checkout -b loris_milloni` 11. Comece a alterar os arquivos, lembre de salvar sempre! (ctrl+s é o atalho para salvar) 12. Terminou uma alteração? Adicione!\ Use o comando `git add .`\ Usando o ponto você adiciona ao Git todos os arquivos que alterou. 13. Commite suas alterações, é como oficializar os arquivos que adicinou.\ Use o comando: `git commit -m 'nas aspas digite o que fez, tipo, criei um botão'` 14. Confira se está na sua branch\ Digite no terminal `git branch` 15. Agora chegou a hora de colocar essas alterações no repositório online! Digite no terminal `git push -u origin nome_da_sua_branch`\ Depois desse primeiro uso, é só digitar `git push`. 16. Ainda não acabou! Vá na página do projeto e crie seu PULL REQUEST\ A base é a branch main, e a compare é a sua branch\ Clique em Create Pull Request e confirme, outra pessoa vem aprovar dps\ Para mais orientação disso tem esse vídeo\ [Como criar seu primeiro Pull Request no GitHub](https://www.youtube.com/watch?v=Du04jBWrv4A) 17. É necessário atualizar a branch sempre, eu vou ajudar com isso, mas os comandos de referência são:\ `git checkout main` (vai para a branch principal que recebeu os merges)\ `git pull` (para puxar as informações atualizadas do repositório)\ `git checkout sua_branch` (ATENÇÃO! tudo deve ter sido salvo, commitado, e pushado pro repositório)\ `git rebase main` Nessa playlist tem vídeos curtos para ajudar: [Instalando o Git](https://www.youtube.com/watch?v=4IbSXeIFVE4&list=PLlAbYrWSYTiPA2iEiQ2PF_A9j__C4hi0A&index=5) [Clonando um repositório para sua máquina](https://www.youtube.com/watch?v=WEPB5pDSEIg&list=PLlAbYrWSYTiPA2iEiQ2PF_A9j__C4hi0A&index=17) [O que é uma branch e criando uma branch](https://www.youtube.com/watch?v=gptt0KjFPR4&list=PLlAbYrWSYTiPA2iEiQ2PF_A9j__C4hi0A&index=19) ### O que falta fazermos no trabalho do Cotolengo? 1. Formulário :heavy_check_mark:\ 1.1 Criar os elementos do formulário :heavy_check_mark:\ 1.1 Adicionar o formulário oficial na página form.html :heavy_check_mark:\ 1.2 Estilizar o formulário :heavy_check_mark: 2. Criar o formulário para voluntários :heavy_check_mark:\ 2.1 Estilizar o formulário para voluntários :heavy_check_mark: 3. Criar a página sobre :heavy_check_mark:\ 3.1 Criar o texto da página sobre :heavy_check_mark: 4. Criar a home page :heavy_check_mark:\ 4.1 Adicionar textos e imagens à homepage :heavy_check_mark:\ 4.2 Criar footer para Cotolengo :heavy_check_mark:\ 4.3 Criar footer para a Empresa :heavy_check_mark:\ 4.4 Criar Header com acesso para as páginas :heavy_check_mark:\ 4.5 Estilizar a home page :heavy_check_mark: 5. Melhorar responsividade :heavy_check_mark: 6. Adicionar botões :heavy_check_mark: 7. Adicionar JavaScript para validações :heavy_check_mark: 8. Conferir os padrões de HTML Semântico :heavy_check_mark: ### Orientações para uso do DOM (document object model) [Manipular DOM com JavaScript](https://www.youtube.com/watch?v=0dBY09OJm04) ### Paleta de cores [Paleta escolhida Cotolengo](https://coolors.co/palette/335c67-fff3b0-e09f3e-9e2a2b-540b0e) ### Referência elementos HTML [HTML](https://developer.mozilla.org/en-US/docs/Web/HTML/Element)\ [How to Build HTML Forms Right: Semantics](https://austingil.com/how-to-build-html-forms-right-semantics/)\ [HTML Semantic Elements](https://www.w3schools.com/html/html5_semantic_elements.asp)\ [Semantics](https://developer.mozilla.org/en-US/docs/Glossary/Semantics)\ [HTML semantics cheat sheet](https://learntheweb.courses/topics/html-semantics-cheat-sheet/)\ [How to structure a web form](https://developer.mozilla.org/en-US/docs/Learn/Forms/How_to_structure_a_web_form)\ [Flexbox CheatSheet](https://internetingishard.netlify.app/html-and-css/flexbox/index.html)\ [CSS @media Rule](https://www.w3schools.com/cssref/css3_pr_mediaquery.php)\ [Page Headers And Footers](https://www.uvm.edu/~bnelson/computer/javascript/pageheadersandfooters.html)
A frontpage and HTML form developed for a social project at a local church with other 3 students at my frontend class in university, we used vanilla JS and no frameworks so the newer students can learn classes in HTML and CSS and DOM in details.
css,dom,form-validation,frontpage,html,javascript
2023-03-24T17:34:46Z
2023-06-14T02:26:00Z
null
5
30
83
0
1
2
null
null
HTML
Pa1mekala37/Nxt-Trendz-Ecommerce-Application
main
<h1>Nxt Trendz ( ECommerce Clone - Amazon, Flipkart)</h1> Implemented Nxt Trendz application which is a clone for ECommerce applications like Amazon, Flipkart where users can login and can see list of products with search, filters, sort by, etc.. - Implemented Different pages and routes for Login, Products, Product details using React Router components Route, Switch, Link, props, state, lists, event handlers, form inputs. - Authenticating and authorizing users by taking username, password and doing login POST HTTP API Call and implementing filters by sending them as query parameters to product api calls. - Persisted user login state by keeping jwt token in local storage, Sending it in headers of further api calls to authorize the user. Technologies used: React JS, JS, CSS, Bootstrap, Routing, REST API Calls, Local Storage, JWT Token, Authorization, Authentication ### Login Credentials <p> User Name : rahul </p> <p> Password : rahul@2021 </p> ### Refer to the video below: <br/> <div style="text-align: center;"> <video style="max-width:70%;box-shadow:0 2.8px 2.2px rgba(0, 0, 0, 0.12);outline:none;" loop="true" autoplay="autoplay" controls="controls" muted> <source src="https://assets.ccbp.in/frontend/content/react-js/nxt-trendz-cart-features-output.mp4" type="video/mp4"> </video> </div> <br/> ### Design Files <details> <summary>Click to view</summary> - [Extra Small (Size < 576px) and Small (Size >= 576px)](https://assets.ccbp.in/frontend/content/react-js/nxt-trendz-cart-features-sm-output-v0.png) - [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px)](https://assets.ccbp.in/frontend/content/react-js/nxt-trendz-cart-features-lg-output.png) </details> ### Set Up Instructions <details> <summary>Click to view</summary> - Download dependencies by running `npm install` - Start up the app using `npm start` </details> ### Completion Instructions <details> <summary>Functionality to be added</summary> <br/> The app must have the following functionalities - When an unauthenticated user tries to access the **Cart** Route, then the page should be navigated to **Login** Route - Following are the features to be implemented - Feature 1 - When an authenticated user tries to add the same product multiple times - The quantity of the product should be updated accordingly, and the count of the cart items in the header should be remained same - Feature 2 - The total amount and number of items in the cart should be displayed in the **Cart** Route - Feature 3 - In each cart item in the cart - When the plus icon is clicked, then the quantity of the product should be incremented by one - When the minus icon is clicked, then the quantity of the product should be decremented by one - When the quantity of the product is one and the minus icon is clicked, then the respective product should be removed from the cart - Based on the quantity of the product, the product price and the Cart Summary, i.e the total cost should be updated accordingly - Feature 4 - When an authenticated user clicks on the remove button, cart item should be removed from the cart list - Feature 5 - When an authenticated user clicks on the **Remove All** button, all the cart items should be removed from the cart and [Empty Cart View](https://assets.ccbp.in/frontend/content/react-js/nxt-trendz-cart-features-empty-cart-view.png) should be displayed - The `CartContext` has an object as a value with the following properties - `cartList` - this key stores the cart items - `removeAllCartItems` - this method is used to remove all the cart items in the `cartList` - `addCartItem` - this method adds the cart item to the `cartList` - `removeCartItem` - this method removes the cart item from the `cartList` - `incrementCartItemQuantity` - this method increases the quantity of a product in the `cartList` - `decrementCartItemQuantity` - this method decreases the quantity of a product in the `cartList` </details> <details> <summary>Components Structure</summary> <br/> <div style="text-align: center;"> <img src="https://assets.ccbp.in/frontend/content/react-js/nxt-trendz-cart-features-component-structure-breakdown.png" alt="component structure breakdown" style="max-width:100%;box-shadow:0 2.8px 2.2px rgba(0, 0, 0, 0.12)"> </div> <br/> </details> <details> <summary>Implementation Files</summary> <br/> Use these files to complete the implementation: - `src/App.js` - `src/components/Cart/index.js` - `src/components/Cart/index.css` - `src/components/CartItem/index.js` - `src/components/CartItem/index.css` - `src/components/CartSummary/index.js` - `src/components/CartSummary/index.css` </details> ### Quick Tips <details> <summary>Click to view</summary> <br> - The `line-height` CSS property sets the height of a line box. It's commonly used to set the distance between lines of text ``` line-height: 1.5; ``` <br/> <img src="https://assets.ccbp.in/frontend/react-js/line-height-img.png" alt="line height" style="width:90%; max-width: 600px;"/> - The array method `find()` returns the first item's value that satisfies the provided testing function. If no item is found, it returns `undefined` **Syntax**: `arr.find(Testing Function)` </details> ### Important Note <details> <summary>Click to view</summary> <br/> **The following instructions are required for the tests to pass** - `BsPlusSquare`, `BsDashSquare` icons from `react-icons` should be used for **plus** and **minus** buttons in cart item - The Cart Item should consist of two HTML button elements with data-testid attribute values as **plus** and **minus** respectively - `AiFillCloseCircle` icon from react-icons should be used for **remove** button in cartItem - The Cart Item should consist of an HTML button element with data-testid attribute values as **remove** - The product image in **Cart Item** Route should have the alt as `title` of the product - Prime User credentials ```text username: rahul password: rahul@2021 ``` - Non-Prime User credentials ```text username: raja password: raja@2021 ``` </details> ### Resources <details> <summary>Colors</summary> <br/> <div style="background-color: #0b69ff; width: 150px; padding: 10px; color: white">Hex: #0b69ff</div> <div style="background-color: #171f46; width: 150px; padding: 10px; color: white">Hex: #171f46</div> <div style="background-color: #616e7c; width: 150px; padding: 10px; color: white">Hex: #616e7c</div> <div style="background-color: #ffffff; width: 150px; padding: 10px; color: black">Hex: #ffffff</div> </details> <details> <summary>Font-families</summary> - Roboto </details>
Implemented Nxt Trendz application which is a clone for ECommerce applications like Amazon, Flipkart where users can login and can see list of products with search, filters, sort by, etc..
babel,css,html,javascript,jsx,npm,react-context,react-router,reactjs
2023-03-15T04:56:34Z
2023-03-15T05:41:24Z
null
1
0
6
0
0
2
null
null
JavaScript
lemosep/library-system
master
# Library System ## A win-win project I've started this project mainly with the plain purpose of creating a huuuge library system that could possibly work in some places that I attend. But seeing this gave me an idea, **_before organizing other's people books, I should manage my own personal library first..._**. While organizing my stuff, a friend of mine [Luiz](https://github.com/lffg) told me about a new ORM called [Prisma](https://www.prisma.io/) which proved to be very easy to use, with a pleasant syntax and smart database management *for this purpose*. It might take a while to finish, but stay tuned! # Application I've decided to make this project a server-side rendering application, thus I used [Pug](https://pugjs.org/api/getting-started.html) view-engine to render pages. About security I've chosen to the traditional way with cookies ([here's why](https://gist.github.com/lemosep/b93d3ea7cb2f773be0d630a7c6f1db0b)) being sent to the browser and a JWT token being store both the server and the cookie. Authentication was a new thing to me, so learning it was hard whilst fun.
Library application to manage books and users.
javascript,library-management-system,nodejs,prisma-orm,sql
2023-03-25T17:05:34Z
2023-09-30T11:04:46Z
null
1
1
32
0
0
2
null
null
TypeScript
Sachin230498/Chat-App
main
It simple chat app where you can chat with your friends just sending by deploy link <img src="./src/images/ss1.jpeg" alt=""> <img src="./src/images/ss2.jpeg" alt=""> <img src="./src/images/ss3.jpeg" alt=""> <img src="./src/images/ss4.jpeg" alt="">
It simple chat app where you can chat with your friends just sending by deploy link
javascript,css,html,react,socket-io,web-vitals
2023-03-15T10:12:56Z
2023-03-19T09:17:07Z
null
2
0
16
0
0
2
null
null
JavaScript
Kori-San/clickshire-unity
main
# Clickshire A World of Warcraft inspired clicker. # Unity version: 2021.3.10f1
A World of Warcraft inspired clicker.
game,idle-game,javascript,unity
2023-03-13T21:44:03Z
2023-04-27T09:40:21Z
null
4
5
86
0
0
2
null
MIT
ShaderLab
IgorLebedev/Rss-feed-aggregator
main
# RSS Reader --- ### Hexlet tests, linter status and maintainability: [![Actions Status](https://github.com/IgorLebedev/frontend-project-11/workflows/hexlet-check/badge.svg)](https://github.com/IgorLebedev/frontend-project-11/actions) [![Linter](https://github.com/IgorLebedev/frontend-project-11/actions/workflows/main.yml/badge.svg)](https://github.com/IgorLebedev/frontend-project-11/actions/workflows/main.yml) [![Maintainability](https://api.codeclimate.com/v1/badges/9b075be8f87aa760f823/maintainability)](https://codeclimate.com/github/IgorLebedev/frontend-project-11/maintainability) --- ### Description RSS Reader is a service for aggregating RSS feeds, with which it is convenient to read a variety of sources, such as blogs. It allows you to add an unlimited number of RSS feeds, updates them itself and adds new entries to the general feed. #### [LINK](https://rss-aggregator-dusky.vercel.app/) --- ### Requirements * Node.js version v.18.12.1 or later * GNU Make version 4.2.1 or later --- ### Instructions 1. Clone project git clone git@github.com:IgorLebedev/Rss-feed-aggregator.git 2. Install dependencies make install 3. Run locally make dev
Simple rss reader
axios,bootstrap,css,eslint,html,i18next,javascript,on-change,webpack,yup
2023-03-22T08:11:09Z
2023-06-05T10:40:07Z
null
1
0
93
0
0
2
null
null
JavaScript
Basa2000/03.Razorpay_clone
main
![MasterHead](https://camo.githubusercontent.com/48ec00ed4c84e771db4a1db90b56352923a8d644452a32b434d68e97006c9337/68747470733a2f2f63686b736b696c6c732e636f6d2f77702d636f6e74656e742f75706c6f6164732f323032302f30342f504e432d416e696d617465642d42616e6e6572732e676966) <h1 align="center">Hi 👋, I'm Basavaraj Kumbhar</h1> <h3 align="center">A passionate MERN Full Stack Developer from India</h3> <img src="https://cdn.dribbble.com/users/1162077/screenshots/3848914/programmer.gif" alt="coding" align="right" width="400"> <p align="left"> <img src="https://komarev.com/ghpvc/?username=basa2000&label=Profile%20views&color=0e75b6&style=flat" alt="basa2000" /> </p> - 🔭 I’m currently working on [Razorpay Clone](https://raz-razorpay-clone.netlify.app/) - 🌱 I’m currently learning **React.js, Backend Technologies** - 💬 Ask me about **MERN** - 📫 How to reach me **basavkumbhar1432@gmail.com** <h3 align="left">Connect with me:</h3> <p align="left"> <a href="https://www.linkedin.com/in/basavaraj-kumbhar-a68672220/" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/linked-in-alt.svg" alt="basavaraj kumbhar" height="30" width="40" /></a> <a href="https://instagram.com/kumbhar_basavaraj_" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/instagram.svg" alt="kumbhar_basavaraj_" height="30" width="40" /></a> </p> <h3 align="left">Languages and Tools:</h3> <p align="left"> <a href="https://www.w3schools.com/css/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/css3/css3-original-wordmark.svg" alt="css3" width="40" height="40"/> </a> <a href="https://www.w3.org/html/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/html5/html5-original-wordmark.svg" alt="html5" width="40" height="40"/> </a> <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/javascript/javascript-original.svg" alt="javascript" width="40" height="40"/> </a> <a href="https://reactjs.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/react/react-original-wordmark.svg" alt="react" width="40" height="40"/> </a> <a href="https://tailwindcss.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/tailwindcss/tailwindcss-icon.svg" alt="tailwind" width="40" height="40"/> </a> </p> <p><img align="center" src="https://github-readme-stats.vercel.app/api/top-langs?username=basa2000&show_icons=true&locale=en&layout=compact" alt="basa2000" /></p>
Built a web application that closely mimicked design of the popular Indian payment gateway, Razor Pay, using HTML & Tailwind CSS. This project helped me improve my skills in web development and showcased my ability to replicate a well- known platform, demonstrating my attention to detail.
css,html,javascript,tailwind-css,responsive-design
2023-03-20T18:59:10Z
2023-03-20T19:14:52Z
null
1
0
2
0
0
2
null
null
HTML
kenny-leong/threadit
main
# threadit Threadit is a web application inspired by Reddit that allows users to share and discuss content through the creation of posts and comments in various threads. This project aims to replicate the popular layout of Reddit and go a step further by making the UI/UX easier for new users to navigate. Threadit is built with a Python/Flask backend and React/Redux frontend for responsiveness. [Click here to view threadit's Live Site](https://threadit.onrender.com/) ## Technologies/Frameworks Used: ![Screenshot 2023-04-22 at 1 23 42 PM](https://user-images.githubusercontent.com/47682357/233798130-279c3564-36e4-4432-a932-49bfd3eef84d.png) # Features ## Demo User Implementation: * Feel free to test the site features through clicking the "Demo User" button which will directly log you in ![demo_login](https://user-images.githubusercontent.com/47682357/233462153-00666f1a-0ff6-4618-80b0-9233567d6aa6.gif) ## Sign up a User: * You will be able to sign up and automatically be redirected to the logged in page * There are validations for signing up such as username length requirements, valid email address, password length, etc * Passwords must be matching when entered twice or the signup button will be disabled * Friendly reminders will display and signup will be blocked if fields are not properly filled out ![signup-user](https://user-images.githubusercontent.com/47682357/233459468-02d7c562-b386-4cda-b1dd-1aef456caadc.gif) ## User Login and Authentication: * You are able to login as long as your credentials are stored within the database (hashed) * If there are no matching credentials an error message is displayed * Login button is disabled if there are null fields or if the amount of characters entered is not within the acceptable range ![login](https://user-images.githubusercontent.com/47682357/233544861-9e3649a6-94d7-4540-89d0-67f332bca4cc.gif) ## Search Bar * Users are able to use the search bar to search through subreddits without being logged in * There is a list of results that populates when using the search bar ![search-bar](https://user-images.githubusercontent.com/47682357/233545041-0a13a0cd-9e34-428b-8ce5-afe7966e2a2c.gif) ## View Joined Communities * Logged in users can view all the joined communities they have joined and leave them if they want ![my-communities](https://user-images.githubusercontent.com/47682357/233545504-d3a804bb-78dc-4725-b130-0ae4bb8b489d.gif) ## View Owned Subreddits * Logged in users can view the subreddit they have created and update or delete them ![owner-section](https://user-images.githubusercontent.com/47682357/233545814-3524e324-4673-4f99-8bbe-2c40cf741b28.gif) ## Create/Update a Post: * Logged in users can create a post of three different types (Text, Image, and Link) * Users are able to see their post in the main feed and within the subreddit page * Users are able to edit their own posts and swap the type of post ![create-post](https://user-images.githubusercontent.com/47682357/233798889-ca098582-ce9d-47ec-9282-e7b66484f035.gif) ## Create/Update a Vote * Users can vote on a post as long as they have joined the subreddit the post belongs to * Users can update or delete a vote by either toggling it (pressing their existing vote again) or by changing the vote type (upvote -> downvote) ![vote-system](https://user-images.githubusercontent.com/47682357/233799019-4469894c-c0ca-4a44-9ec5-3fdd2845a3c9.gif) ## Create/Update Subreddit * Users can create a subreddit as long as the subreddit name is not already taken * Users can update their subreddit with a description, banner picture, and profile picture ![create-subreddit](https://user-images.githubusercontent.com/47682357/233799163-e2044c26-73d2-4f3e-855a-ff5ef1a2a7dd.gif) ## Create/Update a Comment * Users can comment under a post if they have joined the subreddit the post belongs to * Users can edit their comments as long it belongs to the user ![create-comment](https://user-images.githubusercontent.com/47682357/233799265-46e31d75-d132-4276-b95e-9155a2b9e778.gif) ## View Posts: * Users can view posts regardless of whether they are logged in or not * Users can view the comments underneath the post ## View Subreddits * Users can view and browse different subreddits regardless of whether they are logged in * Users are unable to post in subreddits unless they are logged in * Subreddits will automatically be generated with a creation date and display the number of members ## View Comments * Users can view comments under a post regardless of if there is a logged in user or not * Users are unable to post a comment unless they are logged in ## View Votes * Users can view the net votes (upvotes - downvotes) of a post or comment without being logged in * If a user has already voted on a post, there will be a glow effect on the type of vote they have submitted * Users may not upvote or downvote on a post or comment unless they are logged in ## Schema The following schema is used for the Threadit database: ![threadit-schema](https://user-images.githubusercontent.com/47682357/226485111-7e33a332-bbf0-4115-b14c-a353e3a021eb.png)
🫧 threadit - because we all need another platform to procrastinate on.
flask,javascript,python,react,redux,sqlalchemy
2023-03-20T21:21:31Z
2023-04-25T20:14:57Z
null
1
0
374
0
0
2
null
null
Python
Luk4x/delta-code-calendar
main
<table align="right"> <tr> <td> <a href="readme-en.md">🇺🇸 English</a> </td> </tr> <tr> <td> <a href="README.md">🇧🇷 Português</a> </td> </tr> </table> ![luk4x-repo-status](https://img.shields.io/badge/status-developing-lightgrey?style=for-the-badge&logo=headspace&logoColor=yellow&color=lightgrey) ![luk4x-repo-license](https://img.shields.io/github/license/Luk4x/delta-code-calendar?style=for-the-badge&logo=unlicense&logoColor=lightgrey) # 📅 Delta Code Calendar <br> <p align="center"> <a href="#-apresentação-em-vídeo-do-projeto">Vídeo</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-tecnologias-utilizadas">Tecnologias</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#%EF%B8%8F-etapas">Etapas</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-sobre">Sobre</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-componentes">Componentes</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-utilitários">Utilitários</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-clonando-o-projeto">Clone</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-contato-dos-contribuintes">Contato</a> </p> <br> ## 📹 Apresentação em Vídeo do Projeto <div align="center"> <video src="https://user-images.githubusercontent.com/86276393/230458348-9834960b-f00b-4e91-8d1e-0a71883d6f4d.mp4" /> </div> > **Caso o vídeo apresente algum erro, recarregue a página!**<br> > Acesse o projeto online **[AQUI](https://luk4x-delta-code-calendar.netlify.app/)** ## 🚀 Tecnologias Utilizadas > Abaixo estão as 6 tecnologias utilizadas no desenvolvimento do projeto, e seus motivos <table align="center"> <td align="center"> <a href="https://vitejs.dev/"> <img src="https://skillicons.dev/icons?i=vite" width="65px" alt="Vite icon"/><br> <sub> <b> <pre>ViteJS</pre> </b> </sub> </a> <h6> <details> <summary>Motivo</summary> <br/> <i>Após refletir sobre o real objetivo do teste, devido a sua simplicidade em termos de recursos, concluí que a estrutura minimalista do Vite era ideal.</i> </details> </h6> </td> <td align="center"> <a href="https://pt-br.reactjs.org/"> <img src="https://skillicons.dev/icons?i=react" width="65px" alt="React icon"/><br> <sub> <b> <pre>ReactJS</pre> </b> </sub> </a> <h6> <details> <summary>Motivo</summary> <br/> <i>Ele é um requisito para o teste, e é a base do Vite.</i> </details> </h6> </td> <td align="center"> <a href="https://styled-components.com/"> <img src="https://skillicons.dev/icons?i=styledcomponents" width="65px" alt="Styled Components icon"/><br> <sub> <b> <pre>Styled<br/>Components</pre> </b> </sub> </a> <h6> <details> <summary>Motivo</summary> <br/> <i>O escolhi pois, tendo em vista que teria que desenvolver muitas soluções do 0, precisaria de uma ferramenta para estilização tão poderosa e flexível quanto ele.</i> </details> </h6> </td> <td align="center"> <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript/"> <img src="https://skillicons.dev/icons?i=js" width="65px" alt="Javascript icon"/><br> <sub> <b> <pre>Javascript</pre> </b> </sub> </a> <h6> <details> <summary>Motivo</summary> <br/> <i>Fica implícito na sintáxe <code>JSX</code> do Vite.</i> </details> </h6> </td> <td align="center"> <a href="https://developer.mozilla.org/en-US/docs/Web/CSS/"> <img src="https://skillicons.dev/icons?i=css" width="65px" alt="CSS3 icon"/><br> <sub> <b> <pre>CSS3</pre> </b> </sub> </a> <h6> <details> <summary>Motivo</summary> <br/> <i>Fica implícito no Styled Components.</i> </details> </h6> </td> <td align="center"> <a href="https://developer.mozilla.org/en-US/docs/Web/HTML/"> <img src="https://skillicons.dev/icons?i=html" width="65px" alt="HTML5 icon"/><br> <sub> <b> <pre>HTML5</pre> </b> </sub> </a> <h6> <details> <summary>Motivo</summary> <br/> <i>Fica implícito na sintaxe <code>JSX</code> do Vite.</i> </details> </h6> </td> </tr> </table> ## 🗓️ Etapas > 26 das atuais 29 etapas já foram concluídas, mas novas podem ser adicionadas! <table align="center" height="548px"> <tr> <td> 🗹 </td> <td> Definição da estrutura base e instalação de dependências </td> </tr> <tr> <td> 🗹 </td> <td> Definição de estilos globais </td> </tr> <tr> <td> 🗹 </td> <td> Armazenamento dos ícones necessário do layout </td> </tr> <tr> <td> 🗹 </td> <td> Padronização das cores utilizando o <code>ThemeProvider</code> </td> </tr> <tr> <td> 🗹 </td> <td> Criação do componente central <code>components/App</code> </td> </tr> <tr> <td> 🗹 </td> <td> Desenvolvimento do <code>components/Header</code> </td> </tr> <tr> <td> 🗹 </td> <td> Desenvolvimento do <code>components/NavigationPanel</code> </td> </tr> <tr> <td> 🗹 </td> <td> Desenvolvimento do <code>components/MainContent</code> </td> </tr> <tr> <td> 🗹 </td> <td> Desenvolvimento do <code>components/UserCalendar</code> </td> </tr> <tr> <td> 🗹 </td> <td> Correção do comportamento <code>components/Header</code> durante o scroll </td> </tr> <tr> <td> 🗹 </td> <td> Criação do <code>utils/userMockup</code> e melhoria da lógica geral </td> </tr> <tr> <td> 🗹 </td> <td> Desenvolvimento do <code>components/CalendarSelect</code> </td> </tr> <tr> <td> 🗹 </td> <td> Criação do <code>utils/calendarHelpers</code> e melhoria da lógica geral </td> </tr> <tr> <td> 🗹 </td> <td> Deixando o fluxo básico do calendário funcional <img align="right" src="https://user-images.githubusercontent.com/86276393/213449768-416cc5b4-e3a7-4774-85b8-9a58cb1f8ae6.png" alt="arrow icon" /> </td> </tr> <tr> <td> 🗹 </td> <td> Estilo do calendário atualizado para 7x6 </td> </tr> <tr> <td> 🗹 </td> <td> Recebendo os eventos do usuário ao longo do mês/ano selecionado no calendário </td> </tr> <tr> <td> 🗹 </td> <td> Desenvolvimento do <code>components/UserCalendarEvents</code> </td> </tr> <tr> <td> 🗹 </td> <td> Criação do <code>context/UserCalendarContext</code> e melhoria da lógica geral </td> </tr> <tr> <td> 🗹 </td> <td> Recebendo a lista de eventos do usuário no dia selecionado no calendário </td> </tr> <tr> <td> 🗹 </td> <td> Filtrando os dias dos eventos baseado em seus tipos (entrada, saída ou ambos) </td> </tr> <tr> <td> 🗹 </td> <td> Resolvendo bug do dia atrasado e melhoria da lógica geral </td> </tr> <tr> <td> 🗹 </td> <td> Criação do <code>utils/getFormattedCurrency</code> </td> </tr> <tr> <td> 🗹 </td> <td> Deixando o calendário completamente funcional e melhoria da lógica geral </td> </tr> <tr> <td> 🗹 </td> <td> Melhoria do <code>utils/userMockup</code> </td> </tr> <tr> <td> 🗹 </td> <td> Desenvolvimento da responsividade </td> </tr> <tr> <td> 🗹 </td> <td> Melhoria do SEO e da lógica geral </td> </tr> <tr> <td> 🗹 </td> <td> Melhoria do <code>UserCalendar</code>: Chamar mês/ano anterior/posterior ao clicar em seus <br/> dias </td> </tr> <tr> <td> ☐ </td> <td> Melhoria do <code>UserCalendarEvents</code>: Mostrar apenas 1 dia quando no estado inicial <br/> e tiver mais de um (ex: 5...), e mostrar os outros ao evento de click/hover/focus na <br/> lista dos dias </td> </tr> <tr> <td> ☐ </td> <td> Melhoria do <code>UserCalendarEvents</code>: Limitar tamanho da string do título do evento </td> </tr> </table> ## 📝 Sobre > Assistir o vídeo acima e/ou acessar o projeto online ajudará na compreensão da explicação! <img align="right" src="https://user-images.githubusercontent.com/86276393/212980660-edc0babb-f014-439f-b823-4a4e9ece7d45.png" alt="notepad icon" /> Em resumo, a aplicação se consiste no meu resultado ao fazer o <a href="https://www.figma.com/file/pmfrVwEEjDQgZlItVmjr9c/Challenge%3A-Delta-Code?node-id=0-1&t=bqDD8plVKRwU2Sq4-0">Teste técnico de calendário da Delta Code</a>, onde deve-se basicamente desenvolver esse layout fornecido com fidelidade, sendo a principal parte do teste, o desenvolvimento do componente de calendário com as interações requisitadas e respeitando a restrição de fazer do 0, sem auxílio de nenhuma lib externa. <br/><br/> Como mencionado nas instruções, fiquei bastante tentado a desenvolver uma API para essa aplicação, mas após refletir percebi que devido ao prazo de 7 dias, tanto a API quanto a Interface ficariam bem medianas por falta de tempo se eu tentasse desenvolver ambas, portanto decidi focar todo o meu tempo e esforço no Front-end (mas ainda irei desenvolver essa API futuramente 🤩), e me aprofundar o máximo que conseguir nele dentro desse prazo, tentando desenvolver um código extremamente escalável, manutenível, e principalmente, indo além do que foi requisitado nas instruções do calendário. <br/><br/> E também, acredito que essa minha abordagem de focar todo meu tempo no Front-end tenha muito mais a ver com a essência do teste, pois afinal eu estou concorrendo a uma vaga de Front-end, e o teste tem como principal objetivo, além de avaliar a fidelidade do design da minha Interface, avaliar também a qualidade do meu código e como eu resolvo um problema em específico como sendo um Dev Front-end, então nada melhor do que me verem sofrendo tentando desenvolver um componente de calendário <b>completamente funcional</b> e ainda por cima <b>do zero</b> 😂 <br/><br/> Bem, depois dessa introdução mais descontraída, nas sessões abaixo eu falo mais detalhadamente sobre cada parte da aplicação. <br/> Também recomendo dar uma conferida na sessão de <a href="#-tecnologias-utilizadas">Tecnologias</a>, caso queria saber o motivo que me levou a escolher as tecnologias utilizadas, e na sessão de <a href="#%EF%B8%8F-etapas">Etapas</a> caso queria ter uma visão geral de como foi/está sendo a evolução do projeto. ### 📑 Componentes #### A aplicação conta com 10 componentes, sendo eles: - `components/App`: Esse componente é basicamente onde se encontra toda a aplicação. Ele reflete uma boa prática que faço de centralizar toda a aplicação nele, e renderizá-lo na `main`, para fins de organização; - `components/Header`: Esse componente é o cabeçalho da aplicação; - `components/NavigationPanel`: Esse componente é o painel de navegação à esquerda (desktop) ou em baixo (mobile); - `components/MainContent`: Esse componente é o que agrupa as principais informações da aplicação, sendo elas basicamente os dados do usuário (nome, foto...) no início e os componentes de calendário; - `components/UserCalendar`: Esse é o primeiro componente de calendário, relativo ao próprio calendário de fato. A partir dos dados recebidos, ele retorna dinamicamente os botões de salto no tempo acima do calendário, dias da semana, dias do mês selecionado... É por ele também que é possível selecionar os dias, meses e anos do calendário, e também mostra os dias que tem eventos destacados; - `components/CalendarSelect`: Esse componente é usado dentro do `components/UserCalendar`, e ele é responsável por agilizar e padronizar o processo de seleção de mês e ano, além de prevenir repetição de código; - `components/UserCalendarEvents`: Esse é o segundo componente de calendário, sendo responsável por mostrar o resultado da interação do usuário com o componente de `components/UserCalendar`, ou mesmo mostrar em mais detalhes o que já está sendo mostrado no `components/UserCalendar`. Isto é, ele é responsável por mostrar por exemplo, a legenda informado o status do mês/ano selecionado (se tem eventos ou não, e se sim, quais), ou os dados dos dias que contém eventos, quando o usuário clica nesses dias; <br/> - `context/UserCalendarContext`: Esse componente é o Context API que envolve os componentes de `components/UserCalendar` e `components/UserCalendarEvents`, para que ambos possam trocar informações mais facilmente e organizadamente; - `styles/GlobalStyles`: Esse é o componente que aplica os estilos globais da aplicação, ele é utilizado no `main`; - `styles/theme/default`: Esse componente tem a ver com o recurso de themeProvider do Styled Components, sendo nele que ficam armazenadas todas as informações relacionadas a cor do tema. Essa é outra boa prática que sempre costumo fazer quando uso Styled components, para fins de organização e flexibilidade ao lidar com temas ou apenas com cores em geral. ### 📄 Utilitários #### A aplicação conta com 3 utilitários, sendo eles: - `utils/getFormattedCurrency`: Responsável por, a partir do número recebido, retorná-lo corretamente em formatado em 'BRL; - `utils/calendarHelpers`: Responsável por dispor de diversas e variadas funções/informações úteis ao se lidar com os componentes de `components/UserCalendar` e `components/UserCalendarEvents`, sendo elas: - `monthNamesList` e `weekdayNamesList`: Essas são respectivamente: uma lista contendo os nomes dos 12 meses do ano, e uma lista contendo os nomes dos 7 dias da semana. Ao lidar com datas no Javascript, ele retorna os meses e dias da semana em forma de números, e uso essas listas para nomear esses números com seus respectivos nomes na posição do array. - `getYearsRangeList`: Essa função retorna um array de anos baseado nas informações de `year` e `range` que ela recebe. Ela é usada no `components/UserCalendar` para montar a seleção dos anos. - `getRangeOfDaysInMonth`: Essa função retorna um array de dias baseado nas informações de `year` e `month` que ela recebe, contendo 42 items para preencher o layout grid do calendário de 7x6, seguindo o padrão dos calendários de sistema, mostrando os últimos dias do mês anterior e os primeiros dias do mês posterior; - `getCorrectRangeOfDaysInMonth`: Há momentos em que preciso de um array apenas com os dias do ano e mês informados, e para isso existe essa função. Ela recebe o retorno da função anterior (ou seja, um array com 42 items) e o filtra, deixando apenas o dias do mês e ano informados. Um exemplo de uso dessa função, é no `components/UserCalendarEvents`, em que dependo exclusivamente dos dias do mês/ano selecionado para estruturar como eles aparecerão na legenda; - `getFormattedDate`: Baseado na data recebida, essa função pode retornar essa data formatada em `JSON` ou em `pt-BR`. Um exemplo de uso para essa função, é no `components/UserCalendarEvents` - quando o usuário clica em algum dia no calendário e aparece a data formatada no título; - `getCalendarEventsAlert`: A partir da data recebida, essa função retorna o tipo de evento (entrada, saída, ou ambos) de um dia e relaciona isso a suas respectivas possíveis ocorrências (se nesse dia, tem apenas um evento, ou mais, e se tem mais, se são do mesmo tipo ou não). Simplificando, são 5 retornos possíveis: 1. O dia só teve um evento, e foi do tipo 'entrada', 2. O dia só teve um evento, e foi do tipo 'saída', 3. O dia teve mais de um evento, e foram todos do tipo 'entrada', 4. O dia teve mais de um evento, e foram todos do tipo 'saída', 5. O dia teve mais de um evento, e não foram todos do tipo 'entrada' e nem 'saída' (ou seja, foram mistos); - `getUserEventsInSelectedDay`: A partir da data recebida (em JSON), essa função verifica se o usuário tem algum evento nessa data e o retorna. Um exemplo de uso dessa função, é quando o usuário clica em algum dia no calendário - se esse dia tenha eventos, eles serão mostrados ao lado, senão uma mensagem informando que esse dia não possui eventos; - `utils/userMockup`: Esse componente é um dos mais importantes e impactantes de toda a aplicação. Baseei minha lógica no modelo de usuário que esse componente exporta, assim simulando uma API, e nesse mesmo componente, eu deixei uma estrutura de exemplo com eventos espalhados pelo ano apenas para ter uma noção de como seria se você estivesse consumindo uma API com todos esses dados retirados da sua conta, como o Google Calendar API ou algo do tipo; ## 📖 Clonando o Projeto Para clonar e executar este projeto em seu computador, você precisará do [Git](https://git-scm.com/) e [Node.js v18.14.2](https://nodejs.org/en/) ou superior previamente instalados.<br> Feito isso, no terminal: ```bash # Clone esse repositório com: > git clone https://github.com/Luk4x/delta-code-calendar.git # Entre no repositório com: > cd delta-code-calendar # Instale as dependências com: > npm install # Execute o projeto com: > npm run dev # Feito isso, você já poderá acessar o projeto pelo link que aparecerá no terminal! (algo como http://localhost:3000/ ou http://127.0.0.1:5173/) ``` ## 📞 Contato dos Contribuintes <table border="2"> <tr> <td align="center"> <details> <summary> <b><a href="https://cursos.alura.com.br/vitrinedev/lucasmacielf">Vitrine.Dev</a> 🪟</b> <table> <tr> <td align="center"> <a href="https://github.com/Luk4x"> <img src="https://avatars.githubusercontent.com/Luk4x" width="150px;" alt="Luk4x Github Photo"/> </a> <br> <a href="https://www.linkedin.com/in/lucasmacielf/"> <sub> <img width="12px" src="https://user-images.githubusercontent.com/86276393/213034697-3d2b2048-7a83-435c-96aa-6e5fad0466eb.png" /> <b>Lucas Maciel</b> </sub> </a> </td> </tr> </table> </summary> | :placard: Vitrine.Dev | Lucas Maciel | | ------------- | --- | | :sparkles: Nome | **📅 Delta Code Calendar** | :label: Tecnologias | react, vite, styled components, javascript, css, html | :camera: Img | <img src="https://user-images.githubusercontent.com/86276393/227027789-3fe52fbe-6c13-4c9b-ba83-adf7509c96c9.png#vitrinedev" alt="vitrine.dev thumb" width="100%"/> </details> </td> <td align="center"> <details> <summary> <b><a href="mailto:luiz@delta-code.online">luiz@delta-code.online</a> 📩</b> <table> <tr> <td align="center"> <a href="https://github.com/luiz-from-delta"> <img src="https://avatars.githubusercontent.com/luiz-from-delta" width="150px;" alt="luiz-from-delta Github Photo"/> </a> <br> <a href="https://www.linkedin.com/in/luiz-antonio-neto/"> <sub> <img width="12px" src="https://user-images.githubusercontent.com/86276393/213034697-3d2b2048-7a83-435c-96aa-6e5fad0466eb.png" /> <b>Luiz Antônio Neto</b> </sub> </a> </td> </tr> </table> </summary> </details> </td> </tr> </table> <p align="right"> <a href="#-delta-code-calendar">Voltar ao Topo</a> </p> <!-- keep tecnology, phase numbers and vitrinedev techs updated add vitrinedev and portfolio-project tag Change Repo/Settings/Social Preview -->
📅 Delta Code - Teste técnico de Calendário | ReactJS, Styled Components, Javascript...
javascript,react,styled-components,swc,vite,css,html,vitrinedev
2023-03-16T02:03:12Z
2023-04-06T17:59:27Z
null
1
0
34
0
0
2
null
MIT
JavaScript
gagan257/Realtime-Chat
main
# REAL TIME CHAT (Working on README...)
Backend of Chat App with WebSockets
backend,css,expressjs,html5,javascript,nodejs,websocket,javascipt,realtime-chat
2023-03-20T16:51:53Z
2023-05-01T18:59:59Z
null
1
0
11
0
0
2
null
null
JavaScript
JakariaJishan/anime-list
develop
<a name="readme-top"></a> <div align="center"> <h1><b>Anime List</b></h1> <img src="https://user-images.githubusercontent.com/73704727/227035082-8a17d55d-bac5-4d87-827b-a6069d104443.png" alt="anime image" width="100%" /> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 Anime List <a name="about-project"></a> **Anime List react** is a webapp built using React. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://reactjs.org/">React.js</a></li> </ul> <ul> <li><a href="https://html.com/">Html</a></li> </ul> <ul> <li><a href="hhttps://www.w3schools.com/css/">CSS</a></li> </ul> </details> <details> <summary>Server</summary> <ul> <li><a href="">N/A</a></li> </ul> </details> <details> <summary>Database</summary> <ul> <li>N/A</li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **Anime List is currently on construction so it does not have features yet.** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Link](https://anime-q544.onrender.com/) - [Video Presentation](https://drive.google.com/file/d/1MavnfVoqiW9MxGEeSftHyr4wZGtvvlAm/view?usp=sharing) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - A working computer. - Connection to internet. ### Setup To get a local copy up and running follow these simple example steps. Clone this repository in the desired folder: ``` cd my-folder git clone https://github.com/JakariaJishan/anime-list.git ``` ### Install To install this project: ``` cd anime-list code . npm install ``` ### Usage To run the project, execute the following command: ``` npm start ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Jakaria jishan** - GitHub: [@jakaria](https://github.com/JakariaJishan) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Cool React components will be added in the future** - [ ] **Events and hooks will be used** - [ ] **The webapp will be unit tested** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project feel free to frok it and use it as you need. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse and Nelson Sakwa for the information provided to build this project. - Original [design](<https://www.behance.net/gallery/31579789/Ballhead-App-(Free-PSDs)>) idea by [Nelson Sakwa on Behance](https://www.behance.net/sakwadesignstudio). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ (OPTIONAL) <a name="faq"></a> - **Can I use the project for any purpose?** - Yes, you can use this files for anything you need. - **Is the information saved in any database?** - No, all data is saved in Local Storage. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Anime List is a single page web application (SPA) built with React, Redux, Axios, and Jest, which shows a list of popular anime lists, and shows detailed information on anime counts…
javascript,react,redux
2023-03-21T06:48:06Z
2023-03-23T20:05:22Z
null
1
5
31
0
0
2
null
MIT
JavaScript
moonman369/AnyChat
master
# AnyChat This is a simple, anonymous, uncensored chat app created using NodeJS and ExpressJS
This is a simple, anonymous, uncensored chat app created using NodeJS, ExpressJS and MongoDB
anonymous,chat,expressjs,javascript,mongodb,mongodb-atlas,mongoose,nodejs,pusher-api,websocket
2023-03-21T12:51:39Z
2023-04-02T10:12:21Z
null
1
0
27
0
0
2
null
null
HTML
Isabe1le/TheGameOfLifeJavascript
main
# TheGameOfLifeJavascript The Game of Life but programmed in Javascript Before today I have never programmed in Javascript, I hate this. ## Controls - Click to change the alive/dead state of a cell. - Drag to change the alive/dead state of many cells to the inverse of the state of the first cell you clicked. ## Key binds. |Key|Action| |--|--| |`SPACE KEY`|Starts the simulation.| |`TAB KEY`|Pauses the simulation.| |`R KEY`|Randomly regenerates the entire board.| |`S KEY`|Permutates the board by one generation.| |`C KEY`|Clears the board.| ## Demo ![img](https://i.imgur.com/OqB16YX.gif) ## All the GameOfLifes I've made. |Language|Repo link| |--|--| |Python|https://github.com/Scrumpyy/TheGameOfLifePython| |Java|https://github.com/Scrumpyy/TheGameOfLifeJava| |Javascript|https://github.com/Scrumpyy/TheGameOfLifeJavascript|
The Game of Life but programmed in Javascript
conways-game-of-life,gameoflife,javascript
2023-03-25T06:49:19Z
2023-03-27T18:17:39Z
null
1
1
25
0
0
2
null
MIT
JavaScript
camilleyong/blackjack
main
# BlackJack ## Description Created a simple game of Blackjack where users can risk everything withou risking everything. I created this using Javascipt, HTML, CSS, and Google Fonts. ## Table of Contents - [License](#license) - [Deployed Link](#deployed-link) - [GitHub Repository](#github-repository) - [Questions](#questions) ## License MIT License Copyright (c) 2022 Camille Yong Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. ## Deployed Link https://camilleyong.github.io/blackjack/ ## GitHub Repository https://github.com/camilleyong/blackjack ## Questions Contact me here if you have any questions <br> Email: camillemyong@gmail.com
Created a simple game of blackjack aka 21
css,google-fonts,html,javascript
2023-03-22T01:34:45Z
2023-03-22T04:03:34Z
null
1
0
16
0
0
2
null
MIT
JavaScript
GomidesTs/food-explorer-front-end
main
# Food Explorer ![Logo](https://raw.githubusercontent.com/GomidesTs/food-explorer-back-end/17c651de31265dcc961c11b01d309fbd9bfa14b8/.github/logo.svg) ## Sobre O Food Explorer é uma aplicação web desenvolvida com tecnologias como React.js no front-end e Node.js no [back-end](https://github.com/GomidesTs/food-explorer-back-end) que proporciona uma experiência completa de navegação e compra de alimentos para clientes de um restaurante. Com funcionalidades como customização de perfil, filtragem de favoritos e carrinho 100% funcional com opções de pagamento em cartão ou Pix, o projeto oferece segurança e praticidade aos usuários. Além disso, o administrador tem acesso para criar, editar e remover pratos, além de poder alterar o status dos pedidos, que são imediatamente atualizados na tela dos consumidores. O destaque é a responsividade do projeto, que se adapta a diversos tipos de dispositivos, incluindo desktops, tablets e smartphones. Os usuários precisam se cadastrar para utilizar os serviços disponibilizados na plataforma, que conta ainda com recursos adicionais, como customização do perfil do usuário (avatar, nome e senha) e diversos efeitos visuais que tornam a navegação mais agradável e intuitiva. Em resumo, o Food Explorer é uma plataforma completa e eficiente para navegar e realizar compras de alimentos de forma segura, prática e intuitiva, que proporciona uma experiência agradável e personalizada aos seus usuários. ## Tecnologias As seguintes tecnologias foram empregadas na no desenvolvimento do front-end: - axios - react - react-dom - react-icons - react-router-dom - styled-components - swiper - vite ## Como utilizar Clone o projeto para o local desejado em seu computador. ```bash git clone https://github.com/GomidesTs/food-explorer-front-end.git ``` Execute o front-end ```bash # Na raiz do projeto renomeie o arquivo .env.example para .env e insira a vite url VITE_URL = # Navegue até o diretório do front-end cd food-explorer-frontend # Instale as dependências necessárias npm install # Agora inicie o servidor do frontEnd npm run dev # O terminal irá exibir o endereço local onde a aplicação está sendo executada. Basta digitar o mesmo endereço em seu navegador preferido. O endereço usado na criação do projeto foi este: # http://localhost:5173/ ``` ## Veja o resultado final Você observará a união desse repositório com o [back-end](https://github.com/GomidesTs/food-explorer-back-end), crie uma conta e desfrute da aplicação. ### Quer ver como a aplicação funciona vista pelo administrador? Use a conta a seguir `e-mail: admin@foodexplorer.com` `senha: rocketseat` O servidor deste projeto foi hospedado no [Render](https://render.com/), um serviço de hospedagem gratuito. É importante ressaltar que, por estar hospedado em um serviço gratuito, o back-end entra em estado de hibernação após 15 minutos sem utilização. Caso o usuário tente acessar o site e o back-end não responda, é necessário aguardar um pouco, pois ele estará "inicializando" os serviços novamente. Essa etapa pode levar até 1 minuto, dependendo da carga nos servidores do Render. É importante destacar que esse tempo de inicialização pode afetar o desempenho da aplicação, especialmente em períodos de alta demanda. Por outro lado, o front-end foi hospedado na plataforma [Netlify](https://www.netlify.com/), que permite hospedar sites e aplicativos web de forma gratuita. Para que o front-end funcione corretamente, é fundamental que o servidor de back-end esteja em funcionamento e respondendo corretamente. Caso contrário, o front-end pode apresentar erros ou comportamentos inesperados. [O resultado FINAL pode ser visto aqui](https://delicate-belekoy-60cb5c.netlify.app/) ## Capturas de tela A interface da aplicação terá mudanças de layout dependendo do usuário logado e de suas restrições, o que afetará a exibição de mecânicas e ícones na tela. Abaixo estão apresentados gifs e capturas de tela que demonstram os diferentes estados separados por usuários padrão e administradores. Essas alterações no layout visam oferecer uma experiência mais personalizada e adequada às necessidades de cada tipo de usuário. Além disso, é importante ressaltar que essas mudanças estão diretamente relacionadas às permissões de acesso definidas para cada tipo de usuário, garantindo assim maior segurança e privacidade no uso da aplicação. ### Usuário padrão - Página home ![Home](https://github.com/GomidesTs/-food-explorer-front-end/blob/main/.github/home%20user.png?raw=true) - Página favoritos ![Favorites](https://github.com/GomidesTs/-food-explorer-front-end/blob/main/.github/favoritos.png?raw=true) - Aplicação segundo usuário padrão ![User](https://github.com/GomidesTs/-food-explorer-front-end/blob/main/.github/gifUser.gif?raw=true) ### Usuário administrador - Página home ![Home](https://github.com/GomidesTs/-food-explorer-front-end/blob/main/.github/homeAdin.png?raw=true) - Aplicação segundo usuário administrador ![Admin](https://github.com/GomidesTs/-food-explorer-front-end/blob/main/.github/gitAdmin.gif?raw=true) ## License [MIT](https://choosealicense.com/licenses/mit/) ## Authors - [@GomidesTs](https://github.com/GomidesTs)
A aplicação que desenvolveremos é um cardápio digital para um restaurante fictício, conhecido como foodExplorer. Tecnologias usadas: HTML, CSS, JavaScript, Node.js, React.js
api-rest,axios-react,html,javascript,react,react-router,react-router-dom,styled-components,vite
2023-03-21T23:07:19Z
2023-05-13T14:09:37Z
null
1
0
141
0
0
2
null
null
JavaScript
MariaVanMo/EncriptadorDeTextoAlura
main
✨ 🔒️🔏 # Challenge-ONE-Sprint 01-EncriptadorDeTexto 🔏🔒️ ✨ Marca este proyecto con una estrella, me ayudarias mucho! ⭐ image.png Challenge ONE Sprint 01: Construye un encriptador de texto con JavaScript. Este desafío es la entrega de retos y creación de portafolio promovida por Alura LATAM, el cual está basado en un modelo especifico de FIGMA dado por Alura LATAM, se realizará en el lenguaje de JavaScript junto con HTML5 - CSS3. Para acceder al modelo prediseñado, visita el siguiente link: https://www.figma.com/file/trP3p5nEh7XUyB3n2bomjP/Alura-Challenge---Desaf%C3%ADo-1---L%C3%B3gica?node-id=0%3A1 image.png Este proyecto además contara con una serie de reglas para su funcionamiento, estas son: 📖 -Las "llaves" de encriptación que utilizaremos son las siguientes: • La letra "**a**" es convertida a "**ai**". • La letra "**e**" es convertida a "**enter**". • La letra "**i**" es convertida a "**imes**". • La letra "**o**" es convertida a "**ober**" • La letra "**u**" es convertida a "**ufat**" 📖 REQUISITOS: 1. Debe funcionar solo con letras minúsculas. 2. No deben ser utilizados letras con acentos ni caracteres especiales. 3. Debe ser posible convertir una palabra para la versión encriptada también devolver una palabra encriptada para su versión original. Por ejemplo: "gato" => "gaitober" gaitober" => "gato" 📖 La página debe tener campos para: • Inserción del texto que será encriptado o desencriptado y el usuario debe poder escoger entre las dos opciones. • El resultado debe ser mostrado en la pantalla. 📖 Extras: • Un botón que copie el texto encriptado/desencriptado para la sección de transferencia, o sea que tenga la misma funcionalidad del CTRL + C o de la opción "copiar" del menú de las aplicaciones. • Adicional a ello se crea una página de inicio a donde el participante creara un nickname, encontrará un saludo junto con un dato curioso y finalmente un link que lleve a la zona del encriptado el cual será otra página diferente. • Este proyecto se dejará en netlify para un acceso más fácil y dinámico, link del netlify. 🔥 https://encriptadordetextoalura.netlify.app/ 🔥 🚀 🚀 🚀 🚀 🚀 🚀 Vamos allá!!! 🚀 🚀 🚀 🚀 🚀 🚀 💚image.png 💚image.png 💚image.png 💚image.png 💚image.png 💚image.png version movil responsive
Encriptador de texto desarrollado con JavaScript, HTML y CSS, el cual es el primer challenge del Proyecto ONE de Oracle-Alura LATAM. #challengeonecodificador4
challengeonecodificador4,html,html-css-javascript,javascript,html5,css3
2023-03-24T03:39:04Z
2023-03-24T05:23:11Z
null
1
0
2
0
0
2
null
CC0-1.0
CSS
FMascena/Desafio-3-La-Vie-Grupo-9
main
# La Vie - Saúde Mental Desafio 3 do Gama Experience ## Descrição: Projeto realizado no Desafio 3 do Gama Experience #48, onde tínhamos que colocar em prática conhecimentos de Back-end, criando uma API do zero utilizando Node.js, Express e Banco de Dados MySQL. ## Objetivos: - Compreender o conceito de API e como utiliza-lo - Construir uma API com boas práticas de Node.js e Express.js - Criar um Banco de Dados, desde a estrutura DER e tabelas SQL - Conectar e manipular o Banco de Dados com Sequelize ## Ferramentas utilizadas: - JavaScript - Node.js - Express.js - Insomnia - Sequelize - MySQL - GIT - Github ## Como acessar: - Clone o repositório para sua máquina utilizando o git clone - Em seu terminal, dentro do projeto, instale todos os pacotes e depêndencias usando o npm install - Após a instalação das dependências, você precisará configurar o banco de dados MySQL em sua máquina - Por fim, você poderá executar o comando npm run dev no terminal para iniciar o servidor local na porta 3000. ## Colaboradores: | [<img src="https://avatars.githubusercontent.com/u/119469019?v=4" width=115><br><sub>Felipe Mascena</sub>](https://github.com/FMascena) | [<img src="https://avatars.githubusercontent.com/u/103616315?v=4" width=115><br><sub>Humberto Luciano</sub>](https://github.com/Humberto08) | [<img src="https://avatars.githubusercontent.com/u/101738853?v=4" width=115><br><sub>Diogo Carvalho</sub>](https://github.com/oakdio) | | :---: | :---: | :---: |
Um grupo de psicólogos se juntaram e criaram a clínica La Vie - Saúde Mental que oferece diversos tipos de terapia. Para ajudar nos atendimentos, eles precisam de uma API que permita criar registros de psicólogos, pacientes e prontuários. Nosso trabalho é ajudar criando todas as funcionalidades Back-end para atender as demandas da clinica.
express,javascript,mysql,nodejs
2023-03-12T22:49:36Z
2023-03-22T08:22:40Z
null
3
0
30
0
1
2
null
null
JavaScript
Mwpereira/Routing-Algorithms-Visualizer
main
# 🖼️ Routing Algorithms Visualizer # Summary ## Collaborators Michael Pereira Udbhav Prasad Himal Patel ## Installation Instructions ### Local Development Required: Node.js Version 18+ Steps on how to run the project locally are located within the `README.md` file in the root of the project. ### Cloud Deployment Site is located at <a href="https://routing-algorithms.netlify.app/">routing-algorithms.netlify.app/</a> ## How to use Routing Algorithm's Visualizer ### Graph Building User Interface To add nodes to the graph, use the button "Add Node" to the graph. You can drag around this node to make it look better to your liking. To connect two nodes together, click on the two nodes you would like to connect and then click on "Connect Nodes". After this, once again click on "Connect Nodes" and it will create and draw this edge with a weight of '1'. To change the weight of an edge, click on the edge and a text-box will pop up below the graph. Then change the value in the text-box and click the "Update Weight" button. To delete a node, click on the node you wish to delete and click the "Delete Node" button. To delete an edge, click on the edge you wish to delete and click the "Delete Edge" button. To choose a starting node or the number of iterations, choose from either of their dropdown lists (depending on the algorithm). To calculate a graph, click on the "Calculate" button. This will use the selected algorithm and will display step-by-step instructions on how the algorithm works. To navigate between steps, click on the either the left or right arrows found on the sides of the web page which appear after calculating the graph. To edit an existing graph that has been calculated, click on the "Edit" button. To clear the graph, click on the "Rest" button. ## Dijkstra's Link-State Routing Algorithm Dijkstra's algorithm is a centralized routing algorithm that computes the least-cost path between a source node and a destination node of a graph. This algorithm computes this value with the complete knowledge about the network topology including link costs between all nodes. Furthermore, it takes an iterative approach to solving this problem. ### Algorithm Information 1. Our implementation of this algorithm takes input of the graph in the form of an adjacency list representation. 2. The graph auto-generates text based on the graph and procedure to describe what the algorithm is doing, how it is doing it and why. 3. Dijkstra's algorithm maintains a table which maintains information about the algorithm's work on the graph. ### Algorithm Understanding 1. We initialize the table which stores whether we have visited a node already or not, the shortest distance to the nodes and the root/previous node that a node is connected to (dijkstra's algorithm forms a tree at the end). 2. After this, we loop over all the nodes in the graph till we have visited all the nodes. We choose which node to visit next by taking the shortest/closet node that we have not visited yet. 3. We take the node we are currently evaluating and loop over all its neighbours to check whether the distances to them are shorter than through the current node or through the values we already have in the table. ```javascript // calculate the distance to the neighbor node from the currentNode let distance = distances[currentNode] + graph[currentNode][neighbor]; // if distance is less than the current known distance in the table then update the distance if (distance < distances[neighbor]) { distances[neighbor] = distance; prev[neighbor] = currentNode; } ``` 4. From this we construct the minimum spanning tree so that we can find the shortest distance to all the other nodes in the graph (using the previous node that each node is connected to). We trace this tree back until we reach the starting node to find the shortest path between the starting node and destination node. ## Distance Vector Routing Algorithm The Distance Vector routing algorithm is a decentralized routing algorithm that computes the least-cost path between a source node and a destination node of a graph. This is a distributed algorithm that where the routers maintain their own tables of the shortest distances. These routers communicate with each other from time to time and exchange these tables and find better paths to reach other nodes. ### Algorithm Information 1. Our implementation of this algorithm takes input of the graph in the form of an adjacency list representation. 2. The graph auto-generates text based on the graph and procedure to describe what the algorithm is doing, how it is doing it and why. 3. Each router maintains a table of the least cost paths to other nodes. 4. This algorithm is derived using the Bellman-Ford equation. 5. The number of iterations the algorithm performs to gain full knowledge of the network is equal to the number of nodes the graph has (worst case). ### Algorithm Understanding 1. We initialize the tables for each router. We then iterate through the node/router's neighbours and calculate the distance to its neighbours. 2. We then allow each node to communicate with its neighbours about each other's least-cost paths. We perform this for as many steps as the user asks for(with maximum of number of nodes). 3. With each communication iteration, we check with the Bellman Ford equation whether the cost of the path is less than. Refer to code snippet below: ```javascript if (main_distanceVector[node][neighborNode] + main_distanceVector[neighborNode][i] < main_distanceVector[node][i]) { distanceVectors[node][i] = main_distanceVector[node][neighborNode] + main_distanceVector[neighborNode][i]; } ``` # React App This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app). ## Required - [Node.js Version 18+](https://nodejs.org/en/download) ## Install Dependencies ### `npm install` ## Available Scripts ### Run the app in the development mode (Recommended) ### `npm start` Runs the app in the development mode.\ Open [http://localhost:3000](http://localhost:3000) to view it in your browser. The page will reload when you make changes.\ You may also see any lint errors in the console. ### Production build ### `npm run build` Builds the app for production to the `build` folder.\ It correctly bundles React in production mode and optimizes the build for the best performance. The build is minified and the filenames include the hashes.\ Your app is ready to be deployed! See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information. ## Learn More You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started). To learn React, check out the [React documentation](https://reactjs.org/).
Dijkstra's & Distance Vector Algorithms Visualized.
react,javascript,bulma,jquery
2023-03-18T16:42:22Z
2023-05-17T01:21:09Z
null
2
1
93
0
0
2
null
null
JavaScript
Rickazuo/green-chain-challange-01
main
<h1 align="center"> Sprint #1 Green Chain Challenge </h1> <p align="center"> Criação de uma página para a empresa Find a Friend para o desafio da <a href="https://https://www.rocketseat.com.br/">RocketSeat</a> <br/> </p> <p align="center"> <a href="#-tecnologias">Tecnologias</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-projeto">Projeto</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-layout">Layout</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-collaborators">Collaborators</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; </p> <br> <p align="center" id="-layout"> <img alt="project gif" src="./assets/sprint01GCC.gif" width="100%"> </p> ## 🚀 Tecnologias Esse projeto foi desenvolvido com as seguintes tecnologias: - HTML - CSS - JavaScript - Git e Github - Figma ## 💻 Projeto O projeto foi realizado como parte do #1 Sprint do desafio #Green Chain Challenge da RocketSeat. _<h2 align="center" ><a href="https://green-chain-challange-01.vercel.app/" target="_blank">Visite o projeto online</a></h2>_ ## 📃 Collaborators This challange was made by [Ricardo](https://rickazuo.github.io/portfolio/)
Desafio #01 green chain challange da RocketSeat
css,html,javascript
2023-03-18T13:31:17Z
2023-03-24T21:51:05Z
null
1
0
10
0
0
2
null
null
CSS
Deshan555/Flask-Chat-App
master
# Flask-Chat-App This is a simple chat application built using Flask and SocketIO. The application allows multiple users to join a chat room and send messages to each other in real-time. ### Requirements - Python 3.x - Flask - Flask-SocketIO ### Installation - Clone the repository: ```bash https://github.com/Deshan555/Flask-Chat-App.git ``` - Change directory to the project folder: ```bash cd Flask-Chat-App ``` - Install the required packages: ```bash pip install -r requirements.txt ``` ### Usage - Run the server: ```bash python app.py ``` - Open your web browser and go to `http://localhost:5000` - Enter a username and a chat room name to join or create a chat room. - Start chatting with other users in real-time. ### Files - app.py: the main Flask application file. - templates/index.html: the HTML template for the chat room page. - static/style.css: the CSS file for styling the chat room page. - static/script.js: the JavaScript file for handling the SocketIO events. ### Technologies Used - Flask - Web framework - SocketIO - Real-time communication - HTML/CSS/JS - Front-end development ![screen-shot](https://github.com/Deshan555/Flask-Chat-App/blob/master/App.png)
📲 This is a simple chat application built with Flask and SocketIO, that allows users to send and receive messages in real-time. This application makes use of Flask for creating the web server and SocketIO for handling real-time communication between the clients.
chat-application,css,flask-application,html,html-css-javascript,javascript,python-3,socket-io
2023-03-16T06:22:20Z
2023-03-16T06:42:39Z
null
1
0
9
1
1
2
null
null
HTML
Dct-tcd/Guess-the-population-
main
# Getting Started with Create React App This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app). ## Available Scripts In the project directory, you can run: ### `npm start` Runs the app in the development mode.\ Open [http://localhost:3000](http://localhost:3000) to view it in your browser. The page will reload when you make changes.\ You may also see any lint errors in the console. ### `npm test` Launches the test runner in the interactive watch mode.\ See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information. ### `npm run build` Builds the app for production to the `build` folder.\ It correctly bundles React in production mode and optimizes the build for the best performance. The build is minified and the filenames include the hashes.\ Your app is ready to be deployed! See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information. ### `npm run eject` **Note: this is a one-way operation. Once you `eject`, you can't go back!** If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project. Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own. You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it. ## Learn More You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started). To learn React, check out the [React documentation](https://reactjs.org/). ### Code Splitting This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting) ### Analyzing the Bundle Size This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size) ### Making a Progressive Web App This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app) ### Advanced Configuration This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration) ### Deployment This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment) ### `npm run build` fails to minify This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
This is an javascript app built with React . It renders two countries and you must select the country with less popuation and also a streak is shown which automatically validated
react,api,react-hooks,reactjs,usestate,usestate-hook,css,flexbox,javascript,best
2023-03-24T11:56:36Z
2023-03-24T15:47:14Z
null
1
0
2
0
0
2
null
null
JavaScript
rafaelcastrocouto/P2P-Web-Game-Tutorial
gh-pages
# P2P-Web-Game-Tutorial Learn how to make a space shooter with basic HTML, CSS and JS. All code for **multiplayer P2P** network included. Just follow each file and have fun! All information is in the code comments so you can **learn while coding**. Just go ahead and start here [index.html](https://github.com/rafaelcastrocouto/P2P-Web-Game-Tutorial/blob/main/index.html)
Learn how to make a space shooter with basic HTML, CSS and JS. Just follow each file and have fun!
game,javascript,p2p-network,tutorial
2023-03-20T10:02:31Z
2023-04-08T13:43:05Z
null
1
0
33
0
0
2
null
null
JavaScript
ThePeeps191/js-i-am-a-monkey
main
# JS "I Am A Monkey" Funny and explosive ways to `alert("i am a monkey")` in JavaScript with obfuscation # About Just a small and simple conpilation of obfuscations of the code `alert("i am a monkey")` # Contributing If you would like to add some obfuscated code, just make a pull request, but please make sure you are not submitting code that is already in this repository. # How It Works Some obfuscated code, like [JSFuck](http://www.jsfuck.com) uses "the atomic parts of JavaScript" which you can read more about at their website. The other more generic obfuscated code simply uses really random variables and the memory addresses instead of the actual variables themselves. Many also encode strings and use unnecessarily long ways to do something simple. Other ones, like [`emoticons.js`](https://github.com/ThePeeps191/js-i-am-a-monkey/blob/main/emoticons.js) — which was encoded with [aaencode](https://utf-8.jp/public/aaencode.html) — abuses UTF-8 characters making code really confusing and hard to read. # Why I Did This I was bored.
Funny and explosive ways to `alert("i am a monkey")` in JS with obfuscation
aaencode,javascript,jsfuck,obfuscation,obfuscator
2023-03-25T00:09:31Z
2024-01-17T15:47:51Z
null
1
0
19
0
0
2
null
MIT
JavaScript
nyakagwafred/nomadic_tours
main_renamed
# Nomadic tours - eCommerce App Running on MERN Stack This simplified version of an e-commerce platform, focusing on user registration, product listing, and shopping cart functionalities ## Description The app allows a user to register/sign in , they can browse a list of available tour packages which they can book, update booked tours on the shopping cart and proceed to checkout. ## Getting Started Goto the project folder and install required dependencies: ``` npm install ``` For the frontend run ``` npm run start ``` Project will be automatically open at http://localhost.com:5000 For production build: ``` npm run build ``` ### Dependencies - Windows 10 - Linux ## Technologies Used - HTML - CSS - JavaScript - React - Nodejs - MongoDB Advise for common problems or issues. ``` Just raise an issue or start a discussion on this repo. ``` ## Version History - 0.1 - Initial Release ## License This project is licensed under the MIT License. ## Acknowledgments ### Inspiration etc. - [Mara Nomads](maranomads.com) ### Code snippets etc. - [Brad Traversy](https://github.com/bradtraversy/) - [Sivadass](https://sivadass.github.io/react-shopping-cart/)
Nomadic tours - eCommerce App running on MERN Stack
express,javascript,nodejs,reactjs,redux,bootstrap5,css,html5
2023-03-17T23:19:15Z
2024-02-06T14:13:42Z
null
1
3
65
8
0
2
null
null
JavaScript
trey-wallis/nuthoughts-server
main
# NuThoughts Server Express.JS server that creates atomic markdown notes ## Installation Install Node.JS - https://nodejs.org/en/download Once installed, globally install yarn - `npm install -g yarn` Now install all dependencies - `yarn install` Create an .env file based on the .env.example - `cp .env.example .env` Now add a value to each variable in the environment file ## Usage ### Development - `yarn run dev` ## Production - `yarn run build` - `yarn run start` ### Test - `yarn run test`
Express.JS server that accepts a thought from the NuThoughts app and create a markdown file in the specified folder.
atomic-notes,notes-app,personal-knowledge-management,zettelkasten,expressjs,javascript,notes,nuthoughts
2023-03-25T04:11:56Z
2023-06-01T07:28:39Z
null
1
0
41
0
1
2
null
MIT
TypeScript
akhilraaaj/e-buy
main
This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app). ## Getting Started First, run the development server: ```bash npm i #and npm run dev # or yarn dev # or pnpm dev ``` Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. You can start editing the page by modifying `pages/index.tsx`. The page auto-updates as you edit the file. [API routes](https://nextjs.org/docs/api-routes/introduction) can be accessed on [http://localhost:3000/api/hello](http://localhost:3000/api/hello). This endpoint can be edited in `pages/api/hello.ts`. The `pages/api` directory is mapped to `/api/*`. Files in this directory are treated as [API routes](https://nextjs.org/docs/api-routes/introduction) instead of React pages. This project uses [`next/font`](https://nextjs.org/docs/basic-features/font-optimization) to automatically optimize and load Inter, a custom Google Font. ## Learn More To learn more about Next.js, take a look at the following resources: - [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API. - [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial.
An exclusive e-commerce website store to purchase limited edition sneakers
javascript,nextjs,nodejs,react,sanity,stripe,typescript
2023-03-21T06:40:58Z
2024-03-21T12:26:10Z
null
1
0
16
0
0
2
null
null
JavaScript
Khushi018/khushi018.github.io
main
# khushi018.github.io portfolio
portfolio website
css,html,javascript
2023-03-12T14:13:44Z
2024-05-09T13:43:36Z
null
1
0
18
0
0
2
null
null
HTML
Sudip-C/PETROL
main
# PETROL https://hot-caption.netlify.app ![PETROL - Google Chrome 03-04-2023 10_43_22](https://user-images.githubusercontent.com/110247476/229423774-8be01bf0-2bc8-4586-a7bc-785d76bdba85.png) PETROL-PETROL.com Hello people! Thank you for visiting our project. PETROL is a collaborative project build by four developers - [Gopi](https://github.com/ErGopiVishwakarma), [Arpit](https://github.com/arpit10saluja) and [Myself](https://github.com/Sudip-C). We have used REACT, CSS, REDUX and CHAKRA UI to build the project and completed it in 5 days. The project is responsive on all the pages and deployed using Netlify. The site has both user side and admin side. User side: The site has 6 pages on user side that covers the entire user-flow. 1. Home page: It showcases top products present on the site and provides routes to navigate to different parts of the site. 2. Account page: Here user can sign-up, sign-in or sign-out to his account. If user is signed-in, he can see his order details and profile information on this page. #PRODUCT PAGE: ![Screenshot 03-04-2023 10_44_10](https://user-images.githubusercontent.com/110247476/229859963-84c7f054-abbb-4643-bef7-0638df77f8e6.png) #PRODUCT DETAILS PAGE 3. Products page: The products page lists all the products available. It also provides sorting and filtering features to narrow down the options. ![Screenshot 03-04-2023 10_47_19](https://user-images.githubusercontent.com/110247476/229423982-f9c1794d-aa6f-4b73-a96e-301a00796f36.png) 4. Product Details page: In this page we can see all the details of a perticular product and add this product to cart and wishlist. 5. Wishlist page: Here user can see the products that wishlisted. user can add this product to cart or remove. #CART PAGE ![Captures 03-04-2023 10_48_43](https://user-images.githubusercontent.com/110247476/229860784-6f49916d-9174-431d-82d0-b57d1ced3eb9.png) 4. Cart page: All the items added into the cart are shown here. User can remove product from the cart. 5. Checkout Page: It shows summary of the order and a form to fill payment card details. After successful purchase, products are removed from the cart and shifted to the order history. Admin side: The site has 1 page on admin side which allows to manage the stock 1. Products: It lists down all the types of products present in the database. Here admin can add new products, modify the existing one or even delete the products.
An online shopping website which provides various kind of products for men ,women , kids.
chakra-ui,css3,html5,javascript,react-redux,react-router,react-router-dom,reactjs,redux
2023-03-25T13:36:40Z
2023-07-26T06:05:24Z
null
4
24
88
0
1
2
null
null
JavaScript
MiepHD/Homepage
master
# Homepage This is a all in one page; it loads all other pages on the webpage on this same webpage. The pages are loaded with XMLHttpRequests into the webpage. Then it changes with a fancy animation from one to another. It is split up into multiple categories. Every category is represented with an icon that is located in the folder. The categories are read from the `index.json`. The animations are meant to look like a circle where every category starts at the middle out. So, the navigation for the pages is located in the middle of the page. The navbar to switch between the pages in a category is located under every page. ![WhatsApp Bild 2023-04-06 um 21 35 25](https://user-images.githubusercontent.com/63968466/230477615-e419581f-1363-4793-b89a-4a1df090f84e.jpg)
Webpage with multiple pages sorted in categories
typescirpt,webpage,javascript,css,animated,animated-website,special-design
2023-03-12T07:25:05Z
2024-05-06T18:20:52Z
null
1
0
19
0
0
2
null
null
TypeScript
TheKostVK/react2023_frontend
main
<div align="center"> <p>Проект ReactJS Frontend</p> <p>ide: WebStorm -v 2022.3</p> <p>Выполненные задания находятся в ветке <span style="color: cyan">Releases</span></p> <p>Выполнили: <a href="https://github.com/TheKostVK">TheKostVK</a> и <a href="https://github.com/b1abb">b1abb</a></p> </div> <p align="center">Ссылки на проекты GitHub</p> <table align="center"> <tr> <th align="center"><a href="https://github.com/TheKostVK/react2023_frontend">Frontend</a></th> <th align="center"><a href="https://github.com/TheKostVK/react2023_backend">Backend</a></th> </tr> </table> <p align="center">Таблица используемых модулей</p> <table align="center"> <tr> <th style="color: blueviolet; font-size: large">Frontend</th> <th style="color: blueviolet; font-size: large">Backend</th> </tr> <tr> <td><p style="color: brown">ReactJS v18</p></td> <td><p style="color: brown">NodeJS/ES6</p></td> </tr> <tr> <td> <p style="font-size: large; color: black">Redux Toolkit</p> <p style="color: brown">(глобальный стейт менеджер)</p> </td> <td> <p style="font-size: large; color: black">Express + Validator</p> <p style="color: brown">(веб-сервер/валидация запросов)</p> </td> </tr> <tr> <td> <p style="font-size: large; color: black">React Hook Form</p> <p style="color: brown">(работа с формами)</p> </td> <td> <p style="font-size: large; color: black">MongoDB/Mongoose</p> <p style="color: brown">(работа с базой данных)</p> </td> </tr> <tr> <td> <p style="font-size: large; color: black">Redux Router v6</p> <p style="color: brown">(навигация/роутинг)</p> </td> <td> <p style="font-size: large; color: black">JSON Web Token</p> <p style="color: brown">(аутентификация/авторизация)</p> </td> </tr> <tr> <td> <p style="font-size: large; color: black">React Markdown/Simple Editor</p> <p style="color: brown">(редактор статей)</p> </td> <td> <p style="font-size: large; color: black">Multer</p> <p style="color: brown">(загрузка файлов/изображений)</p> </td> </tr> <tr> <td> <p style="font-size: large; color: black">Axios</p> <p style="color: brown">(отправка запросов на сервер)</p> </td> <td> <p style="font-size: large; color: black">BCrypt</p> <p style="color: brown">(шифрование пароля)</p> </td> </tr> </table>
react project backend
javascript,react,reactjs
2023-03-21T11:36:39Z
2023-03-30T21:09:21Z
2023-03-21T11:50:51Z
1
11
52
0
1
2
null
null
JavaScript
SevenAJJY/CountryGuide-extension
main
<p align="center"> <img src="./icons/icon-128.png"/> <h3 align="center">CountryGuide-extension</h3> </p> ---- > A web extension that displays info on all of the world's countries, allowing users to filter countries by name and region, and view detailed info on each country. Visit this extension <a href="sevenajjy.github.io/CountryGuide-extens/">here</a> </br> ---- ### :wrench: Tools Used - Javascript / CSS / HTML / Chrome web APIs ----- ### ⚙️ Latest Version v1.0 - displays info on all of the world's countries - minor bug fixation - UI updation ### Preview <p align="center"> <img src="/icons/preview.PNG"/> </p> ----- <p align="center"> Give the extension a :star: if you liked it.<br> Made with :heart: and javascript. </p>
A web extension that displays info on all of the world's countries, allowing users to filter countries by name and region, and view detailed info on each country.
css,css3,guide,html,html5,javascript,json,guide-countries
2023-03-22T12:47:10Z
2023-04-10T01:50:47Z
2023-03-22T14:01:45Z
1
0
22
0
0
2
null
null
JavaScript
maksym1224/ForDinnerApp
master
# What's For Dinner by _Group 5 Studio_ #### **A meal plan generator browser-based app** that allows the user to save searched recipes to weekly meal planner --- ## Product features ![Homepage and Starter Menus](./assets/screenshots/screenshot-homestarter.png) * The user can conveniently search recipes by using **starter meal ideas** (e.g. sheet pan recipes, 15-min cooking recipes) , or **random a menu** from our classic recipes list. ![Search specific recipes](./assets/screenshots/screenshot-searchrecipes.png) * If the user already has a meal idea, another option is to search that keyword in **our _find a recipe_ search bar**. The browser will display a collection of recipes with that keywords from the most popular recipe sources on the web. ![Display ingredients list](./assets/screenshots/screenshot-ingredientslist.png) * The user can check out _ingredients list_ of each recipe. ![Add to weekly planner](./assets/screenshots/screenshot-addtoplanner.png) * Once the user finds a recipe they want to add to their weekly meal planner, the user can select it, then use **a drop-down menu** to add the recipe to a specific day of the week. ![Editable meal palnner](./assets/screenshots/screenshot-mealplanner.png) * The weekly meal planner will show a title and a link to each recipe's page. * The user can **edit recipe titles and comments** by using `actions` button. * Once satisfied, the user can **quick download** a meal planner to an image and share it to family members. ![Save recipes](./assets/screenshots/screenshot-savedrecipes.png) * The user can save recipes to their log-in name. The list of their saved recipes will be stored in `firebase` realtime database. ![Find a restaurant](./assets/screenshots/screenshot-searchrestaurants.png) * We understand that you might not want to cook everyday. Therefore, we have included a feature to search for top nearby restaurants in your city. * The user can click a restaurant name to go to Google Maps. --- ### The Motivation for Development The main problem that most busy parents with little kids have is that **they don't know what to feed their kids**. They know the important of meal planning. There are tons of free family meal planning templates they can find on Pinterest. However, they are too busy to sit down and plan a meal for the whole week. Most of all, One of the parents often has no clue what should the kids have for dinner. These parents just want something super easy, portable, and shareable. Wouldn't it be nice if someone (in this case, us as developers!) builds a meal plan generator that helps the user searchs and selects a recipe to a weekly meal planner, and be able to share it to other caregivers! --- ## Technologies used * [EDAMAM's Recipe Search API](https://developer.edamam.com/edamam-recipe-api) _returns recipes from popular recipes sources on the web_ * [ZOMATO API](https://developers.zomato.com/api) _returns restaurants in the area_ * [html2canvas JS](https://html2canvas.hertzen.com/) _takes screenshots with JavaScript_ --- ## Direction for future development * Customize random search generator with user's cooking habit preference i.e., home-cooking, store-bought, carry-out parents * Add search filters by calories, diet or allergy restrictions * Help the user manage household better by showing cost of total meal --- ## Authors **Group 5 Studio Team Members** * [Victor Adams](https://kysper.github.io/) * [Tim Lukens](https://timlukens.com/) * [Micah Walker](https://mjwalker99.github.io/Basic-Portfolio/) * [Keen Wilson](https://keenwilson.github.io/) _This group project is part of the Full-Stack Web Development program at University of Kansas_
A recipe/meal plan generator app that helps the user find something to cook and plan weekly meals for their family dinner.
api,bulma-css-framework,javascript,meal-planner,recipe-search
2023-03-24T05:38:49Z
2018-10-09T02:31:07Z
null
3
0
133
0
0
2
null
null
JavaScript
MoritzGeorgy95/Join-
master
![Join](https://user-images.githubusercontent.com/104759604/236814371-211c0e96-087e-4f3e-a294-608840d9bb6d.png) <h1>Join Kanban Board</h1> Join was a group project built with a team of three people. I wrote all code associated to the contacts section and the add task section. This repo contains all the source code which is split up into the board-js section (contains all logic for the drag & drop kanban board) and the other respective files. Join has two main functions: <ol> <li> A drag & drop Kanban board, that allows users to create tasks, filter tasks, add team members to a task and move tasks around in a drag & drop area. </li> <li> A contacts section that allows users to create contacts and edit contact data.</li> <h1>Feel free to live test the project on: https://moritz-georgy.developerakademie.net/Modul10/Join/index.html</h1>
Task manager inspired by the Kanban System. Create and organize tasks using drag and drop functions, assign users and categories.
css,html,javascript
2023-03-15T19:09:02Z
2023-07-18T16:04:45Z
null
1
0
13
0
0
2
null
null
JavaScript
suravshrestha/visualizeit
main
# VisualizeIT **Algorithm visualizer project for the completion of the course of Data Structure and Algorithm [CT 552]** Year: II<br> Part: II ## Demonstration https://user-images.githubusercontent.com/24486999/225932362-40ef9b54-6d72-4930-becc-68b510c67ba5.mp4 ## Algorithms implemented - Shortest path algorithms (Pathfinding) - [Dijkstra's algorithm](https://en.wikipedia.org/wiki/Dijkstra%27s_algorithm) - [A\* search algorithm](https://en.wikipedia.org/wiki/A*_search_algorithm) - Backtracking - [N-Queens](https://en.wikipedia.org/wiki/Eight_queens_puzzle) - [Sudoku solver](https://en.wikipedia.org/wiki/Sudoku_solving_algorithms) - [Recursion - Tower of Hanoi](https://en.wikipedia.org/wiki/Tower_of_Hanoi) ## Requirements - [Node.js](https://nodejs.org/en/) (for `npm`) ## Usage 1. Clone the repository ``` git clone https://github.com/suravshrestha/visualizeit.git ``` 2. Navigate to the repository :open_file_folder: ``` cd visualizeit ``` 3. Install the dependencies ``` npm install ``` This might take a while to complete. 4. Start the development server ``` npm run dev ``` ## Developers 1. [Sudeep Subedi](https://github.com/nothing-mann) (PUL077BCT083) 2. [Sujan Kapali](https://github.com/Sk47R) (PUL077BCT086) 3. [Surav Krishna Shrestha](https://github.com/suravshrestha) (PUL077BCT089)
Interactive visualization tool for pathfinding, backtracking, and recursion algorithms
css,dsa,html,javascript,react
2023-03-20T02:52:44Z
2023-10-04T07:53:49Z
null
1
2
79
0
1
2
null
CC0-1.0
JavaScript
AshrafAlagmawy/30-Days-Of-HTML-CSS-JavaScript
main
## 30 Days Of HTML CSS JavaScript ### This repo will be contain of 30 projects of HTML &amp; CSS &amp; JS `Through Ramadan Insha Allah` | Day | Project | Live Demo | | :-: | :----------------------------: | :-------: | | Day 01 | [Expanding Card](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2001%20-%20Expanding%20Cards) | [Live Demo](https://expandiing-cards.netlify.app/) | | Day 02 | [Progress Steps](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2002%20-%20Progress%20Steps) | [Live Demo](https://progres-steps.netlify.app/) | | Day 03 | [Rotation Navigation](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2003%20-%20Rotating%20Navigation) | [Live Demo](https://rotation-navigation.netlify.app/) | | Day 04 | [Hidden Search Widget](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2004%20-%20Hidden%20Search%20Widget) | [Live Demo](https://search-hidden-widget.netlify.app/) | | Day 05 | [Blurring Loading](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2005%20-%20Blurry%20Loading) | [Live Demo](https://blurr-loading.netlify.app/) | | Day 06 | [Scroll Animation](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2006%20-%20Scroll%20Animation) | [Live Demo](https://scroll-aniimation.netlify.app/) | | Day 07 | [Split Landing Page](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2007%20-%20Split%20Landing%20Page) | [Live Demo](https://split-landing-pagee.netlify.app/) | | Day 08 | [Form Wave Animation](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2008%20-%20Form%20Wave%20Animation) | [Live Demo](https://form-wave-aniimation.netlify.app/) | | Day 09 | [Sounds Board](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2009%20-%20Sound%20Board) | [Live Demo](https://sound-b0ard.netlify.app/) | | Day 10 | [Generate Jokes](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2010%20-%20Dad%20Jokes) | [Live Demo](https://generate-dad-joke.netlify.app/) | | Day 11 | [Event Keycode](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2011%20-%20Event%20KeyCodes) | [Live Demo](https://event-keycodee.netlify.app/) | | Day 12 | [FAQ](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2012%20-%20FAQ%20Collapse) | [Live Demo](https://faqq-collapse.netlify.app/) | | Day 13 | [Random Choice Picker](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2013%20-%20Random%20Choice%20Picker) | [Live Demo](https://random-choicee-picker.netlify.app/) | | Day 14 | [Animated Navigation](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2014%20-%20Animated%20Navigation) | [Live Demo](https://animateed-navigation.netlify.app/) | | Day 15 | [Incremented Counter](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2015%20-%20IncrementingCounter) | [Live Demo](https://incremented-counter.netlify.app/) | | Day 16 | [Drink Water](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2016%20-%20Drink%20Water) | [Live Demo](https://drink-watter.netlify.app/) | | Day 17 | [Movie App](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2017%20-%20Movie%20App) | [Live Demo](https://moviiee-app.netlify.app/) | | Day 18 | [Background Slider](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2018%20-%20Background%20Slider) | [Live Demo](https://background-sliider.netlify.app/) | | Day 19 | [Theme Clock](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2019%20-%20Theme%20Clock) | [Live Demo](https://theme-cloock.netlify.app/) | | Day 20 | [Button Ripple Effect](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2020%20-%20Button%20Ripple%20Effect_) | [Live Demo](https://button-riipple-effect.netlify.app/) | | Day 21 | [Drag and Drop](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2021%20-%20Drag%20N%20Drop) | [Live Demo](https://dragg-and-drop.netlify.app/) | | Day 22 | [Drawing App](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2022%20-%20Drawing%20App) | [Live Demo](https://drawiing-app.netlify.app/) | | Day 23 | [Kinetic Loader](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2023%20-%20Kinetic%20CSS%20Loader) | [Live Demo](https://kinetic-looader.netlify.app/) | | Day 24 | [Content Placeholder](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2024%20-%20%20ContentPlaceholder) | [Live Demo](https://content-placeholdeer.netlify.app/) | | Day 25 | [Sticky Navigation](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2025%20-%20Sticky%20Navbar) | [Live Demo](https://stiicky-navigation.netlify.app/) | | Day 26 | [Vertical Slidebar](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2026%20-%20Double%20Vertical%20Slider) | [Live Demo](https://vertical-slidebasr.netlify.app/) | | Day 27 | [Toasts Notification](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2027%20-%20Toast%20Notification) | [Live Demo](https://toast-notificatiion.netlify.app/) | | Day 28 | [GitHub Profile](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2028%20-%20Github%20Profiles) | [Live Demo](https://github-profiile.netlify.app/) | | Day 29 | [Double Heart Click](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2029%20-%20Double%20Heart%20Click) | [Live Demo](https://double-heart-clicked.netlify.app/) | | Day 30 | [Auto Text Effect](https://github.com/ashrafemad097/30-Days-Of-HTML-CSS-JavaScript/tree/main/Day%2030%20-%20Auto%20Text%20Effect) | [Live Demo](https://auto-text-effeect.netlify.app/) |
30 Projects using HTML & CSS & JS in 30 Days in Ramadan Mubarak
css3,html5,javascript,css,html
2023-03-23T00:42:39Z
2023-05-02T13:02:13Z
null
1
0
134
0
0
2
null
null
CSS
narinderkmaurya/ImageFORGE
master
# Image Forge - AI Image Generator ## Project description Image Forge is a MERN (MongoDB, Express.js, React.js, Node.js) stack application powered by AI to generate unique and engaging images. By simply inputting prompts, users can create captivating AI art. Additionally, the application features an interactive chatbot designed to enhance a user's prompt, making the creation of these AI images a smooth and intuitive experience. This project is completely open-source and free to use. **Table of contents** - [Installation](#installation) - [Usage](#usage) - [Contribution guidelines](#contribution-guidelines) - [Screenshots](#screenshots) - [Contact information](#contact-information) ## Installation To run this project locally, follow these steps: 1. Clone/download the repository on your local machine. bash git clone https://github.com/narinderkmaurya/ImageFORGE.git 2. Install the necessary packages. bash npm install 3. Create a .env file in the root of your project and add necessary environment variables as listed below. OPENAI_KEY = 'your openai key' MONGODB_URL = 'your mongodb url' CLOUDINARY_CLOUD_NAME = 'your cloudinary cloud name' CLOUDINARY_API_KEY = 'your cloudinary api key' CLOUDINARY_SECRET_KEY = 'your cloudinary secret key' NODE_VERSION = 'your node version' 4. Start the server and the application should be accessible on `localhost:5173`.(Note- for running frontend => use 'npm run dev' for running backend => use "npm start" ## Usage After installation, head to `localhost:5173` on your browser. Enter your name and your image prompt. Get creative with the prompt, the chatbot is there to help enhance it. Create away! ## Contribution Guidelines We welcome contributions from fellow developers. Feel free to fork the repo and create a pull-request with your changes. ## Screenshots ![Screenshot (120)](https://github.com/narinderkmaurya/ImageFORGE/assets/96182171/bab54aac-f39f-47f5-9b13-7c8a62828251) ![Screenshot (124)](https://github.com/narinderkmaurya/ImageFORGE/assets/96182171/f7f091f3-9621-4e4a-9312-1629c943f5fb) ![Screenshot (125)](https://github.com/narinderkmaurya/ImageFORGE/assets/96182171/dc8fe671-48f3-4b90-a210-26551220adf0) ![Screenshot (126)](https://github.com/narinderkmaurya/ImageFORGE/assets/96182171/df504645-b88a-4ffe-b1c2-d7a6d5d254f6) ![Screenshot (127)](https://github.com/narinderkmaurya/ImageFORGE/assets/96182171/f9e046b9-63bc-439b-ad29-6a9020adb8d1) ![Screenshot (128)](https://github.com/narinderkmaurya/ImageFORGE/assets/96182171/3fae6527-f7f7-446a-ae11-444e747aab5e) ![Screenshot (129)](https://github.com/narinderkmaurya/ImageFORGE/assets/96182171/b9f723ab-5c4a-423c-831d-7906df77812c) ## Contact Information Please feel free to reach out for any questions, feedback or collaboration opportunities. **📨- narinder06@pm.me** Enjoy creating with Image Forge!
Image Forge is a MERN (MongoDB, Express.js, React.js, Node.js) stack application powered by AI to generate unique and engaging images. By simply inputting prompts, users can create captivating AI art. Additionally, the application features an interactive chatbot designed to enhance a user's prompt, making the creation of these AI images a smooth an
cloudinary,javascript,openai,react,tailwindcss
2023-03-13T13:36:03Z
2023-08-22T17:46:52Z
2023-07-02T23:36:25Z
1
0
20
1
0
2
null
null
JavaScript
agnlt/swift-messenger
master
# SwiftMessengr You can access SwiftMessengr [here](https://www.swiftmessengr.com). Be careful, every info that you may enter will probably be deleted since this app is in its early stage of development. ## Warning In order to run properly, the app needs a config file named `.config` in the root directory of the app (`app/.config`) containing the PostgreSQL URL of your database. If the app doesn't find the config file, it will look for the `DATABASE_URL` environment variable, which should also be containing a PostreSQL URL. Not doing one of the above will result in a crash and the app will simply not run. Howerver, this feature is currently disabled and the database will be created at the root of the app in `instance/db.sqlite3` ## Dependencies The app needs `flask`, `flask-login`, `flask-socketio` and `flask-sqlalchemy` to work properly. In the `requirements.txt` file, the `flask` version is 2.2.5, which is not the latest, to avoid problems with Render, the hosting platform for this project. It is the same thing for `Werkzeug` (a `flask` dependency), the version is 2.2.3 to avoid problems. You need to manually change the `Werkzeug` version since it is automatically installed with `flask`. You will have to change the versions each time you run the `pip freeze` command. ## API The API available for this application is very simple. All the routes begin with `/api`, e.g `/api/auth/login`. All available endpoints: ``` # Authentication API POST /api/auth/login -> checks the user credentials and login POST /api/auth/sign-up -> registers an user in the database and automatically logs the user in # Admin API POST /api/admin/todolist/add -> adds a task in the admin todolist POST /api/admin/todolist/delete/<task id> -> deletes a task with its unique id POST /api/admin/todolist/update/<task id> -> updates a task with its unique id POST /api/admin/update/role/<user id> -> updates the role of the user with its unique id POST /api/admin/create/user -> creates an user within the admin interface # Chat API POST /api/chat/create -> creates a new chat group GET /api/chat/group/<chat id> -> accesses a chat group with its unique id POST /api/chat/send -> here for semantical reasons, does not actually send a message # Settings API POST /api/settings/update/profile-picture -> updates the profile picture of the current user (no need to specify the unique id) POST /api/settings/update/password -> updates the password of the current user (no need to specify the unique id) # Users API GET /api/users/all -> returns a JSON object containing all the users GET /api/users/member/<name> -> returns a JSON object containing the infos about the <name> ``` ## Roadmap - [x] User authentication - [x] Full Ajax implementation (no page reloading even for auth) - [x] Chat groups - [ ] Managing chat groups - [x] Customisable profile picture - [x] Dark mode - [x] Change and password - [x] Admin interface - [x] Roles - [x] Actually sending messages - [x] Delete and edit a message - [ ] Multiple users in one chat group ### Future featues (when everything else is finished) - [ ] Ping a specific user - [ ] Ping everyone in a chat group - [ ] Ban a user from a chat group - [ ] Permissions inside a chat group - [ ] Permanently ban a user - [ ] Mobile app (not sure) ## Run on macOS/Linux ```console git clone https://github.com/ABFStudio/swift-messenger.git cd swift-messenger python3 -m venv .env source .env/bin/activate pip install -r requirements.txt python main.py ``` ## Run on Windows ```console git clone https://github.com/ABFStudio/swift-messenger.git cd swift-messenger python -m venv .env .env\Scripts\Activate.ps1 pip install -r requirements.txt python main.py ```
A very simple chat app
python,web,css,flask,flask-sqlalchemy,javascript
2023-03-17T14:21:03Z
2024-02-12T21:10:50Z
null
2
0
130
0
0
2
null
null
JavaScript
Tapish1511/musicRecomdation
main
# musicRecomdation website will recommend the music according to the expression of person
website will recommend the music according to the expression of person
express-js,face-detection,faceapi-js,javascript,mern-stack,mongodb,node-js,reactjs
2023-03-25T17:43:15Z
2024-01-11T05:37:32Z
null
4
1
44
0
1
2
null
null
JavaScript
AdrianoVolter/To-Do-List
master
null
Projeto To Do List , exercício semana 8 , curso Full-stack - Aula React
css,git,gtihub,html,javascript,react,todolist,npm,vite,hooks
2023-03-21T17:11:27Z
2023-03-27T17:11:23Z
null
1
0
20
0
0
2
null
null
JavaScript
yogeshjha06/library_marwari
main
# Centralized Student Management System - for Ranchi University ### © 2023 - Yogesh Kumar Jha The Centralized Student Management System for Ranchi University is a comprehensive web-based platform designed to simplify and streamline the student management process for the university. This system is designed to provide easy access to information related to student attendance, results, library book issues, digital locker, fine or dues facilities, and community chat. ## Features - Add or remove students easily - Book issue from library - Attendance tracking - Results tracking - Community chat feature for communication between students and teachers - Digital locker for storing important documents - Fine or dues facilities for managing student payments ## User Roles The system is designed to have two modes - Student and Teacher login. Teachers have access to all features and can easily manage student data. Students have limited access and can only view details related to their own profiles. ## Getting Started To get started with the Centralized Student Management System, simply log in to your account and start exploring the features. You can add or remove students, track attendance and results, and manage other aspects of student management. ## Installation As the Centralized Student Management System is a web-based platform, there is no need for any installation. Simply log in to the system and start using it. ## Technologies Used - PHP - AJAX/Bootstrap - HTML/CSS/JavaScript - MySQL Server - AZURE Architecture ## License The Centralized Student Management System for Ranchi University is open source software licensed under the MIT License. Anyone is free to use and modify the system as per their requirements. ## Contributing If you would like to contribute to the development of the Centralized Student Management System, feel free to create a pull request on our GitHub repository. We welcome all contributions and appreciate your support. ## Contact If you have any questions or feedback related to the Centralized Student Management System, please feel free to contact us at yogeshjha0707@gmail.com . We will be happy to assist you.
Centralized Student Management System for Ranchi University
ajax,azure,bootstrap,css,javascript,php,php8,sql
2023-03-20T20:23:40Z
2023-05-10T07:25:32Z
null
1
0
4
0
0
2
null
Apache-2.0
PHP
sabzdotpy/niya
main
<center> ![Logo](https://github.com/sabzdotpy/niya/blob/main/src/assets/niya.png) </center> # Introducing Niya - your personal healthcare assistant. Niya is a web-based application designed to help you take control of your health and wellbeing. With its cutting-edge features, Niya empowers you to manage your healthcare needs from the comfort of your home. Niya's **machine learning algorithms** analyze your health data to provide personalized predictions about potential diseases you may be at risk for. By tracking your symptoms and lifestyle habits, Niya can help you stay one step ahead of any potential health issues. Additionally, if you are experiencing any illness, Niya can automatically send an email to your doctor with your symptoms for a quick and efficient diagnosis. Niya's **journal** feature allows you to keep track of your thoughts and emotions, which can be an essential part of maintaining good mental health. You can use the journal to jot down your feelings, set goals, and track your progress. Niya's **mood tracker** allows you to monitor your mood patterns and identify any triggers that may be affecting your mental health. Another feature of Niya is its **calorie tracker**, which helps you monitor your daily calorie intake and maintain a healthy diet. With Niya, you can set goals, track your meals, and receive recommendations on healthy eating habits. For those interested in improving their reading habits, Niya also has a **book recommendation system** that suggests books based on your interests and reading preferences. This feature can be especially helpful for those seeking information on health and wellness. Niya **values your privacy** and ensures that all your **health data is kept secure and confidential**. The application is easy to navigate, with a simple and user-friendly interface. Niya can be accessed from any device with an internet connection, allowing you to manage your health on-the-go. In conclusion, Niya is an innovative and comprehensive web application that serves as your personal healthcare assistant. Its advanced features, such as disease prediction using machine learning, mood tracking, calorie tracking, and book recommendations, make it an invaluable tool in managing your health and wellness. With Niya, you can take control of your health and lead a happier, healthier life. ## Features - Disease Prediction - Motivational Quotes Page - Journal - Mood Tracker - Calorie Tracker - Book Recommendations - Account System - Cross Platform - Seamless Design - Easy Navigation ## Run Locally Clone the project ```bash git clone https://github.com/sabzdotpy/niya.git ``` Go to the project directory ```bash cd niya ``` ### Install dependencies Frontend ```bash npm install ``` Backend ```bash cd flask && pip install -r requirements.txt ``` ### Run Frontend and Backend ```bash npm run dev ``` ```bash npm run server ```` ## Tech Stack **Client:** React, SCSS **Server:** Python, Flask ## Screenshots <center> ![Home page](https://github.com/sabzdotpy/niya/blob/main/src/assets/home_page.png) ![All symptoms page](https://github.com/sabzdotpy/niya/blob/main/src/assets/all_page.png) ![Related symptoms page](https://github.com/sabzdotpy/niya/blob/main/src/assets/rela_page.png) ![Prediction page](https://github.com/sabzdotpy/niya/blob/main/src/assets/predi_page.png) ![Quotes page](https://github.com/sabzdotpy/niya/blob/main/src/assets/quotes_page.png) </center>
Personal healthcare assistant (and friend!).
healthcare,healthcare-application,machine-learning,reactjs,flask,assistant,health,javascript,personal-assistant,python
2023-03-22T04:51:42Z
2024-01-29T17:10:05Z
null
1
2
92
0
1
2
null
null
JavaScript
Yesarib/Simon-Game
master
# Simon-Game ## A Simon Game made with JavaScript. ### A Challenge of 'The Complete 2023 Web Development Bootcamp' course.
A Simon Game made with JavaScript.
game,javascript
2023-03-15T18:04:17Z
2023-03-15T18:06:21Z
null
1
0
2
0
0
2
null
null
JavaScript
alencarfbitalo/alencarfbitalo.github.io
main
# WhereLife - Onde há vida?! WhereLive - Onde há vida?! Um projeto que traz a relevante vida da fauna. <br> ![Maintainer](https://img.shields.io/badge/License-MIT-orange) <br> <p align="center"> <a href="#tecnologias">Tecnologias</a> | <a href="#páginas">Páginas</a> </p> <br> <h2>QR code para ver o site completo</h2> <img src="./imgreadme/WereLife.png" width="300" height="300"> <br> # Tecnologias Esse projeto foi desenvolvido com as seguintes tecnologias: ![Generic badge](https://img.shields.io/badge/-HTML5%20-green) ![Maintainer](https://img.shields.io/badge/-CSS3-blue) ![Maintainer](https://img.shields.io/badge/-Javascript-yellow) ![Maintainer](https://img.shields.io/badge/-Bootstrap-red) <br> # Páginas <br> ## Inicial <img src="./imgreadme/paginainicial.jpg"> ## Imagens & Vídeos <img src="./imgreadme/paginaimgevideos.jpg"> ## Parceiros <img src="./imgreadme/paginaparceiro.jpg"> ## Contatos <img src="./imgreadme/paginacontatos.jpg"> <br> # Compartilhamos imagens e vídeos dos animais em seu habitat natural bem como em zoológicos e criatórios devidamente autorizados. # Contamos com uma geleria especifica para você que quer ser nosso parceiro Free - Petshop, Criatórios e Casas de Ração.
WhereLife - Onde há vida?!
css3,html5,javascript,bootstrap
2023-03-20T14:46:50Z
2023-12-22T01:09:24Z
null
1
0
36
0
0
2
null
MIT
HTML
Zeref101/Guess-the-Number-Game
main
# Guess-the-Number-Game Guess the secret number in the mysterious white box , If your guess is too high or too low, you'll get a hint.
Guess the secret number in the mysterious white box , If your guess is too high or too low, you'll get a hint.
css3,html,javascript
2023-03-15T17:30:49Z
2023-03-16T08:25:02Z
null
1
0
6
0
0
2
null
null
CSS
BlazeInferno64/blaze-audio-player
main
# Blaze-Audio-Player About A free open source web audio player with advanced features directly accessible from your browser! |--------------| # View it here- <a href="https://blaze-audio-player.onrender.com/"> ``` https://blaze-audio-player.onrender.com/ ``` </a> ` Thanks for reading :) Have a nice day :D `
A free open source web audio player with advanced features directly accessible from your browser!
audio-player,custom-audio-player,audio,audio-analysis,audio-streaming,audio-visualizer,chrome-extension,css,css3,github
2023-03-20T07:39:18Z
2024-03-17T07:44:02Z
null
1
0
76
0
0
2
null
GPL-3.0
CSS
Arjun2715/RecipeHunter
main
# Recipe Hunter **demo**-> https://drive.google.com/file/d/1fK9BXInxgTq1igxuO618qlsmlCYkOlxT/view?usp=sharing **screenshots** ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/67a3dab5-cf97-48c8-8c04-816fc9a9e5a8) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/8e5a5691-4ee2-4e8d-a393-97451780d9e5) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/691507c0-2cc7-461a-a2dc-749779913848) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/75784f98-badb-41cb-8974-aa12869ba57c) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/5acbf882-667c-403c-9c84-f651768d26f9) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/e6c71ab4-52a7-46c4-b53e-2b12eef6c0a5) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/f8088079-b8c6-422b-8740-6d8a6b5227cf) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/8be1d13b-6d38-439c-9020-20e07bc1b441) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/17496f98-14d0-4df7-9838-250136c49883) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/ad364d6c-8271-4b15-aa03-b0a031d9697c) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/0ef28109-9fa8-4219-9025-f99588efa447) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/701135fc-0b1d-4157-acde-ad597f9a79db) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/6ee44a77-dee5-4037-b515-7dfc563687e8) ![image](https://github.com/Arjun2715/RecipeHunter/assets/91607595/b805255a-f284-4400-b754-c6a098f49d4f) **Setup** <sup>composer install</sup> <sup>npm install</sup> **Set up .env file** copy env.example an paste as .env **Generate app key** <sup>php artisan generate:key</sup> **Start the server** <sup>php artisan serve</sup> <sup>npm run dev</sup>
Recipe Hunter recipes search and management
daisyui,food,inertiajs,javascript,laravel,recipes-website,spoonacular-api,tailwindcss,vue,vue3
2023-03-24T12:07:31Z
2024-04-04T15:48:49Z
null
2
81
229
0
0
2
null
MIT
Vue
EduMMorenolp/UdemyCursos
main
null
Repositorio de Ejercicios de Cursos de programacion realizados en Udemy
angular,css,html,java,javascript,jquery,pytho,spring,sql,typescript
2023-03-20T06:30:14Z
2024-03-18T01:21:51Z
null
1
0
40
0
0
2
null
null
Python
jankstar/MovieCat
main
# MovieCat (moviecat) Chrome App (PWA) Chrome App (PWA): Record from camera or screen and save as a movie. use it <br/> [`moviecat.azurewebsites.net`](https://moviecat.azurewebsites.net) or clone it<br/> `git clone https://github.com/jankstar/MovieCat.git` <br/> # App It is a PWA app developed in Quasar and Vue with Tailwindcss. The application should be used in Chrome, because Chrome uses a certificate in interaction with a Mac, so that the application can access the screen, a camera or the microphone. Some other browsers do not support these functions! ## Resolution, frame rate Before starting the recording, the resolution and the frame rate should be adjusted. These settings determine the required memory or file size of the recording. ## Compression The media format depends on the capabilities of the browser. The file format and compression depend on these selections. The selection must be made before starting the recording. ## Recording duration / memory size Depending on the computer, the memory for the recording is limited, i.e. the recording is kept in blocks in the memory and this memory is limited to 4 GByte on a Mac with 64 bit operating system, for example. Depending on the resolution, frame rate and compression, the recording time is thus limited. It would be possible to create several files, which you later join together with ffmpeg - this is not currently supported. For decoding the WebM data, `arrayBuffer` objects are used; these are limited to 2 GByte - this function is only available for smaller files. The upload processes slices in 2 GByte blocks (array of blobs). ## File api If the function `showDirectoryPicker` is available, a card for a directory and file handling is displayed. A file can be read and also written to this directory when saving (download button/function). Depending on the mime type, only files with the defined extension are displayed and can be loaded. For WebM, the file is decoded and the metadata, e.g. duration, is determined. This function is asynchronous and depends on the file size, it needs a few seconds. ## Supported codec The supported codec depends on the browser - Chrome in version 113, for example, only supports WebM as a container and VP8, VP9 or H.264 for video encoding. The media player, however, can play mp4. For this reason, only files with the WebM extension are selected in the file api. The button for native upload also loads any other file. For ts (mpeg), for example, only the sound is decoded and played on. So if you need a player, you should use VLC. # Server The application uses a server in go (gin-gonic), but node.js or any other can also be used. The go server works locally with generated certificates that have to be created in the /key directory. For testing, I generated the certificates on my local IP address, so that the server can start at another IP address without HTTPS and thus use HTTPS when deploying to Azure via the proxy there. If golang is deployed to the Azure Cloud, version 1.17 must be used. Of course, node.js can also be used. Please note: the application must either use HTTPS or `localhost`, which is a prerequisite for every PWA application. # Build The application is generated with the following command: `quasar build -m pwa` In the configuration, `minify: false ` can be set if the source code is to be analysed. In addition, `useFilenameHashes: false ` can be used to prevent new file names from being generated again and again for the generated assets and, if necessary, to force the server to reload them. The server is generated under linux (Azure Cloud) with the command `env GOOS=linux GOARCH=amd64 go build -o server main.go `. In the Azure Cloud, the server is then started `/home/site/wwwroot/server`. Of course, node.js can also be used. (2023/04/01)
Chrome App (PWA): Record from camera or screen and save as a movie.
javascript,pwa-app,quasar-pwa,recorder,tailwindcss,vue,movie,webm
2023-03-25T07:02:53Z
2024-04-23T17:56:37Z
null
1
0
62
0
2
2
null
MIT
Vue
wraith4081/ruru92
main
# ruru92 I will write a description of this project soon. For now, I am just leaving the [demo](https://ruru92.wraith.com.tr) link.
Encrypt and decrypt your texts in a fast and simple cryptographic way.
cryptography,decryption,encryption,javascript,react,typescript
2023-03-18T14:43:21Z
2023-08-07T03:35:53Z
2023-04-03T01:58:47Z
1
0
9
0
0
2
null
MIT
TypeScript
lack21/Blorg
main
# Blorg Tools Used : • HTML • SCSS • Javascript ![desktop-preview](https://user-images.githubusercontent.com/100687592/226144254-d5126215-43db-473f-8bec-fc918f321184.jpg) Link : https://lack21.github.io/Blorg/
Design Project
html,javascript,scss
2023-03-18T22:50:44Z
2023-03-19T09:51:27Z
null
1
0
4
0
0
2
null
null
SCSS
kevina-code/Dynamic_Clone_LWC
master
# Dynamic_Clone Object-agnostic LWC that can be dropped into any lightning record page and provide ability to clone records from multiple child objects in one swoop. It can also be tied to quick actions. Displays a canvas with child objects that the user can select to clone records from. Child objects available for cloning can be filtered via comma-delimited list in the target config. Only child objects actually containing records are displayed. <a href="https://githubsfdeploy.herokuapp.com"> <img src="https://raw.githubusercontent.com/afawcett/githubsfdeploy/master/src/main/webapp/resources/img/deploy.png" alt="Deploy to Salesforce" /> </a> ![image](https://user-images.githubusercontent.com/124932501/227751104-0aa2c3b1-e4d1-4d82-b131-9da20353f585.png) ![image](https://user-images.githubusercontent.com/124932501/227751122-171c223b-5f54-47ec-bc86-17adc9525c84.png) ![image](https://user-images.githubusercontent.com/124932501/227751414-7afdc2e9-05d0-4343-a323-63a3168e7f2a.png)
Object-agnostic LWC that provides the ability to clone records from multiple child objects in one swoop
lwc,apex,javascript
2023-03-14T04:04:30Z
2023-03-26T02:09:33Z
null
1
0
16
0
0
2
null
null
Apex
lack21/Bookmark
main
# Bookmark Tools Used: • HTML • SCSS • Javascript ![desktop-preview](https://user-images.githubusercontent.com/100687592/224690863-ff0cf399-f29a-43f2-bec7-a052ff99c525.jpg) Link : https://lack21.github.io/Bookmark/
Website Project
html,javascript,scss
2023-03-13T11:27:50Z
2023-03-13T11:35:55Z
null
1
0
2
0
0
2
null
null
HTML
lack21/Insure
main
# Insure Tools Used: • HTML • SCSS • JS ![desktop-preview](https://user-images.githubusercontent.com/100687592/224548440-270e2600-e3d1-4998-aa07-ff10522674e6.jpg) Link : https://lack21.github.io/Insure/
Website Project
html5,javascript,scss
2023-03-12T13:39:19Z
2023-04-26T14:48:20Z
null
1
0
5
0
0
2
null
null
SCSS
recallwei/code-magician
main
# Code Magician <img src='./images/code-magician.png' width='64' height='64' /> <img src='./images/avatar.png' width='64' height='64' /> In the VSCode Extension Store, search _**`Code Magcian`**_. ## Features Some React or Vue related code snippets created by Bruce Song. ## Requirements Easy and out of the box. ## Snippets ### JavaScript/TypeScript | Snippet | Purpose | | ------- | -------------- | | `im` | Import modules | | `ex` | Export modules | ### Vue Template | Snippet | Purpose | | ------- | ---------------------------------- | | `vssj` | Vue 3 script setup with JavaScript | | `vsst` | Vue 3 script setup with TypeScript | | `vcss` | Vue 3 style with CSS | | `vscss` | Vue 3 style with SCSS | | `vless` | Vue 3 style with LESS | ### Vue Script | Snippet | Purpose | | -------------- | ----------------- | | `vcomputed` | Vue 3 computed | | `vwatch` | Vue 3 watch | | `vwatchEffect` | Vue 3 watchEffect | ## Extension Settings - `code-magician.enable`: Enable/disable this extension. ## Known Issues Currently None. ## Release Notes ### 0.0.4 Make JavaScript/TypeScript import snippets easier to use. ### 0.0.3 Adjust extension's description. ### 0.0.2 Adjust Vue snippets. ### 0.0.1 Initial release of Code Magician. ## TODO - [ ] Add gitignore snippets. - [ ] Add more React snippets. - [ ] Add more Vue snippets. - [ ] Add more JavaScript snippets. - [ ] Add more TypeScript snippets. ---
🪄 A VSCode extension for JavaScript & React & Vue code snippets, out of box.
code-snippets,javascript,react,typescript,vscode-extension,vue,code-magician
2023-03-19T03:49:05Z
2023-03-28T08:17:16Z
null
1
0
13
0
0
2
null
MIT
JavaScript
Kayieni/thesis_app
main
# SICaMoT: Stress Inverssion Calcuator of Moment Tensors A Web application to calculate the stress inversion for a group of moment tensors of seismic events within predefined geographical areas, with the help of the STRESSINVERSE and Gisola softwares. The calculations are updated as new data are identified for each defined region. For the description of the calculation areas, area sources that have been proposed in the recent past for the Greek area are used, and there is also the possibility to manually design the desired surface, thus covering more possible applications for the needs of the individual researcher. Additionally, the desired group of moment tensors can be filtered by date, magnitude, depth and rake. ## Screenshots ![image](https://github.com/Kayieni/thesis_gisola_plugin/assets/44552188/7b67c96d-e88f-46a9-bedc-172c6beb3500) ![image](https://github.com/Kayieni/thesis_app/assets/44552188/7136c764-ea1b-4e33-a924-01642e4f7e6c) ![image](https://github.com/Kayieni/thesis_app/assets/44552188/038464cb-43d1-415b-888c-af9a64296858) ![image](https://github.com/Kayieni/thesis_app/assets/44552188/3989ea5d-a1dc-42ba-8802-2bba94b31b1e) ![image](https://github.com/Kayieni/thesis_app/assets/44552188/12cb545c-23f9-4b70-bb40-0f51b2266c09)
The purpose of this thesis is to design a Web application so that it is possible to calculate the average focal mechanism of seismic events within predefined area sources, with the help of the Stressinverse software.
flask,javascript,jquery,mysql,psha,python3,seismology,webapplication
2023-03-24T14:00:29Z
2024-01-02T14:52:47Z
null
1
0
22
1
2
2
null
GPL-3.0
Python
FlorianLeChat/Games-On-Web-2023
master
# 👾 HAVE A BREAK, SAVE THE PLANET Bienvenue dans notre jeu de course créé avec Babylon.js dans le cadre de la compétition « [Games on Web](http://miageprojet2.unice.fr/Intranet_de_Michel_Buffa/DS4H_Mineure_Programmation_de_jeux_3D_sur_le_Web) » pour la première année du *Master de méthodes informatiques appliquées à la gestion des entreprises* ! Dans ce jeu, vous aurez l'opportunité de conduire une voiture qui roule sur une route sans fin. Votre objectif principal est d'éviter les obstacles qui apparaissent sur la route tout en augmentant votre vitesse mais pas que... ## Prérequis <ins>Avant de commencer à jouer, assurez-vous d'avoir les éléments suivants</ins> : - Un navigateur web moderne compatible avec WebGL. - Une connexion Internet stable pour charger les ressources nécessaires. ## Installation Vous n'avez pas besoin d'installer quoi que ce soit pour jouer à notre jeu. <ins>Il vous suffit de</ins> : - Ouvrir votre navigateur Internet préféré. - Accéder à l'URL suivante : https://florianlechat.github.io/Games-On-Web-2023/. ## Commandes Utilisez les touches suivantes pour jouer : - <ins>Flèche de gauche</ins> : déplacer la voiture sur la voie de **gauche**. - <ins>Flèche du milieu</ins> : déplacer la voiture sur la voie du **centre**. - <ins>Flèche de droite</ins> : déplacer la voiture sur la voie de **droite**. ## Objectif du jeu Votre objectif est d'éviter les obstacles qui apparaissent sur la route tout en maintenant votre vitesse aussi longtemps que possible. La vitesse de la voiture augmentera progressivement au fil du temps, rendant le jeu de plus en plus difficile. Si vous entrez en collision avec un obstacle, le jeu prendra fin et votre score sera affiché. ## Fonctionnalités du jeu <ins>Notre jeu de course avec Babylon.js propose les fonctionnalités suivantes</ins> : - **Graphismes 3D immersifs** : Profitez d'un environnement de jeu réaliste avec des graphismes en 3D de haute qualité grâce à Babylon.js. - **Moteur physique réaliste** : La physique réaliste de la voiture et des obstacles garantit une expérience de jeu authentique. - **Système de score** : Votre score est calculé en fonction de la distance parcourue et de la durée de votre partie. Essayez d'obtenir un score élevé et battez votre propre record ! - **Progression de la vitesse** : La vitesse de la voiture augmente progressivement, mettant vos réflexes à l'épreuve à mesure que vous progressez. - **Détection de collision** : Les collisions avec les obstacles sont détectées de manière précise, ce qui met fin à la partie lorsque cela se produit. ## Objectif ultime : **ÊTRE GREEN** ! Le titre du jeu, « **HAVE A BREAK, SAVE THE PLANET** » est en rapport avec la façon de finir le jeu. Bien que le jeu principal consiste à améliorer votre score en conduisant la voiture, le véritable but est de prendre conscience de l'importance de l'économie d'énergie. Une fois que vous avez terminé votre partie en entrant en collision avec un obstacle, au lieu d'appuyer sur le bouton *Try Again*, vous serez invité à appuyer sur *End Game*. Cela vous mènera à une nouvelle scène où vous incarnerez un cycliste. Votre mission sera de parcourir cette nouvelle scène à vélo, en évitant les obstacles et en atteignant la ligne d'arrivée. L'objectif ultime est de promouvoir l'idée de la mobilité douce et d'encourager les joueurs à adopter des modes de transport respectueux de l'environnement comme le vélo. Une fois que vous avez terminé la partie à vélo, nous vous invitons à arrêter de jouer et à prendre des mesures concrètes pour économiser de l'énergie. ## Problèmes connus - La performance du jeu peut varier en fonction des capacités de votre ordinateur et de votre navigateur. - Dans de rares cas, il peut y avoir des problèmes de collision ou d'affichage graphique. Si vous rencontrez des problèmes supplémentaires ou si vous avez des suggestions, n'hésitez pas à me les signaler. Ensemble, sauvons la planète et adoptons des pratiques respectueuses de l'environnement ! # 🌳 BE GREEN 😃
👾 A GTA-Like racing game to participate to the "Games on Web" (2023) competition.
3d-games,babylonjs,javascript,games-on-web,2023,racing-game,gta-like,green-game
2023-03-23T14:04:31Z
2023-06-16T16:57:20Z
null
1
0
73
0
0
2
null
Unlicense
JavaScript
Yesarib/Drum-Kit
master
# Drum-Kit ### A Drum kit made by javascript #### A Challenge of 'The Complete 2023 Web Development Bootcamp' course.
A Drum kit made by javascript
game,javascript
2023-03-12T21:31:41Z
2023-03-30T21:22:39Z
null
1
0
3
0
0
2
null
null
JavaScript
nx-academy/Conteneurisez-vos-applications-avec-Docker
main
# Conteneurisez vos applications avec Docker Bienvenue sur le code source du projet fil rouge **My MOOCs**. Ce projet a été réalisé en lien avec le cours **Conteneurisez vos applications avec Docker** sur [NX Academy](https://beta.nx.academy). Ce cours ainsi que son projet fil rouge ont été écrits, développés et testés sur Mac et Windows. Ce projet est **open source**. Si vous avez une question, que vous avez trouvé une faute d'orthographe ou que quelque chose ne vous semble pas clair, nous vous invitons à ouvrir une [issue](https://github.com/nx-academy/Conteneurisez-vos-applications-avec-Docker/issues/new). ## Prérequis - [Visual Studio Code](https://code.visualstudio.com/) : Visual Studio Code est notre éditeur de texte durant tout le cours. Il est indispensable de l'avoir pour bien suivre le cours puisque nous utiliserons une extension spécifique à Docker. Vous découvrirez dans la troisième partie comment installer et paramétrer cette extension. - [Docker](https://www.docker.com/) : vous n'avez pas besoin d'installer Docker avant de commencer le cours. Vous verrez pas-à-pas comment l'installer et l'utiliser sur votre ordinateur. ## Installation ### Avec GitHub Desktop Ouvrez GitHub Desktop et cliquez sur le bouton **Clone Repository**. Une fois, la modale ouverte, cliquez sur l'onglet URL. Renseignez ensuite le nom de votre repository et le répertoire d'installation. Nous vous montrons ces étapes dans le [chapitre 3 de la partie 1 du cours](https://beta.nx.academy/courses/conteneurisez-vos-applications-avec-docker/lectures/46735288) <img src="./github-desktop.png" alt="Cloner une repository depuis GitHub Desktop" /> ### En ligne de commandes Pour récupérer ce projet, vous pouvez simplement réaliser un `git clone` : - Via SSH ``` git@github.com:nx-academy/Conteneurisez-vos-applications-avec-Docker.git ``` - Via HTTPS ``` https://github.com/nx-academy/Conteneurisez-vos-applications-avec-Docker.git ``` Le code complet du projet se trouve sur la branche `full-project`. ``` git checkout full-project ``` ## Informations complémentaires: À partir de la partie 2, chaque chapitre comporte entre deux et trois branches : - `partie-2/chapitre-2-debut` - correspond à la branche du début de chaque chapitre - `partie-2/chapitre-2-exercice` - (**optionnel**) correspond à la branche d'activité - `partie-2/chapitre-2-fin` - correspond à la branche de fin de chapitre.
Code source de My MOOCs - le projet fil rouge du cours "Conteneurisez vos applications avec Docker"
docker,docker-compose,javascript,mongodb,nodejs
2023-03-13T16:32:28Z
2023-10-16T15:26:29Z
null
4
0
25
9
0
2
null
null
null
Matheus-Gabriel07/Astro
main
<h1 align="center" >ASTRO </h1> <p align="center">Reprodutor das estrelas</p> <br> <div class="image" align="center"> <img src="https://github.com/Matheus-Gabriel07/Astro/blob/main/Assets/Images/Banner.png?raw=true" width="100%";> <hr width="50%"><br> <p>o Astro é um reprodutor de música versátil e fácil de usar, projetado para permitir que os usuários desfrutem de suas músicas favoritas com facilidade. Com uma interface intuitiva, recursos de reprodução avançados e suporte para diversos formatos de áudio, o e ele oferece uma experiência agradável para os amantes da música.</p> <p>❗ Até algum dia^^ (Pausado) ❗</p> </div>
🪐 O reprodutor de música web Astro é uma aplicação online que permite aos usuários ouvir e desfrutar de música diretamente em seus navegadores web.
astro,music,reproduction,development,song,backend,css,frontend,html,javascript
2023-03-24T00:26:00Z
2024-01-31T23:02:49Z
2023-10-16T22:50:23Z
3
14
223
2
1
2
null
AGPL-3.0
HTML
rohiniee0028/atx-fronted-task
master
# ATX-fronted-task - deployed link : https://unrivaled-torrone-3de076.netlify.app/ # Some glimpse of my task- ![2023-03-23 (1)](https://user-images.githubusercontent.com/101567508/227266584-8a29360a-9b19-48da-9f20-4fc3c36d7f4f.png) ![2023-03-23 (2)](https://user-images.githubusercontent.com/101567508/227266608-997e65ef-e1f6-4572-b670-973fc178f491.png) ![2023-03-23 (3)](https://user-images.githubusercontent.com/101567508/227266636-7cb0452f-27fc-42f1-b3d7-0652fb2f4dad.png) ![2023-03-23 (4)](https://user-images.githubusercontent.com/101567508/227266686-8b1a76da-0b91-4ea2-8750-105615e2a23f.png) ![2023-03-23 (5)](https://user-images.githubusercontent.com/101567508/227266708-c68a56ec-6d1d-4d26-bc6c-2f729d2bb59e.png) - Responsiveness- ![2023-03-23 (6)](https://user-images.githubusercontent.com/101567508/227266732-b78a46e9-9a0c-42bb-906b-d2fbe00e3f3c.png) ![2023-03-23 (7)](https://user-images.githubusercontent.com/101567508/227266880-8aab42e6-5d4d-4051-b95e-3afda5debc5a.png) ![2023-03-23 (8)](https://user-images.githubusercontent.com/101567508/227266932-4f862d96-00af-4af4-a805-8d6a88512410.png) ![2023-03-23 (9)](https://user-images.githubusercontent.com/101567508/227266988-1d6bf6b4-33b8-435c-8e04-18e958dad19e.png) ![2023-03-23 (10)](https://user-images.githubusercontent.com/101567508/227267036-b6e407f9-a0f9-4327-8636-62523a760128.png) ![2023-03-23 (11)](https://user-images.githubusercontent.com/101567508/227267124-72b545bc-9dc5-412b-a7f1-a356e60ba171.png) ![2023-03-23 (12)](https://user-images.githubusercontent.com/101567508/227267167-1bcc9a36-0a15-4bff-9d4c-c08408e00c7e.png)
This task is given by ATX company for a fronted role.
css3,html5,javascript
2023-03-23T16:08:31Z
2023-03-23T16:16:24Z
null
1
0
4
0
0
2
null
null
CSS
Pa1mekala37/E-commerce
main
null
E-Commerce website using HTML , CSS , Javascript and local Storage
css,html,javascript,localstorage,bootstrap
2023-03-21T09:23:23Z
2023-03-28T08:04:22Z
null
1
0
14
0
0
2
null
null
HTML
maryamnazeran/maryamnazeran.github.io
main
# MaryamNazeran.ir My personal website I would be glad if you visit my website [MaryamNazeran.ir](https://maryamnazeran.ir).
My personal website
javascript,personal-website
2023-03-17T19:16:53Z
2024-04-12T19:30:30Z
null
2
0
89
0
0
2
null
null
JavaScript
michaelayad/stadiums-reservations-full-stack-reactjs-nodejs
main
# Stadium Reservation Website > This is a full-stack web application that allows players to reserve stadiums or playgrounds and enables stadium owners to add their stadiums and available hours. > Live demo [_here_](https://stadiums-reservation-client-side.onrender.com/). ## Table of Contents * [Features](#features) * [Technologies Used](#technologies-used) * [Screenshots](#screenshots) ## Features - User authentication and authorization system . - Stadium owner dashboard to add and manage stadiums and hours . - Player dashboard to book stadiums based on date, and time . - Responsive design for optimal user experience on mobile devices . ## Technologies Used #### Front-end - Front-end Framework: `React.js (with Reduxjs/toolkit , axios and React-Router-Dom)` - Styling: `CSS` and `BOOTSTRAP` - Component Packages using : `react-slick` and `react-awesome-slider` #### Back-end - For handling requests: `Node.js with Express.js Framework` - As Database: `MySQL with Sequelize` - API tested using: `POSTMAN` ## Screenshots ![Example screenshot](./screenshots/1.png) ![Example screenshot](./screenshots/2.png) ![Example screenshot](./screenshots/5.png) ![Example screenshot](./screenshots/3.png) ![Example screenshot](./screenshots/4.png) <!-- If you have screenshots you'd like to share, include them here. -->
stadiums reservations full stack reactjs nodejs
express,javascript,mysql,nodejs,react,reactjs,redux
2023-03-14T18:07:07Z
2023-04-08T16:49:58Z
null
1
0
14
0
0
2
null
null
JavaScript
lack21/Sunnyside-Agency
main
# Sunnyside-Agency Tools Used : • HTML • SCSS • JavaScript ![desktop-preview](https://user-images.githubusercontent.com/100687592/226371497-58bb015f-62c8-4aef-bee3-74d55b59f9cb.jpg) Link : https://lack21.github.io/Sunnyside-Agency/
Design Project
html,javascript,scss
2023-03-20T14:23:02Z
2023-03-20T14:31:16Z
null
1
0
2
0
0
2
null
null
SCSS
preritshrivastava2002/Blog-Website
main
# Blog-Website This is a web application where user can publish their blogs. It has built-in features to edit or delete blogs. ## Tech Stack Used:- 1. <b>Node.js and Express.Js:-</b> For creating the backend 2. <b>MongoDB database:- </b> For storing the data(Blogs) 3. <b>EJS:-</b> To enable creation of multiple pages dynamically for each post 4. <b>HTML-CSS-Bootstrap:-</b> For styling and making the frontend ## :hammer_and_wrench: Installation: 1. Cloning repository. git clone <repo link> or locally download zip folder. 2. Install all dependencies. npm install ... 3. Set all enviorement variables in .env file. PORT="<PORT NO.>" CONNECTION_URL="<MONGODB URI>" 4. Run web-app on local host. node index ## Made by: ### Prerit Shrivastava [📝 LinkedIn](https://www.linkedin.com/in/prerit-shrivastava-1b4a52201/)
A web application for users who are interested to write journals with built-in features to create, edit or delete posts.. Technologies :- HTML-CSS-JavaScript ,Bootstrap, Node.Js ,Express.Js ,EJS, Mongodb
bootstrap,css3,ejs,expressjs,html,javascript,mongodb,mongoose,nodejs
2023-03-15T17:52:55Z
2023-03-21T17:56:40Z
null
1
0
7
0
0
2
null
null
JavaScript
theresetuyi/Leaderboard
dev
# Leaderboard <a name="readme-top"></a> <div align="center"> <h3><b>Leaderboard: setup project</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 Leaderboard: setup project<a name="about-project"></a> **Leaderboard: setup project**In this activity you will set up a JavaScript project for the Leaderboard list app, using webpack and ES6 features, notably modules. You should develop a first working version of the app following a wireframe, but without styling - just focus on functionality. In following activities, you will consume the Leaderboard API using JavaScript async and await and add some styling. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> > Describe the tech stack and include only the relevant sections that apply to your project. <details> <summary>Client</summary> <ul> <li><a href="https://www.w3schools.com/html/default.asp">Html</a></li> <li><a href="https://www.w3schools.com/css/default.asp">CSS</a></li> <li><a href="https://www.w3schools.com/javascript/default.asp">JavaScript</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Modules">DOM</a> </li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[Add name]** - **[Add score ]** - **[desplaye name and scores]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> **Open the live-demo of the project** [Project Link][https://theresetuyi.github.io/Leaderboard/dist/] <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> ## Getting Started To get a local copy of this exercice, Please follow these simple example steps. 1. Clone this repository or download the Zip folder: **``https://github.com/theresetuyi/Leaderboard.git``** 2. Navigate to the location of the folder in your machine: **``PS C:\Users\PATH\code\Leaderboard>``** ## 👥 Authors <a name="authors"></a> 👤 **theresetuyi** - GitHub: [@githubhandle](https://github.com/theresetuyi) - Twitter: [@twitterhandle](https://twitter.com/THERESETUYISAB2) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/therese-theddy-tuyisabe-249820203/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> list-structure ## 🔭 Future Features <a name="future-features"></a> [ ] **[Leaderboard]** - [ ] **[Use callbacks and promises]** - [ ] **[Use webpack to bundle JavaScript]** - [ ] **[ ES6 modules]** - [ ] **[Add contact page]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## Show your support Give a ⭐️ if you like this project! ## 🤝 Contributing Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/theresetuyi/Leaderboard/issues) ## Acknowledgments This project has been created in reference to the template created by ## 📝 License This project is [MIT.md](./MIT.md) licensed.
Leaderboard website displays scores submitted by different players. It also allows you to submit your score.
html5,javascript
2023-03-14T15:22:02Z
2023-03-16T12:48:18Z
null
1
3
21
1
0
2
null
MIT
CSS
nikhil25803/contact-management-api
main
# Contact Management API A contact management API built using JavaScript, NodeJs and ExpressJS. With JWT authentication. + ### **GET** `/` ```json { "status": 200, "message": "Server up and Running" } ``` > ### **GET** `/api` + To get all the contacts, an user needs to have a authorization key. Instead it will show ```json Status: 401 Unauthorized ``` > ### **POST** `/api/users/register` + To create an user Request ```json { "username":"superman", "email":"superman@gmail.com", "password":"test123" } ``` Response ```json { "_id": "64189af40117ea6fe269da47", "email": "superman@gmail.com" } ``` > ### **POST** `/api/users/login` + To login Request ```json { "email":"superman@gmail.com", "password":"test123" } ``` Response ```json { "accessToken": "-----" } ``` A access token is returned which can be passed through the header as well as a Bearer token in order to access the private routes. > ### **GET** `/api/users/current` + To get the information of the current loggedin user (pass the access token through the header and make a request) Response ```json { { "username": "superman", "email": "superman@gmail.com", "id": "64189af40117ea6fe269da47" } } ``` As all the `contact` routes are private, hence we need to pass the secret key as a Bearer token. > ### **POST** `/api` + To create a contact by a loggedin user Request ```json { "name":"Spiderman", "email":"spiderman@gmail.com", "phone":"123456789" } ``` Response ```json { "user_id": "64189ac521d10a92dc2eaca6", "name": "Spiderman", "email": "spiderman@gmail.com", "phone": "123456789", "createdAt": "2023-03-20T18:00:55.106Z", "updatedAt": "2023-03-20T18:00:55.106Z", } ``` > ### **GET** `/api` + To get all the contact created by the logged in user Response ```json { "status": 200, "message": "Contact created sucessfully", "data": { "user_id": "64189ac521d10a92dc2eaca6", "name": "Spiderman", "email": "spiderman@gmail.com", "phone": "123456789", "_id": "64189f573b6f4891234ef60b", "createdAt": "2023-03-20T18:00:55.106Z", "updatedAt": "2023-03-20T18:00:55.106Z", "__v": 0 } } ``` Response ```json { "status": 200, "data": [ { "_id": "64189f053b6f4891234ef605", "user_id": "64189ac521d10a92dc2eaca6", "name": "Captain America", "email": "captain@gmail.com", "phone": "123456789", "createdAt": "2023-03-20T17:59:33.604Z", "updatedAt": "2023-03-20T17:59:33.604Z", "__v": 0 }, ... ], "user": { "username": "tonyStark", "email": "tonystark@gmail.com", "id": "64189ac521d10a92dc2eaca6" } } ``` + ### Some more endpoints ### **GET** `/api/:id` + To search a contact by `id` ### **GET** `/api/:name` + To search a contact by `name` ### **PUT** `/api/:id` + To update a contact by `id` ### **DELETE** `/api/:id` + To delete a contact by `id` ---------
A contact management API built using JavaScript, NodeJs and ExpressJS. With JWT authentication.
javascript,jwt-authentication,mongodb
2023-03-19T07:44:13Z
2023-03-20T18:18:06Z
null
1
0
10
0
0
2
null
MIT
JavaScript
anaungurean/Web-Technology-Project
main
# TW Project for Web Technology Project Subject : 7. HeMa (Herbal Web Manager) Sa se implementeze o aplicatie Web de tip ierbar digital, oferind suport pentru organizarea colectiilor reprezentarilor grafice ale plantelor presate si atributelor aferente. Pe baza facilitatilor de cautare multi-criteriala, se vor genera, recomanda si partaja albume tematice – e.g., plante medicinale, flori din zona montana si altele. Pentru fotografiii de interes a se considera API-uri publice precum Unsplash . Se vor genera statistici diverse disponibile in formate deschise – minimal, CSV si PDF. Se va crea, de asemenea, un clasament al celor mai populare plante colectate, disponibil si ca flux de date RSS. Team Members: Bodnar Florina-Alina, Chirilă Gabriela-Valentina, Ungurean Ana-Maria Link video: https://www.youtube.com/watch?v=BwNTyuxGESc Screenshots: ![1](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/adfb7b28-7ee5-4f3c-bc06-511529b88528) ![2](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/a7835056-42bd-4272-bce1-8c68933ca89e) ![3](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/605dd71e-12ae-45ad-bc40-103d5e735a50) ![4](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/daefee89-3031-45c0-b14a-e6c22aa182f9) ![5](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/dccf76d6-7405-435d-9fd5-665892dbbfb4) ![6](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/57940489-a7f4-4304-932b-adf6ca9d3dbb) ![7](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/6e1e2744-c1c0-4a41-b8c3-895fde60c1b2) ![8](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/fff12b29-ac72-4895-81e6-42605bb5a0bd) ![9](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/e044a64a-5a38-4e10-a6ef-65101076f59e) ![11](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/c392ae1e-4dda-41e0-ba7e-be01e24f6760) ![12](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/b4ab10f5-b7e7-4e31-a1bd-84aa562e8b88) ![13](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/46b048cd-650c-4c93-ac71-e9ee76ad7ed6) ![14](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/a66765ef-6b5b-4096-a841-48cbbc3ec4dd) ![15](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/279beb7a-4d41-4b30-8b7d-3e0fa93890b1) ![16](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/44aa4710-486c-4431-83c9-0e2885f479ad) ![17](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/9e1f67cf-3a9d-4435-93b5-da022c71a6f8) ![18](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/4b8581a6-beb0-4a18-8e69-ba36fc72546b) ![19](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/95b49787-e510-4b52-86e5-aa17f8dce0c3) ![20](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/f764605e-00e7-4069-989c-539e8641b8b6) ![21](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/3a98d8a6-0844-4c52-8c94-4b0b1c9ccfb9) ![22](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/d8df2b53-b111-420c-8256-230967821c95) ![23](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/3235d962-e435-44ed-8ad8-2495e0d732e4) ![24](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/18ff89f2-a5a1-42d1-8300-08818ad71c27) ![25](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/9d5d271d-bd2d-4fd4-930f-2a1662a2a48f) ![26](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/eddafb05-32cf-44ec-9299-a038043d463c) ![27](https://github.com/anaungurean/Web-Technology-Project/assets/100145653/0d26a1d6-042a-40af-92d6-87cba48eda54)
Web Technology Project: HeMa (Herbal Web Manager) - A digital herbarium app with multi-criteria search, thematic album generation, and open-format statistics.
api,css,html,javascript,php,web,web-technologies,website
2023-03-19T11:24:57Z
2023-08-09T10:31:50Z
null
4
81
214
0
0
2
null
null
HTML
0AvinashMohanDev1/0AvinashMohanDev1.github.io
master
# 0AvinashMohanDev1.github.io Portfolio
"Equipped with a math and computer degree, civil engineering diploma, and a Gen-AI interest, I'm ready to thrive in tech. My passion for growth drives me.
css3,github,html,javascript,nodejs
2023-03-13T15:26:06Z
2024-05-20T10:25:26Z
null
1
0
24
0
0
2
null
null
HTML
DulanjaliSenarathna/Ecomify
main
# Ecomify A complete React js e-commerce application. **live demo: [ecomify-iota.vercel.app/](https://ecomify-iota.vercel.app/)** --- ### Made with ❤️ by [Dulanjali Senarathna](https://www.linkedin.com/in/dulanjali-senarathna/) --- ## Project Description Ecomify is an e-commerce web application, mainly focused on react js front-end development. I used SASS for styling. Also, Ecomify used Strapi as cms. Strapi is a javascript headless content management system. I integrate the Stripe payment gateway for testing purposes only. Ecomify has basic e-commerce functionalities such as loading products categories, loading products for each category type, user can view a single item, searching an item, relating items loading for a single item, adding to a cart, removing from a cart, updating subtotal when adding or removing items, checkout page, empty cart screen, update cart time count, etc. ## What I used - [React](https://reactjs.org/) - [React Redux](https://redux.js.org/) - [Strapi CMS](https://strapi.io/) - [React icons](https://react-icons.netlify.com/) - [Stripe](https://stripe.com/) - More... ## Requirements - Basic ReactJs knowledge - Basic HTML, SCSS knowledge ## Getting Started After getting the project files, you need to go the backend file directory and run ```shell npm install ``` and after that start the dev server. ```shell npm run develop ``` After running the backend server, you need to go the client file directory and run ```shell npm install ``` and after that start the dev server. ```shell npm start ``` ## Tools Used 1. Favicon: [Flaticon.com](https://www.flaticon.com/) 1. Code Editor: [VS Code](https://code.visualstudio.com/) --- ## FAQ ### Q: What are the prerequisites? basics of html, css, javascript and some basic knowledge of react is enough to start this project. Rest you will learn in the tutorial. ### Q: Who the project is for? The project is for the people who wanna get more skilled in `ReactJs`. --- ## Feedback If you have any feedback, please reach out to us at [Dulanjali Senarathna](https://www.behance.net/dulanjasenarathna) Happy Coding! 🚀 # Website's screenshots ![Emomify1](https://user-images.githubusercontent.com/59603716/229886892-f0c526a1-f6ce-40b6-b19c-6a3b81d412c3.PNG) ![Ecomify2](https://user-images.githubusercontent.com/59603716/229886997-ca2d561d-6ea2-4d1a-95b0-9f7cf76024ae.PNG) ![Ecomify3](https://user-images.githubusercontent.com/59603716/229887340-20ecf144-a888-4226-9f8e-70626632dd36.PNG) ![Ecomify4](https://user-images.githubusercontent.com/59603716/229887460-0f2636e4-c94c-4d34-9549-3f399f33645a.PNG) ![Ecomify5](https://user-images.githubusercontent.com/59603716/229887562-5f2cb03b-292a-47f5-9bc4-7235593ed5f2.PNG) ![Ecomify6](https://user-images.githubusercontent.com/59603716/229887644-9c31480f-7fbe-454f-9c90-61275a3778ae.PNG) ![Ecomify7](https://user-images.githubusercontent.com/59603716/229887700-5397c46b-90a2-4445-a1dc-ed59e81f6887.PNG) ![Ecomify8](https://user-images.githubusercontent.com/59603716/229887741-6a213467-d192-40a0-bc2e-c18c8247496b.PNG)
E commerce web application using React Js, Strapi, Stripe
ecommerce,ecommerce-website,javascript,react,reactjs,sass,scss,strapi,stripe
2023-03-24T07:15:31Z
2023-05-09T16:25:42Z
null
1
0
39
0
0
2
null
null
JavaScript
alejandroatacho/BookKeepingXmlPython
main
# book-keeping-python-xml-parser to improve at odoo without the framework, this is my favorite project just because I get to pipeline so many programming languages togheter <3 ## pip install -r requirements.txt ![A picture of applesauce](/img/bg.jpg)
training for odoo stuff no framework, you can use python to insert data for book-keeping/accounting into an xml file then use a script to convert the xml xslt into a website connected to CSS and JS
python,scss,shell,html,javascript,odoo,xml,xml-parsing,xslt
2023-03-16T21:45:08Z
2023-04-29T19:45:41Z
null
1
0
58
0
0
2
null
null
SCSS
IsaqueBatista/amakha-paris
master
null
Projeto criado para aumentar os consumidores e(ou) revendedores na Amakha Paris. O sistema que esse projeto irá rodar já foi testado, e com a qualidade desse projeto irei aumentar em mais de 10x os resultados atuais.
javascript,nextjs,react-icons,tailwindcss,carrossel,carousel
2023-03-16T18:53:21Z
2023-05-06T23:59:20Z
null
1
0
85
0
0
2
null
null
JavaScript
maksym1224/Real-timeMessagingApp
master
null
Real-time messaging app. Available as a website and as MacOS, Linux, and Windows application.
javascript,postgresql,react,rust,socket-io,typescript,websocket
2023-03-24T09:29:14Z
2022-11-04T04:02:15Z
null
1
0
205
0
0
2
null
null
TypeScript
rhaymisonbetini/js-port-scan
main
<div align="center"> <img src="./src/assets/header.jpg" width="100%" height="150"/> </div> # JS-PORT-SCAN FOR NODE.JS <p align="center"> <img src="https://img.shields.io/bower/l/MI?style=flat-square"> <img src="https://img.shields.io/badge/version-1.3.7-blue"> <img alt="npm" src="https://img.shields.io/npm/dm/js-port-scan"> <img alt="npm" src="https://img.shields.io/npm/dw/js-port-scan"> <img src="https://img.shields.io/badge/coverage-100%25-yellowgree" alt="coverage"> <img src="https://img.shields.io/github/issues/rhaymisonbetini/js-port-scan.svg"> <img src="https://img.shields.io/github/issues-closed/rhaymisonbetini/js-port-scan.svg"> <img src="https://img.shields.io/github/issues-pr/rhaymisonbetini/js-port-scan.svg"> <img src="https://img.shields.io/github/issues-pr-closed/rhaymisonbetini/js-port-scan.svg"> </p> <p align="center"> <img src="https://img.shields.io/badge/JavaScript-F7DF1E?style=for-the-badge&logo=javascript&logoColor=black"> <img src="https://img.shields.io/badge/Node.js-43853D?style=for-the-badge&logo=node.js&logoColor=white"> </p> <p align="center"> <a href="https://www.linkedin.com/in/heleno-betini-2b3016175/" target="_blank"> <img src="https://img.shields.io/badge/LinkedIn-0077B5?style=for-the-badge&logo=linkedin&logoColor=white"> </a> <a href="https://github.com/rhaymisonbetini" target="_blank"> <img src="https://img.shields.io/badge/GitHub-100000?style=for-the-badge&logo=github&logoColor=white"> </a> </p> Javascript-based library for port scanning, TCP calls, UDP, IPtracer, Discover host by ip and ip by host ## INSTALL ``` npm install js-port-scan ``` ### HOW TO USE ```javascript const JsScan = require('js-port-scan') ``` Now you can instantiate a new Scanner class. This class extends the Scaner class that performs all the functionality ```javascript const jsScan = new JsScan() ``` ### AVAILABLE FUNCTIONS ### scanPorts This method performs a scanner on a series of ports of a given host <br/> using the handShakeTcp method as the function center. ```javascript /** * This method scanner a host with a interval for a inital end final given ports. * A loopg was created to scanning the interval with handShakeTcp method. * Depens on your connetion and powers. * @param {string} host ex: www.facebook.com * @param {number} init initial (include) port * @param {number} end final ( include ) final port * @param {boolean} consoler display results in console * @returns {Promise<Array<object>>} */ async scanPorts(host, init = 0, end = 1000, consoler = false) ``` The return of this function will be an array containing 1 object with the start <br/> and end date of the scanner an array of cobjects containing the ports that were <br/> successfully connected an array of objects containing ports that failed to connect <br/> successfully return exemple: ``` javascript [ { init: '2023-03-23 15:27:18', end: '2023-03-23 15:28:00' }, [ { connected: true, msg: 'Established a TCP connection with www.youtube.com:80', reason: '' } ], [ { connected: false, msg: 'Erro to established a TCP connection with www.youtube.com:81', reason: 'ETIMEDOUT' }, { connected: false, msg: 'Erro to established a TCP connection with www.youtube.com:82', reason: 'ETIMEDOUT' } ] ] ``` ### handShakeTcp This class performs a TCP handshake call to validate a connection<br/> It is asynchronous and retrives an object. ```javascript /** * this handShake make a tcp connection to a given host and port * @param {number} port Port should be >= 0 and < 65536 * @param {string} host ip or dns * @param {boolean} consoler display results in console * @returns {Promise<{ connected: 0, msg: '', reason: '' }>} */ async handShakeTcp(port, host, consoler = false): ``` Explanation of the return: * connected: true for success and false for problems connecting, * msg: Message generated by js-port-scaner about the process * reason: Filled in case an error occurs ### udpScanner This method is simple. Since UDP calls do not expect any return, this method will only return an error if there is a problem. ```javascript /** * This method create a updCall. Upd call do not need return from the destination. * So is not possible verify the return of the connection, only if we have error. * @param {number} port * @param {string} host * @param {string} stringBytes * @returns {Promise<any>} */ async udpScanner(port, host, stringBytes = null) ``` ### tracer This function provides a tracer to destinantion library-based nodejs-traceroute ```javascript /** * This function create a trace untill the destination * @param {string } host ex: www.facebook.com * @param {boolean} consoler if you want to display in console every tracer * @returns {Promisse<Array<string>>} */ ``` return exemple: ```json {"mesg":[{"trace":"{\"hop\":1,\"rtt1\":\"1 ms\",\"rtt2\":\"1 ms\",\"rtt3\":\"<1 ms\",\"ip\":\"localhost\"}"}, {"trace":"{\"hop\":2,\"rtt1\":\"15 ms\",\"rtt2\":\"1 ms\",\"rtt3\":\"1 ms\",\"ip\":\"10.255.255.5\"}"}, {"trace":"{\"hop\":3,\"rtt1\":\"2 ms\",\"rtt2\":\"3 ms\",\"rtt3\":\"2 ms\",\"ip\":\"198.19.0.225\"}"}, {"trace":"{\"hop\":4,\"rtt1\":\"5 ms\",\"rtt2\":\"3 ms\",\"rtt3\":\"2 ms\",\"ip\":\"198.18.0.33\"}"}, {"finish":"code 0"}]} ``` ### ipTracer This method pings the destination and creates a tracer. it returns a string informed by the ping process ```javascript /** * create ip ping tracer with a 4 call * @param {string} host * @param {number} ttl * @returns {Promise<string>} */ async ipTracer(host) ``` return example: ```shell Disparando 157.240.216.35 com 32 bytes de dados: Resposta de 157.240.216.35: bytes=32 tempo=18ms TTL=54 Resposta de 157.240.216.35: bytes=32 tempo=20ms TTL=54 Resposta de 157.240.216.35: bytes=32 tempo=18ms TTL=54 Resposta de 157.240.216.35: bytes=32 tempo=18ms TTL=54 Estatisticas do Ping para 157.240.216.35: Pacotes: Enviados = 4, Recebidos = 4, Perdidos = 0 (0% deperda), Aproximar um n mero redondo de vezes em milissegundos: Minimo = 18ms, M ximo = 20ms, M dia = 18ms ``` ### getIpByHost This method return an ip from a given host ```javascript /** * This function retuns a ipv4 for a given host * @param {string} host * @returns {Promise<string>} */ async getIpByHost(host) ``` ### getHostByIp This method return a host from a given IP ```javascript /** * This function retuns a host for a given ip and port * @param {string} host * @param {number} port * @returns {Promise<string>} */ async getHostByIp(host, port) ```
Javascript-based library for port scanning, TCP calls, UDP, IPtracer, Discover host by ip and ip by host
javascript,nodejs,scan
2023-03-22T10:43:42Z
2023-04-11T21:52:03Z
null
1
0
25
0
0
2
null
MIT
JavaScript
Tassio-Med/chat-app
main
# :construction: Projeto em construção ! :construction:
🚧 Projeto em desenvolvimento 🚧
expo,javascript,react-native,firebase,firebase-auth
2023-03-24T15:16:13Z
2023-03-25T18:27:01Z
null
1
0
23
0
0
2
null
null
JavaScript
jasjs1/ProgrammerIN
main
# ProgrammerIN ProgrammerIN is a fun web-based application designed for programmers who are looking for a new job. The app showcases a list of fake job opportunities, which programmers can explore and apply to. ### WEBSITE LINK: http://127.0.0.1:5500/.app/app.html ## Tools use to build ProgrammerIN The app is built using HTML, CSS, and JavaScript, making it easy to use and navigate. It offers a simple and intuitive user interface, which makes it easy for programmers to browse through the available job openings, view job descriptions, and submit their applications. ## **DISCLAMER** ProgrammerIN is not a real job searching app and the job listings featured on it are purely for entertainment purposes. However, it is a great platform for programmers to practice their job application skills, learn about different types of job requirements and get a feel for the job application process. ## How to use the app Using ProgrammerIN is simple and easy. Here are the steps to follow: 1. Visit the website: http://127.0.0.1:5500/.app/app.html 2. Browse through the available job listings 3. Click on a job to view its description 4. If interested, submit your application by filling out the required fields ##Features ProgrammerIN offers the following features: * Job searching feature * Profile cusotmization * Beautful design * Dark mode ## For Support: Methods of contact: GitHub Issues (preferd): https://github.com/jSagvold28/ProgrammerIN/issues Email (dont read typically): contactjaycesagvold@duck.com
Job searching app orientated towards programmers.
indiedev,job-search,programmer,web,programmer-jobs,html,html5,css,javascript
2023-03-18T19:28:38Z
2023-06-04T12:52:44Z
null
2
2
220
0
0
2
null
null
HTML
pankajmandal10/Ecommerce_App
main
# Ecommerce_App (Cakelicious) <h3>Splash Screens. </h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/splash1_qszofq.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/splash2_dtxb1x.jpg" width="130" height="210"> </div> <h3>Loading Skeleton</h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1692955861/Screenshot_20230825-145701_Cakelicious_1_jz1rkf.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1692955936/Screenshot_20230825-145716_Cakelicious_1_xlmhpe.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1692956032/Screenshot_20230825-145728_Cakelicious_1_bosizo.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1692956066/Screenshot_20230825-145737_Cakelicious_1_otvby2.jpg" width="130" height="210"> </div> <h3>Auth Screens. </h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/singup_uq9hi8.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/singin_ulwe1c.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/reset_password_txbcb7.jpg" width="130" height="210"> </div> <h3>Home Screens. </h3> <div style="display: flex;"> <!-- CAKE CATEGORY --> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347781/cakeliciouse_UI/home_screen_oynz3s.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347780/cakeliciouse_UI/cake_details_lgpbhm.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347780/cakeliciouse_UI/cake_details1_wt8ajv.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/search_product_i9ocnj.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/searched_products_gqhkek.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/notification_alert_yzuogw.jpg" width="130" height="210"> <!-- COLDRINK CATEGORY --> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347781/cakeliciouse_UI/home_colddrink_ykx3u3.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347780/cakeliciouse_UI/colddrink_details_lnumhg.jpg" width="130" height="210"> <!-- FRIES CATEGORY --> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/home_fries_zgi13b.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347781/cakeliciouse_UI/colddrink_details1_t9ux0h.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347781/cakeliciouse_UI/fries_details_aadtocart_sfviwr.jpg" width="130" height="210"> <!-- AND OTHER CATEGORY ARE NOT ADDED HERE. FOR MORE YOU CAN SEE IN APP--> </div> <h3>Wishlist Screens. </h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347781/cakeliciouse_UI/empty_wishlist_uro2tr.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/wishlist_gvvgdu.jpg" width="130" height="210"> </div> <h3>Cart Screens. </h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/addtocart_oclffp.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347781/cakeliciouse_UI/delevery_to_zis82n.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347781/cakeliciouse_UI/delevery_to1_ldbczy.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/order_succ_xxha2h.jpg" width="130" height="210"> </div> <h3>Payment/Checkout. </h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1692956089/Screenshot_20230825-145808_Cakelicious_1_koh7qb.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1692956120/Screenshot_20230825-145852_Cakelicious_1_bq33ap.jpg" width="130" height="210"> </div> <h3>Chat with System. </h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347780/cakeliciouse_UI/chart_page_kggjtq.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347780/cakeliciouse_UI/chart_page1_ulz4dv.jpg" width="130" height="210"> </div> <h3>Profile Screens. </h3> <div style="display: flex;"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/user_profile_cps6pj.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347780/cakeliciouse_UI/edit_address_axlnjr.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/ordered_products_za6cg3.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347783/cakeliciouse_UI/ordered_track_cntv4v.jpg" width="130" height="210"> <img src="https://res.cloudinary.com/daghzwcji/image/upload/v1687347782/cakeliciouse_UI/log_out__cgtlqd.jpg" width="130" height="210"> </div>
E-Commerce App(Cakelicious) with all functionality Bellow attached the screen short. To get better experience you can download the app
javascript,native-module,react-native,redux,redux-toolkit,typescript,expressjs,mongodb,nodejs,rest-api
2023-03-19T06:30:13Z
2023-08-25T09:47:15Z
null
1
0
29
0
0
2
null
null
TypeScript
AyushTaparia/White_Board
main
# White_Board Welcome to White Board! This is a web application that lets you draw, write, and sketch on a virtual whiteboard. It's perfect for brainstorming, sketching out ideas, or just having some fun. ## Technologies Used White Board was built using the following technologies: * HTML * CSS * JavaScript * Canvas ## Features Here are some of the features of White Board: * Choose your brush size and color * Draw freehand with your mouse or trackpad * Write text using the text tool * Erase or clear the board as needed * Save your drawings as images ## Usage You can try out White Board by visiting this link: https://white-board-ecru.vercel.app/ To get started, simply choose your brush size and color, and start drawing or writing using your mouse or trackpad. You can use the eraser tool to correct mistakes, or the clear button to start over completely. When you're finished, you can save your drawing as an image to your device. ## Contributing If you'd like to contribute to White Board, feel free to fork this repository and submit a pull request. You can also report any issues or bugs by opening an issue on the repository.
null
css3,html5,javascript
2023-03-23T14:54:43Z
2023-04-10T14:11:11Z
null
1
0
3
0
0
2
null
null
JavaScript
0bOne/obelite
main
# obelite A browser-based loose clone of the Open Source game Oolite. Ver much an early work in progress. Compatibilty: - Runs on most up-to-date desktop browsers if the hardware supports WebGL2 (https://webglreport.com/?v=2) - Not expected to run on most mobile devices, but let us know if it does Find out more, or see screenshots, here: http://aegidian.org/bb/viewtopic.php?p=288669#p288669 Demo here: https://0bone.github.io/obelite/src/index.html
Open source space game based on Oolite
3d,game,gpl,javascript,space,trade,webgl
2023-03-12T00:11:24Z
2023-12-28T08:23:31Z
null
1
0
29
0
0
2
null
GPL-3.0
JavaScript
lilmithi/Mithius.to
main
null
Python - Flask/tailwindcss Movie Review App
flask,python,tailwindcss,javascript
2023-03-15T16:42:12Z
2023-05-25T23:19:34Z
null
1
0
54
0
0
2
null
null
JavaScript
Roger-Melo/video-fundamentos-foreach
main
<h1 align="center"> Fundamentos do forEach em JavaScript </h1> <h6 align="center">Fundamentos do método forEach que você precisa saber para chegar na Fluência em JavaScript.</h6> </br> [![Fundamentos do forEach em JavaScript](assets/img/banner-video-fundamentos-foreach.jpg)](https://youtu.be/wQPfCUJqWhM) <h2 align="center">Link para o vídeo</h2> <p align="center">🔗 https://youtu.be/wQPfCUJqWhM</p> --- <h2 align="center">Como baixar este repositório</h2> <p align="center">Para baixar este repositório em sua máquina, você pode clicar no botão verde (ali em cima) e fazer download do .zip ou, caso você tenha noções de Git, você pode forká-lo e/ou cloná-lo.</p> --- <h2 align="center">Tem alguma dúvida ou sugestão?</h2> <p align="center">Envie um email para <a href="mailto:oi@rogermelo.com.br">oi@rogermelo.com.br</a></p>
Fundamentos do método forEach que você precisa saber para chegar na Fluência em JavaScript.
array,for,foreach,funcao,funcoes,function,loop,looping,loops,array-manipulations
2023-03-17T01:19:55Z
2023-03-20T21:10:03Z
null
1
0
6
0
3
2
null
null
JavaScript
Furkan-del/ChatBotProject-SE403-01
master
# ChatBotProject-SE403-01 We will develop a chatbot using GPT-3 as our term project. During our sixth semester , we are going to use GPT-3 as a API for a chat bot. Currently the project is in development and the contributors are researching what they will do during the project. # How to work with API https://www.niit.com/india/knowledge-centre/build-chatbot-with-Java https://github.com/TheoKanning/openai-java # Chatbot user experience research Chatbots can improve user experiences by providing quick and accurate responses to specific questions, making user interactions more efficient and productive. However, chatbots can also have negative effects on user experience. Since they are completely automated, they may not provide the personal touch and individualized experience that users expect when interacting with humans. Additionally, if chatbots misunderstand user questions or provide incorrect responses, this can erode user trust and negatively impact the overall experience. To provide a successful user experience, chatbots must be designed to meet the needs and preferences of their users. They should analyze data to provide personalized experiences and understand user preferences. Chatbots should also use clear and concise language to make users feel comfortable and secure during interactions. Additionally, chatbots should provide accurate and concise responses to user questions. In conclusion, it's important to remember that chatbots can have both positive and negative effects on user experience. To provide a positive user experience, chatbots should be designed and developed with the needs of their users in mind. # How to connecting an API research https://platform.openai.com/docs/models/overview Chat with Chatgpt for API connections. # Using AI in Chatbots https://www.ibm.com/topics/chatbots#:~:text=A%20chatbot%20is%20a%20computer,to%20them%2C%20simulating%20human%20conversation. My Researches based on IBM role of NLP # Database Tables and Diagram (PNG) https://drive.google.com/drive/folders/1I4lSwprkFKOWQzoVoUTnYxMD1GHqXJ1R?usp=share_link # The Risk Management Plan for this project https://drive.google.com/drive/folders/1xH__CdVoQEQj-fq3IuC5f30koY4xVlD9?usp=sharing
null
chatbot,chatgpt,chatgpt3,chatgptapi,css,docker,html,java,javascript,mockito
2023-03-20T07:16:38Z
2023-06-08T14:10:30Z
2023-06-08T14:10:30Z
6
25
90
0
0
2
null
null
HTML