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
wojciech11/se_internet_app_development
master
# Programowanie Aplikacji Internetowych ## Program - Wykład Spotykamy się 8 razy na 2 godziny co tydzień. 1. Wprowadzenie - [slajdy](01_wprowadzenie/slides.pdf)([md](01_wprowadzenie/slides.md)); 2. Podstawy 1 - CSS, html, protokół http, oraz responsywne strony internetowe, podstawowe technologie web - [slajdy](02_podstawy/slides.pdf)([md](02_podstawy/slides.md)); 3. Podstawy 2 - [slajdy](03_web_api/slides.pdf) oraz [przykłady](03_web_api/): - REST API; - architektura. 4. Web tech stacks: - [Platformy w chmurze](04_chmura/index.pdf)([html](04_chmura/index.html)); - [Typescript / Javascript stack](04_js_ts_stack/); - [PHP frameworks i Wordpress](04_php_stack/). 5. Frontend with React - [slajdy](05_react/slides.pdf). 6. Praca z bazą danych, ORM, oraz integracja z express.io - [slajdy](06_bazy_danych). 7. Testowanie ([slajdy](07_testowanie/)) i aplikacja w produkcji - [slajdy](07_produkcja/slides.pdf): - Continuous Deployment; - Observability - Web vitals; - Monitoring API: RED i USE. 8. Egzamin: - PaaS - Egzamin. ## Program - Ćwiczenia / laboratorium Spotykamy się 4 razy na 4 godziny (2 razy po 2 godziny) - 8 bloków tematycznych. Podejście: 1. Problem; 2. Mierzymy się z zadaniem samemu - **timebox**; 3. Pytamy / prosimy o pomoc; 4. Zrobiłam / Zrobiłem - warto pokazać; 5. **Kopiuj&Wklej zakazane** (chyba, że wykładowca powie inaczej). Cel: jak najwięcej hands-on. Linki do repozytorium z rozwiazaniem proszę przesłać na emaila prowadzącego. Program: 0. Instalacja wszystkich wymaganych narzędzi - [lista](cwiczenia/README.md); 1. Wstęp i podstawy - [wykład](cwiczenia/00_wstep/index.pdf)([html](cwiczenia/00_wstep/)): - [przygotowanie](cwiczenia/README.md); - [github & git](cwiczenia/01_basics); - [podstawy: http i web api](cwiczenia/01_basics). 2. CSS i frameworki: bootstrap i tailwindcss - [instrukcja](cwiczenia/02_component_frameworks); 3. Web App stack: backend z Expressem - [instrukcja](cwiczenia/03_js_ts_stack); 4. Web App stack: frontend z Reactem - [instrukcja](cwiczenia/04_react_frontend); 5. Web App stack: Typescript, Express, i baza danych - [instrukcja](cwiczenia/05_baza_danych); 6. Aplikacja w produkcji - testowanie i observability [instrukcja](cwiczenia/06_produkcja); 7. Zaliczenie ćwiczeń - [instrukcja](cwiczenia/07_zaliczenie). ## Materiały Dodatkowe - [missing semester](https://missing.csail.mit.edu/); - [Testowanie API szybki start](https://github.com/wojciech11/se_http_api_testing_quickstart).
null
expressjs,javascript,nextjs,orm,postgres,prisma,react,tailwindcss,typescript
2023-03-24T21:16:10Z
2023-10-22T07:27:46Z
null
1
0
240
0
2
3
null
null
JavaScript
frempongdev/Mini-Android-Shop-App
dev
# Redux Toolkit #### React Course [My React Course](https://www.udemy.com/course/react-tutorial-and-projects-course/?referralCode=FEE6A921AF07E2563CEF) #### Support Find the App Useful? [You can always buy me a coffee](https://www.buymeacoffee.com/johnsmilga) #### Docs [Redux Toolkit Docs](https://redux-toolkit.js.org/introduction/getting-started) #### Install Template ```sh npx create-react-app my-app --template redux ``` - @latest ```sh npx create-react-app@latest my-app --template redux ``` #### Existing App ```sh npm install @reduxjs/toolkit react-redux ``` #### @reduxjs/toolkit consists of few libraries - redux (core library, state management) - immer (allows to mutate state) - redux-thunk (handles async actions) - reselect (simplifies reducer functions) #### Extras - redux devtools - combine reducers #### react-redux connects our app to redux #### Setup Store - create store.js ```js import { configureStore } from '@reduxjs/toolkit'; export const store = configureStore({ reducer: {}, }); ``` #### Setup Provider - index.js ```js import React from 'react'; import ReactDOM from 'react-dom'; import './index.css'; import App from './App'; // import store and provider import { store } from './store'; import { Provider } from 'react-redux'; ReactDOM.render( <React.StrictMode> <Provider store={store}> <App /> </Provider> </React.StrictMode>, document.getElementById('root') ); ``` #### Setup Cart Slice - application feature - create features folder/cart - create cartSlice.js ```js import { createSlice } from '@reduxjs/toolkit'; const initialState = { cartItems: [], amount: 0, total: 0, isLoading: true, }; const cartSlice = createSlice({ name: 'cart', initialState, }); console.log(cartSlice); export default cartSlice.reducer; ``` - store.js ```js import { configureStore } from '@reduxjs/toolkit'; import cartReducer from './features/cart/cartSlice'; export const store = configureStore({ reducer: { cart: cartReducer, }, }); ``` #### Redux DevTools - extension #### Access store value - create components/Navbar.js ```js import { CartIcon } from '../icons'; import { useSelector } from 'react-redux'; const Navbar = () => { const { amount } = useSelector((state) => state.cart); return ( <nav> <div className='nav-center'> <h3>redux toolkit</h3> <div className='nav-container'> <CartIcon /> <div className='amount-container'> <p className='total-amount'>{amount}</p> </div> </div> </div> </nav> ); }; export default Navbar; ``` #### Hero Icons - [Hero Icons](https://heroicons.com/) ```css nav svg { width: 40px; color: var(--clr-white); } ``` #### Setup Cart - cartSlice.js ```js import cartItems from '../../cartItems'; const initialState = { cartItems: cartItems, amount: 0, total: 0, isLoading: true, }; ``` - create CartContainer.js and CartItem.js - CartContainer.js ```js import React from 'react'; import CartItem from './CartItem'; import { useSelector } from 'react-redux'; const CartContainer = () => { const { cartItems, total, amount } = useSelector((state) => state.cart); if (amount < 1) { return ( <section className='cart'> {/* cart header */} <header> <h2>your bag</h2> <h4 className='empty-cart'>is currently empty</h4> </header> </section> ); } return ( <section className='cart'> {/* cart header */} <header> <h2>your bag</h2> </header> {/* cart items */} <div> {cartItems.map((item) => { return <CartItem key={item.id} {...item} />; })} </div> {/* cart footer */} <footer> <hr /> <div className='cart-total'> <h4> total <span>${total}</span> </h4> </div> <button className='btn clear-btn'>clear cart</button> </footer> </section> ); }; export default CartContainer; ``` - CartItem.js ```js import React from 'react'; import { ChevronDown, ChevronUp } from '../icons'; const CartItem = ({ id, img, title, price, amount }) => { return ( <article className='cart-item'> <img src={img} alt={title} /> <div> <h4>{title}</h4> <h4 className='item-price'>${price}</h4> {/* remove button */} <button className='remove-btn'>remove</button> </div> <div> {/* increase amount */} <button className='amount-btn'> <ChevronUp /> </button> {/* amount */} <p className='amount'>{amount}</p> {/* decrease amount */} <button className='amount-btn'> <ChevronDown /> </button> </div> </article> ); }; export default CartItem; ``` #### First Reducer - cartSlice.js - Immer library ```js const cartSlice = createSlice({ name: 'cart', initialState, reducers: { clearCart: (state) => { state.cartItems = []; }, }, }); export const { clearCart } = cartSlice.actions; ``` - create action ```js const ACTION_TYPE = 'ACTION_TYPE'; const actionCreator = (payload) => { return { type: ACTION_TYPE, payload: payload }; }; ``` - CartContainer.js ```js import React from 'react'; import CartItem from './CartItem'; import { useDispatch, useSelector } from 'react-redux'; const CartContainer = () => { const dispatch = useDispatch(); return ( <button className='btn clear-btn' onClick={() => { dispatch(clearCart()); }} > clear cart </button> ); }; export default CartContainer; ``` #### Remove, Increase, Decrease - cartSlice.js ```js import { createSlice } from '@reduxjs/toolkit'; import cartItems from '../../cartItems'; const initialState = { cartItems: [], amount: 0, total: 0, isLoading: true, }; const cartSlice = createSlice({ name: 'cart', initialState, reducers: { clearCart: (state) => { state.cartItems = []; }, removeItem: (state, action) => { const itemId = action.payload; state.cartItems = state.cartItems.filter((item) => item.id !== itemId); }, increase: (state, { payload }) => { const cartItem = state.cartItems.find((item) => item.id === payload.id); cartItem.amount = cartItem.amount + 1; }, decrease: (state, { payload }) => { const cartItem = state.cartItems.find((item) => item.id === payload.id); cartItem.amount = cartItem.amount - 1; }, calculateTotals: (state) => { let amount = 0; let total = 0; state.cartItems.forEach((item) => { amount += item.amount; total += item.amount * item.price; }); state.amount = amount; state.total = total; }, }, }); export const { clearCart, removeItem, increase, decrease, calculateTotals } = cartSlice.actions; export default cartSlice.reducer; ``` - CartItem.js ```js import React from 'react'; import { ChevronDown, ChevronUp } from '../icons'; import { useDispatch } from 'react-redux'; import { removeItem, increase, decrease } from '../features/cart/cartSlice'; const CartItem = ({ id, img, title, price, amount }) => { const dispatch = useDispatch(); return ( <article className='cart-item'> <img src={img} alt={title} /> <div> <h4>{title}</h4> <h4 className='item-price'>${price}</h4> {/* remove button */} <button className='remove-btn' onClick={() => { dispatch(removeItem(id)); }} > remove </button> </div> <div> {/* increase amount */} <button className='amount-btn' onClick={() => { dispatch(increase({ id })); }} > <ChevronUp /> </button> {/* amount */} <p className='amount'>{amount}</p> {/* decrease amount */} <button className='amount-btn' onClick={() => { if (amount === 1) { dispatch(removeItem(id)); return; } dispatch(decrease({ id })); }} > <ChevronDown /> </button> </div> </article> ); }; export default CartItem; ``` - App.js ```js import { useEffect } from 'react'; import Navbar from './components/Navbar'; import CartContainer from './components/CartContainer'; import { useSelector, useDispatch } from 'react-redux'; import { calculateTotals } from './features/cart/cartSlice'; function App() { const { cartItems } = useSelector((state) => state.cart); const dispatch = useDispatch(); useEffect(() => { dispatch(calculateTotals()); }, [cartItems]); return ( <main> <Navbar /> <CartContainer /> </main> ); } export default App; ``` #### Modal - create components/Modal.js ```js const Modal = () => { return ( <aside className='modal-container'> <div className='modal'> <h4>Remove all items from your shopping cart?</h4> <div className='btn-container'> <button type='button' className='btn confirm-btn'> confirm </button> <button type='button' className='btn clear-btn'> cancel </button> </div> </div> </aside> ); }; export default Modal; ``` - App.js ```js return ( <main> <Modal /> <Navbar /> <CartContainer /> </main> ); ``` #### modal slice - create features/modal/modalSlice.js ```js import { createSlice } from '@reduxjs/toolkit'; const initialState = { isOpen: false, }; const modalSlice = createSlice({ name: 'modal', initialState, reducers: { openModal: (state, action) => { state.isOpen = true; }, closeModal: (state, action) => { state.isOpen = false; }, }, }); export const { openModal, closeModal } = modalSlice.actions; export default modalSlice.reducer; ``` - App.js ```js const { isOpen } = useSelector((state) => state.modal); return ( <main> {isOpen && <Modal />} <Navbar /> <CartContainer /> </main> ); ``` #### toggle modal - CartContainer.js ```js import { openModal } from '../features/modal/modalSlice'; return ( <button className='btn clear-btn' onClick={() => { dispatch(openModal()); }} > clear cart </button> ); ``` - Modal.js ```js import { closeModal } from '../features/modal/modalSlice'; import { useDispatch } from 'react-redux'; import { clearCart } from '../features/cart/cartSlice'; const Modal = () => { const dispatch = useDispatch(); return ( <aside className='modal-container'> <div className='modal'> <h4>Remove all items from your shopping cart?</h4> <div className='btn-container'> <button type='button' className='btn confirm-btn' onClick={() => { dispatch(clearCart()); dispatch(closeModal()); }} > confirm </button> <button type='button' className='btn clear-btn' onClick={() => { dispatch(closeModal()); }} > cancel </button> </div> </div> </aside> ); }; export default Modal; ``` #### async functionality with createAsyncThunk - [Course API](https://course-api.com/) - https://course-api.com/react-useReducer-cart-project - cartSlice.js - action type - callback function - lifecycle actions ```js import { createSlice, createAsyncThunk } from '@reduxjs/toolkit'; const url = 'https://course-api.com/react-useReducer-cart-project'; export const getCartItems = createAsyncThunk('cart/getCartItems', () => { return fetch(url) .then((resp) => resp.json()) .catch((err) => console.log(error)); }); const cartSlice = createSlice({ name: 'cart', initialState, extraReducers: { [getCartItems.pending]: (state) => { state.isLoading = true; }, [getCartItems.fulfilled]: (state, action) => { console.log(action); state.isLoading = false; state.cartItems = action.payload; }, [getCartItems.rejected]: (state) => { state.isLoading = false; }, }, }); ``` - App.js ```js import { calculateTotals, getCartItems } from './features/cart/cartSlice'; function App() { const { cartItems, isLoading } = useSelector((state) => state.cart); useEffect(() => { dispatch(getCartItems()); }, []); if (isLoading) { return ( <div className='loading'> <h1>Loading...</h1> </div> ); } return ( <main> {isOpen && <Modal />} <Navbar /> <CartContainer /> </main> ); } export default App; ``` #### Options ```sh npm install axios ``` - cartSlice.js ```js export const getCartItems = createAsyncThunk( 'cart/getCartItems', async (name, thunkAPI) => { try { // console.log(name); // console.log(thunkAPI); // console.log(thunkAPI.getState()); // thunkAPI.dispatch(openModal()); const resp = await axios(url); return resp.data; } catch (error) { return thunkAPI.rejectWithValue('something went wrong'); } } ); ``` #### The extraReducers "builder callback" notation cart/cartSlice ```js const cartSlice = createSlice({ name: 'cart', initialState, reducers: { // reducers }, extraReducers: (builder) => { builder .addCase(getCartItems.pending, (state) => { state.isLoading = true; }) .addCase(getCartItems.fulfilled, (state, action) => { // console.log(action); state.isLoading = false; state.cartItems = action.payload; }) .addCase(getCartItems.rejected, (state, action) => { console.log(action); state.isLoading = false; }); }, }); ```
A mini Android Phone Shop that users can Add phones fetched from an API to their cart. Page also has a price and total element that displays phone prices and the total of the prices added to the cart. Built with React, Redux, JavaScript, HTML5 and CSS3.
css3,html5,javascript,react,redux-middleware
2023-03-13T15:46:04Z
2023-04-06T14:40:55Z
null
1
1
8
0
0
3
null
null
JavaScript
IvanTymoshchuk/Architecture
main
[![Typing SVG](https://readme-typing-svg.herokuapp.com?color=%2336BCF7&lines=This+is+my+Architecture)](https://git.io/typing-svg)
Practice 😎
architecture,css,html5,javascript,programming,practice-programming
2023-03-20T11:19:18Z
2023-03-20T12:10:39Z
null
1
0
5
0
0
3
null
null
HTML
Surdy-A/City-Smile-Realty
master
<h1 align="center"> City Smile Realty Web Application </h1> <br> ## Table of Contents - [Introduction](#introduction) - [Features](#features) - [Technology](#Technology-Used) - [Running](#Running-the-application) - [Layout](#Layout) ## Introduction City Smile Realty: Is a Real Estate Market Place. You can Search millions of for-sale and rental listings. ## Features Here are some of the features: - Add Property for rent and sale - Delete Property - Edit Property ## Technology Used - Golang - Gonic Gin - CSS - Javascript - HTML ## Running the App Perform the following steps to run the application: 1- Clone the App ``` git clone https://github.com/Surdy-A/City-Smile-Realty.git ``` 2- Change directory into the City-Smile-Realty and run ``` go run main.go ``` ## Layout ```tree ├── .gitignore ├── README.md ├── assets │ ├── css │ ├── fonts │ ├── images │ ├── js │ └── videos ├── handlers │ └── house.go ├── models │ └── house.go ├── repo │ └── house.go ├── templates │ ├── template ├── Uploads │ ├── upload ├── utils │ ├── util.go └── |
City Smile Realty is a real estate market place. You can search millions of houses for sale and rental listings.
css,gin-gonic,golang,html,javascript
2023-03-17T07:17:34Z
2024-05-02T14:04:58Z
null
1
0
16
0
0
3
null
null
Go
MohamedBechirMejri/aichat
main
OpenAI API Test
AI Chat App using OpenAI's latest model
ai,api,chat,chatgpt,javascript,nextjs,openai,t3-stack,typescript
2023-03-13T01:07:34Z
2024-05-14T11:04:50Z
null
1
7
76
0
0
3
null
null
TypeScript
codequest-team/codequest
master
# CodeQuest > Проект реализован в рамках development hackathon.<br> > Тема: Мини-игры для развития определенных навыков в программировании > Авторы: [Дюсенов Асет](https://dyussenov.dev/), [Ким Максим](https://github.com/exynil), [Песков Сергей](https://peskov.dev/) CodeQuest - игровая платформа представляющая коллекцию игр для разивтия определенных скиллов в программировании. В качестве mvp представленна игра: **Гонки на регулярках** <img src="./.readme-static/main_menu.png"> ## RegexRace Регулярки в языках программирования это очень мощный инструмент, но к сожалению у многих он хромает. **RegexRace** имеет 2 режима: 1) Обучающий режим. Блок с теорией позволяющий подятнуть базу по регуляркам <img src="./.readme-static/learn_fail.png"> <img src="./.readme-static/learn_success.png"> 2) Рейтинговый режим - позволяет пользователям соревноваться в написании регулярок на перегонки. <img src="./.readme-static/competition.png"> # Setup: - `git clone https://github.com/codequest-team/codequest.git` - `cd codequest` - copy .envs and substitute your values if necessary: ```bash cp -r .envs_example .envs ``` - generate docker-compose with `docker-compose.sh` (param `dev` for local lauch) ```bash ./docker-compose.sh dev ``` or ```bash ./docker-compose.sh prod ``` - run project ```bash docker-compose up --build ```
Game platform - a set of games for the development of certain skills in programming
python,fastapi,flask,javascript,microservices,postgresql,vue,websockets
2023-03-24T09:43:21Z
2023-04-19T11:35:16Z
null
3
45
119
0
0
3
null
AGPL-3.0
Python
binodbhusal/Portfolio
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) - [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) # 📖 [Portfolio] <a name="about-project"></a> **[Portfolio]** is my profile project with information of my Skills,Project work and other details. ## 🛠 HTML and CSS <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> Combination of HTML and CSS ### Key Features <a name="key-features"></a> - **[Personal information and previous project works]** - **[Responsive]** - **[Graphic user interface friendly]** <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: 1. Knowledge of HTML and CSS 2. VSCode or other text editor installed. [Link to Download VSCode](https://code.visualstudio.com/download) 3. Node package. [Link to Download Node](https://nodejs.org/en/download) ### Setup - Clone this repository to your desired folder: Git clone:(https://github.com/binodbhusal/Hello-Microverse) - Navigate to the location of the folder in your machine: you@your-Pc-name:~$ cd Hello-Microverse ### Install Install this project with: - No need to install this project just Open index.html in your Browser. ### Usage To run the project, follow these instructions: - After Cloning this repo to your local machine. - Open the index.html in your browser. ### Run tests To run tests, run the following command: - Track HTML linter errors run: npx hint . - Track CSS linter errors run: npx stylelint "**/*.{css,scss}" - Track JavaScript linter errors run: npx eslint . ### Deployment open the index.html on your Browser. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Author <a name="authors"></a> 👤 **Binod Bhusal** - GitHub: [@githubhandle](https://github.com/binodbhusal) - Twitter: [@twitterhandle](https://twitter.com/Binod_ironLad) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/binodbhusal) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[New HTML file will be added]** - [ ] **[New CSS file will be added]** - [ ] **[Database will be connected]** <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/binodbhusal/Hello-Microverse/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project please feel free to contact me for any kind of support. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse and technical support team. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](https://choosealicense.com/licenses/mit/) licensed.
[Portfolio] project showcases my skills and previous work. It typically includes a homepage of my introduction, a section detailing my past projects, a section detailing my technical skills and areas of expertise, and a way to contact me. The website has a clean and professional design, is mobile-responsive, and is optimised for search engines.
css,html5,javascript
2023-03-22T19:30:07Z
2023-07-07T20:02:59Z
null
4
14
78
3
0
3
null
null
JavaScript
IzzUp-Labs/izzup-frontend
main
<p align="center"> <a href="https://dl.circleci.com/status-badge/redirect/gh/Gig-Client/gig-frontend/tree/main" target="blank"><img src="https://dl.circleci.com/status-badge/img/gh/Gig-Client/gig-api/tree/main.svg?style=svg" width="100" alt="Circle CI" /></a> </p> # Gig Web Front This template should help get you started developing with Vue 3 in Vite. ## Recommended IDE Setup [VSCode](https://code.visualstudio.com/) + [Volar](https://marketplace.visualstudio.com/items?itemName=Vue.volar) (and disable Vetur) + [TypeScript Vue Plugin (Volar)](https://marketplace.visualstudio.com/items?itemName=Vue.vscode-typescript-vue-plugin). ## Customize configuration See [Vite Configuration Reference](https://vitejs.dev/config/). ## Project Setup ```sh npm install ``` ### Compile and Hot-Reload for Development ```sh npm run dev ``` ### Compile and Minify for Production ```sh npm run build ```
IzzUp frontend is a website to describe the mobile app and to download it !
css,html,javascript,vuejs
2023-03-15T15:13:48Z
2023-03-21T01:45:40Z
null
3
0
3
0
0
3
null
null
Vue
10ishq/quizzie
main
# Quizzie This project is a simple quiz app built with React. It utilizes the Open Trivia API to generate random questions based on a selected category. Demo: [Play Quizzie](http://quizziegame.web.app/) * Select category and play! ![ezgif-4-36776d9c22](https://user-images.githubusercontent.com/30299564/229290653-0170b365-d070-4c18-9db9-e3ea3b63e029.gif) * Celebrate with Confetti! ![ezgif-4-0e85362090](https://user-images.githubusercontent.com/30299564/229290658-7493ab1e-38d7-42d7-8d79-8f5074513495.gif) ## Table of Contents: * Installation * Usage * Technologies Used * Contributing * Lisence ## Installation To run this project, you will need to have Node.js installed on your machine. 1. Clone this repository to your local machine using the command below. `git clone https://github.com/10ishq/quizzie.git` 2. Navigate to the project directory. `cd quizzie` 3. Install the required dependencies with the following command. `npm install` 4. Install Tailwind `npm install -D tailwindcss` `npx tailwindcss init` * Configure your template paths Add the paths to all of your template files in your `tailwind.config.js` file ``` /** @type {import('tailwindcss').Config} */ module.exports = { content: [ "./src/**/*.{js,jsx,ts,tsx}", ], theme: { extend: {}, }, plugins: [], } ``` * Add the Tailwind directives to your CSS Add the @tailwind directives for each of Tailwind’s layers to your `./src/index.css` file. ``` @tailwind base; @tailwind components; @tailwind utilities; ``` 5. Start the development server. `npm start` 6. Open http://localhost:3000 to view the app in your browser. ## Usage ### Selecting a Category Upon loading the app, the user will be prompted to select a category for the quiz. Clicking on a category will take the user to the first question in the quiz. ## Answering Questions The quiz consists of 10 multiple choice questions. The user can select an answer by clicking on one of the provided options. Once an answer has been selected, the user can move on to the next question by clicking the "Next" button. ## Viewing Results After answering all 10 questions, the user will be taken to a results page that displays their score out of 10. The user can then click the "Reset" button to restart the quiz. ## Technologies Used * React * TypeScript * React Router * React Context API * Open Trivia API ## Contributing Contributions are welcome! If you would like to contribute to the project, please follow the steps below. * Fork the project. * Create a new branch. * Make your changes and commit them. * Push your changes to your fork. * Submit a pull request. ## License This project is licensed under the MIT License. See the LICENSE file for details.
Quizzie is a quiz application built with React and TypeScript, which uses the Open Trivia API to fetch random questions based on a selected category. Users can choose a category and answer 10 multiple-choice questions. The application also features a results page that displays the user's score out of 10.
api,context-api,game,javascript,quiz,react,react-router,reactjs,rest-api,learn
2023-03-14T06:52:26Z
2023-04-01T13:29:49Z
null
1
1
26
0
0
3
null
MIT
TypeScript
VasilDimitroff/ShopHeaven
main
# ShopHeaven Online shop with React.js, ASP.NET Core and Entity Framework Core. Custom made design, fully responsive. Used technologies: <ul> <li>React.js</li> <li>MaterialUI</li> <li>ASP.NET Core</li> <li>Entity Framework Core</li> <li>MS SQL Server</li> <li>HTML</li> <li>CSS</li> <li>Azure Storage</li> <li>Stripe Payment System API</li> <li>JWT and Refresh Token</li> </ul> 1. Home Page ![image](https://github.com/VasilDimitroff/ShopHeaven/assets/69012936/cea9d718-eecb-454c-9944-0ca93e1b619c) 2. User Cart ![image](https://github.com/VasilDimitroff/ShopHeaven/assets/69012936/4ec03cd8-cba3-425f-a46e-2421ce4a7af8) 3. Category page ![image](https://github.com/VasilDimitroff/ShopHeaven/assets/69012936/dd84ec3e-e391-47fd-b456-bdb242803662) 4. Single product page ![image](https://github.com/VasilDimitroff/ShopHeaven/assets/69012936/4ff72321-8f00-49c4-9eee-a500be3dfd8e) 5. Admin Panel ![image](https://github.com/VasilDimitroff/ShopHeaven/assets/69012936/5b0265d1-6c75-4ed6-a5ad-9f20baa54acf)
Online shop with React.js, MaterialUI and ASP.NET Core
asp-net-core,aspnetcore,csharp,javascript,material-ui,materialui,react,reactjs,online-shop,online-store
2023-03-15T06:56:17Z
2023-07-06T11:31:37Z
null
1
2
532
0
0
3
null
MIT
JavaScript
guhrodriguess/to-do
main
## To-do List Create and store tasks. <a href="https://guhrodriguess.github.io/to-do/"> <img src="./assets/img/todo.png" /> </a>
Create and store tasks.
css,html,javascript,to-do-list
2023-03-22T02:19:44Z
2024-03-30T02:59:10Z
null
1
0
38
0
0
3
null
null
JavaScript
abhijeetgurle/remote-code-execution
main
# Remote Code Execution Platform I was always fasinated by the idea of having a platform where you can run code remotely on the list of test cases & get the output. This is a simple implementation of that idea. There are some great implmentations on Github for running code in different programming languages but no one explains how to run code remotely on the list of test cases. So I decided to build one myself. [Blog To Read For Understanding The Architecture](https://medium.com/towardsdev/i-have-built-a-remote-code-execution-engine-like-leetcode-here-are-my-learnings-5e57d92a5602) ## Features - Run code remotely on the list of test cases. (Currently only supporting JS. Will add more languages soon & also JS is the best language in the world :P) - Get the output of the code. - Get whether the code passed all the test cases or not. ## How to use I have built this project as web application & it is hoted on [link](http://139.59.193.150:3000/). Thanks to [Digital Ocean](https://www.digitalocean.com/). ## Architecture ![](./RCE.drawio.png) ## How to run locally - Clone the repo - Run Frontend ``` $ cd frontend $ npm install $ npm run dev ``` - Run redis inside docker ``` $ docker run --name my-redis -p 6379:6379 redis ``` - Run rabbitmq inside docker ``` $ docker run --rm -it -p 15672:15672 -p 5672:5672 rabbitmq:3-management ``` - Create folder `codeFiles` inside `backend` folder. - Run Backend ``` $ cd backend $ npm install $ npm run dev ``` - Run Consumer ``` $ npx ts-node src/consumer.ts ```
remote code execution engine on the list of test cases.
javascript,leetcode,nodejs,remote-code-execution,remote-code-execution-engine,typescript,hacktoberfest
2023-03-25T15:46:15Z
2023-08-28T02:15:38Z
null
2
13
45
0
1
3
null
null
TypeScript
ismailtijani/Kimbali
master
# Project Name: Kimbali ## Description This is an app that help access the most basic financial services like transfers, savings, payments, loans and thus enabling seamless banking experience --- ##### Postman Documentation Link _[Postman Documentation](https://documenter.getpostman.com/view/25509517/2s93Y5NzX2)_ --- #### Project setup Follow the steps highlighted below to get the application running on your local computer ## Prerequiste * Ensure you have `Node` with version >=14 installed. * You have a text editor (preferably Vscode) installed on your computer * MongoDB (if running locally) * Postman (to test the APIs) * Have a registered account with Mailtrap ## Steps 1. Clone the repository into your computer. Run command `git clone https://github.com/ismailtijani/Kimbali.git` 2. Open the project folder with your desire code editor 3. Open a built in terminal 4. Create a `.env` file in the root of the project and configure your environment variables (check .env.example file for details) 5. To install all dependencies used in the project, run `npm i` 6. To ensure the project is open with rules specific by eslint used in this project, type in `npm run lint` on the terminal 7. Next, ensure the project files are rightly formatted by typing in `npm run format:check` 8. Finally, to start the development server, `npm run dev` If everything went well, you should see the following printed on the terminal console <Server is running 🚀🚀🚀 on port 3000> <DB Connection Successful> If you encounter any issues while doing any of the above commands, kindly see the sections below on the `available scripts` to find for little more insight. If the issue persist, kindly contact `Ismail => @ ismailtijani10@yahoo.com` --- ## Features - [x] The application is responsible for creating new Admin and User - [x] Customer cannot create another user account - [x] User can upload a profile picture - [x] User can fund thier wallet - [x] User can view avalaible balance - [x] User can make withdrawal - [x] User cannot make withdrawal more than his/her balance - [x] User can transfer funds to existing user only - [x] Transaction status i.e "Success" or "Failed" - [x] User cannot transfer negative amount - [x] User cannot transfer to himself/herself - [x] User is charged a certain fee for all transfers - [x] User cannot transfer more than his/her balance (insufficient balance) - [x] User can view transaction history - [x] User can view transaction detatils - [x] User can view total amount credited and debited --- - [x] Added joi validation - fail fast principle - [x] Data cleaning and validation to avoid foreign and illlegitimate inputs - [x] Transaction history with pagination - [x] Handle `unhandled` exceptions and rejections - [x] Implement transaction limit - [x] Handled scenarios where the user's bank account is compromised or hacked, and implementing appropriate security measures such as user authentication, password resets, and account recovery processes. --- ### TODO - [x] Redis cache for user profile AND STATISTICS - [x] Cash back on all withdrawals - [x] Add premium users - [x] Overdraft limit for general user and premium users - [x] Implementing two-factor authentication for secure transactions - [x] Implementing a transaction timeout to prevent unauthorized access or fraud - [x] Handling failed transactions and providing appropriate error messages to users - [x] Handling large transactions or transfers that may require additional verification or approval from the bank - [x]Implementing account freeze or suspen sion for suspicious account activity by administrators [rbac ] --- #### My API Endpoints ##### Register new user > POST ⇒ {{url}}/user/signup > **Example requestbody:** ```js { "name": "SOT", "email": "user@mail.com" "phoneNumber": "08094706335", "password": "kimbali123" } ``` **Example response body** ```js { "STATUS": "SUCCESS", "MESSAGE": "Account created succesfully", "DATA": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJfaWQiOiI2NDNlNmQ0ZWY3MGRkNGM3ZDg0ZTViZTMiLCJpYXQiOjE2ODE4MTI4MTR9.VPpN6vbcFtEJ4v5J45sCuTY0Jt6HyOnPwSI06IFA_zA" } ``` <br> ##### Login user POST ⇒ {{url}}/user/login **Example requestbody:** ```js { "email": "user@mail.com", "password": "kimbali123" } ``` **Example response body** ```js { "STATUS": "SUCCESS", "DATA": "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJfaWQiOiI2NDNlNmQ0ZWY3MGRkNGM3ZDg0ZTViZTMiLCJpYXQiOjE2ODE4MTI4ODN9.MtKxkZW0P5jsfW50S6BqxOMFfMR_QMa-iIphUe3jClQ" } ``` <br> ##### Fund your wallet POST ⇒ {{url}}/transaction/fund_wallet Authorization: Bearer {{token}} **Example requestbody:** ```js { "amount":7000 } ``` **Example response body** ```js { "STATUS": "SUCCESS", "DATA": "Wallet funded successfully ✅" } ``` <br> ##### Transfer funds to another wallet POST ⇒ {{url}}/transaction/transfer Authorization: Bearer {{token}} **Example requestbody:** ```js {"amount": 1000, "receiver_id":"i3itm5d"} ``` **Example response body** ```js { "status": "SUCCESS", "Transfer": "-#1000", "Account_Number": "d6ro7i0", "Account_Name": "SOT", "VAT": 10, "Transaction_id": "643e7ddbe61c64e3850fad18", "Description": "Funds transferred successfully to SOT" } ``` <br> ##### View balance in your wallet GET ⇒ {{url}}/transaction/balance Authorization: Bearer {{token}} **Example response body** ```js { "STATUS": "SUCCESS", "DATA": "Your balance is #48485" } ``` <br> ##### View transaction history GET ⇒ {{URL}}/transaction/transaction_history Authorization: Bearer {{token}} **Example response body** ```js { "STATUS": "SUCCESS", "DATA": [ { "_id": "643e7db7e61c64e3850fad0f", "sender_id": "643e6d4ef70dd4c7d84e5be3", "transaction_type": "credit", "transaction_status": "success", "amount": 50000, "receiver_id": "1pidt72", "transaction_fee": 0, "balance_before": 0, "newBalance": 50000, "description": "Hi Ismail T, your wallet have been funded with #50000.", "createdAt": "2023-04-18T11:23:35.170Z", "updatedAt": "2023-04-18T11:23:35.170Z", "__v": 0 }, { "_id": "643e7ddbe61c64e3850fad18", "sender_id": "643e6d4ef70dd4c7d84e5be3", "transaction_type": "debit", "transaction_status": "success", "amount": 1000, "receiver_id": "d6ro7i0", "transaction_fee": 10, "balance_before": 50000, "newBalance": 48990, "description": "Hi Ismail T, your wallet have been debited with #1000.", "createdAt": "2023-04-18T11:24:11.585Z", "updatedAt": "2023-04-18T11:24:11.585Z", "__v": 0 }, { "_id": "643e7dfbe61c64e3850fad20", "sender_id": "643e6d4ef70dd4c7d84e5be3", "transaction_type": "debit", "transaction_status": "success", "amount": 500, "receiver_id": "643e6d4ef70dd4c7d84e5be3", "transaction_fee": 5, "balance_before": 48990, "newBalance": 48485, "description": "Hi Ismail T, your wallet have been debited with #500.", "createdAt": "2023-04-18T11:24:43.131Z", "updatedAt": "2023-04-18T11:24:43.131Z", "__v": 0 } ] } ``` <br> ##### View transaction details GET ⇒ {{url}}/transaction/transaction_details/:transaction_id Authorization: Bearer {{token}} **Example response body** ```js { "STATUS": "SUCCESS", "DATA": { "_id": "643e7ddbe61c64e3850fad18", "sender_id": "643e6d4ef70dd4c7d84e5be3", "transaction_type": "debit", "transaction_status": "success", "amount": 1000, "receiver_id": "d6ro7i0", "transaction_fee": 10, "balance_before": 50000, "newBalance": 48990, "description": "Hi Ismail T, your wallet have been debited with #1000.", "createdAt": "2023-04-18T11:24:11.585Z", "updatedAt": "2023-04-18T11:24:11.585Z", "__v": 0 } } ``` <br> ##### View total amount credited GET ⇒ {{url}}/transaction/totalamount_credited Authorization: Bearer {{token}} **Example response body** ```js { "STATUS": "SUCCESS", "DATA": "Total amount credited is #50000" } ``` --- # Getting Started ## 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 run build` Builds the app for production to the `build` folder.\ It correctly bundles Node in production mode and optimizes the build for the best performance. ### `npm run lint` Checks if files obeys all Eslint set rules properly ### `npm run lint:fix` This script fixes all possible eslint errors in the project ### `npm run format:write` Formats all files using prettier set rules at .prettierrc ### `npm run format:check` Checks if all files are formatted properly
Kimbali renders financial services to enhance efficient transactions of funds and remote banking. Through Kimbali app, more individuals can access the most basic financial services like transfers, savings, payments, loans and thus enabling seamless participation in the global economy and intensifying financial inclusion.
banking-applications,financial-inclusion,fintech,node,javascript,mongodb,typescript
2023-03-13T04:44:15Z
2023-04-28T17:39:24Z
null
1
0
39
0
0
3
null
null
TypeScript
richedperson1/Personal-Portfolio--Web-Project-
master
# Hi, I'm Rutvik ! 👋 ``` Web development for Every single day``` # Web development Powerful web design isn't about how much you can fit on a page, it's about how effectively you can make an impact with what you have. A thoughtfully crafted small web page can create a big difference. <hr> <br> # Deploy link is ## - [❗link](https://master--glittering-nougat-e1d549.netlify.app/) ## 🛠 Skills HTML, CSS, JS <br> # Index page [starting] <br> ![Logo](./assets/start_of_page.png) <br> ## Authors - [@Rutvik Jaiswal](https://www.github.com/richedperson1)
Personal Portfolio Web page for praticing web development
css,hiteshchoudhary,ineuron-assignments,javascript,open-contribution-office,open-source,personal-project,personal-website,web-developer,web-development
2023-03-18T06:50:49Z
2023-05-06T06:21:55Z
null
1
0
31
0
2
3
null
null
CSS
clxrityy/chatgptx
main
# [ChatGPTx](https://chatgptx-gold.vercel.app/) > A replica of ChatGPT utilizing [`Next.js`](https://nextjs.org/), [`tailwindcss`](https://tailwindcss.com/), [`Firebase`](https://firebase.google.com/), & [`OpenAI`](https://openai.com/). ## BETA VERSION
Replication of ChatGPT with Next.js 13. Ability to change the model.
chatgpt,firebase,javascript,nextjs,openai,tailwindcss,typescript
2023-03-23T16:18:49Z
2024-01-31T19:28:36Z
null
1
15
34
0
2
3
null
MIT
TypeScript
otmanTR/Popularity-Of-Cryptos
dev
<a name="readme-top"></a> <div align="center"> <br/> <h3><b> Space Traveler's hub README Template</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Key Features](#key-features) - [🚀 Live Demo and project presentation](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Run tests](#run-tests) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) # 📖 Popularity of Cryptos hub <a name="about-project"></a> **Popularity of Cryptos** is a React-Redux project developed by me. You can see your favorite coins price, volum and etc datas. ## 🛠 Built With <a name="built-with"></a> ### Key Features <a name="key-features"></a> - **API** - **React** - **Redux** - **JavaScript** - **CSS** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo and project presentation <a name="live-demo"></a> - [Live Demo Link](https://popularity-of-cryptos.onrender.com) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get the local copy up and running, follow these steps. -Clone the Repo or Download the Zip file or https://github.com/otmanTR/Popularity-Of-Cryptos.git -cd /leaderboard -Open it with the live server ### Prerequisites In order to run this project you need: -Git/Github -React and CSS knowledge -VS code or any other equivalent tool. ### Setup Clone this repository to your desired folder: To install locally run git clone https://github.com/otmanTR/Popularity-Of-Cryptos.git Open the cloned repository with a code editor ### Install Open the terminal of the cloned repository and type npm install to install all dependencies ### Run tests To run tests, run the following command: npm test <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Burak Otman** - GitHub: [@otmanTR](https://github.com/otmanTR) - LinkedIn: [Burak Otman](https://www.linkedin.com/in/burak-otman-88646443/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Add more details** - [ ] **Improve design** <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](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project please give it a ⭐️ <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 the author of the original design for granting to suport me to do this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ (OPTIONAL) <a name="faq"></a> > Add at least 2 questions new developers would ask when they decide to use your project. - **Can I buy coins in that website?** - Unfortunately that is not possible...yet :) - **Great page!** - Thank you very much <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Popularity Of Cryptos a website you can see your favorite coins details
css,javascript,react,redux
2023-03-20T10:31:13Z
2023-03-25T08:08:34Z
null
1
4
38
1
0
3
null
null
JavaScript
JLpensador/Hot_Wheels_AcceleRacers
main
# Hot_Wheels_AcceleRacers Um carrossel de imagens da série de filmes hot wheels acceleracers <br> <br> ![CSS3](https://img.shields.io/badge/css3-%231572B6.svg?style=for-the-badge&logo=css3&logoColor=white) ![HTML5](https://img.shields.io/badge/html5-%23E34F26.svg?style=for-the-badge&logo=html5&logoColor=white) ![JavaScript](https://img.shields.io/badge/javascript-%23323330.svg?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E) ![Visual Studio Code](https://img.shields.io/badge/Visual%20Studio%20Code-0078d7.svg?style=for-the-badge&logo=visual-studio-code&logoColor=white) ![ezgif com-gif-maker (1)](https://user-images.githubusercontent.com/127153172/229317022-65308280-f7b7-49d5-aac6-a9b4f057971b.gif)
Um carrossel de imagens da série de filmes hot wheels acceleracers
css,css3,html,html-css,html-css-javascript,html-css-js,html5,html5-css3,javascript
2023-03-15T21:30:02Z
2023-10-25T15:33:10Z
null
1
0
11
0
0
3
null
null
HTML
Enoisong/Capstone-Project
main
# Capstone-Project <a name="readme-top"></a> # 📗 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 --> # 📖 Capstone Project <a name="about-project"></a> Capstone Project is a mobile website designed as part of Microverse coursework. ## 🛠 Built With <a name="built-with"></a> - HTML - CSS - javascript ### Tech Stack <a name="tech-stack"></a> - HTML - CSS - javascript <!-- Features --> ### Key Features <a name="key-features"></a> - The About page - The Home Page <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> https://www.loom.com/share/189d9a072c1a48509aa10e52405724bd ## 💻 Getting Started <a name="getting-started"></a> clone from repository: https://github.com/Enoisong/Capstone-Project.git ### Prerequisites In order to run this project you need to: Install Live server VScode extension and run Go Live ### Setup Clone this repository to your desired folder: https://github.com/Enoisong/Capstone-Project.git ### Install Install this project with: VSCode ### Usage To run the project: Install the Live server extension of the VScode and run Go Live ### Run tests To run linters tests, run the following command: npx hint . npx stylelint "**/*.{css,scss}" npx eslint . ### Deployment It will be deployed after merge <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Author <a name="author"></a> - Enobong Isong 👤 **Author** 👤 **Author** - GitHub: [@githubhandle](https://github.com/Enoisong) - Twitter: [@twitterhandle](https://twitter.com/Enobongmisong) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/enobong-isong/) ## 🔭 Future Features <a name="future-features"></a> - Project Page - Service Page - Contact Page - <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, as well as 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, give me a star <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> The original design ideal by [Cindy Shin in Behance] (https://www.behance.net/adagio7. - Project from [Microverse](https://www.microverse.org/) html & css modules. - Thanks to the Microverse team for the great curriculum. - Thanks to the Code Reviewer(s) for the insightly feedbacks. - A great thanks to my coding partner(s), morning session team, and standup team for their contributions. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
A mobile website inviting people to ICT conference built with JavaScript and Bootstrap
javascript
2023-03-19T09:30:40Z
2023-04-14T07:58:54Z
null
1
1
27
1
0
3
null
null
CSS
eniodev/gpt-whatsapp-bot
main
# GPT WhatsApp Bot This project is a simple WhatsApp chatbot that uses OpenAI's `GPT-3` to generate responses to user messages. The chatbot is built using ``Node.js`` and the WhatsApp Web API provided by whatsapp-web.js. ## Installation - Clone the repository to your local machine using ``git clone``. - Run npm install to install all the necessary dependencies. - Use ``.env`` to add your OpenAI API key. ## Usage - Run the bot using npm start. - Scan the QR code that appears in the console using your WhatsApp mobile app. - Send a message to the bot and wait for a response. ## Customization - You can customize the chatbot by modifying the getGPTResponse function located in openai.js. This function uses OpenAI's GPT-3 API to generate responses to user messages. You can adjust the model, temperature, max_tokens, top_p, frequency_penalty, and presence_penalty parameters to change the way the responses are generated. ## Code Overview ### index.js - This file contains the main logic of the chatbot. ### client - The Client object is used to connect to the WhatsApp Web API. ### client.on('qr') - This event is triggered when the QR code is generated. The QR code is displayed in the console and the user is prompted to scan it using their WhatsApp mobile app. ### client.on('ready') - This event is triggered when the bot is successfully connected to the WhatsApp Web API. A message is displayed in the console to confirm that the bot is ready. ### client.on('message') - This event is triggered when a message is received by the bot. The getGPTResponse function is called to generate a response to the message, and the response is sent back to the user. ### openai.js - This file contains the getGPTResponse function, which is responsible for generating responses using OpenAI's GPT-3 API. ### openai.createCompletion This method is used to generate responses using OpenAI's GPT-3 API. The prompt parameter is used to provide the input text to the API, and the other parameters are used to customize the way the response is generated. ## Conclusion This project provides a simple example of how to build a chatbot using Node.js and OpenAI's GPT-3 API. By customizing the getGPTResponse function, you can create a chatbot that generates responses to user messages in a variety of contexts.
An Artificial Intelligence bot that allows you to interact with Open AI Davinci-003 model directly from WhatsApp
chatgpt-api,davinci-003,javascript,openai,openapi,whatsapp-bot,whatsapp-web
2023-03-18T22:19:22Z
2023-04-06T22:42:58Z
null
1
0
7
0
1
3
null
null
JavaScript
LeslieAine/travelers-hub
dev
# Traveler's Hub <a name="readme-top"></a> <!-- HOW TO USE: This is an example of how you may give instructions on setting up your project locally. Modify this file to match your project and remove sections that don't apply. REQUIRED SECTIONS: - Table of Contents - About the Project - Built With - Live Demo - Getting Started - Authors - Future Features - Contributing - Show your support - Acknowledgements - License OPTIONAL SECTIONS: - FAQ After you're finished please remove all the comments and instructions! --> <!-- 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) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # Traveler's hub <a name="about-project"></a> **Traveler's Hub** "Traveler's Hub" is a web application for a company that provides commercial and scientific space travel services. The application will allow users to book rockets and join selected space missions. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> This project was built using these technologies. - React - Redux <!-- Features --> ### Key Features <a name="key-features"></a> - **Rockets page** - **Missions page** - **Profile page** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> <!-- ## 🚀 Live Demo <a name="live-demo"></a> - [Here](https://LeslieAine.github.io) <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 This project requires the following: - Node.js - React ### Setup Clone this repository to your desired folder: ```sh git clone https://github.com/LeslieAine/travelers-hub.git cd travelers-hub ``` ### Install Install this project with: ```sh npm install ``` ### Usage To run the project, execute the following command: ```sh npm start ``` ### Run tests To run tests, run the following command: ```sh npm test ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Leslie Aine** - GitHub: [@LeslieAine](https://github.com/LeslieAine) - LinkedIn: [@LeslieAine](https://linkedin.com/in/LeslieAine) 👤 **Mohamed Sabry** - GitHub: [@mohamedSabry0](https://github.com/mohamedSabry0) - Twitter: [@mohsmh0](https://twitter.com/mohsmh0) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/mohamed-sabry0/) ## 🔭 Future Features <a name="future-features"></a> > Describe 1 - 3 features you will add to the project. - [ ] **[Reducers and actions ]** - [ ] **[Redux in components ]** - [ ] **[Connect to API]** <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 or if it helped you, please give it a ⭐️! <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>
A web app that pulls data from the RocketSpace API for a company that provides space travel services. Users can book rockets and join space missions. Built with React, Redux, JavaScript.
api,javascript,react,redux
2023-03-13T07:53:24Z
2023-07-24T20:35:16Z
null
2
8
53
4
0
3
null
MIT
JavaScript
onanuviie/calculator-react
master
# Calculator-React A calculator made with React JS ### Screenshot ![](calculator-react.png) ### Links - See what the calculator looks like and use it [here](https://calculator-react-xi-five.vercel.app/) ## My process ### Built with - Semantic HTML5 markup - CSS custom properties - JSX - useState - useReducer ### What I learned This was my first time using the useReducer hook. I learnt how it can be used to make your code cleaner and make your work easier.
A calculator made with react
css-flexbox,css-grid,css3,javascript,jsx,reactjs
2023-03-21T08:30:27Z
2023-04-04T21:10:52Z
null
1
0
9
0
0
3
null
null
JavaScript
Lakshya-GG/SunsetAdventures
main
# SunsetAdventures Basic Travel agent website using HTML CSS JS <div align="center"> <h1>⌨️ Booking app </h1> <p>Made using HTML , CSS , JS , jQuery </p> </div> ![Sunset Adventures](https://github.com/Lakshya-GG/SunsetAdventures) ## Getting Started ### 1. Clone this repository Go to your terminal and clone the project. ``` git clone my-project ``` ### 2. Run the development server Open with your browser to see the result.
Basic Travel agent website using HTML CSS JS jQuery
css-flexbox,css3,html5,javascript,jquery,jquery-ui
2023-03-21T08:52:04Z
2023-03-29T03:38:16Z
null
1
0
5
0
0
3
null
MIT
JavaScript
Dannyblazer/Public-Chat-Server
master
# Public-Chat-Server ### A simple chat server with Django. Has the following features - chatroom creation - chatroom interface - chat messagaing - Uses Django Channels for real-time communication over websockets. ### It can be easily customized and maintained, and provides a secure real-time chat experience for users. # Deployment Soon...
A simple chat server with Django from the channels tutorial.
chat,django,javascript,realtime,websocket,chat-application
2023-03-23T22:40:50Z
2023-04-14T23:38:33Z
null
1
0
6
0
1
3
null
null
Python
sj056/pastel-portfolio
main
null
A demo portfolio created in a hands-on workshop taken for the students of NIET.
javascript,web
2023-03-21T21:41:19Z
2023-03-25T14:08:43Z
null
1
0
2
0
1
3
null
null
HTML
parmishh/Bankings-system
master
# Bankings-system <p align="center"> <img width="500" alt="imgg" src="https://user-images.githubusercontent.com/91942072/227325954-07d4c03f-9d9c-4331-8c7e-68df8bdda48a.PNG"> </p> ## About A Banking management system made using MERN Stack. save users, Transfer money, view and edit your transfer history as well. 🎥check out the video Demo to understand its working: https://www.youtube.com/watch?v=mjWpafNGQvs 🚀The site is live: https://banking-system-97ru.onrender.com/ ## Contributing `fork the repository` ``` git clone https://github.com/{your github username here}/Bankings-system ``` ``` cd Bankings-system ``` `create a .env file` `write DB_URL="insert your mongodb uri here"` ``` npm install ``` ``` npm start ``` `Project will start running at http://localhost:5000`
A Banking management system made using MERN Stack. save users, Transfer money, view and edit your transfer history as well.
css,express-js,git,html,javascript,mongodb,nodejs,ejs
2023-03-23T18:46:39Z
2023-06-10T13:25:33Z
null
1
0
8
2
1
3
null
NOASSERTION
EJS
HajarAitAbdielmomin/IT-Ticketing-System
master
<p align="center"><a href="https://laravel.com" target="_blank"><img src="https://raw.githubusercontent.com/laravel/art/master/logo-lockup/5%20SVG/2%20CMYK/1%20Full%20Color/laravel-logolockup-cmyk-red.svg" width="400"></a></p> <p align="center"> <a href="https://travis-ci.org/laravel/framework"><img src="https://travis-ci.org/laravel/framework.svg" alt="Build Status"></a> <a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/dt/laravel/framework" alt="Total Downloads"></a> <a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/v/laravel/framework" alt="Latest Stable Version"></a> <a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/l/laravel/framework" alt="License"></a> </p> ## About Laravel Laravel is a web application framework with expressive, elegant syntax. We believe development must be an enjoyable and creative experience to be truly fulfilling. Laravel takes the pain out of development by easing common tasks used in many web projects, such as: - [Simple, fast routing engine](https://laravel.com/docs/routing). - [Powerful dependency injection container](https://laravel.com/docs/container). - Multiple back-ends for [session](https://laravel.com/docs/session) and [cache](https://laravel.com/docs/cache) storage. - Expressive, intuitive [database ORM](https://laravel.com/docs/eloquent). - Database agnostic [schema migrations](https://laravel.com/docs/migrations). - [Robust background job processing](https://laravel.com/docs/queues). - [Real-time event broadcasting](https://laravel.com/docs/broadcasting). Laravel is accessible, powerful, and provides tools required for large, robust applications. ## Learning Laravel Laravel has the most extensive and thorough [documentation](https://laravel.com/docs) and video tutorial library of all modern web application frameworks, making it a breeze to get started with the framework. If you don't feel like reading, [Laracasts](https://laracasts.com) can help. Laracasts contains over 1500 video tutorials on a range of topics including Laravel, modern PHP, unit testing, and JavaScript. Boost your skills by digging into our comprehensive video library. ## Laravel Sponsors We would like to extend our thanks to the following sponsors for funding Laravel development. If you are interested in becoming a sponsor, please visit the Laravel [Patreon page](https://patreon.com/taylorotwell). ### Premium Partners - **[Vehikl](https://vehikl.com/)** - **[Tighten Co.](https://tighten.co)** - **[Kirschbaum Development Group](https://kirschbaumdevelopment.com)** - **[64 Robots](https://64robots.com)** - **[Cubet Techno Labs](https://cubettech.com)** - **[Cyber-Duck](https://cyber-duck.co.uk)** - **[Many](https://www.many.co.uk)** - **[Webdock, Fast VPS Hosting](https://www.webdock.io/en)** - **[DevSquad](https://devsquad.com)** - **[Curotec](https://www.curotec.com/services/technologies/laravel/)** - **[OP.GG](https://op.gg)** - **[WebReinvent](https://webreinvent.com/?utm_source=laravel&utm_medium=github&utm_campaign=patreon-sponsors)** - **[Lendio](https://lendio.com)** ## Contributing Thank you for considering contributing to the Laravel framework! The contribution guide can be found in the [Laravel documentation](https://laravel.com/docs/contributions). ## Code of Conduct In order to ensure that the Laravel community is welcoming to all, please review and abide by the [Code of Conduct](https://laravel.com/docs/contributions#code-of-conduct). ## Security Vulnerabilities If you discover a security vulnerability within Laravel, please send an e-mail to Taylor Otwell via [taylor@laravel.com](mailto:taylor@laravel.com). All security vulnerabilities will be promptly addressed. ## License The Laravel framework is open-sourced software licensed under the [MIT license](https://opensource.org/licenses/MIT).
The IT ticketing system is a system for managing a helpdesk service. Where customers can submit tickets and agents(or rep) can reply to customers. With a very clean and simple interface, where your customers can manage their tickets with just a few clicks.
bootstrap4,html,jquery,laravel-mvc,php7,phpmyadmin,laravel-8,html-css-javascript,javascript
2023-03-19T18:30:45Z
2023-03-19T21:19:00Z
null
1
0
1
0
0
3
null
null
JavaScript
Uthmanbello/metrics-webapp
dev
<a name="readme-top"></a> <div align="center"> <br/> <h3><b>Weather App</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Key Features](#key-features) - [💻 Presentation](#presentation) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [Weather App] <a name="about-project"></a> **[Weather App]** is a project that pulls from the OpenWeatherMap API to allow users to search for and view the forecast in cities worldwide. Built with JavaScript. ## 🛠 Built With <a name="built-with"></a> -HTML -CSS -JavaScript -ReactJS -Redux ### Key Features <a name="key-features"></a> - **[The project was built using ES6]** - **[Modules were imported/exported for the JavaScript]** - **[Webpack bundling was used]** - **[ReactJS environment was employed]** - **[Redux toolkit was employed]** - **[OpenWeather API was consumed]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Presentation <a name="presentation"></a> Click for presentation [Weather App Presentation](https://www.loom.com/share/557c3d4066074f15b4021e9503fc7f3c). ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://weather-update-app.vercel.app/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> 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) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Author <a name="authors"></a> 👤 **Uthman Igein Bello-Imoukhuede** - GitHub: [Uthmanbello](https://github.com/Uthmanbello) - Twitter: [@UthmanDeRoyale](https://twitter.com/UthmanDeRoyale) - LinkedIn: [Uthman Igein Bello-Imoukhuede](linkedin.com/in/uthman-igein-bello-imoukhuede) <p align="right">(<a href="#readme-top">back to top</a>)</p> 🔭 Future Feature - **[Addition of the pages]** - **[Addition of more cities]** ## 🤝 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> Give a like if you like this project and kindly follow us using our social media handles <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank my learning partners, morning and standup team members, mentors and other friends who helped throughout the process. I would also like to appreciate [Nelson Sakwa on Behance](https://www.behance.net/sakwadesignstudio) who prepared the original design <p align="right">(<a href="#readme-top">back to top</a>)</p> <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>
A weather app that pulls from the OpenWeatherMap API to allow users to search for and view the forecast in cities worldwide. Built with JavaScript.
css3,html5,javascript,reactjs,redux
2023-03-12T18:17:08Z
2024-01-05T05:23:27Z
null
1
5
35
0
0
3
null
MIT
JavaScript
prakash-s-2210/mern-social-media-app
master
# MERN STACK SOCIAL MEDIA APPLICATION This project is a full-stack social media application that has been developed using the MERN stack. The application includes a registration page that has complete validation, and users can upload their images for their profiles. After registering, users can log in to the application and access the home page. The home page is only accessible to users with a valid token, and those who don't have a token are redirected to the login page. The home page has a clean design with several widgets that provide information about the current user who is signed in. Users can add a post with a description and an image, and they can edit or delete the image before posting it. Users can see the posts they have created and view the newsfeed of other users' created posts. They can like or dislike a post, view the comments, and even add friends. The friend list widget is updated automatically when a user adds or removes a friend. The application also has an advertisement widget that displays information about posts with an image. Users can click on a name in the post widget to view the friend or user's profile page. On the profile page, users can view their information, friend list, and posts. They can also add a post from the profile page. The application also has the ability to switch between light mode and dark mode. The website is completely responsive, so users can access the exact same website from smaller screens with modifications for everything. The backend API retrieves all the information from a MongoDB database, and the backend is developed using the Express framework of Node.js. React is used as the front-end framework, with React Router for navigation, Formik and Yup for form and form validation, Redux Toolkit for state management, and Redux Persist to store Redux state in local storage. Dropzone is used for image upload, and Node.js is used for runtime on the backend. Mongoose is used for managing the MongoDB database, and Json Web Token is used for authentication. Multer is used for file upload. ## Screenshot Video and Image https://github.com/prakash-s-2210/mern-social-media-app/assets/94909544/c2bbe4be-13b3-44a3-a3a9-a964ebdc70c4 ![MERN social media img](https://github.com/prakash-s-2210/mern-social-media-app/assets/94909544/2ce80f75-72a1-4921-b605-0da6a8bce923)
This social media app uses MERN stack and allows registered users to upload profile images, create posts, and interact with others' posts. Widgets for user info and posts, as well as automatic friend list and advertisement updates are featured. Light/dark mode, Formik, Yup, Redux Toolkit, and Json Web Token authentication are also supported.
dotenv,formik,javascript,mui-icons,mui-material,react-dropzone,react-redux,react-router-dom,reactjs,redux-persist
2023-03-24T09:03:47Z
2023-12-21T08:51:18Z
null
1
0
8
0
0
3
null
null
JavaScript
realstoman/github-stats-graphql
main
![Github Stats GraphQL](https://user-images.githubusercontent.com/16396664/226185179-3502d1e9-9bc5-4c53-a1a3-9f898f9f789e.png) ## Demo URL [https://github-stats-graphql.vercel.app/](https://github-stats-graphql.vercel.app/) ## Features - Fetch Github user data using GraphQL and Apollo Client - Reusable components - TypeScript support - Simple and responsive UI ## Setup ### Create Github Access Token - Go to your Github account -> settings -> Developer settings -> Personal access tokens -> Tokens (classic) -> Generate new token -> Generate new token (General Use) -> Give your token a name and select scopes. In my case, I have given it access to `public_repo` and `read:user` scopes. - Rename the `.env.example` file to `.env.local ` and replace the text on the right side of the = sign with your github access token. ### Get the code Make sure you have Node JS installed. If you don't have it: - [Download it from nodejs.org](https://nodejs.org) - [Install it using NVM ](https://github.com/nvm-sh/nvm) - If you're on Mac, Homebrew is a good option too: ``` brew install node ``` Clone the repo: ``` git clone https://github.com/realstoman/github-stats-graphql.git ``` Open the project folder: ``` cd github-stats-graphql ``` Install packages and dependencies: ``` npm install ``` Start a local dev server at `http://localhost:3000`: ``` npm run dev ``` ## Notes - Coming Soon [I'll be doing a screencast](https://www.youtube.com/c/realstoman) of this project and will be uploading the video to my Youtube channel - Feel free to use it in your projects - Contributions are welcome ## Resources - [Github GraphQL API Documentations](https://docs.github.com/en/graphql) - [Github GraphQL Explorer](https://docs.github.com/en/graphql/overview/explorer) - [Learn Apollo Client GraphQL](https://www.apollographql.com/docs/react/get-started/)
Retrieve Github user statistics using the Github GraphQL API & Apollo Client
apollo-client,apollographql,github,github-api,graphql,javascript,js,nextjs,react,reactjs
2023-03-17T14:34:48Z
2023-07-24T13:49:18Z
null
1
0
31
0
0
3
null
null
TypeScript
danieldemoura/carrossel-the-last-of-us
main
<h1 align="center"> Carrossel The Last Of Us </h1> <p align="center"> Projeto desenvolvido na maratona da semana do zero ao programador contratado pelo canal do youtube Dev em Dobro, o objetivo era desenvolver um carrossel com o tema da série The Last of Us.<br/> </p> <p align="center"> Além do desafio proposto com o tema The Last of Us eu resolvi fazer dois carrossel o outro fiz de um Anime Chinês. </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; </p> <p align="center"> <img alt="License" src="https://img.shields.io/static/v1?label=license&message=MIT&color=49AA26&labelColor=000000"> </p> <div align="center"> <table> <tr> <th>🚩 INICIADO</th> <th>✅ FINALIZADO</th> </tr> <tr> <td>06/03/2023</td> <td>11/03/2023</td> </tr> </table> </div> <br> <p align="center"> <img alt="Projeto The Last of Us" src=".github/preview.gif" width="100%"> </p> --- ## 🚀 Tecnologias Esse projeto foi desenvolvido com as seguintes tecnologias: - HTML - CSS - Javascript - Git e Github ## 📝 O que aprendi? Nessa maratona além de ter usado o método forEach para percorrer os elementos HTML, eu aprendi que além do forEach pegar o elemento atual no loop, ele também pega o indice, o número da posição de onde está esse elemento no array exemplo: ```JS elements.forEach((currentElement, index)) { console.log(`Elemento ${currentElement}, na posição ${index} do array elements`) } ```
Projeto desenvolvido na maratona da semana do zero ao programador contratado pelo canal do youtube Dev em Dobro.
carousel,css,dev-em-dobro,html,javascript,the-last-of-us
2023-03-12T01:33:53Z
2023-03-13T21:00:02Z
null
1
0
3
0
0
3
null
null
JavaScript
ASJ-PROJECTS/FirstProjectByASJ
master
null
A simple HTML CSS landing page Based on Collage
html,beginner-friendly,css,html-css-javascript,javascript,website
2023-03-21T15:50:37Z
2023-03-29T15:24:40Z
null
3
3
49
0
0
3
null
null
HTML
PixelRocket-Shop/base-html-tailwind
main
# Base - Tailwind CSS HTML Responsive Admin Panel Template ## Overview Base is a Tailwind CSS one-page dashboard template featuring gradients that add a professional touch to your data, with custom components including an eye-catching banner, visually appealing empty state, easy-to-read stats, intuitive graphs, customizable data table, and visually stunning cards, enabling you to effortlessly create a functional and aesthetically pleasing dashboard for your clients or personal projects. <strong><a href="https://base-html-tailwind.vercel.app/">View Demo</a> | <a href="https://github.com/PixelRocket-Shop/base-html-tailwind/archive/main.zip">Download ZIP</a></strong> ![Tailwind CSS Responsive HTML Admin Panel Template](https://pixelrocket-public-assets.s3.eu-west-2.amazonaws.com/corporate-public/free-tailwind-admin-template-2.png "Base | Tailwind CSS Responsive HTML Admin Panel Template") ## Table of contents - [Requirements](#requirements) - [Quick Start](#quick-start) - [Contact Me](#contact-me) ## Requirements If you do not intend to work with the template source code (and that means you will not be compiling it), you do not need to install anything. You can simply navigate to the public folder and take the HTML snippets directly from there. Most developers will be editing the source code and will also recompile the template files. If that's the case, then ensure that you have Node.js installed. [You can download it from here](https://nodejs.org/en/download/) If you are going to customise the template or add new pages, you need to familiar with Pug, the template engine used. [You can read more about Pug here](https://pugjs.org/) ## Quick Start Project's source files are placed in ./src/ directory. * ./src/assets - default static files (eg. image placeholders). You should replace them with your own files. * ./src/tailwind/ - Tailwind config file used to build the theme. All your pages (templates) are stored in separated .pug files * ./src/pug/*.pug NOTE: npm commands overwrite the ./public directory. ``` # Install dependencies npm install # Run dev server with live preview (Browsersync) npm run watch # Or make a production build npm run build ``` ## Contact Me You can find my website [here](https://www.pixelrocket.store) or you can email me at support@pixelrocket.store
Base is a free Tailwind CSS dashboard template with custom dashboard components.
css,free,html,javascript,tailwind,tailwind-css,tailwindcss,tailwindui,free-dash,admin-dashboard
2023-03-21T12:16:18Z
2023-03-22T09:38:43Z
2023-03-22T07:18:02Z
2
0
5
0
2
3
null
MIT
JavaScript
vishakh-abhayan/My-Portfolio
master
# 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)
null
javascript,reactjs,tailwindcss
2023-03-19T15:17:40Z
2023-03-26T07:23:16Z
null
1
0
9
0
0
3
null
null
JavaScript
amansingh179/CovidPortal
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)
The COVID Tracking dashboard makes accessing information and predicting patterns easy because of their statistical considerations.
api-rest,bootstrap,javascript,reactjs
2023-03-19T09:23:06Z
2023-03-21T02:38:48Z
null
1
0
5
0
0
3
null
null
JavaScript
ferhatergun/ShoppingSite-React
main
sitenin veritabanı olarak firebase altyapısı kullanılmıştır !! # Site Özellikleri #### Ürünleri İnceleme #### Arama Barı İle Ürün Arama #### Ürünleri Sepete Atma #### Sepetteki Ürünün Adetini Ayarlama Silme #### Kulanıcı Giriş Kayıt Ol Authentication #### Hesabım Sayfasında Siparişleri Görüntüleme #### Admin Sayfası #### Yeni Gelen Siparişleri Görme #### Siparişi İptal Etme ve Kargolama #### Yeni Ürün Yükleme ## Proje Görüntüleri ### Ana Sayfa ![alt text](resim-1.png) <br> ### Ürün Detay Sayfası ![alt text](resim-2.png) <br> ### Sepet Sayfası ![alt text](resim-4.png) <br> ### Hesabım Sayfası ![alt text](resim-5.png) ## Admin Sayfası ### Ana Sayfa ![alt text](admin1.png) <br> ### Ürün Ekleme Sayfası ![alt text](admin2.png) <br> # 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)
null
javascript,react
2023-03-12T14:45:16Z
2023-04-22T13:55:40Z
null
2
0
20
0
0
3
null
null
JavaScript
Torin99/Handle
main
## ![Handle](https://user-images.githubusercontent.com/87572723/229592216-d4319f09-f6cd-40f6-a808-da9785cc7857.png) A twist on the popular New York Time's Puzzle game 'Wordle', this variation uses the ASL alphabet as input to help you get a **Handle** of Sign Language ## ⁉️ About: Handle is a **Sign Language Detection** game and the 🥈**Second Place Winner**🥈 of the [W23 Project Program Competition](https://project-program-w23.devpost.com/project-gallery). Created in React, it uses Google's open source machine learning API [MediaPipe Hands](https://developers.google.com/mediapipe/solutions/vision/hand_landmarker) to detect hand landmark placement and accurately predict sign letters from user input. With example hand gestures, it is a fun and interactive way to learn Sign Language. ## 🛠️ Technologies Used: ![Tech](https://user-images.githubusercontent.com/87572723/231474723-9e230e5d-886d-4488-ac11-c232f38f8e0f.png) - **ReactJS:** Component design/layout and game logic - **Firebase:** Used for fetching of game solutions and backend data - **MediaPipe:** MediaPipe Hands for palm and finger detection ## 💻 Demo: ## <img src="/public/HandleGif.gif" width="700" height="400"> Complete Game Play Demo: https://www.youtube.com/watch?v=EuX1mSssuus ## ⚙️ Run Locally: **Follow the Below Commands to Run Handle on Your Machine:** ```bash # Clone The Latest Version git clone https://github.com/Torin99/Handle.git # Change Into Project Directory cd Handle # Install Dependencies npm install --force # Run The Project npm run dev ``` Finally in Browser navigate to the localhost url presented in the Terminal: [http://localhost:5173/](http://localhost:5173/) ## 🏗️ Project Structure: . │ ├── data/ # data files │ └── sign_data.js # contains min and max values of hand landmark data and their letters │ ├── public/ # public files │ ├── a.png # images used in Letters.jsx for demo hand placement │ ├── ... │ └── z.png │ ├── src/ # main app files ├── components/ # react components to be rendered in App.jsx │ │ ├── Board/ # components used in center board component │ │ │ ├── Board.jsx # main Board component containing BoardRows │ │ │ └── BoardRow.jsx # Board Rows containing Board Squares of current/previous guesses │ │ │ │ │ ├── Detection.jsx # webcam and canvas components │ │ ├── EntrySquare.jsx # component to display most recent signed letter │ │ ├── GameEnd.jsx # message to display on game end │ │ ├── Handle.jsx # main game component, takes in game logic and assigns to components accordingly │ │ └── Letters.jsx # keypad component to show letters and their color relation to solution │ │ │ ├── firebase/ │ │ └── config.js # firebase initialization │ │ │ ├── hooks/ # app functionality │ │ ├── UseDetection.js # webcam & canvas logic │ │ └── UseHandle.js # game logic │ │ │ ├── App.css # app styling │ ├── App.jsx # main component to contain all above components │ ├── index.css # index styling │ └── main.jsx # component sent to index.html containing app.jsx │ ├── index.html # web application, contains app and MediaPipe scripts ├── package.json # dependencies .
ASL Word Guessing Game - Project Program W23
mediapipe-hands,reactjs,css,javascript
2023-03-14T01:53:20Z
2023-04-12T13:58:29Z
null
3
1
107
0
0
3
null
null
JavaScript
FujiwaraChoki/yumemi
master
# yumemi A Chat Application written in React Native. This Project is all about the Design.
A Chat Application written in React Native.
chat,javascript,react-native
2023-03-14T21:18:12Z
2024-03-29T19:52:53Z
null
2
21
24
0
0
3
null
null
JavaScript
mdanok/arajs
master
<h1 align="center">ARAJS</h1> [![npm version](https://badge.fury.io/js/arajs.svg)](https://badge.fury.io/js/arajs) ![enter image description here](https://img.shields.io/npm/dw/arajs) ![enter image description here](https://img.shields.io/bundlephobia/min/arajs) ![enter image description here](https://img.shields.io/github/repo-size/mdanok/arajs) ![enter image description here](https://img.shields.io/github/license/mdanok/arajs) ![enter image description here](https://img.shields.io/github/commit-activity/m/mdanok/arajs) #### This module provides various functions to process and analyze Arabic **text** and **numbers** #### To check the package on npmjs click ![@npm](https://avatars.githubusercontent.com/u/6078720?s=20&v=4) [here](https://www.npmjs.com/package/arajs) #### Read the documentation [here](https://mdanok.gitbook.io/arajs/) Features -------- * Strip characters from text (harakat, tashkeel, small, tatweel, shadda) * Normalize ligatures, hamzas, tehs, and alefs in text * Separate and join Arabic letters and marks * Check for shadda, vocalized words or text, Arabic strings, and Arabic ranges * Reduce tashkeel in text * Determine if a word is a valid Arabic word * Convert a number to its Arabic textual representation. * Extract Arabic number phrases from a given text. * Detect number words and phrases in a list of words and return a list of tags. * Convert an Arabic number in textual form to its numeric value. * Retrieve character order and name. * Arabic range generation. * Get characters at specific positions in a word. * Check if two words are vocalized similarly. * Check if a word matches a specific pattern (wazn). * Check if two words have similar shaddas. * and many more functions, ready to use. Usage ----- First, install the module: ```javascript npm i arajs ``` or ```javascript npm install arajs ``` Secondlly, import the module: ```javascript const {number2text, stripTashkeel} = require("arajs"); ``` Now, you can use the various functions provided by the module to process and analyze Arabic text. Example ------- ```javascript const number = 232; console.log(number2text(number)); // مئتان و إثنان و ثلاثون const text = 'مَرْحَبًا بِكُمْ'; const strippedText = stripTashkeel(text); console.log(strippedText); // مرحبا بكم ``` Features to be implemented ------- * [X] Documentation for the package. * [ ] Names generating and extraction from text. * [ ] Names romanizition and translation. * [ ] Arabic verb conjugator. * [ ] Text Taskheel. ##### check the repo [here](https://www.github.com/mdanok/arajs) ##### Read the documentation [here](https://mdanok.gitbook.io/arajs/) -------
An npm module that provides Arabic language processing capabilities for JavaScript applications, inspired by the popular Python package pyarabic. With arajs, developers can easily perform tasks such as Arabic text normalization, tokenization, and more.
arabic,javascript,nodejs,pyarabic,tokenization
2023-03-18T13:50:19Z
2024-01-09T22:09:00Z
null
1
0
22
0
1
3
null
MIT
JavaScript
Mehulparekh144/AirBNB-Clone-using-MERN-Stack
main
# Airbnb Clone using MERN Stack This repository contains the source code for an Airbnb clone built using the MERN stack, which consists of MongoDB, Express, React, and Node.js. The project includes a client folder for the React frontend and an api folder for the Node.js backend. The client uses Vite for development and the api uses nodemon for hot reloading. ## Run Locally Clone the project ```bash git clone https://github.com/Mehulparekh144/Airbnb-Clone-using-MERNStack.git cd project-folder ``` For frontend vite + reactjs ``` cd client npm run dev ``` For backend ``` cd api nodemon index.js ``` ## Demo https://youtu.be/uJR3ImRvoIE ## Screenshots ![screenshots](./airbnbCloneImages/Home.jpeg) ![screenshots](./airbnbCloneImages/Accomodations.jpeg) ## Authors - [@Mehulparekh144](https://www.github.com/Mehulparekh144) ## Environment Variables To run this project, you will need to create .env file in api folder and add the following environment variables to your .env file `MONGO_URL` you can get this using mongodb atlas `SECRET_KEY` any random text ## Feedback If you have any feedback, please reach out to us at mehulparekh144@.com ## Tech Stack **Client:** React, Vite , TailwindCSS **Server:** Node, Express , MongoDB
This repository contains the source code for an Airbnb clone built using the MERN stack, which consists of MongoDB, Express, React, and Node.js. The project includes a client folder for the React frontend and an api folder for the Node.js backend. The client uses Vite for development and the api uses nodemon for hot reloading.
cloudinary,context-api,express,javascript,mongodb,nodejs,react,reactjs,mern-stack
2023-03-18T08:38:23Z
2023-03-25T07:24:42Z
null
1
0
7
0
0
3
null
null
JavaScript
Bellagirl-maker/First-capstone-project
main
<a name="readme-top"></a> <div align="center"> <br/> <h3><b>First capstone Project</b></h3> </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](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [First Capstone Project about A musical concert] <a name="about-project"></a> This project is my First capstone project ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> This Project was built with HTML, CSS and JavaScript ### Key Features <a name="key-features"></a> The website was tested on the following accessibility requirements: Title, Image text alternatives, Text headings, Color contrast, Resize, Interaction, Moving content, Multimedia, The basic structure of the page <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> [Live Demo Link](https://www.loom.com/share/ba47dbd3d3624b328cdee21723fc69f4) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> ### Setup Clone this repository to your desired folder: Example commands: cd your-folder git clone https://github.com/Bellagirl-maker/First-capstone-project.git <p align="right">(<a href="#readme-top">back to top</a>)</p> ### Prerequisites To get a local copy up and running, follow these steps. In order to run this project you need: Text editor and internet browser and github account <p align="right">(<a href="#readme-top">back to top</a>)</p> ### Install clone this project to your local environment and open in the browser <p align="right">(<a href="#readme-top">back to top</a>)</p> ### Usage Use this project in the browsers of mobile phones and desktops <p align="right">(<a href="#readme-top">back to top</a>)</p> <p align="right">(<a href="#readme-top">back to top</a>)</p> ### Deployment You can deploy this project on GitHub Pages <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Isabella Otoo** - GitHub: [@githubhandle](https://github.com/Bellagirl-maker) - Twitter: [@twitterhandle](https://twitter.com/isabella_otoo) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/isabella-otoo-935901146/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - Add other pages to the project <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> ## ⭐️ Show your support <a name="support"></a> If you like this project give me 5 stars ⭐️⭐️⭐️⭐️⭐️ <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to give credit to Cindy Shin the author of the original design of Creative Commons License. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ❓ FAQ (OPTIONAL) <a name="faq"></a> - **[How can this project be improved]** - [Create other pages and make them responsive] <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This project is a capstone project about a musical concert site built in HTML, CSS and JavaScript.
css,html,javascript
2023-03-20T08:16:26Z
2023-03-24T17:58:08Z
null
1
1
23
0
0
3
null
MIT
CSS
doughahn/chat-souffle
main
# Chat Soufflé This is a [Learning Guild project for the Spring 2023 xAPI Cohort](https://xapicohort.com/?utm_campaign=xapi-s23). [You can view all our project docs here.](https://drive.google.com/drive/folders/1OnC2w7VR6xp_kz9kbqKg1njunyT_uUgK?usp=sharing) ## Overview This interactive LX is built in Twine, connected to a [Veracity LRS](https://lrs.io), and enabled with a lot of hand-crafted xAPI. The project aims to get using ChatGPT in a structured way, while collecting anonymized data about their sentiments to AI. Please refer to our [wiki](https://github.com/doughahn/chat-souffle/wiki) for how-to run this project yourself.
A learning guild xAPI project helping learning designers practice prompt engineering.
javascript,xapi,learning-guild
2023-03-21T14:12:45Z
2023-04-26T17:53:05Z
null
1
0
184
0
0
3
null
Unlicense
HTML
JonathanProjetos/Food-Delivery
master
# Bem-vindo ao Food Delivery A API Food Delivery é um e-commerce simples que oferece meios de acesso através de autenticação JWT utilizando bearer token. Nele, foi realizada a proposta de regra de negócio para definir etapas de progressão da empresa. Cada endpoint oferece o momento em que a empresa se encontra em relação à quantidade de usuários cadastrados e à quantidade de produtos por usuário em cada etapa. A API também conta com uma documentação interna feita com o Swagger, que traz facilidade e rapidez ao acesso dos endpoints da aplicação. </details> ## Sumário - [Bem-vindo ao Food Delivery](#Bem-vindo-ao-Food-Delivery) - [Contexto](#contexto) - [Tecnologias e Ferramentas Utilizadas](#tecnologias-e-ferramentas-utilizadas) - [Instalação e Execução](#instalação-e-execução) - [Deploy](#Deploy) - [Swagger](#Swagger) - [Git, GitHub e Histórico de Commits](#git-github-e-histórico-de-commits) - [Lint](#lint) ## Contexto O __Food Delivery__ é uma ferramenta que acessa a bases de dados, é permite aos usuários: - Fazer login; - Cadastrar um novo usuário; - Buscar por produtos; - Criar novos produtos; - Criar ordem de pedido; - Atualizar uma ordem de pedido; - Atualizar um produto; - Deletar um pedido; - Deletar um produto; __Quando logado é possivel__ - Buscar por produtos; - Criar novos produtos; - Criar ordem de pedido; - Atualizar uma ordem de pedido; - Atualizar um produto; - Deletar um pedido; - Deletar um produto; ## Tecnologias e Ferramentas Utilizadas Este projeto utiliza as seguintes tecnologias e ferramentas: - [NodeJS](https://nodejs.org/en/) | Plataforma de execução runtime baseda em javascript. - [MongoDB](https://www.mongodb.com/docs/) | Banco de dados NoSQL não-relacional. - [Moongose](https://mongoosejs.com/docs/) | ODM Object-documente-Mapper para MongoDB - [Express](https://expressjs.com/pt-br/) | Framework para nodejs O Node.js foi utilizado com o intuito de obter os benefícios da escalabilidade e eficiência, pois ele é capaz de lidar com vários tráfegos sem bloqueio e lida com solicitações com baixo consumo de recursos. O MongoDB foi introduzido pensando em desempenho e flexibilidade. Este conjunto proporciona uma maior facilidade de adaptação e evolução do aplicativo, sem contar também que o MongoDB trabalha com documentos no formato JSON, que é um formato nativo em algumas linguagens. O Mongoose foi implementado por ser uma biblioteca poderosa e flexível que simplifica a interação com o MongoDB e adiciona recursos úteis, como validação de dados, tratamento de relacionamentos e ganchos personalizados. O Express é um framework para o Node.js que permite construir aplicações web robustas e escaláveis de forma mais fácil e rápida. ## Instalação e Execução ### Download do projeto ``` git clone git@github.com:JonathanProjetos/Food-Delivery.git ``` ### Arquivo env - Dentro da pasta Food-Delivery existe o arquivo .env.example nele será nescessário remover o .example e oferecer a url do MongoDB, e uma senha para o Json-Web-Token. ### Instalar dependências ``` cd Food-Delivery docker compose up -d obs: O comando "docker compose up -d" vai instalar as dependências e tornar a aplicação disponível na porta 3001. ``` ### Adicionar os Produtos - Após subir os conteiners docker, abra o terminal e rode os comandos abaixo. ``` docker exec -it food_delivery bash npm run products:import obs: Caso queira remover os produtos rode: npm run products:destroy ``` ### Tests ``` cd Food-Delivery npm test ou npm run test:coverage ``` ### Deploy - Foi realizado o deploy da aplicação no Railway. Logo abaixo, está o link de acesso para a aplicação através do Swagger. ### Swagger - Foi implementada a documentação por parte do Swagger, que possibilita testar a aplicação de forma mais rápida e intuitiva. - O link para a documentação é [DOC](https://food-delivery-production-fba9.up.railway.app/docs) - Alguns end-points séra necessessário oferecer o token para o Authorization no swagger. O token será disponibilizado quando for feito o login é como resposta terá o token. ### Git, GitHub e Histórico de Commits Este projeto utilizou a [Especificação de Commits Convencionais](https://www.conventionalcommits.org/en/v1.0.0/), com alguns tipos da [convenção Angular](https://github.com/angular/angular/blob/22b96b9/CONTRIBUTING.md#-commit-message-guidelines). Além disso, foi utilizado o pacote [conventional-commit-cli](https://www.npmjs.com/package/conventional-commit-cli) para ajudar a seguir a convenção de commits. É importante utilizar a convenção de commits em projetos para manter o histórico de commits organizado e facilitar a leitura e o entendimento do que foi desenvolvido. ### Lint - O projeto foi desenvolvido seguindo os padrões de Clean Code especificados pelo [Lint da Trybe](https://github.com/betrybe/eslint-config-trybe).
Food Delivery é um e-commerce simples que oferece meios de acesso através de autenticação JWT utilizando bearer token. Nele, foi realizada a proposta de regra de negócio para definir etapas de progressão da empresa.
docker-compose,javascript,joi,jwt-authentication,mongodb,moongose,nodejs,swagger
2023-03-13T16:24:43Z
2023-07-04T16:34:50Z
null
1
16
226
0
0
3
null
null
JavaScript
saluumaa/Leader-board
dev
<a name="readme-top"></a> <div align="center"> <h3><b>Leader board</b></h3> </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) - [Run tests](#run-tests) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 [Leaderboard] <a name="about-project"></a> >The leaderboard is built with an API and allows you to post your score and see the scores of other players. **[Leaderboard project]** ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href=" HTML Tutorial (w3schools.com) ">HTML</a></li> <li><a href=" CSS Tutorial (w3schools.com) ">CSS</a></li> <li><a href=" CSS Tutorial (w3schools.com) ">JavaScript</a></li> <li><a href=" CSS Tutorial (w3schools.com) ">Webpack</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **[Git Flow execution]** - **[Implement webpack]** - **[Implement API]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="Live-Demo"></a> - [Live Demo](https://saluumaa.github.io/Leader-board/dist/) <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: ### Setup Clone this repository to your desired folder: Use Terminal: ```sh cd my-folder git clone git@github.com:saluumaa/Leader-board.git ``` ### Install Install this project with: ```sh cd my-project npm install ``` ### Run tests To run tests, run the following command: ```sh Npx hint . for testing the html file errors npx stylelint "**/*.{css,scss}" to check errors for CSS file. npx eslint . to check error for javascript ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Saluuma Hassan** - GitHub: [@Saluumaa](https://github.com/saluumaa) - Twitter: [@SalmaHIbrahim20](https://twitter.com/SalmaHIbrahim20) - LinkedIn: [Salma ibrahim](https://www.linkedin.com/in/salma-ibrahim-78bb5a14a/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[send and recieve data using API]** - [ ] **[delete players]** <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](../../issues/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> Please give a ⭐️ if you like this project <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank everyone contributed the completion of this project <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The leaderboard is built with an API and allows you to post your score and see the scores of other players.
css,html5,javascript,webpack
2023-03-12T13:28:22Z
2023-10-26T15:54:05Z
null
1
3
27
2
1
3
null
MIT
CSS
dolbyio-samples/streaming-WHIP-WHEP-node-sample
main
# Dolby.io WHIP/WHEP Real Time Streaming Sample App This project is a demonstration on how to create a simple JavaScript publisher & viewer application using the standardized [WHIP (WebRTC-HTTP Ingress Protocol)](https://www.ietf.org/archive/id/draft-ietf-wish-whip-01.html) for WebRTC broadcasting and [WHEP (WebRTC-HTTP Egress Protocol)](https://www.ietf.org/id/draft-murillo-whep-01.html) for WebRTC playback. ## Prerequisites - Yarn version 1.22.0 or higher - Node 16 or higher - Npm version 8.19.0 or higher - [A Dolby.io account](https://dashboard.dolby.io/signup) ## Setup 1. Clone this project and install the dependencies with: ```bash yarn ``` 1. Create a Dolby.io account and create a publish token from the "Live Broadcast" section. 1. Edit `.env` and add the following variables: - `VITE_WHIP_URL` - `VITE_PUBLISH_TOKEN` - `VITE_WHEP_URL` - `VITE_SUBSCRIBER_TOKEN` These variables can be obtained from the [Dolby.io Real-time Streaming dashboard](https://streaming.dolby.io/#/tokens). They can be found in the "API" tab once you have selected your token. ## Run the example 1. start your stream to Dolby.io Real-time streaming 2. start the example ```bash yarn dev ``` 3. Visit the hosted site. By default this is http://localhost:5173/
Sample application using WHIP and WHEP WebRTC Protocols for a JS app.
javascript,streaming,webrtc
2023-03-23T17:57:14Z
2023-04-25T01:45:45Z
null
4
1
5
0
0
3
null
CC0-1.0
JavaScript
Todd-Owen-Mpeli/MponjoliMpeli-Apartments
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 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. You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js/) - your feedback and contributions are welcome! ## Deploy on Vercel The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js. Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details. # MponjoliMpeli-Apartments
This is a Next.js 13 project website I've built for a Letting Apartment Business. A Typescript based project using nextjs 13 static side rendering. This projects is developed solely with Next.js 13 - featuring, Typescript, Javascript, React 18, Tailwind, and a Headless Wordpress CMS API
apollo-client,apollographql,cms-backend,css3,framer-motion,git,github,graphql,headless-cms,html5
2023-03-20T15:49:43Z
2023-11-02T15:49:19Z
null
1
0
118
0
0
3
null
null
TypeScript
sedc-codecademy/sp2023-cp02-dsw-5
master
# Shipfinity 🛍️ A collaborative group projects by the members of G1 at the SEDC programming academy. This is a full-stack web store application. Using C# ASP.NET web api as a back-end to serve an angular front-end application via a RESTful api. ![cs](img/cs_sm.png) ![dotnet](img/dotnet_sm.png) ![angular](img/angular_sm.png) DEMO: [Demo Application](https://ashy-mushroom-0eba5ac03.3.azurestaticapps.net/) ## Features ⚡ - Entity Framework Core: The application uses Entity Framework Core as the ORM to interact with the underlying database. - Repository Pattern: The application follows the repository pattern to separate data access logic from business logic. - Responsive UI: The application provides a responsive user interface in angular using Bootstrap. ## Usage 🖥️ ### Prerequisites 📦 - .NET Core 6.0 - SQL Server (or any other supported database) installed and configured - node.js 18 or later - Angular 15 ### Installation ⚙️ 1. Clone the repository: `git clone https://github.com/sedc-codeacademy/sp2023-cp02-dsw-5.git` 2. Open in preferred IDE 3. Configure project 4. Update database from migrations 5. Start api application 6. Start angular application with `ng serve` or `npm run dev` ### Configuration 💾 - Update connection string in `appsettings.json` - Update base api url for angular project in `environment` `BASE_API_URL`
This is a full-stack web store application. Using C# ASP.NET web api as a back-end to serve an angular front-end application via a RESTful api. By the members of G1 Code Academy 2023.
angular,css,html,netcore,mssql,javascript,typescript,csharp
2023-03-16T11:49:08Z
2023-12-12T15:10:05Z
null
26
35
45
1
1
3
null
null
C#
pedromartinsdev/SpotSport
main
# SPOTSPORT 🏅 1. [Description](#description) &nbsp; 2. [Routes](#routes) </br> 2.1. [/index](#index) </br> 2.2. [/landing-page](#landing-page) </br> 2.3. [/create-user](#create-user) </br> 2.4. [/passworod](#password) </br> 2.5. [/login](#login) </br> 2.6. [/create-event](#create-event) </br> 2.7. [/event-list](#event-list) </br> 2.8. [/user-list](#user-list) </br> 2.9. [/settings](#settings) </br> 2.10. [/records](#records) </br> 3. [Functions](#functions) 4. [Video Demo](#video-demo) 5. [Technologies Used](#technologies-used) 6. [Credits](#credits) ## Description ### **(EN)** This code was created for the final project of the CS50 course at Harvard University, aiming to demonstrate the skills developed throughout the course. SpotSport's main idea is to centralize and promote events that encourage people to become more active and happy, whether it's a simple picnic or a marathon in the city. In SpotSport, users can find events that best suit their lifestyle. ### **(PT-BR)** Esse código foi criado para o projeto final do curso CS50 da Universidade de Harvard, com o objetivo de demonstrar as habilidades desenvolvidas no processo. O SpotSport tem como ideia principal centralizar e divulgar eventos que incentivem as pessoas a se tornarem mais ativas e felizes, seja através de um simples pique-nique à uma maratona na cidade. No SpotSport, os usuários podem encontrar eventos que se encaixem melhor em seu estilo de vida. ## Routes ### Index The `/` route checks if a user is logged in. If there is a logged-in user, it redirects to the `/home` route. If there is no logged-in user, it renders the `/landing-page`. ### /landing-page This route renders a landing page promoting the app. ![landing-page](/assets/landing-page.gif) ### /create-user This route renders a register page. ![crete-user](/assets/create-user.gif) In this route, the user fills in their information for registration. It's important to note that all fields are mandatory, except for the photo link. Before allowing a new user to be created, a database query is performed to check if the ```username``` and ```email``` are already in use. ### /password This route renders a "Forgot Password" page that prompts the user to enter their email address to receive a password reset link. And then render the page password-apologize.html. ![password](/assets/password.gif) ### /login This route renders a login page where the user must enter their email and password, or click on the "Forgot Password" and "Create Account" links. f the email and password are correct, it will render the app's ```/home``` page. If they are incorrect, a flash message will appear with the text "Invalid email or password." ![login](/assets/login.gif) ### /home The `/home` route renders a page that displays all the events you are subscribed to and all the events you have created. - This route uses the `layout.html` template for the header, navigation (nav), and footer. - This route requires login (`@login_required`) to access. ![home](/assets/home.png) ### /create-event This route allows for creating an event and is triggered by the "New Event" button on the Events page. All fields are required to be filled in, including event `title`, `description`, `cost`, `location`, `date` and `time`. - This route uses the `layout.html` template for the header, navigation (nav), and footer. - This route requires login (`@login_required`) to access. ![create-event](/assets/create-event.gif) ### /event-list This route is responsible for listing all the events that have been created, allowing users to sign up for them. It also includes a search bar that allows users to search for events by name. Additionally, there is a "Create New Event" button that redirects users to the `/events` route. - This route uses the `layout.html` template for the header, navigation (nav), and footer. - This route requires login (`@login_required`) to access. ![event-list](/assets/event-list.png) ### /user-list This route lists all the registered users on SpotSport, excluding the user who is performing the search. - This route uses the `layout.html` template for the header, navigation (nav), and footer. - This route requires login (`@login_required`) to access. ![user-list](/assets/user-list.png) ### /settings This route allows users to change their profile picture and password. - This route uses the `layout.html` template for the header, navigation (nav), and footer. - This route requires login (`@login_required`) to access. - The photo field accepts only a URL for the image. ![settings](/assets/settings.gif) ### /records This route displays the events in which the user is the creator as well as the events they have signed up for. The POST request for this route is triggered when the user clicks on "Sign Up" on the events page. - This route uses the `layout.html` template for the header, navigation (nav), and footer. - This route requires login (`@login_required`) to access. ![records](/assets/records.png) ## Functions ### Populate countries table Since it is common in the development environment to delete the database.db file to modify the database, I have decided to insert a countries.json file in the project's root directory. Every time the app starts and there is no data in the countries table, this function will read the .json file and input the data into the database.db. ~~~python def populate_countries(): row = session.query(Country).all() if (len(row) == 0): file_path = 'countries.json' with open(file_path, 'r') as file: json_content = json.load(file) for item in json_content: country_name_int = item['country_name_int'] country = Country(country_name_int=country_name_int) session.add(country) session.commit() ~~~ ### After request To avoid issues with threading, it was necessary to use "after_request" to close the sessions. ~~~python @app.after_request def after_request(response): session.close() return response ~~~ ### Load user This function returns the logged-in user so that the data can be reused to populate the application's header. ~~~python @login_manager.user_loader def load_user(user_id): return session.query(User).filter_by(id=user_id).first() ~~~ ## Video-Demo [Portuguese](https://www.youtube.com/watch?v=rN3hN8QG9Wk) [English](https://www.youtube.com/watch?v=DF9Nk4Wzqh0) - Translated with the Captions app AI. ## Installation 1 - Download or clone the repository to your machine. 2 - Run the command `pip install -r requirements.txt` 3 - Once all the dependancies have been installed, run the command `python app.py` 4 - Now simply access the localhost on the port indicated in the prompt, and the app will open. ## Technologies-used - Python - Flask - HTML - CSS - JavaScript ## Credits - User icon - [Undraw.co](https://undraw.co/) - User photos - [This-Person-Does-not-Exist.com](https://this-person-does-not-exist.com/) - Country list - [Github - jonasruth](https://gist.github.com/jonasruth/61bde1fcf0893bd35eea)
This project was created to showcase the knowledge acquired during Harvard's CS50.
flask,css,html5,javascript,sqlalchemy
2023-03-14T01:42:14Z
2023-10-02T23:54:47Z
null
1
0
29
0
0
3
null
null
HTML
onanuviie/movieland
master
# Movieland A site that shows movies searched for ### Screenshot ![](movieland.png) ### Links - See what movieland looks like and use it [here](https://movieland-smoky.vercel.app/) ## My process ### Built with - JSX - React hooks: useState and useEffect - CSS custom properties - API - Flexbox ### What I learned This was my first time using React. I learned how to use useState and useEffect. I also learned how to use async.
A site for movies and series
css,css-flexbox,javascript,jsx,react
2023-03-15T11:46:01Z
2023-04-02T18:58:44Z
null
1
0
8
0
0
3
null
null
CSS
JuanDBta/my-portfolio
main
<a name="readme-top"></a> <div align="center"> <img src="images/Portfolio.png" alt="logo" width="160" height="auto" /> <br/> <h3><b>My Portfolio</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) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 Portfolio Project <a name="about-project"></a> **[Portfolio Website]** is the first project for building a Personal Portfolio Website including Mobile and Desktop Version that will be a main tool in the Web Developer career. ## 🛠 Built With <a name="built-with"></a> 1- HTML<br> 2- CSS<br> 3- Linters<br> 4- Figma Template<br> 5- Flexbox<br> 6- Grid Layout<br> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://github.com/"></a>GitHub</li> <li><a href="https://youtube.com/"></a>YouTube</li> <li><a href="https://www.microverse.org"></a>Microverse</li> <li><a href="https://figma.com"></a>Figma</li> </ul> </details> ### Key Features <a name="key-features"></a> - **[Added mobile.html]** - **[Added styles.css]** - **[Added .gitignore]** - **[Added /images]** - **[Added Toolbar Mobile Section]** - **[Added Headline Mobile Section]** - **[Added Projects Mobile section]** - **[Added About Me Mobile section]** - **[Added Contact Form Mobile section]** - **[Added Desktop Version using media query]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> <a href="https://juan-diaz.me/#">My Portfolio</a> <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: Web Browser (Chrome recommended) Code editor (VS recommended) GitHub account ### Setup Clone this repository to your desired folder: ```sh cd my-folder git clone "https://github.com/JuanDBta/my-portfolio.git" ``` ### Usage To run the project, execute the following command: Open index.html using live server extension. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Micronaut JUAN DAVID DIAZ** - GitHub: [@JuanDBta](https://github.com/JuanDBta) - Twitter: [@diazgjuan](https://twitter.com/diazgjuan) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/simplebet) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[Add Animations to Mobile and Desktop Version]** <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](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project, please give me a like, it doesn't cost you anything and it helps me a lot to keep working. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Bee in Student Success who is always avalaible to solve issues and Microverse for push us to work hard every day! I would like to thank the huge contributions that my colleagues: Wladimir Pasquel and Sergio Peralta, who contriubted to my project and made a great job in the Contact Me Section and also, they kindly helped me with corrections and tips to improve my project´s code. 👤 **Micronaut WLADIMIR PASQUEL** - GitHub: [@lordksix](https://github.com/lordksix) - Email: wladimir.pasquel@urp.edu.pe 👤 **Micronaut SERGIO PERALTA** - GitHub: [@SergioPeralta22](https://github.com/SergioPeralta22) - Email: seperalta88@gmail.com <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
My Portfolio Project is a website showcasing my projects. It includes a Contact and About Me sections and links to my social media. You can view the programming languages I work with. It's responsive, with a Mobile and Desktop version. Built with HTML, CSS, Flexbox, and Grid Layout.
css3,html5,front-end-development,animations,transitions,javascript
2023-03-22T21:06:27Z
2024-01-25T23:02:41Z
null
5
12
309
3
0
3
null
MIT
JavaScript
Ahadkhan-12/Stayfinder---Explore-the-world-around-you
main
# Google Map Companion [Stayfinder Demo](https://stayfinder-explore.netlify.app/) **Location is Required for Loading of site** <img width="959" alt="Front" src="https://user-images.githubusercontent.com/72428146/229586410-e430acfa-b493-475e-be32-5d1745d026cf.png"> Fully-responsive travel companion app built by combining **Google Maps API**, **Travel Advisor API**. Built using React.js and Material UI, this app can be used to search for places, fetch restaurant, hotels and attractions based on location. ## Table of Contents - [Demo Videos](#demo-videos) - [Dependencies](#dependencies) ## Demo Videos ### Demo - Search anywhere in earth for the restaurants , Hotels and attractions. [Default : User Location] - Filter by ratings https://user-images.githubusercontent.com/72428146/227994167-1e6315cc-b9ee-4e36-a0d1-d28881f50d56.mp4 ## Dependencies - [React](https://reactjs.org/) - [google-map-react](https://github.com/google-map-react/google-map-react) - [@react-google-maps/api](https://react-google-maps-api-docs.netlify.app/) - [Axios](https://axios-http.com/docs/intro) # Technologies used: React.js, HTML/CSS, JavaScript, Node.js, and Material-UI library # App Functions 🗺: - Utilizes Google Maps API for geolocation and map features - Enables users to search for places based on location - Uses specialized Rapid APIs to fetch information about restaurants, hotels, and attractions near the location - Allows data filtering to display relevant information based on user preferences - Provides an advanced Travel Advisor App experience for users # Key Features 🔎: - Utilizes the latest technologies to provide a seamless user experience - Provides relevant and accurate information about nearby places - Offers users a personalized travel planning experience # Benefits 🏆: - Users can easily plan and organize their trips with the help of the app - The app provides up-to-date and accurate information, saving users time and effort - The app's advanced features make it the best travel maps application available on the internet
Fully-responsive stayfinder app built by combining Google Maps API, Travel Advisor API. Built using React.js and Material-UI, this app can be used to search for places, fetch restaurant, hotels and attractions based on location.✈🍽🏨
css,html,material-ui,reactjs,travel,backend,front-end,googlemaps-api,javascript,netlify
2023-03-19T12:20:31Z
2024-05-13T18:38:49Z
null
1
3
47
1
1
3
null
null
JavaScript
migsilva89/Assets-Management-website
main
# Assets Management Website 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). The Assets Management Website is a full-featured application built with Next.js that allows users to easily manage their digital assets such as images and text. With integration to the [Assets Management API](https://github.com/migsilva89/Dev-Assets-Pro-Api), users can store, categorize, tag, and search their assets with ease. The website offers a clean and intuitive user interface, enabling users to easily view, edit, and delete their assets. Additionally, the website includes a real-time chat feature, allowing users to collaborate and communicate with each other in real-time. The website is secured with authentication and authorization using JWT (JSON Web Tokens), ensuring that users' data is kept safe and secure. ## Acknowledgments This website was developed as a practical application of the [Assets Management API](https://github.com/migsilva89/Dev-Assets-Pro-Api), which was built as part of the Full-Stack Web Development course at Flag.pt. Special thanks to our instructor, Fernando, for providing valuable guidance and support during the course. Additionally, I would like to thank my fellow classmates for their feedback and suggestions during the development of this website. ## Tech Stack - Next.js: A popular React framework for building server-side rendered (SSR) web applications. - React: A JavaScript library for building user interfaces. - Tailwind CSS: A utility-first CSS framework that provides pre-defined styles and classes for quickly building responsive web designs. - Axios: A popular HTTP client library for making API requests from the browser. - Socket.io-client: A library that enables real-time, bidirectional communication between the server and the client using WebSockets. - Jsonwebtoken: for generating and verifying JWTs ## Development **To set up the development environment:** **Prerequisites:** - Node.js installed on your machine 1. Clone the repository ```bash git clone https://github.com/migsilva89/Assets-Management-website ``` 2. Navigate to the project directory: ```bash cd Assets-Management-website ``` 3. To install the dependencies run: ```bash npm install ``` 4.To start a local development server run: ```bash npm run dev ``` ### To run the full project please also check the api: [Assets Management API](https://github.com/migsilva89/Dev-Assets-Pro-Api) Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. ### Tips or advice on how to improve are very welcome, thank you all! [Linkedin](https://www.linkedin.com/in/miguelmpsilva/)
The Assets Management Website is a full-featured application built with Next.js that allows users to easily manage their digital assets such as images and text. With integration to the Assets Management API, users can store, categorize, tag, and search their assets with ease.
javascript,nextjs,react,tailwindcss
2023-03-18T00:38:06Z
2024-03-09T03:48:59Z
null
2
1
56
0
0
3
null
null
JavaScript
VaheStepanyan100/portfolio
main
<a name="readme-top"></a> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 \[Portfolio-Mobile-First\] ](#-portfolio-mobile-first-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 [Portfolio-Mobile-First] <a name="about-project"></a> **[Portfolio-Mobile-First]** is a... ## 🛠 Built With <a name="built-with"></a> - HTML - CSS ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://www.w3schools.com/html/">HTML</a></li> <li><a href="https://www.w3schools.com/css/">CSS</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **[Design]** - **[High-quality Images]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [https://VaheStepanyan100.github.io/portfolio/](https://VaheStepanyan100.github.io/portfolio/) <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. - In this repository click on the "code" button (usually highlighted green) above. - You can select between either HTTPS or SSH if you have an SSH key linked. - Click on the copy icon on the right side of the link provided to copy the link - Go to your command line and type "git clone" followed by the link you just copied and press enter - The repository should be available locally on your computer. - You can change directory into the repository using the 'cd' command: cd "repository name" ### Prerequisites In order to run this project you need: - A code editor should be installed - Git should be installed - Nodejs should be installed ### Setup Clone this repository to your desired folder: Example commands: ```sh cd my-folder git clone git@github.com:VaheStepanyan100/Portfolio-mobile-first.git ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [VaheStepanyan100](https://github.com/VaheStepanyan100) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[RWD]** - [ ] **[Preserve data in the browser]** - [ ] **[Validate contact]** <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! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> Give a ⭐️ if you like this project! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank my team <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./Mit.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Welcome to my GitHub portfolio! Here you will find a collection of my coding projects, showcasing my skills and expertise in various programming languages and technologies.
javascript,css,html
2023-03-25T06:04:25Z
2023-12-23T13:31:02Z
null
3
14
149
0
0
3
null
null
HTML
nlfmt/stormdb
main
# Storm DB A **S**imple **T**ypescript **ORM** for NodeJS. Supports custom class serialization and deserialization, advanced querying, and more. ## Disclaimer ### Pros StormDB is a good choice for projects, that need a simple typesafe database, that works out of the box. \ Since all the data is stored in JSON (or a format of your choice), you dont have to set up anything like a server. \ StormDB can be used in any project you wish, as it is very lightweight. ### Cons StormDB is **NOT** a good choice to store large amounts of data, as it loads the entire database into memory. \ It is also not suitable for applications that need very fast data access. Even though StormDB is quite fast, as the data is stored in memory, \ it doesnt do any querying optimizations, like indexing. ## Quickstart 1. Install necessary packages `npm install @nlfmt/stormdb zod` 2. Initialize the database ```ts import StormDB from '@nlfmt/stormdb'; import { z } from 'zod'; const userModel = z.object({ name: z.string(), age: z.number(), }); const db = StormDB({ user: userModel }, { storage: "db.json" }); ``` 3. Use the querying API ```ts // Add a user let usr = await db.user.create({ name: "John", age: 20 }); // Get a user usr = await db.user.findById(usr._id); usr = await db.user.find({ name: "John" }); // Update a user usr = await db.user.updateById(usr._id, { age: 21 }); usr = await db.user.update({ name: "John" }, { age: 21 }); // Delete a user await db.user.deleteById(usr._id); ``` ## Examples For more examples, check out the `examples` folder. ## License This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details.
Simple but feature rich JSON database for NodeJS. Supports custom class serialization and deserialization, advanced querying, and more.
database,electron,json,node,typesafety,typescript,javascript,nodejs,orm
2023-03-20T23:26:01Z
2024-02-03T01:50:42Z
2024-02-03T01:35:08Z
1
7
36
0
0
3
null
MIT
TypeScript
algoasaurujs/wasm-loader
main
# wasm-loader **wasm-loader** is an open-source library that allows you to load WebAssembly modules directly in your JavaScript projects. With **wasm-loader**, you can easily import and use compiled WebAssembly modules in your JavaScript code, giving you the performance benefits of WebAssembly while still working within the JavaScript ecosystem. **wasm-loader** supports both browser and Node.js environments and can load WebAssembly modules synchronously or asynchronously. ## [Prerequisite](#prerequisite) As previously mentioned to use this library you need to compile your code to WebAssembly with your preferred tool. These are some tools that you can use to compile your code into WebAssembly: * [Emscripten](https://emscripten.org/): Emscripten is a popular toolchain for compiling C and C++ code to WebAssembly and JavaScript. * [WasmFiddle](https://wasdk.github.io/WasmFiddle/): WasmFiddle is an online playground for experimenting with WebAssembly code and running it in the browser. * [wasm-pack](https://rustwasm.github.io/wasm-pack/): wasm-pack is a tool for building and packaging Rust libraries as WebAssembly modules that can be used in JavaScript projects. * [AssemblyScript](https://www.assemblyscript.org/): AssemblyScript is a TypeScript-like language for compiling to WebAssembly, with a focus on ease of use and developer experience. Each of these tools has its own strengths and weaknesses, so it's important to choose the one that best fits your needs. Once you have compiled your code to WebAssembly, you can use the **wasm-loader** to load the module into your JavaScript code. In addition to the tools listed above, there are also many resources available online for learning how to write and compile WebAssembly code. Some good places to start include the [official WebAssembly website](https://webassembly.org/), the [WebAssembly MDN documentation](https://developer.mozilla.org/en-US/docs/WebAssembly), and the [Rust and WebAssembly book](https://rustwasm.github.io/docs/book/). With the help of these resources and **wasm-loader**, you can start taking advantage of the speed and performance benefits of WebAssembly in your JavaScript projects. ## Table of Content - [Installation](#installation) - [Usage](#usage) - [Types](#types) - [Browser](#browser) - [Async](#browserasync) - [Sync](#browsersync) - [NodeJS](#nodejs) - [Async](#nodejsasync) - [Sync](#nodejssync) - [Creating Library](#creatinglibrary) ## [Installation](#installation) To use **wasm-loader**, you will need to have Node.js and npm installed on your system. Once you have these installed, you can install **wasm-loader** using npm: ```bash npm install @algoasaurujs/wasm-loader ``` ## [Usage](#usage) To use **wasm-loader**, you will first need to [compile your WebAssembly module](#prerequisite) into a `.wasm` file. You can then use the **wasm-loader** functions to load the module into your JavaScript/TypeScript code: ```typescript import { loadAsync } from '@algoasaurujs/wasm-loader'; async function main() { const wasmModule = await loadAsync({ filename: 'path/to/my/module.wasm' }); // use wasmModule.exports to call functions in your module } main(); ``` You can also use **wasm-loader** with other loaders, such as `file-loader` or `url-loader`, to load your WebAssembly module from a remote server or a CDN: ```typescript import { loadSync } from '@algoasaurujs/wasm-loader'; import wasmUrl from 'file-loader!./path/to/my/module.wasm'; async function main() { const wasmModule = await loadSync({ filename: wasmUrl }); // use wasmModule.exports to call functions in your module } main(); ``` The `loadAsync` and `loadSync` functions both take a single argument, which can be either a path to a local `.wasm` file or a URL to a remote `.wasm` file. The functions return a `WebAssembly.Module` object, which you can then use to call functions in your module. ## [Types](#types) ### [Loader Result Type](#loaderresulttype) ```typescript type LoaderResult<E> = { instance: WebAssembly.Instance; exports: E; }; ``` ### [Loader Input Type](#loaderinputtype) ```typescript export type LoaderInput<I> = { filename: string; importObject?: I; }; ``` ## [Browser](#browser) ### [Loading Async in Browser](#browserasync) Loads a WebAssembly module from a URL or a data URL in the browser **asynchronously** and returns an instance of the module. ```typescript import { loadBrowserAsync } from '@algoasaurujs/wasm-loader'; async function loadBrowserAsync<Exports, Imports>(input: LoaderInput<Imports>): Promise<LoaderResult<Exports>>; ``` [LoaderInput<Imports>](#loaderinputtype) [LoaderResult<Exports>](#loaderresulttype) ### [Loading Sync in Browser](#browserasync) Loads a WebAssembly module from a URL or a data URL in the browser **synchronously** and returns an instance of the module. ```typescript import { loadBrowserSync } from '@algoasaurujs/wasm-loader'; function loadBrowserSync<Exports, Imports>(input: LoaderInput<Imports>): LoaderResult<Exports>; ``` [LoaderInput<Imports>](#loaderinputtype) [LoaderResult<Exports>](#loaderresulttype) ## [Nodejs](#Nodejs) ### [Loading Async in Nodejs](#nodejsasync) Loads a WebAssembly module from a URL or a data URL in the Nodejs **asynchronously** and returns an instance of the module. ```typescript import { loadNodejsAsync } from '@algoasaurujs/wasm-loader'; async function loadNodejsAsync<Exports, Imports>(input: LoaderInput<Imports>): Promise<LoaderResult<Exports>>; ``` [LoaderInput<Imports>](#loaderinputtype) [LoaderResult<Exports>](#loaderresulttype) ### [Loading Sync in Nodejs](#nodejsasync) Loads a WebAssembly module from a URL or a data URL in the Nodejs **synchronously** and returns an instance of the module. ```typescript import { loadNodejsSync } from '@algoasaurujs/wasm-loader'; function loadNodejsSync<Exports, Imports>(input: LoaderInput<Imports>): LoaderResult<Exports>; ``` [LoaderInput<Imports>](#loaderinputtype) [LoaderResult<Exports>](#loaderresulttype) ## [Creating Library](#creatinglibrary) This function determines the appropriate loader to use based on the current environment (browser or Node.js). ```typescript import { loadAsync } from '@algoasaurujs/wasm-loader'; async function loadAsync<Exports, Imports>(input: LoaderInput<Imports>): Promise<LoaderResult<Exports>>; // OR import { loadSync } from '@algoasaurujs/wasm-loader'; async function loadSync<Exports, Imports>(input: LoaderInput<Imports>): LoaderResult<Exports>; ``` [LoaderInput<Imports>](#loaderinputtype) [LoaderResult<Exports>](#loaderresulttype) ## Contributing **wasm-loader** is an open-source project and contributions are always welcome! If you have an issue or a feature request, please open a new issue on the GitHub repository. If you would like to contribute code, please fork the repository and submit a pull request. ## License **wasm-loader** is licensed under the MIT License. See [LICENSE](./LICENSE) for more information.
wasm-loader is a JavaScript library that provides a WebAssembly loader for your need, allowing developers to use WebAssembly modules in their projects.
javascript,javascript-library,typescript,typescript-library,webassembly
2023-03-13T21:54:20Z
2023-04-02T10:48:24Z
null
1
0
29
0
0
3
null
MIT
TypeScript
Akshat111111/india-flix
master
This is a web page in HTML that promotes Netflix's services. The page contains a header section with a navigation bar and a promotional pitch section. Underneath is a section with features where users can learn more about the services offered. The page also includes icons, images, and buttons that allow the user to interact with the page. The page is structured using divs, navs, sections, and tables to organize content, and CSS is used to style the page. India Flix is a JavaScript-based Netflix clone that provides a video streaming platform for users to watch movies, TV shows, documentaries, and more. The platform aims to replicate the user experience of Netflix, offering a similar user interface and features. Built using modern web technologies, India Flix is a responsive web application that works seamlessly across all devices. The platform boasts a clean and intuitive interface designed to enable users to navigate the content library with ease, providing a hassle-free experience. India Flix features a powerful search engine that allows users to search for movies and TV shows by title, genre, and actor. The platform also has a recommendation engine that suggests movies and TV shows based on the user's viewing history and preferences, providing a personalized experience. India Flix incorporates a user account system that enables users to create profiles, save their favorite movies and TV shows, and resume playback from where they left off. The platform also supports multiple user profiles, allowing family members to have their own personalized viewing experiences. Overall, India Flix is a well-designed and feature-rich video streaming platform that offers a great user experience for movie and TV show enthusiasts.
India Flix is a JavaScript-based Netflix clone that provides a video streaming platform for users to watch movies, TV shows, documentaries, and more. The platform aims to replicate the user experience of Netflix, offering a similar user interface and features.
css3,html5,javascript
2023-03-13T12:15:17Z
2023-05-20T13:29:37Z
null
3
1
11
1
2
3
null
null
HTML
Afek-Sakaju/gold-pharma-shop
main
# Gold Pharma Shop ### An online application created to offer users the best pharmaceutical shopping experience with an incredible UI, thanks to an intuitive interface and robust functionality. #### You can choose between two modes when entering the app: </br></br>1. Customer Mode: shopping, browsing products, adding to your cart, and making purchases. </br></br>2. Admin Mode: manage, create, and delete product data within the shop.<img src="./readme-resources/medicine-logo.png" width=120px height=120px align="right"> ## **Command lines:** - `npm install` <br /> Install all the necessary packages for running and developing the project. - `npm run json-server`<br /> To run the project's database. - `npm run start`<br /> For running the project. --- ### **Get a glimpse of the app in action** https://github.com/Afek-Sakaju/gold-pharma-shop/assets/100536372/c4622093-9dbe-487c-8f3b-c988262b18f2 --- ### The technologies used in this project include: - [x] _**ReactJS**_ : the project is built on the _ReactJS_ framework. - [x] _**JSON-Server**_ used to work with the database as a JSON file, sending API requests to retrieve, edit, create, or delete data. - [x] _**Styled-Components**_ : the project's styling is implemented using _styled-components_. - [x] _**Redux-toolkit**_ : by employing _Redux-toolkit_, the project achieves resilient state management, enabling seamless data flow and heightened functionality. - [x] _**React-router-dom**_ : enabling the creation of multiple pages and configuring different page for each path. ### Additional technologies used as development tools include: - [x] _**ESLINT**_ : the project adheres to the _ESLint_ guidelines and follows the best practices recommended by _airbnb_. ### In addition, the project incorporates the following features: - [x] _**Responsiveness**_: the application is intentionally designed to adapt to screens of various sizes by utilizing _media queries_ within its components. This ensures that the user interface adjusts seamlessly to different screen dimensions. - [x] _**Integration with remove.bg API**_: for background removal of uploaded products’ images to enhance the UI and overall aesthetics. --- ### **A brief illustration showcasing how the app appears on various screens** https://github.com/Afek-Sakaju/gold-pharma-shop/assets/100536372/51226ef2-43d1-46bf-b7b9-783e50443a0d --- ## Author :octocat: **Afek Sakaju** - LinkedIn: [@afeksa](https://www.linkedin.com/in/afeksa/) - GitHub: [@Afek-Sakaju](https://github.com/Afek-Sakaju)
Web app created to offer users the best pharmaceutical shopping experience. Switch between two modes: Customer Mode for browsing and shopping, and Admin Mode to manage data within the shop.
craco,eslint,media-queries,react-router-dom,reactjs,redux-toolkit,storybook,javascript,shop,pharma
2023-03-21T20:01:57Z
2023-12-25T12:52:48Z
null
1
0
284
0
0
3
null
null
JavaScript
ChrisMunozCodes/Quiz-Tango
main
<h1 align="center"> Quiz Tango </h1> <h2 align="center"> Take a quiz, earn points, test your knowledge! </h2> <p align="center"> <a href="#-about-the-project">About the project</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-technologies">Technologies</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-getting-started">Getting started</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-how-to-contribute">How to contribute</a>&nbsp;&nbsp;&nbsp;|&nbsp;&nbsp;&nbsp; <a href="#-license">License</a> </p> <p align="center"> <a href="https://ibb.co/pvN0LhB"><img src="https://i.ibb.co/C541HP3/17d91c20ed815db72f8dd0c6eee825c8.png" alt="17d91c20ed815db72f8dd0c6eee825c8" border="0"></a> </p> <p align="center"> <a href="https://ibb.co/n1QqMf2"><img src="https://i.ibb.co/DMwPfkX/346c6d44816e8724fba49d591f4a76bd.png" alt="346c6d44816e8724fba49d591f4a76bd" border="0"></a> </p> <p align="center"> <a href="https://ibb.co/KsmhyV9"><img src="https://i.ibb.co/gW69gtD/fd04ead4865580f0ea66254f18237d29.png" alt="fd04ead4865580f0ea66254f18237d29" border="0"></a> </p> ## 👨🏻‍💻 About the project <p align="left" style="color: red;">Quiz Tango is a front-end application that I built using HTML, CSS, JavaScript, and the QuizDB API. When you enter the app, you'll be prompted to choose your quizzes difficulty. After that, you can choose a category to have your knowledge be tested in! After which the quiz will start with a 60 second timer. Answer before the timer reaches 0! Rack up points for correct answer choices!</p> ## 🚀 Technologies Technologies that I used to develop Quiz Tango! - [JavaScript](https://www.javascript.com/) - [HTML](https://www.w3schools.com/html/) - [CSS](https://www.w3schools.com/css/) ## 💻 Getting started - - ``` ``` ## 🤔 How to contribute ```bash $ git clone https://github.com/ChrisMunozCodes/Quiz-Tango.git ``` **Follow the steps below** ```bash 0. Leave a comment on the issue you would like to work on. 1. Fork the original repository (top right corner next to watch and star buttons). 2. Under the dropdown menu from the button "code" copy the HTTPS link (from your forked repository) 'https://github.com/(your username)/Quiz-Tango.git' 3. In the place you want to clone the project, use git clone (your https link here). 4. Once you have the project open in VSCODE use 'git remote add upstream https://github.com/ChrisMunozCodes/Quiz-Tango.git' in the terminal, this will track the main repository. 5. You can now use 'git fetch upstream' in the terminal to see a list of the different branches. 6. Use 'git checkout -b branch-name' replace branch-name with your branch. This will create a new branch for you to work within 7.. You can now use git add . & git commit -m '' 8. Use 'git push -u origin a-descriptive-branch-name' replace a-descriptive-branch-name with your branch name (this will push all your code) 9. Now go back to your github and a button will appear that prompts you to make a pull request ``` ## 🤔 Features to add ``` 1. User authentication 2. Database point storage using MongoDB & Mongoose instead of locally. 3. Versus mode, users can compete in quizzes in real time to see who can rack up more points. 4. User ranks.
Full-stack quiz app that tracks points, ranks, allows you to choose difficulty and topics of questions.
html,css,javascript
2023-03-19T21:59:51Z
2023-09-24T23:36:13Z
null
1
0
66
4
0
3
null
null
CSS
jonycmtt/LMS-site-design-01
main
![LMS-site-design-01](https://socialify.git.ci/jonycmtt/LMS-site-design-01/image?language=1&name=1&owner=1&pattern=Solid&theme=Dark) <h1 align="center" id="title">LMS-Website Design</h1> <p id="description">LMS is a fully responsive Learning website maximum compatiblities in all mobile devices built using HTML CSS and JavaScript.</p> <h2>🚀 Demo</h2> [https://ciseco-simple.netlify.app/](https://lms-design-01.netlify.app/) <h2>Project Screenshots:</h2> <img src="https://github.com/jonycmtt/LMS-site-design-01/blob/main/demo2.png?raw=true" alt="project-screenshot" width="1000" height="auto/"> <h2>💻 Built with</h2> Technologies used in the project: - HTML5 - CSS3 - SCSS - JavaScript
LMS is a fully responsive Learning website maximum compatiblities in all mobile devices built using HTML CSS and JavaScript.
css3,html5,javascript
2023-03-21T08:53:01Z
2023-03-21T13:46:25Z
null
1
0
10
0
0
3
null
null
HTML
daniel-oliv3/fullstack_html-css-js-bootstrap-node
main
## ### FullStack - HTML, CSS, JavaScript, Bootstrap, Node. ## <p align="center"> <img alt="...." src="./assets/Full-Stack-Developer-980x462-1.png" width="80%"> </p> ### 1 - INTRODUÇÃO AO PROJETO **Lista de tarefas** - Lista de tarefas - Uma aplicação frontend com HTML, CSS e JS puro para gerir tarefas - No backend vamos ter uma API NodeJS + Express +MySQL para servir o frontend ### Ferramentas do programador - Browser (Google Chrome) - Site: https://www.google.com/intl/pt-BR/chrome/ - Visual Studio Code - Site: https://code.visualstudio.com/download - Laragon - Site: https://laragon.org/download/ - HeidiSQL - Site: https://www.heidisql.com/download.php **Base de dados** - Base de dados - id - username - password - created_at - updated_at tasks - id - id_user - task_text - task_status (new | in progress | canceled | done) - created_at - updated_at **Tarefas a desenvolver no projeto** - Criar a estrutura inicial - Base do frontend (html css js | bootstrap) - Base do backend (node + express + mysql) com uma resposta padrão **Frontend** - No frontend - Páginas necessárias para a navegação na nossa app - Pequenos testes de comunicação entre frontend e backend - utilização de Ajax (XMLhttprequest | fetchAPI) - Exemplo - fullstack_01 ### 2 - PREPARAÇÃO DA ESTRUTURA INICIAL DO FRONTEND - Ver tarefas - Titulo - Filtro para escolher que tarefas queremos ver (select) - Botão para adicionar tarefas - Mensagem sobre o fato de não existirem tarefas - Caixa para tarefas - Possibilidade de alterar o status, editar tarefa e eliminar tarefa - Parágrafo com o total de tarefas disponíveis (de acordo com o filtro) - Adicionar tarefa - Input:text com o texto da tarefa - Botão para cancelar - Botão para submeter tarefa - Editar tarefa - Input:text para editar o texto da tarefa - Botão para cancelar - Botão para submeter tarefa - Eliminar tarefa - Eliminar será feita com uma modal - Estrutura base de cada página - Bootstrap (slate) bootswatch - Fontawesome **Font Awesome** - FontAwesome - Site: https://fontawesome.com/ **Bootstrap** - Slate Bootstrap - Site: https://bootswatch.com/slate/ - Exemplo - fullstack_02 ### 3 - ORGANIZAÇÃO DO LAYOUT DA PÁGINA PRINCIPAL PARTE 1 **Font Awesome** - FontAwesome - Site: https://fontawesome.com/ **Favicon** - Free Favicon - Site: http://freefavicon.com/freefavicons/ - Icon Icons - Site: https://icon-icons.com/pt/ **Emmet abbreviation** - Teclas de atalho VSCode - Exemplo 1 ```html <!-- comando/atalho .container.mt-5>.row>(.col)*2 --> <!-- Resultado --> <div class="container mt-5"> <div class="row"> <div class="col"></div> <div class="col"></div> </div> </div> ``` - Exemplo 2 ```html <!-- comando/atalho .row>.col.text-center --> <!-- Resultado --> <div class="row"> <div class="col text-center"></div> </div> ``` **Bootstrap** - Bootstrap - Site: https://getbootstrap.com/ - Forms: https://getbootstrap.com/docs/5.3/forms/select/ - Exemplo - fullstack_03 ### 4 - ORGANIZAÇÃO DO LAYOUT DA PÁGINA PRINCIPAL PARTE 2 **Emmet abbreviation** - Teclas de atalho VSCode - Exemplo 3 ```html <!-- comando/atalho div.row>div.col-12 --> <!-- Resultado --> <div class="row"> <div class="col-12"></div> </div> ``` - Exemplo 4 ```html <!-- comando/atalho div.row>(div.col)*4 --> <!-- Resultado --> <div class="row"> <div class="col"></div> <div class="col"></div> <div class="col"></div> <div class="col"></div> </div> ``` **Bootstrap** - Bootstrap - Site: https://getbootstrap.com/ - Forms: https://getbootstrap.com/docs/5.3/forms/select/ - Borders: https://getbootstrap.com/docs/5.3/utilities/borders/#border - Shadows: https://getbootstrap.com/docs/5.3/utilities/shadows/#examples **Font Awesome** - FontAwesome - Site: https://fontawesome.com/ - Trash: https://fontawesome.com/icons/trash-can?s=solid&f=classic - Edit: https://fontawesome.com/icons/pen-to-square?s=regular&f=classic - Exemplo - fullstack_04 ### 5 - FINALIZAÇÃO DO LAYOUT DA PÁGINA PRINCIPAL **Font Awesome** - FontAwesome - Site: https://fontawesome.com/ - Chevron: https://fontawesome.com/icons/circle-chevron-right?s=solid&f=classic **Emmet abbreviation** - Teclas de atalho VSCode - Exemplo 5 ```html <!-- comando/atalho div.row>div.col>h4>span.text-info --> <!-- Resultado --> <div class="row"> <div class="col"> <h4><span class="text-info"></span></h4> </div> </div> ``` - Exemplo 6 ```html <!-- comando/atalho div.row>div.col.text-center --> <!-- Resultado --> <div class="row"> <div class="col text-center"> </div> </div> ``` - Exemplo - fullstack_05 ### 6 - CONSTRUÇÃO DA BASE DE DADOS - Criação da base de dados `fullstack_stck_db` - Tabela `users` ```sql /*Tabela users (usuários)*/ CREATE TABLE `users` ( `id` INT(10) UNSIGNED NOT NULL AUTO_INCREMENT, `username` VARCHAR(50) NULL DEFAULT NULL COLLATE 'utf8_unicode_ci', `password` VARCHAR(100) NULL DEFAULT NULL COLLATE 'utf8_unicode_ci', `created_at` DATETIME NULL DEFAULT NULL, `updated_at` DATETIME NULL DEFAULT NULL, PRIMARY KEY (`id`) USING BTREE ) COLLATE='utf8_unicode_ci' ENGINE=InnoDB ; ``` - Tabela `tasks` ```sql /*Tabela tasks*/ CREATE TABLE `tasks` ( `id` INT(10) UNSIGNED NOT NULL AUTO_INCREMENT, `id_user` INT(11) NULL DEFAULT NULL, `task_text` VARCHAR(100) NULL DEFAULT NULL COLLATE 'utf8_unicode_ci', `task_status` VARCHAR(50) NULL DEFAULT NULL COLLATE 'utf8_unicode_ci', `created_at` DATETIME NULL DEFAULT NULL, `updated_at` DATETIME NULL DEFAULT NULL, PRIMARY KEY (`id`) USING BTREE ) COLLATE='utf8_unicode_ci' ENGINE=InnoDB ; ``` - Exemplo - fullstack_06 ### 7 - FINALIZAÇÃO DOS LAYOUTS RESTANTES **Emmet abbreviation** - Teclas de atalho VSCode - Exemplo 3 ```html <!-- comando/atalho div.row>div.col --> <!-- Resultado --> <div class="row"> <div class="col"> </div> </div> ``` - Exemplo - fullstack_07 ### 8 - CRIAÇÃO DO SERVIDOR NODEJS + EXPRESS + MYSQL **Backend** - Backend - Criar um servidor NodeJS + Express + MySQL - Criar um endpoint inicial - teste de comunicações **Express** - Instalar o Express ``` npm install express ``` **MySQL** - Instalar o MySQL ``` npm install mysql ``` **Executar o backend** - Roda o projeto backend ``` node --watch server.js ``` - Server.js ```js /*Server.js*/ const express = require('express'); const mysql = require('mysql'); // Opções de conexão com o MySQL const connection = mysql.createConnection({ host: 'localhost', user: 'root', password: '', database: 'fullstack_stack_db' }); const app = new express(); app.listen(3000, () => { console.log("Servidor iniciado na porta: http://localhost:3000"); }); // Rotas app.get("/", (req, res) => { connection.query("SELECT COUNT(*) users FROM users", (err, results) => { if(err){ res.send(err.message); } res.send(results); }); }); ``` - Exemplo - fullstack_08 ### 9 - REQUISIÇÃO DE AJAX E ERRO DE CORS **Backend** - Roda o projeto backend ``` node --watch server.js ``` - URLs - http://localhost:3000 - http://localhost:3000/user/1 - Resolver erro - Access-Control-Allow-Origin, header ```txt Access to fetch at 'http://localhost:3000/user/1' from origin 'null' has been blocked by CORS policy: No 'Access-Control-Allow-Origin' header is present on the requested resource. If an opaque response serves your needs, set the request's mode to 'no-cors' to fetch the resource with CORS disabled ``` ```txt O acesso para buscar em 'http://localhost:3000/user/1' da origem 'nulo' foi bloqueado pela política do CORS: Nenhum cabeçalho 'Access-Control-Allow-Origin' está presente no recurso solicitado. Se uma resposta opaca atender às suas necessidades, defina o modo da solicitação como 'no-cors' para buscar o recurso com o CORS desativado ``` - Exemplo - fullstack_09 ### 10 - RESOLUÇÃO DO ERRO DE CORS **Backend** - Roda o projeto backend ``` node --watch server.js ``` **Cross-origin resource sharing** - Wikipedia - Site: https://en.wikipedia.org/wiki/Cross-origin_resource_sharing - Site BR: https://pt.wikipedia.org/wiki/Cross-origin_resource_sharing **Cors** - NPM Cors Site: https://www.npmjs.com/package/cors - Instalação do **Cors** via terminal do `backend` ``` npm install cors ``` - Exemplo - fullstack_10 ### 11 - REQUISIÇÕES DAS TAREFAS **Font-Awesome** - Font-Awesome - Site: https://fontawesome.com/ - Icons: https://fontawesome.com/icons - Free: https://fontawesome.com/search?o=r&m=free **Backend** - Roda o projeto backend ``` node --watch server.js ``` - Plugin VSCode - `Separators` - Exemplo - fullstack_11 ### 12 - APRESENTAÇÃO DAS TAREFAS - Roda o projeto backend ``` node --watch server.js ``` - Exemplo - fullstack_12 ### 13 - RESOLUÇÃO DE ERRO DO EXERCÍCIO ANTERIOR - Roda o projeto backend ``` node --watch server.js ``` - Exemplo - fullstack_13 ### 14 - LINK PARA EDITAR A TASK - Roda o projeto backend ``` node --watch server.js ``` **HTML Data Attributes** - Using data attributes - Site: https://developer.mozilla.org/en-US/docs/Learn/HTML/Howto/Use_data_attributes - Exemplo - fullstack_14 ### 15 - LINK PARA ELIMINAR A TASK E AJUSTAMENTOS DE CORES - Roda o projeto backend ``` node --watch server.js ``` - Exemplo - fullstack_15 ### 16 - PREPARAÇÃO DO SISTEMA PARA ATUALIZAÇÃO DO STATUS - PARTE 1 - Roda o projeto backend ``` node --watch server.js ``` - Exemplo - fullstack_16 ### 17 - PREPARAÇÃO DO SISTEMA PARA ATUALIZAÇÃO DO STATUS - PARTE 2 - Roda o projeto backend ``` node --watch server.js ``` - id_user - id_task - status - Exemplo - fullstack_17 ### 18 - PREPARAÇÃO DO SISTEMA PARA ATUALIZAÇÃO DO STATUS - PARTE 3 - Roda o projeto backend ``` node --watch server.js ``` - Exemplo - fullstack_18 ### 19 - ATUALIZAÇÃO DAS CORES APÓS ATUALIZAÇÃO DO STATUS - Roda o projeto backend ``` node --watch server.js ``` - Exemplo - fullstack_19
Projeto Desenvolvido com HTML, CSS, JS, Bootstrap, NodeJS, Express, MySQL - Gestor de Tarefas
bootstrap,css,express,html,javascript,mysql,nodejs
2023-03-14T12:11:26Z
2023-04-22T14:19:11Z
null
1
0
39
0
0
3
null
null
HTML
bellaabdelouahab/Spring-Boot-React-App
master
null
A full-stack CRUD application using React as frontend and spring boot as backend.
axios,hibernate-jpa,oracle-cloud,reactjs,spring-boot,spring-boot-jwt,javascript,react-hooks,springmvc
2023-03-12T00:42:17Z
2023-04-03T12:37:43Z
null
3
0
95
0
0
3
null
null
Java
srav001/vue-subscription
main
# vue-subscription A type-safe 🔥 and tiny ⭐️ super-charged ref ⚡️ or eventBus replacement in Vue 💚. Compatible with Vue 2 ( 2.7.0 and above ) and Vue 3. Provides ESM and Common JS exports. Find it on `npm` - https://www.npmjs.com/package/vue-subscription. ## Table of Contents - [Introduction](#introduction) - [Installation](#installation) - [Usage](#usage) - [Type-Definition](#type-definition) - [TLDR](#tldr) - [Demo](#demo) ## Introduction Only 1.3 kB or gzip: 0.7 kB in size, the [useSubscription](#tldr) composable takes an initial value and returns an object with a reactive value that is by default shallow and only deep when explicitly enabled. The value property, `$value is not automatically unwrapped in template`. Additionally, it also provides `explicit getter and setter` if you like more control over the state. The package also provides a simple way to create reactive subscriptions that can be used to observe changes to a value and execute a list of subscribers when the value changes. It also includes methods to mutate the value for complex objects and trigger subscribers manually if and when needed rarely. Check out the [usage](#usage) examples. ## Installation To use this package, you can install it via npm (or yarn or pnpm): ```sh # In your console npm install vue-subscription ``` ```typescript // In your file import { useSubscription } from 'vue-subscription'; const mySubscription = useSubscription('hello'); // Type will be string ``` ## API ### Using in template To display the state in template, you can either use the `$read` or `$get`. If you need 2-way data binding you can also use `$value`. ```vue <template> <div>{{ mySubscription.$value }}</div> <!-- Readonly version of the state --> <div>{{ mySubscription.$get() }}</div> <div>{{ mySubscription.$read.value }}</div> </template> ``` ### $value / $get() This property/method returns the current value of the subscription. ```typescript const value = mySubscription.$value; const value = mySubscription.$get(); ``` ### $value = val / $set(val) This property/method sets the current value of the subscription. Also the $set can be passed down a child component to update the state in parent. ```typescript mySubscription.$value = 42; mySubscription.$set(42); ``` The $set method can also accept a mutator function that takes the current value as an argument and returns the new value: ```typescript mySubscription.$set(value => value + 1); ``` ### $read This is a read-only version of the subscription value. It wraps the subscription in a readonly ref. ```typescript const readonlySubscription = mySubscription.$read; console.log(readonlySubscription.value); ``` ### $addSub This method adds a subscriber to the subscription. A subscriber is a function that takes the new value as an argument and is executed whenever the value changes. The subscriber can be an `async` function. It is cleaned up automatically inside components. ```typescript function logValue(value) { console.log(`New value: ${value}`); } mySubscription.$addSub(logValue); ``` ### $deleteSub This method removes a subscriber from the subscription. ```typescript subscription.$deleteSub(logValue); ``` ### $clearSubs Clears all subscribers. Easy for cleanup in beforeUnmount. ```typescript subscription.$clearSubs(); ``` ### $triggerSubs This method manually triggers all subscribers to the subscription. Should only be needed rarely. ```typescript subscription.$triggerSubs(); ``` ### $mutate This method mutates the subscription value with a mutator function. The mutator function takes the current value as an argument and returns the new value. ```typescript subscription.$mutate(value => { value.name = 'John'; return value; }); ``` ## Usage All examples given below can be copy pasted into a file and tried out if needed. ### Basic Example ```typescript const mySubscription = useSubscription('hello'); // Type will be string // Get the current value console.log(mySubscription.$value); // 'hello' // Subscribers can `async` async function mySubscriber(value: string) { return new Promise((resolve, reject) => { setTimeout(() => { console.log(`The value is now: ${value}`); }, 1); }); } // Add a subscriber mySubscription.$addSub(mySubscriber); // Manually trigger the subscribers if needed(rarely) mySubscription.$triggerSubs(); // 'The value is now: hello' // Set the value mySubscription.$value = 'world'; // Subscriber runs here - 'The value is now: world' // Remove a subscriber. It is cleaned up automatically inside components. mySubscription.$deleteSub(mySubscriber); // OR to remove all subs at once. mySubscription.$clearSubs(); // Use the readonly version of the value const myReadonlyValue = mySubscription.$read; console.log(myReadonlyValue.value); // 'world' ``` ### Complex state Example uses a complex objects which won't be tracked deeply by default. Unless the subscription is used in template, watch, watchEffect or computed you don't need to add the deep flag. ```typescript const mySubscription = useSubscription( { user: { name: 'John', isActive: false } }, // You can pass `true` as the deep flag to make the subscription deeply reactive if used in templates true ); // Add a subscriber mySubscription.$addSub(data => { console.log(`The data is now: ${JSON.stringify(data)}`); }); function myMutator(data: typeof mySubscription.$value) { data.user.isActive = true; return data; } // Trigger the subscribers mySubscription.$triggerSubs(); // 'The data is now: { user: { name: 'John', isActive: false }}' function tester() { // Mutate the value (only works if the value is an object) mySubscription.$mutate(myMutator); // Subscriber runs here - 'The data is now: { user: { name: 'John', isActive: true }}' } tester(); ``` ### Destructured ( Getter and Setter ) You can also destructure the properties to have a seperate getter and setter. ```typescript const { $get, $set, $read, $addSub } = useSubscription('hello'); // Get the current value console.log($get()); // 'hello' function mySubscriber(value: string) { console.log(`The value is now: ${value}`); } // Add a subscriber $addSub(mySubscriber); // Set the value $set('world'); // Subscriber runs here - 'The value is now: world' $set(val => `Hello ${val}`); // Subscriber runs here - 'The value is now: Hello world' // Use the readonly version of the value console.log($read.value); // 'Hello world' ``` ## Type-Definition `T` is a generic. ```typescript function useSubscription<T>( value: T, deep?: boolean ): { $value: T; $get: () => T; $set: (value: T | ((value: T) => T)) => void; $read: Readonly<Ref<T>>; $addSub: (subscriber: (value: T) => Promise<void> | void) => void; $deleteSub: (subscriber: (value: T) => Promise<void> | void) => void; $clearSubs: () => void; $triggerSubs: () => void; $mutate: (mutator: (value: T) => T) => void; }; ``` ## TLDR ### Arguments value - The initial value of the subscription. Throws an error if value is absent. deep (optional) - Whether to create a shallow or deep reactive subscription. Defaults to false. Unless the subscription is used in template, watch, watchEffect or computed you don't need to add the deep flag. ### Return Value An object with the following properties (Type def above): - $value - The current value of the subscription. Doesn't unwrap in template. - $get - A function that returns the current value of the subscription. - $set - A function that sets the value of the subscription. If a function is passed, it will receive the current value of the subscription as its argument and should return the new value. - $read - A readonly reactive reference to the current value of the subscription. - $addSub - A method for adding a subscriber to the subscription. It can be `async`. The subscriber is a function that will be executed whenever the value of the subscription changes. It can provides the new value of the subscription as its argument and is cleaned up automatically inside components. - $deleteSub - A method for removing a subscriber from the subscription. - $clearSubs - A method for clearing all subscribers. - $triggerSubs - A method for manually triggering all subscribers. Should only be needed rarely. - $mutate - A method for updating the value of the subscription with a function that takes the current value as its argument and returns the new value. This should only be used for updating complex objects. ## Demo The demo shows the subscription being used with the eventBus APIs. You can checkout the demo to test locally or on StackBlitz. Make sure to run `npm install` in the root folder or copy the Vue components over from the demo here :- https://github.com/srav001/vue-subscription/tree/main/demo
A type-safe 🔥 & tiny ⭐️ super-charged ref ⚡️ in Vue 💚.
subscribe,subscription,subscriptions,typescript,vue,vue3,vuejs,vuejs-library,vuejs-plugin,vuejs2
2023-03-21T17:00:42Z
2023-07-29T15:33:31Z
2023-06-20T09:04:55Z
1
20
79
0
0
3
null
MIT
TypeScript
DhananjayThomble/Book-Directory-API
main
# Book Directory API ## Introduction: Welcome to the Book Directory API project! This project is designed to showcase the power and versatility of Node.js, Express.js, MYSQL, Sequelize, and Postman by creating an API that allows users to interact with a collection of books. With this API, you can search for a particular book, get a list of all books in alphabetical order, add new books to the directory, and delete books from the directory. ## Objective: The objective of this project is to create a Book Directory API that demonstrates the use of Node.js, Express.js, MYSQL, Sequelize, and Postman. I have written useful comments in the code to help you understand the code better. By the end of this project, you will have a solid understanding of how to build APIs and how to interact with them using different methods. ## Requirements: To create this Book Directory API, we will be using the following technologies: - Node.js - Express.js - MYSQL - Sequelize ORM - Postman #### We will also be creating endpoints using the four basic HTTP methods: GET, PUT, POST, and DELETE. ## Features: This Book Directory API will have the following features: - Search for a particular book by name. - Get a list of all books in alphabetical order. - Add new books to the directory. - Delete books from the directory. ## Installation: To install and run this project on your local machine, you need to follow these steps: - Clone this repository from Github. - Install all the required dependencies by running `npm install` command in your terminal. - Create a MySQL database and update the credentials in the .env file. - Start the server by running `npm start` command in your terminal. - You can test the API endpoints using Postman. ## API Endpoints: This Book Directory API will have the following API endpoints: - **GET:** /api/:title - Search for a particular book by name. - **GET:** /api/ - Get a list of all books in alphabetical order. - **POST:** /api/ - Add a new book to the directory. - **PUT:** /api/:title - Update a book in the directory. - **DELETE:** /api/:title - Delete a book from the directory. ## Conclusion: This Book Directory API project is a great way to learn about Node.js, Express.js, MYSQL, Sequelize ORM, and Postman. By creating this project, you will gain a solid understanding of how to build APIs and how to interact with them using different methods. We hope this project will be useful to you and help you in your journey to becoming a proficient developer.
This project is a demonstration of building a Book Directory API using Node.js, Express.js, MYSQL, Sequelize ORM, and Postman. | Sequelize CRUD
mysql,nodejs,rest-api,sequelize,javascript,rdbms,expressjs,swagger-documentation,learn
2023-03-17T12:16:45Z
2023-04-18T15:00:12Z
null
1
0
17
0
1
3
null
MIT
JavaScript
raj21parihar/express-auth-starter-template
main
# Express Auth Starter Template This is a complete authentication system that can be used as a starter code for creating any new express application. It includes sign up, sign in, sign out, reset password, and social authentication using Google. Additionally, it also includes a bonus feature of forgot password functionality. The code is well-commented for easy understanding and scalability. The folder structure is separate for models, controllers, and routes, making it easy to scale the project. This code can serve as a boilerplate for any Express application that requires a basic authentication module. ## Table of Contents - [Features](#features) - [Functionality](#functionality) - [Getting Started](#getting-started) - [Dependencies](#dependencies) - [Contributing](#contributing) - [License](#license) - [Conclusion](#conclusion) ## Features - Sign up with email - Sign in with email - Sign out - Reset password after sign in - Password stored in the db is encrypted - Google login/signup (Social authentication) - Forgot password (send a reset password link which expires in some time.) - Display notifications for unmatching passwords during sign up and incorrect password during sign in - Re-captcha on both sign up and log in ## Functionality - Sign Up Users can sign up using their email. The password is encrypted and stored in the database. If the passwords do not match, an error message is displayed. Re-captcha is enabled on the sign-up page. - Sign In Users can sign in using their email and password. If the email and password are incorrect, an error message is displayed. After sign-in, the user is redirected to a blank home page with sign-out and reset password buttons. Re-captcha is enabled on the sign-in page. - Sign Out Users can sign out of their account using the sign-out button on the home page. - Reset Password Users can reset their password after signing in. If the user forgets their password, they can reset it using the forgot password feature. A random password can be generated and sent via email, or a reset password link can be sent, which expires after some time. - Social Authentication Users can sign up and sign in using their Google account. ## Getting Started To get started with this authentication system, follow the instructions below: 1. Clone this repository to your local machine. 2. Install dependencies by running `npm install`. 3. Create a `.env` file in the root directory of the project, and add your environment variables as necessary. 4. Run `npm run start` to start the application. ## Dependencies This authentication system uses the following dependencies: - axios: ^1.3.4 - bcrypt: ^5.1.0 - connect-flash: ^0.1.1 - connect-mongo: ^4.4.0-rc1 - cookie-parser: ^1.4.6 - dotenv: ^16.0.3 - ejs: ^3.1.9 - express: ^4.18.2 - express-ejs-layouts: ^2.5.1 - express-session: ^1.17.3 - kue: ^0.11.6 - mongoose: ^7.0.2 - nodemailer: ^6.9.1 - passport: ^0.6.0 - passport-google-oauth20: ^2.0.0 - passport-local: ^1.0.0 - validator: ^13.9.0 ## Contributing Contributions are always welcome! If you want to contribute to this project, please follow the steps below: 1. Fork the repository 2. Create your feature branch (`git checkout -b feature/your-feature`) 3. Commit your changes (`git commit -am 'Add some feature'`) 4. Push to the branch (`git push origin feature/your-feature`) 5. Open a pull request Please make sure to update tests as appropriate. Also, please ensure that your code follows the existing coding style and conventions. ## License This project is licensed under the ISC License. See the LICENSE file for more information. ## Conclusion This complete authentication system is a great starting point for any new application that requires user authentication. It includes all the necessary features and functionality, and the code is well-commented and scalable.
This is a complete authentication system that can be used as a starter code for creating any new application. It includes sign up, sign in, sign out, reset password, and social authentication using Google.
authentication,bycrypt,connect-flash,connect-mongo,cookie-parser,css,dotenv,ejs,express,express-ejs-layouts
2023-03-17T18:28:40Z
2023-03-26T20:44:46Z
null
1
0
16
0
0
3
null
null
JavaScript
Vipin-Goyal/WeatherApp.github.io
main
# WeatherApp.github.io This is a weather app created using HTML,CSS,JavaScript and OpenWeatherAPI. Visit this site at:- https://vipin-goyal.github.io/WeatherApp.github.io/
This is a weather app created using HTML,CSS,JavaScript and OpenWeatherAPI.
api,css3,html5,javascript,responsive-design,responsive-web-design,webapi
2023-03-22T12:25:41Z
2023-03-27T13:32:11Z
null
1
0
12
0
0
3
null
null
CSS
Peter2s/nodejs-ecommerce-api
main
# eCommerce Node.js API This is a Node.js API for an eCommerce platform that allows users to manage products, categories, and orders. It provides endpoints for creating, updating, deleting, and retrieving various resources. ## Features - User authentication and authorization (user - manger - admin) - CRUD operations for products - CRUD operations for categories - CRUD operations for Subcategories - CRUD operations for brands - CRUD operations for users - Order management - Error handling and validation ## Technologies Used - Node.js - Express.js - MongoDB - JSON Web Tokens (JWT) for authentication - Mongoose - Multer for file upload - Shrap for image processing - express validator - bcrypt for password hashing - readis for caching - node mailer for emails ## Getting Started ### Prerequisites - Node.js and npm should be installed on your machine. - MongoDB should be installed and running. ### Installation ```bash git clone (https://github.com/Peter2s/nodejs-ecommerce-api) cd ecommerce-nodejs-api npm install npm start ``` ## API Documentation Here are some examples of the API endpoints: - GET /api/v1/products - Get all products - GET /api/v1/products/:id - Get a product by ID - POST /api/v1/products - Create a new product - PATCH /api/v1/products/:id - Update a product - DELETE /api/v1/products/:id - Delete a product
null
expressjs,javascript,rest-api,nodejs,bcrypt,express-validator,jwt,mongodb,mongoose,multer
2023-03-23T20:33:12Z
2023-05-29T19:48:47Z
null
1
0
51
0
0
3
null
null
JavaScript
ritikarawat220/JavaScriptCapstone
main
<!-- 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) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 MealDB <a name="about-project"></a> The MealDB is a web application that has a list of foods. The web application was built based on two APi's, which are the Meals DB and the Involvement API. The web app makes APi call to render a list of meals and also make another API call when a user likes or comment. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> - **Html 5** - **CSS 3** - **Webpack 5** - **Bootstrap 5** ### Key Features <a name="key-features"></a> - **List meals** - **Add likes and comments to meals** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [live demo](https://ritikarawat220.github.io/JavaScriptCapstone/dist/) ## Demo Video from Authors [Presentation Video](https://www.loom.com/share/b37242c978ae4aa4af8ec7ac4g73e2fac) <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 <a name="prerequisites"> In order to run this project you need: ### Setup <a name="setup"> Clone this repository to your desired folder: ```sh cd my-project-folder git clone https://github.com/ritikarawat220/JavaScriptCapstone ``` - ### Install <a name="install"> Install this project with: Example command: ```sh cd javascript-capstone npm install ``` - ### Usage <a name="usage"> To run the project, execute the following command: ```sh npm run start ``` ### Deployment <a name="deployment"> You can deploy this project using: Example: ```sh vercel or gh-pages ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Ritika Rawat** - GitHub: [ritikarawat220](https://github.com/ritikarawat220) - Twitter: [@ritikarawat22](https://twitter.com/Ritikarawat22) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/rawatritika/) 👤 **Tracy miranja** - GitHub: [@githubhandle](https://github.com/Tracy-miranja) - Twitter: [@twitterhandle](https://twitter.com/tracymiranja) - LinkedIn: [LinkedIn](https://linkedin.com/in/tracymiranja) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Authentication** <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](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project please give me a star⭐ <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> We are grateful to Microverse Inc that provided the guidelines for this project <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The Tasty Dishes site where users can view, like & comment on their favorite dishes. Built with HTML, CSS, vanilla JavaScript, Webpack, Meals API & the Involvement API.
capstone-project,css,group-project,html-css-javascript,html5,javascript,jest,meals,microverse,tasty-dishes
2023-03-20T07:41:18Z
2023-03-29T11:54:24Z
null
2
11
94
1
0
3
null
MIT
JavaScript
Otegaa/Awesome-books
main
<a name="readme-top"></a> # 📗 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) # 📖 [AWESOME BOOKS] <a name="about-project"></a> - This project is called AWESOME BOOKS. It is based on implementing a add and remove feature on the website, and storing the data in local storage. **[AWESOME BOOKS]** is a website that is used test the knowledge of adding and removing books on the website. ## 🛠 Built With <a name="HTML and CSS and JS"></a> ### Tech Stack <a name="Front end (Javascript)"></a> - This is a mobile and desk-top browser responsive website. <details> <summary>Client</summary> <ul> <li><a href="https://www.w3schools.com/html/">HTML</a></li> </ul> <ul> <li><a href="https://www.w3schools.com/css/">CSS</a></li> </ul> <ul> <li><a href="https://www.w3schools.com/js/">JS</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **[Data is stored in local storage]** - **[Data can be retrieved from local storage]** <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: - Git - An IDE (VsCode, Atom, etc) ### Setup Clone this repository to your desired folder: ```sh git clone https://github.com/Otegaa/Awesome-books.git cd AWESOME BOOKS ``` ### Install Install this project with: - npm Install ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [@githubhandle](https://github.com/Otegaa) - Twitter: [@twitterhandle](https://twitter.com/O_tegaaa) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/blessing-ekiugbo/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - Create dynamic navigation to different pages. <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/Otegaa/Awesome-books/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project, please give it a star, and if you would love to tell me ways to improve it, contact me on LinkedIn or Twitter. It will be a pleasure to hear from you. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse community for giving me the guide to building 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/Otegaa/Awesome-books/blob/main/LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This project is based on implementing a add and remove feature on the website, and storing the data in local storage. It was built with HTML, CSS and a lot of Javascript.
css3,html,javascript
2023-03-20T12:46:33Z
2023-03-27T20:13:45Z
null
1
7
29
0
0
3
null
MIT
JavaScript
tsheporamantso/Awesome_books
main
<a name="readme-top"></a> <div align="center"> <h1>Gladwin Tshepo Ramantso And Drissa Toure<h1> <br/> <h3><b>Awesome Books</b></h3> </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) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 Awesome Books <a name="about-project"></a> This Awesome books project is based on an online website that allows users to add/remove books and their authors from a list of books or to form a library of books which are stored in a local storage. **Awesome Books** In this project, we will built a basic website that allows users to add/remove books from a list. We achieved that by using JavaScript objects and arrays. We also dynamically modified the DOM and added basic events ## 🛠 Built With <a name="built-with"></a> - HTML - CSS - JavaScript ### Tech Stack <a name="tech-stack"></a> <details> <summary>Version Control</summary> <ul> <li><a href="https://github.com/">Git Hub</a></li> </ul> </details> <details> <summary>Visual Studio Code</summary> <ul> <li><a href="https://code.visualstudio.com">Visual Studio Code</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **JavaScript with Objects** - **Local Storage** - **Basic UI with plain HTML** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo]( https://tsheporamantso.github.io/Awesome_books/) <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: - Visual Studio Code. - Node JS. - Git bash. - GitHub Account. Example command: ```sh gem install VS code ``` ### Setup Clone this repository to your desired folder: Use git clone command or download ZIP folder Example commands: ```sh cd my-folder git clone git@github.com:tsheporamantso/Awesome_Books.git ``` ### Install Install this project with: npm Example command: ```sh cd my-project npm init -y ``` ### Usage To run the project, execute the following command: npm start or live server Example command: ```sh GitHub Pages Server ``` ### Run tests To run tests, run the following command: npm test Example command: ```sh npx stylelint "**/*.{css,scss}" ``` ```sh npx eslint . ``` ### Deployment You can deploy this project using: GitHub Pages Example: ```sh https://tsheporamantso.github.io/Awesome_Books/ ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Gladwin Tshepo Ramantso** - GitHub: [@tsheporamantso](https://github.com/tsheporamantso) - Twitter: [@ramgt001](https://twitter.com/ramgt001) - LinkedIn: [Tshepo Gladwin Ramantso](https://www.linkedin.com/in/tshepo-ramantso-b6a35433/) 👤 **Drissa Toure** - GitHub: [@touredri](https://github.com/touredri) - Twitter: [touredri](https://twitter.com/touredri) - LinkedIn: [touredri](https://www.linkedin.com/in/touredri/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Add CSS style to the application to make it match with the wireframe** - [ ] **Modidy the awesome books to have navigation bar book list Add books contact info** - [ ] **Create class methods to ass and remove books** <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](https://github.com/tsheporamantso/Awesome_Books/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 please follow us on github & twitter and also connect on Linkedin. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse for this exercise and the contribution by my coding partner. <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>
In this project, we will built a basic website that allows users to add/remove books from a list. We achieved that by using JavaScript objects and arrays. We also dynamically modified the DOM and added basic events
css3,html5,javascript
2023-03-20T06:16:02Z
2023-03-22T14:23:58Z
null
2
3
44
1
0
3
null
MIT
JavaScript
AleWaweru/My-Portfolio
main
<a name="readme-top"></a> <!-- 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) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 My-Portfolio <a></a> <details> <summary>Client</summary> <ul> <li>HTML</li> <li>CSS</li> <li>JavaScript</li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **HEADER SECTION** - **MAIN SECTION** - **IMAGES** - **PROJECT DETAILS POPUP** - **CONTACT FORM** - **JavaScript validation** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> > Add a link to your deployed project. - N/A <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: Example command: ```sh use a browser ``` ### Setup Clone this repository to your desired folder: Example commands: ```sh cd My-Portfolio git git@github.com:AleWaweru/My-Portfolio.git ``` ### Install Install this project with: Example command: ```sh no installations required ``` ### Usage To run the project, execute the following command: Example command: ```sh not required ``` ### Run tests To run tests, run the following command: Example command: ```sh not required ``` ### Deployment You can deploy this project using: https://alewaweru.github.io/My-Portfolio/ Example: ```sh not required ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [@githubhandle](https://github.com/AleWaweru/My-Portfolio) - Twitter: [@twitterhandle](https://twitter.com/ngashalex) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/alex-ng-ang-a-waweru-2b2701180/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **SIDEBAR SECTIONS** - [ ] **NAVBAR SECTIONS** - [ ] **FOOTER SECTIONS** - [ ] **CONTACT SECTIONS** <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 you can leave a star to it. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse for giving us an opportunity to learn more about Front-End Development. I would also like to thank my coding partners David Katende, Kemboi and Edwin Gichuhi for the support toward the completion of this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> what technology did I use to build the project? where is the source code for the project? <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md)(LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This is a project about my portfolio, which describes me as a developer, my skill set, and my achievements. It is built using HTML, CSS, and Javascript technologies
css,html5,javascript
2023-03-23T10:40:54Z
2023-06-05T15:00:53Z
null
7
12
73
5
0
3
null
null
CSS
melsayedshoaib/Yummy_Website
main
# Yummy_Website ## Created With <ul> <li>HTML5</li> <li>CSS3</li> <li>JavaScript</li> <li>jQuery</li> <li>API</li> <li>Regex</li> </ul>
Yummy Web Application for Food receipes
api,css3,food-app,html5,javascript,jquery
2023-03-19T07:03:14Z
2023-04-14T02:15:41Z
null
1
0
5
0
0
2
null
null
JavaScript
Devakinandan23/JavaScript_Projects
main
### JavsScript_Projects "website link" : https://devakinandan23.github.io/JavaScript_Projects/ when you push your project, repo will automatically update your project into the website --- ## 1. Guess the Number Game ### Description Guess the Number is a simple game where the computer selects a random number, and the player has to guess that number within a certain range. ### How to Play 1. Open the `index.html` file in your web browser. 2. Enter your guess in the input field. 3. Click the "Submit" button to check if your guess is correct. 4. You'll receive feedback on whether your guess is too high or too low. 5. Keep guessing until you find the correct number. 6. The game keeps track of the number of attempts it takes you to guess correctly. ### Contributors - [@Devakinandan23]([https://github.com/Devakinandan23](https://github.com/Devakinandan23)) - Developed the game logic and user interface. ### Technologies Used - HTML - CSS - JavaScript --- ## 2. Model_Boxs ### Description Model_Boxs is a project that creates and displays 3D models of boxes using WebGL or a similar technology. ### Usage 1. Open the `index.html` file in a browser that supports WebGL. 2. You will see a 3D model of a box displayed on the screen. 3. Interact with the model (if applicable) using mouse or keyboard controls. ### Contributors - - [@Devakinandan23]([https://github.com/Devakinandan23](https://github.com/Devakinandan23)) - Designed and implemented the 3D modeling and rendering. ### Technologies Used - WebGL or similar 3D rendering technology - HTML - JavaScript --- ## 3. Pig-Game ### Description Pig Game is a two-player dice game implemented using HTML, CSS, and JavaScript. Players take turns rolling a dice and accumulate points based on the dice rolls. The goal is to reach a certain score to win the game. ### How to Play 1. Open the `index.html` file in your web browser. 2. Players take turns clicking the "Roll dice" button to roll the dice. 3. Accumulate points by rolling dice, but be careful not to roll a 1 and lose your turn. 4. Click "Hold" to add your current points to your total score. 5. The first player to reach a set score wins the game. ### Contributors - - [@Devakinandan23]([https://github.com/Devakinandan23](https://github.com/Devakinandan23)) - Developed the game logic and user interface. ### Technologies Used - HTML - CSS - JavaScript --- ## 4.Weather Application ### Description This application uses an API from openweathermap.org to display weather data for cities around the world. It also allows users to search for new locations ## Technologies used - HTML - CSS - JavaScript ## 6. BMI calculator ### Description A simple health report web app based on BMI of a person , It gives suggestion based on our BMI. ### How to Play 1. Open the `index.html` file in your web browser. 2.Input the necessary details such as height, weight etc. 3. get the health Report. ### Contributors - - [@Damanbind898]([https://github.com/amanbind898](https://github.com/amanbind898)) - Developed the Health Report web app based on BMI. ### Technologies Used - HTML - CSS - JavaScript --- Each of the READMEs above provides a brief overview of the project, instructions on how to use it, a list of contributors, and the technologies used.
Hactoberfest-Accepted, Collection of projects
hacktoberfest,hacktoberfest-accepted,css,game,html,javascript,website
2023-03-15T17:21:15Z
2023-11-01T08:12:10Z
null
5
9
72
0
3
2
null
null
JavaScript
5codeman/Food-Recipes_APP
main
# Food-Recipes_APP FOOD-RECIPES-APP (Made using HTML5, CSS3, API, Local Storage and JavaScript) You can see the website live at: https://5codeman.github.io/Food-Recipes_APP/ Project demo video Link: https://www.youtube.com/watch?v=CuG0DDVyaVo TheMeal API Link: https://www.themealdb.com/api.php ## About this Project 1. In this project i have created Food Recipes APP using HTML, CSS, JavaScript, API and Local Storage. 2. The main logic use in this project is to fetch the meal recipes data on every keypresss and use the data to show recipes on the screen. 3. I have also use LOCAL STORAGE to store the favourites recipes. 4. This Website is fully responsive. ## Features 1. #### Home Page - Users can Search any Meals from the API using Seach Input. - Users can add the Meals to Favourites by Clicking on the Favourites icon. - Users can click on the home icon in nav bar to refresh the Page. - Users can see all the favourites meal recipes in the favouites list when they click on My Favourites Button which is in nav bar. 2. #### Meal Details - Users can see the Recipes by clicking on the View Recipes Button which is on the render meal card. - The Meal Detials Modal consists of information of the meals Such as Image, Name, Instructions and Watch Recipe video link. - We can close the Meal Detials Modal when we click on the X icon in Model. 3. #### Favourites Page - Displays list of all the favourite recipes. - Each recipes card in favourites list has remove button, clicking on which should remove that meal from the list. - The Favourite List is persistent (having the same number of meals before and after closing the browser/refreshing the browser)
FOOD-RECIPES-APP (Made using HTML5, CSS3, API, Local Storage and JavaScript)
api,css3,html5,javascript,the-meal-db-api,website,api-fetch-javascript,api-fetching,coding-ninjas-mern-stack,coding-ninjas-solution
2023-03-15T11:09:54Z
2023-03-17T10:14:35Z
null
1
0
6
0
0
2
null
null
JavaScript
DebyGrey/portfolio
master
<a name="readme-top"></a> <div align="center"> <h3><b>Hello Microverse Project Documentation (My first Project at Microverse)</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 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) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) <!-- PROJECT DESCRIPTION --> # 📖 PORTFOLIO WEBSITE <a name="about-project"></a> **Portfolio website ** is a website which uniquely showcase my work and let others know about me as a software developer. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>HTML5, CSS3 & Javascript</summary> <ul> <li><a href="https://reactjs.org/">React.js</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **displays the header section** - **displays the headline section** <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: + To have a prior knowledge of Linters, Git, HTML & CSS + Clone or fork the repository + A web browser (google chrome preferably) + A code editor (e.g vscode) ### Setup Clone this repository to your desired folder: cd my-folder git clone https://github.com/DebyGrey/portfolio.git ### Install To install this project run this into your terminal: + git clone https://github.com/DebyGrey/portfolio.git ### Usage To run the project: + double-click on the index.html file to open on your web browser ### Run tests No test run is required as this website is built with just html5 & css3 ### Deployment You can deploy this project: + on any hosting services <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Deborah Fashoro** - GitHub: [@githubhandle](https://github.com/DebyGrey) - Twitter: [@twitterhandle](https://twitter.com/Deby_grey) - LinkedIn: [LinkedIn](https://linkedin.com/in/deborah-fashoro) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Content section** - [ ] **Footer section** <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, kindly follow me on my social media handles listed above. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank everyone who made this project possible <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Portfolio is a website which uniquely showcases my work and let others know about me as a full-stack software developer. Website visitors can reach out to me using the contact form provided on the website. Built with HTML, CSS and Javascript.
css,html5,javascript
2023-03-24T03:11:22Z
2023-05-02T20:14:34Z
null
3
13
61
0
0
2
null
null
CSS
Atifzada/HTML_CSS-Capstone-project
main
<a name="readme-top"></a> # 📗 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) # 📖 [Capstone-Projec] <a name="about-project"></a> **[Art_Exhibition Website]**This is a complete website project build to provide a Comprehensive Online Platform for Art Enthusiasts ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li>HTML</li> <li>CSS</li> <li>JS</li> </ul> </details> ### Key Features <a name="key-features"></a> - **[Mobile first Home page ]** - **[About page]** - [🚀 Live Demo](#live-demo) Here is the link to the live demo https://www.loom.com/share/4818e9bf34b645b6bd542a759e2538f0 <p align="right">(<a href="#readme-top">back to top</a>)</p> <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: you have to have Code editor and Github account to have the source code ### Setup Clone this repository to your desired folder: git clone https://github.com/Atifzada/Capstone-Project-01 ### Install Install this project: ### Usage To run the project, execute the following command: Once you clone the project then select live server you will see portfolio website displayed on the browser ### Run tests To run tests, run the following command: Not Applicable ### Deployment website is deployed using Github page: here is the link https://atifzada.github.io/Capstone-Project-01/ ## 👥 Authors <a name="authors"></a> - GitHub: [@atifzada](https://github.com/Atifzada) - Twitter: [@atifzada](https://twitter.com/atifzada04) - LinkedIn: [@atifzada](https://www.linkedin.com/in/atif-zada-585693180/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [Modern-Styling] **[Add contact form and gallary section.]** - [Modern-Styling] **[Add form validation.]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! ## 🤝 Contributors: @touredri @Otega @Yusuf <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project then please give it a star and share with the person who is in need of this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> ## Acknowledgements Original design by Cindy Shin on [Behance](https://www.behance.net/gallery/29845175/CC-Global-Summit-2015) . <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE.md) licensed.
This is the first capstone project at Microverse, where I am building an art expo website which will showcase different artists and their works i.e paintings, sculptures, and installations. Visitors will be able to view photos of the artworks, learn about the artists, and even purchase the works online. The website is built using HTML, CSS and JS
css,html,javascript
2023-03-13T08:14:48Z
2023-03-17T06:21:54Z
null
1
1
14
1
0
2
null
NOASSERTION
CSS
maksym1224/FoodDeliveryService
develop
[![Build Status](https://travis-ci.com/Bobsar0/Fast-Food-Fast.svg?branch=develop)](https://travis-ci.com/Bobsar0/Fast-Food-Fast) [![Coverage Status](https://coveralls.io/repos/github/Bobsar0/Fast-Food-Fast/badge.svg?branch=develop&service=github)](https://coveralls.io/github/Bobsar0/Fast-Food-Fast?branch=develop) [![Code Climate](https://codeclimate.com/github/codeclimate/codeclimate/badges/gpa.svg)](https://codeclimate.com/github/Bobsar0/Fast-Food-Fast) [![Heroku](https://img.shields.io/badge/heroku-deployed-green.svg)](https://fast-food-fast-bobsar0.herokuapp.com) # Fast-Food-Fast *An Andela Developer Challenge Project* ## Description Fast-Food-Fast is a food delivery service app challenge built using plain HTML5, CSS, JS for front end and Node.js for the backend. The project is divided into **UI implementation** and **API Endpoints** sections with features for both demonstrated below. The overall solution is hosted on [Heroku](https://fast-food-fast-bobsar0.herokuapp.com/) ### UI Implementation > This involves creating just the UI elements - pages and views #### Features - User [signup](https://fast-food-fast-bobsar0.herokuapp.com/signup) and [login](https://fast-food-fast-bobsar0.herokuapp.com/login) pages - [A page where a user should be able to order for food and view order history](https://fast-food-fast-bobsar0.herokuapp.com/menu) - [A page where the admin can do the following](https://fast-food-fast-bobsar0.herokuapp.com/admin): - See a list of orders - Accept and decline orders - Mark orders as completed ### API Endpoints > This involves primarily creating RESTful API endpoints to power the front-end pages. #### Features | Endpoints | Functionality | ----------------------|--------------------------------| | GET /orders | Get all orders. | | GET /orders/:id | Fetch a specific order. | | POST /orders | Place a new order. | | PUT /orders/:id | Update the status of an order. | | DELETE /orders/:id | Delete an order. | ## Getting Started These instructions will get you a copy of the project running on your local machine for development and testing purposes. ### Prerequisites `node.js v8.11.4` recommended; `npm v6.4.1` or greater recommended ### Installation and Testing - Clone the master repository to access all files and dependency versions - Run `npm install` to install all dependencies - Run `npm test` to test files - Run `npm start` to get the system running ## Built With - [Node.js](https://nodejs.org/en/)/Express - Server-side framework - [Mocha/Chai](https://mochajs.org/) - Testing framework - [ESLint](https://eslint.org/) - Linting library - [Airbnb style guide](https://github.com/airbnb/javascript) - [Pivotal Tracker](https://www.pivotaltracker.com/dashboard) - Project management tool - [Babel 7](https://babeljs.io/) - Compiling >=ES2015 features to native JS - [Postman](https://www.getpostman.com/) - Testing API endpoints - Development Approach - TDD/BDD
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,css,html,javascript,meal-planner
2023-03-24T05:27:19Z
2018-11-23T08:51:42Z
null
2
0
173
0
0
2
null
null
JavaScript
prp0076/Dstore-Ecommerce
main
# Dstore Ecommerce webApp - Dstore is an online marketplace that offers a wide range of high-quality products from trusted brands and independent sellers. Our mission is to provide customers with a convenient and enjoyable shopping experience, while offering competitive pricing and exceptional customer service. - This is a fully functional ecommerce website built using ReactJS. The website has been designed to showcase various products, allowing customers to browse through them and purchase them online. ## Features This e-commerce website has the tech following features: - Product listings - Product details page - Shopping cart - Checkout process - Payment processing - Technologies Used This e-commerce website has the designing & development following features: - Responsive design: Ensure that your website is optimized for viewing on a variety of devices, including desktops, laptops, tablets, and smartphones. - Analytics: Implement an analytics system that allows you to track website traffic, user behavior, and other key metrics. - SEO optimization: Optimize your website for search engines so that it ranks higher in search results for relevant keywords. - Search functionality: Implement a search bar that allows users to search for specific content on your website, such as articles or other user profiles. - Modern and user-friendly design - Responsive layout for optimal viewing on all devices - Developed using HTML, CSS, and JavaScript ### The website has been built using the following technologies: - ReactJS - HTML - CSS - JavaScript - Strapi - Stripe - Auth0 ### Team - Developer: Pushpraj Paroha - GitHub URL: https://github.com/prp0076 - Designer: Sachin Pandey - GitHub URL: https://github.com/sachin12031999 - Github generated page : [visit now](https://tangerine-fox-825b79.netlify.app/) ## description This website is an e-commerce store called DSTORE SALES. It offers a variety of products such as headphones, smart watches, Bluetooth speakers, wireless earbuds, and home theater projectors. It also provides customers with the latest updates and offers through its newsletter subscription. ### For more information please [visit website](https://dstore-ecommerce-fox-825b79.netlify.app/) ## Screenshots ### Sign Up ![sign up page](https://user-images.githubusercontent.com/116311633/226447710-2beb870e-788f-4563-a47a-01a99fc63301.png) ### Login ![login page](https://user-images.githubusercontent.com/116311633/226447700-5e85f99f-7382-4083-89f8-4b7053f58714.png) ### Home ![home page](https://user-images.githubusercontent.com/116311633/226447692-6e686387-cf08-4a0f-830a-c25917a449e5.png) ### Category ![choose by categories](https://user-images.githubusercontent.com/116311633/226447686-d65b376c-f0e4-46ce-b00d-ebf70e7bd05a.png) ### Singleproduct ![singleproduct](https://user-images.githubusercontent.com/116311633/226564552-405cf464-e8c7-45a8-a80c-f4a1f3a16a13.jpeg) ### Search list ![search page](https://user-images.githubusercontent.com/116311633/226447707-8f8db7de-1399-4391-bce2-e0310d089047.png) ### Cart ![cart section](https://user-images.githubusercontent.com/116311633/226447678-88173b1a-40ba-4a48-97b2-758887025952.png) ### Checkout ![payment or checkout page](https://user-images.githubusercontent.com/116311633/226447704-e7a34e05-65d4-433d-902f-0d1dff5cbaf0.png) ## Getting Started To get started with the website, you will need to first clone this repository: ``` git clone https://github.com/prp0076/Dstore-Ecommerce.git ``` Once you have cloned the repository, navigate to the project directory and install the dependencies: ``` cd ecommerce-reactjs ``` ``` npm install ``` After the dependencies have been installed, you can start the development server by running: ``` npm start ``` This will start the development server at ``` http://localhost:3000/ ``` , allowing you to view the website in your browser. ## Contributing #### We welcome contributions to this project! If you'd like to contribute, please follow these steps: * Fork the repository to create your own copy of the project. * Create a new branch in your fork to make your changes. * Submit a pull request from your branch to the original repository, and we'll review your changes. Thank you for checking out our project!
Dstore is an online marketplace that offers a wide range of high-quality products from trusted brands and independent sellers. Our mission is to provide customers with a convenient and enjoyable shopping experience, while offering competitive pricing and exceptional customer service.
javascript,jsx,nodejs,nodejs-modules,reacthooks,reacticons,reactrouterdom,reatctjs,scss,search-algorithm
2023-03-19T18:35:11Z
2023-06-24T18:16:39Z
null
2
0
35
0
0
2
null
null
SCSS
CarlosZ96/Carlos-Portfolio
master
<a name="readme-top"></a> <div align="center"> <br/> <h3><b>Carlos's Portfolio</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [💻 Getting Started](#getting-started) - [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 --> # 📖Portfolio📖 <a name="about-project"></a> **My Portfolio** A simple webpage based on HTML and CSS describing a basic info from a developer. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> - Languages: HTML, CSS. - Technologies used: Linters, Github, Visual Code. <details> <summary>Client</summary> <ul> <li><a href="https://reactjs.org/">React.js</a></li> </ul> </details> <details> <summary>Server</summary> <ul> <li><a href="https://expressjs.com/">Express.js</a></li> </ul> </details> <details> <summary>Database</summary> <ul> <li><a href="https://www.postgresql.org/">PostgreSQL</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **A responsive webpage to present my knowledge, experience and projects in programming.** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://carlosz96.github.io/Carlos-Portfolio/) <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. Run git clone https://github.com/CarlosZ96/Portfolio ### Prerequisites Basic Knowledge of HTML and CSS. ### Install Install this project with: Install a code editor of your choice VScode or Atom. ### Usage Just a simple html and css made for testing github functionalities. ### Run tests Open the index.html file whit your favorite browser. ### Deployment You can deploy this project using visual code or github itself on Settings > pages > Deploy from a Branch. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Carlos Zambrano** - GitHub: [@githubhandle](https://github.com/CarlosZ96) - Twitter: [@twitterhandle](https://twitter.com/ELZambrano2) - LinkedIn: [@linkedinhandle](https://www.linkedin.com/in/carlos-zambrano-845406173/) - LinkedIn: [@linkedinhandle](https://www.linkedin.com/in/sylvester-wamaya-b11a93112/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - **Accessibility will come soon** - **JavaScritp functionalities coming soon..** <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](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project, you can give a ⭐️ for this repository. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank https://www.microverse.org/ <p align="right">(<a href="#readme-top">back to top</a>)</p> <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
null
css,html,javascript
2023-03-22T21:32:26Z
2023-04-25T14:34:31Z
null
4
11
133
5
0
2
null
MIT
CSS
jodavid444/Leader-Board
development
# 📗 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) - [👥 Authors](#authors) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ](#faq) - [📝 License](#license) # 📖 [Leaderboard] <a name="about-project"></a> Leaderboard is a web application that displays scores submitted by different players. It also allows users to submit your score thanks to the external Leaderboard API service.. ## Desktop Preview 👇 <img src="/src/assets/images/Screenshot 2023-06-09 105008.png" alt=""> ## Mobile Preview 👇 <img src="/src/assets/images/mobile-preview.png" alt="mobile preview"> ## Learning objectives - Understand how to use medium-fidelity wireframes to create a UI. - Use callbacks and promises. - Learn how to use proper ES6 syntax. - Use ES6 modules to write modular JavaScript. - Use webpack to bundle JavaScript. - Send and receive data from an API. - Use API documentation. - Understand and use JSON. - Make JavaScript code asynchronous. ## 🛠 Built With <a name="built-with"></a> - HTML - CSS - JavaScript - WebPack ## Technologies used - Github - Git - WebHint - Stylelint - ESlint ### Key Features <a name="key-features"></a> - **[Users can add a new name and score]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://jodavid444.github.io/Leader_board/) <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: - Code Editor (Vs Code) - Nodejs - Git - Browser (Chrome) ### Setup Clone this repository to your desired folder: run this commands: ```sh cd Leader-Board git clone https://github.com/jodavid444/Leaader-Board.git ``` ### Install install this project using the following commands: 1. Install Node Modules ```sh npm install ``` ### Usage To run the project, execute the following command: 1. Generate a full static production ```sh npm run build ``` 2. Start the development server ```sh npm start ``` ### Run tests To run tests, run the following command: ```sh npm run test ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> ## Authors <a name="authors"></a> 👤 **Joseph David** - GitHub: [@jodavid444](https://github.com/jodavid444) - Twitter: [@jodavid444dave](https://twitter.com/jodavid444dave) - LinkedIn: [@joseph-david](https://www.linkedin.com/in/joseph-david-/) <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](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project please leave a star. Thank you 🙏 <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse for the great project idea <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ❓ FAQ <a name="faq"></a> - **[How to run this application on your local machine]** - [Follow the steps in the usage section] - **[How to test the application on your local machine]** - [Follow the steps in the run test section] <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Leaderboard is a web application that displays scores submitted by different players. It also allows users to submit your score thanks to the external Leaderboard API service..
api,javascript,webpack
2023-03-16T21:39:07Z
2023-06-09T10:51:50Z
null
1
6
113
0
0
2
null
MIT
SCSS
SankaraMoothi/LinkTree
master
# LinkTree Creating My Own Link Tree Using Html Css To Improve UI/UX Skill Also Responsive ![Screenshot 2023-03-13 214453](https://user-images.githubusercontent.com/107635975/224762984-50a743c3-5798-461c-92b4-fe9c2709c928.png)
Creating My Own Link Tree Using Html Css To Improve UI/UX Skill
css3,html5,javascript
2023-03-13T16:13:57Z
2023-03-13T16:20:50Z
null
1
0
2
0
0
2
null
null
CSS
atok624/maths_magicians
master
<a name="readme-top"></a> <div align="center"> <h3><b>Maths Magicians</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 --> # 📖 Maths Magician<a name="about-project"></a> **Maths Magician** - "Math magicians" is a website for all fans of mathematics. It is a Single Page App (SPA) that allows users to: Make simple calculations. Read a random math-related quote. ## 🛠 Built With <a name="built-with"></a> - Major Languages: JavaScript. - Libraries: React, - Technologies used: ``` bash - create-react-app tool - Git version control - ESLint code linting - StyleLint code linting - Prettier code formatting - Babel transpiling - Webpack bundling - netlify deployment ``` ### Tech Stack <a name="tech-stack"></a> ```md HTML CSS JAVASCRIPT BOOTSTRAP ``` <!-- Features --> ### Key Features <a name="key-features"></a> ### Future Features <a name="key-features"></a> - **API Functionality** - **Events** <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> [Live Demo](https://math-magician-5re0.onrender.com/) <p align="right">(<a href="#readme-top">back to top</a>)</p> Access the the online version of my application with this link <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 the steps in Setup below. ### Prerequisites ``` Basic knowledge of: - HTML - CSS - JavaScript - React. ``` ### Setup If you have git installed, you can clone the code to your machine, or download a ZIP of all the files directly. [Download the ZIP from this location](https://codeload.github.com/atok624/maths_magicians/zip/refs/heads/master), or run the following [git](https://git-scm.com/downloads) command to clone the files to your machine: ```sh cd my-folder git clone git@github.com:atok624/maths-magician.git ``` <!-- Example: ```sh ``` --> <p align="right">(<a href="#readme-top">back to top</a>)</p> ## Usage Run in development mode (Port 3000) ``` npm run start ``` ### Build for production ``` npm run build ``` ### Run tests To run tests, run the following command: ```sh npm test ``` ### Linter Tests - ### To check for html errors run: ```sh npx hint . ``` - ### To check for css errors run: ```sh npx stylelint "**/*.{css,scss}" ``` - ### To check for js errors run: ```sh npx eslint "**/*.{js,jsx}" ``` <!-- AUTHORS --> ## 👥 Author <a name="authors"></a> ## 👤Nicholas Kwamena Amissah <a name="authors"></a> - GitHub: [Nicholas Amissah](https://github.com/atok624) - Twitter: [Nicholas Amissah](https://twitter.com/MysticalAmissah) - LinkedIn: [Nicholas Amissah](https://www.linkedin.com/in/nicholas-amissah-153b09154) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> <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](https://github.com/atok624/maths_magicians/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, please give it a star on the main page <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank the following : - [ ] Microverse - [ ] All the Patners I've had for Module. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
"Math magicians" is a website for all fans of mathematics. It is a Single Page App (SPA) that allows users to: Make simple calculations. Read a random math-related quote.
css,git,html5,javascript,webpack
2023-03-22T13:13:07Z
2023-04-17T17:23:28Z
null
1
5
54
0
0
2
null
null
JavaScript
marco-arias-antolin/ConfeccionPublicacionWEB
main
null
146/FOD/47/2022 IFCD0110 Confección y publicación de páginas WEB
css3,html5,javascript
2023-03-19T11:06:37Z
2023-10-17T11:53:07Z
null
1
0
190
0
0
2
null
GPL-3.0
HTML
mariyabykova/foodgram-project-react
master
# Проект Foodgram ![Github actions](https://github.com/mariyabykova/foodgram-project-react/actions/workflows/main.yml/badge.svg) ### Описание Проект "Foodgram" – это "продуктовый помощник". На этом сервисе авторизированные пользователи могут публиковать рецепты, подписываться на публикации других пользователей, добавлять понравившиеся рецепты в список «Избранное», а перед походом в магазин скачивать сводный список продуктов, необходимых для приготовления одного или нескольких выбранных блюд. Для неавторизированных пользователей доступны просмотр рецептов и страниц авторов. ### Как запустить проект на боевом сервере: Установить на сервере docker и docker-compose. Скопировать на сервер файлы docker-compose.yaml и default.conf: ``` scp docker-compose.yml <логин_на_сервере>@<IP_сервера>:/home/<логин_на_сервере>/docker-compose.yml scp nginx.conf <логин_на_сервере>@<IP_сервера>:/home/<логин_на_сервере>/nginx.conf ``` Добавить в Secrets на Github следующие данные: ``` DB_ENGINE=django.db.backends.postgresql # указать, что проект работает с postgresql DB_NAME=postgres # имя базы данных POSTGRES_USER=postgres # логин для подключения к базе данных POSTGRES_PASSWORD=postgres # пароль для подключения к БД DB_HOST=db # название сервиса БД (контейнера) DB_PORT=5432 # порт для подключения к БД DOCKER_PASSWORD= # Пароль от аккаунта на DockerHub DOCKER_USERNAME= # Username в аккаунте на DockerHub HOST= # IP удалённого сервера USER= # Логин на удалённом сервере SSH_KEY= # SSH-key компьютера, с которого будет происходить подключение к удалённому серверу PASSPHRASE= #Если для ssh используется фраза-пароль TELEGRAM_TO= #ID пользователя в Telegram TELEGRAM_TOKEN= #ID бота в Telegram ``` Выполнить команды: * git add . * git commit -m "Коммит" * git push После этого будут запущены процессы workflow: * проверка кода на соответствие стандарту PEP8 (с помощью пакета flake8) и запуск pytest * сборка и доставка докер-образа для контейнера web на Docker Hub * автоматический деплой проекта на боевой сервер * отправка уведомления в Telegram о том, что процесс деплоя успешно завершился После успешного завершения процессов workflow на боевом сервере должны будут выполнены следующие команды: ``` sudo docker-compose exec web python manage.py migrate ``` ``` sudo docker-compose exec web python manage.py collectstatic --no-input ``` Затем необходимо будет создать суперюзера и загрузить в базу данных информацию об ингредиентах: ``` sudo docker-compose exec web python manage.py createsuperuser ``` ``` sudo docker-compose exec web python manage.py load_data_csv --path <путь_к_файлу> --model_name <имя_модели> --app_name <название_приложения> ``` ### Как запустить проект локально в контейнерах: Клонировать репозиторий и перейти в него в командной строке: ``` git@github.com:mariyabykova/foodgram-project-react.git ``` ``` cd foodgram-project-react ``` Запустить docker-compose: ``` docker-compose up ``` После окончания сборки контейнеров выполнить миграции: ``` docker-compose exec web python manage.py migrate ``` Создать суперпользователя: ``` docker-compose exec web python manage.py createsuperuser ``` Загрузить статику: ``` docker-compose exec web python manage.py collectstatic --no-input ``` Проверить работу проекта по ссылке: ``` http://localhost/ ``` ### Как запустить проект локально: Клонировать репозиторий и перейти в него в командной строке: ``` git@github.com:mariyabykova/foodgram-project-react.git ``` ``` cd foodgram-project-react ``` Создать и активировать виртуальное окружение: ``` python3 -m venv venv ``` * Если у вас Linux/macOS: ``` source venv/bin/activate ``` * Если у вас Windows: ``` source venv/Scripts/activate ``` ``` python3 -m pip install --upgrade pip ``` Установить зависимости из файла requirements: ``` pip install -r requirements.txt ``` Выполнить миграции: ``` python3 manage.py migrate ``` Запустить проект: ``` python3 manage.py runserver ``` ### В API доступны следующие эндпоинты: * ```/api/users/``` Get-запрос – получение списка пользователей. POST-запрос – регистрация нового пользователя. Доступно без токена. * ```/api/users/{id}``` GET-запрос – персональная страница пользователя с указанным id (доступно без токена). * ```/api/users/me/``` GET-запрос – страница текущего пользователя. PATCH-запрос – редактирование собственной страницы. Доступно авторизированным пользователям. * ```/api/users/set_password``` POST-запрос – изменение собственного пароля. Доступно авторизированным пользователям. * ```/api/auth/token/login/``` POST-запрос – получение токена. Используется для авторизации по емейлу и паролю, чтобы далее использовать токен при запросах. * ```/api/auth/token/logout/``` POST-запрос – удаление токена. * ```/api/tags/``` GET-запрос — получение списка всех тегов. Доступно без токена. * ```/api/tags/{id}``` GET-запрос — получение информации о теге о его id. Доступно без токена. * ```/api/ingredients/``` GET-запрос – получение списка всех ингредиентов. Подключён поиск по частичному вхождению в начале названия ингредиента. Доступно без токена. * ```/api/ingredients/{id}/``` GET-запрос — получение информации об ингредиенте по его id. Доступно без токена. * ```/api/recipes/``` GET-запрос – получение списка всех рецептов. Возможен поиск рецептов по тегам и по id автора (доступно без токена). POST-запрос – добавление нового рецепта (доступно для авторизированных пользователей). * ```/api/recipes/?is_favorited=1``` GET-запрос – получение списка всех рецептов, добавленных в избранное. Доступно для авторизированных пользователей. * ```/api/recipes/is_in_shopping_cart=1``` GET-запрос – получение списка всех рецептов, добавленных в список покупок. Доступно для авторизированных пользователей. * ```/api/recipes/{id}/``` GET-запрос – получение информации о рецепте по его id (доступно без токена). PATCH-запрос – изменение собственного рецепта (доступно для автора рецепта). DELETE-запрос – удаление собственного рецепта (доступно для автора рецепта). * ```/api/recipes/{id}/favorite/``` POST-запрос – добавление нового рецепта в избранное. DELETE-запрос – удаление рецепта из избранного. Доступно для авторизированных пользователей. * ```/api/recipes/{id}/shopping_cart/``` POST-запрос – добавление нового рецепта в список покупок. DELETE-запрос – удаление рецепта из списка покупок. Доступно для авторизированных пользователей. * ```/api/recipes/download_shopping_cart/``` GET-запрос – получение текстового файла со списком покупок. Доступно для авторизированных пользователей. * ```/api/users/{id}/subscribe/``` GET-запрос – подписка на пользователя с указанным id. POST-запрос – отписка от пользователя с указанным id. Доступно для авторизированных пользователей * ```/api/users/subscriptions/``` GET-запрос – получение списка всех пользователей, на которых подписан текущий пользователь Доступно для авторизированных пользователей. ### Автор проекта **Мария Быкова.**
Foodgram. Продуктовый помощник.
django,django-rest-framework,djoser,docker,docker-compose,python3,workflow,javascript,nginx,postgresql
2023-03-19T14:23:35Z
2023-04-08T17:19:39Z
null
1
3
115
0
2
2
null
null
JavaScript
yabluninn/pig-game
main
null
Pig game is a web version of the classic board game "Pig". The advantages of this web version: profiles, saving points, the ability to play online with friends. A detailed description of the project can be found in the README.md file.
css,game,html,javascript,sass,scss,app
2023-03-13T11:19:36Z
2023-03-15T12:07:56Z
null
1
0
9
0
0
2
null
null
SCSS
Ghost-Man001/ProxyGrabber
main
<p align="center"> Proxy-Grabber </p> <p align="center"> <img height="150" width="175" src="https://cdn.icon-icons.com/icons2/1674/PNG/512/moon_111148.png"/> </p> ### 🎉 Features List - Very Fast Checking - Proxy support: http/s, socks4/5, Premium - Simple Usage
javascript,proxies,proxy,proxy-api,proxy-checker,proxy-free,proxy-grabber,proxy-list,proxy-scraper,proxy-tool
2023-03-14T01:19:49Z
2023-09-17T21:00:04Z
2023-07-11T15:49:12Z
1
0
11
0
0
2
null
MIT
null
Jarv1sGH/CricInator
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. You will need to create a .env file in the parent folder and add REACT_APP_CRICBUZZ_API_KEY= "your rapid api key here" in the env file. 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)
A Cricket Score website made with React.js
cricket-score,css3,html5,javascript,reactjs,redux-toolkit,rest-api
2023-03-25T05:33:08Z
2023-09-04T06:26:14Z
null
1
0
11
1
0
2
null
null
JavaScript
Abdelaziz-Mahdi/GS-Bootstrap
main
<a name="readme-top"></a> <div align="center"> <br/> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [:movie_camera: Project Presentation](#project-presentation) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 Global-Summit <a name="about-project"></a> **Global-Summit** Is a website that can be used for conference or global events and runs smoothly on different devices and screen sizes ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> Developed using JavaScript and Bootstrap. <!-- Features --> ### Key Features <a name="key-features"></a> - **Responsive design** - **Hover and animation effects** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- Project Presntation --> ## :movie_camera: Project Presentation <a name="project-presentation"></a> Walking through the Global-Summit Website outline. - Project Presentation Link: [Global-Summit Presentation](https://www.loom.com/share/e63b3aafd91e4aaeac6294942c32933d) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> *to open Live Demo in a new tab do a CTRL+click (on Windows and Linux) or CMD+click (on MacOS) on the link. - Live Demo Link: [Global-Summit Website](https://abdelaziz-mahdi.github.io/GS-Bootstrap/) <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. Use Git or checkout with SVN using the web URL. https://github.com/Abdelaziz-Ali/Global-Summit.git <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Abdelaziz Ali** - GitHub: [@Abdelaziz-Ali](https://github.com/Abdelaziz-Ali) - Twitter: [@AbdelazizDV](https://twitter.com/AbdelazizDV) - LinkedIn: [in/abdelaziz-ali-dev](https://www.linkedin.com/in/abdelaziz-ali-dev) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Style Improvments** <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> Give a ⭐️ if you like this project! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> - Template used in the project provided by (Microverse). - Original design idea by Cindy Shin in Behance. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ <a name="faq"></a> Do I have to make changes to this project before using it? - You need to modify it to match your client information. <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>
Global Summit is a website displays information about a global conference, developed using JS & Bootstrap.
bootstrap5,javascript,summit
2023-03-14T15:43:44Z
2023-08-04T00:34:50Z
null
1
2
63
0
1
2
null
MIT
HTML
divyaGrvgithub/Tailwebs-B7
main
# Tailwebs-Bonus-7 # Technology: Use any. Database: MYSQL / MongoDB / (Use any) Below are the task requirements. Task The task is very simple. You just need to think twice and follow the below instruction 1. Create a login screen. 2. After logging in the student list will appear with filters(name, subject) and add/edit/view/delete. 3. While adding a student with the student and subject combination that already exists in the database then include the marks in existing marks. otherwise, it will create a new student record. For example, You have a current record in the database Name Subject Marks Jhon Maths 75 If we add the same data again Name Subject Marks Jhon Maths 50 Then the total should be 125 4. Student data will appear separately as per the logged-in user. Note : ● UI must be responsive. ● Edit form must be in the popup window. ● Perform edit and delete option through token-based API. ● Use encryption ● Error handling with logs
Tailwebs is a team of designers, coders, and marketers, who aspire to provide excellent user experiences in the field of Web Software Development, Mobile Application Design, Technology Consulting, and E-commerce Development.
javascript,npm,package,backend,css,front-end,html,json,jwt-authentication,react
2023-03-14T14:18:30Z
2023-03-14T16:07:25Z
null
2
0
22
0
1
2
null
null
JavaScript
SinghArpit27/projectHub
master
null
Project Hub is a dynamic web platform built with HTML, CSS, JavaScript, Node.js, and MongoDB, empowering users to showcase and monetize their digital creations. Seamlessly upload and sell projects, fostering a collaborative environment for creators and enthusiasts within a user-friendly interface.
css,ejs-template-engine,express,javascript,middleware,mongodb,nodejs
2023-03-21T17:23:54Z
2023-04-19T21:36:07Z
null
1
0
3
0
0
2
null
null
CSS
DanielHerrer/Egg_ArgentinaPrograma_4.0
master
<img src="banner_egg.jpg"> # Egg Argentina Programa 4.0 Repositorio del material y ejercicios de cada guia proveida por el campus de Egg Cooperation sustentado por Argentina Programa 4.0 Dirigido a la formación como 'Full Stack Developer'. <h2>Programacion Desde Cero</h2> <ul> <li>Guia 01 => Intro PSeInt</li> <li>Guia 02 => Estructuras Selectivas</li> <li>Guia 03 => Estructuras Repetitivas</li> <li>Guia 04 => Subprogramas</li> <li>Guia 05 => Arreglos</li> <li>Guia 06 => Matrices</li> <li><b>Exámen Integrador</b></li> </ul> <h2>Full Stack Dev</h2> <ul> <li>Guia 01 => GitHub I</li> <li>Guia 02 => Intro a Java</li> <li>Guia 03 => Estructuras de control</li> <li>Guia 04 => Subrprogramas</li> <li>Guia 05 => Arreglos</li> <li>Guia 06 => GitHub II</li> <li>Guia 07 => POO</li> <li>Guia 08 => Clase de Servicio</li> <li>Guia 09 => Clase de Utilidad</li> <li><b>Exámen Integrador</b></li> <li>Guia 10 => Colecciones</li> <li>Guia 11 => Relaciones entre Clases</li> <li>Guia 12 => Herencia</li> <li>Guia 13 => Manejo de Excepciones</li> <li>Guia 14 => Base de Datos SQL</li> <li>Guia 15 => JDBC</li> <li>Guia 16 => JPA</li> <li><b>Exámen Integrador</b></li> <li>Guia 17 => HTML/CSS</li> <li>Guia 18 => JavaScript</li> <li>Guia 19 => React</li> <li><b>Exámen Integrador</b></li> </ul>
Repositorio sobre el trayecto de Egg para la formación como "Full Stack Dev"
backend,bootstrap,frontend,html-css,java,javascript,sql
2023-03-15T19:31:26Z
2023-12-28T22:35:35Z
null
1
0
82
0
0
2
null
null
Java
xnkit69/69
main
null
PORTFOLIO WEBSITE
ankit,ankit-kumar,css,html,html-css-javascript,javascript,portfolio,portfolio-website,website,xnkit
2023-03-22T03:31:11Z
2024-01-04T10:35:21Z
null
1
0
104
0
0
2
null
null
HTML
DeepakKumarDKN/Fullstack-Javascript-2.0-Batch2
main
null
This is my First Repositry for I neuron Batch Fullstack Javascript Bootcamp 2.0. I am not using This Repositry now a days as i have made a new repositry . Please Follow My Second Repositry for latest Updates About Assigments
css,html5,javascript,talwindcss
2023-03-21T07:08:41Z
2024-01-17T19:33:46Z
null
1
0
2
0
0
2
null
null
CSS
rOluochKe/hotel-booking-app
main
# Hotel Booking App This Hotel Booking Application, built using the MERN (MongoDB, Express.js, React.js, Node.js) stack, offers a robust and user-friendly platform for users to book hotel accommodations seamlessly. The application utilizes MongoDB as the database for efficient and scalable data storage, while Express.js handles server-side operations, ensuring smooth communication between the client and the server. Node.js powers the backend, delivering high-performance handling of requests. With React.js on the frontend, users can enjoy a dynamic and intuitive user interface that enables them to browse hotel listings, view detailed information, and make bookings with ease. The application provides features such as real-time availability updates, pricing information, and user reviews. Users can search for hotels based on their preferred location, check-in/check-out dates, and other filters, ensuring a personalized and tailored booking experience. The integrated booking system facilitates secure and reliable payment transactions. This Hotel Booking Application, developed using the MERN stack, revolutionizes the way users search, compare, and book hotel accommodations, offering a seamless and efficient platform for travelers to plan their stays with ease. ## Technologies - JavaScript - NodeJS - ExpressJS - ReactJS - Redux - Ant Design - Bootstrap - Stripe - MongoDB - Bootstrap - HTML - CSS - API
This Hotel Booking Application, built using the MERN (MongoDB, Express.js, React.js, Node.js) stack, offers a robust and user-friendly platform for users to book hotel accommodations seamlessly.
bootstrap,expressjs,javascript,mongodb,nodejs,reactjs,redux,rest-api,stripe-api,ant-design
2023-03-22T07:18:50Z
2023-05-23T10:38:45Z
null
1
0
16
0
1
2
null
null
JavaScript
tiagofunk/Web-Design-Turmas-INFO23A-INFO23B
main
# Web-Design-Turmas-INFO23A-INFO23B Repositórios com exemplos de códigos apresentados nas aulas de Web Design das turmas INFO23A e INFO23B do Instituto Federal Catarinense (IFC) Campus Ibirama
Repositórios com exemplos de códigos apresentados nas aulas de Web Design das turmas INFO23A e INFO23B do Instituto Federal Catarinense (IFC) Campus Ibirama
html,css,css3,html5,javascript
2023-03-17T17:17:42Z
2023-09-19T21:13:04Z
null
1
0
17
0
0
2
null
null
HTML
suraffy/portfolio
main
# Surafel's Portfolio ![Portfolio Screenshot](https://suraffy.netlify.app/img/projects/Portfolio-app.png) Welcome to my portfolio! I'm a passionate full-stack developer with a strong foundation in programming and data structures. I specialize in building interactive and scalable web applications using React, Vue, Node.js, Express, MongoDB, and SQL. ## Table of Contents - [Projects](#projects) - [Skills](#skills) - [Installation](#installation) - [Usage](#usage) - [Contact](#contact) ## About Me I love turning ideas into reality through code and design. With a keen eye for design and a knack for problem-solving, I strive to create seamless and engaging user experiences. Whether it's crafting pixel-perfect UIs or optimizing server performance, I'm always up for a coding challenge. ## Tech Stack - Frontend: React, Vue, Tailwind, CSS3, JavaScript - Backend: Java, Node.js, Express - Databases: MongoDB, SQL ## Projects ### Project 1: Budget App [Live Demo](https://suraffy.github.io/budget-app) | [GitHub Repository](https://github.com/suraffy/budget-app) ### Project 2: Supervised Project Management System [GitHub Repository](https://github.com/suraffy/supervised-project-management-app) ... ## Skills - **Frontend:** React, Vue, Tailwind, CSS3, JavaScript - **Backend:** Java, Node.js, Express - **Databases:** MongoDB, SQL - **Version Control:** Git - **Other:** RESTful APIs, Responsive Design, UI/UX Design ## Installation 1. Clone the repository: `git clone https://github.com/suraffy/portfolio.git` 2. Navigate to the project directory: `cd portfolio` 3. Install dependencies: `npm install` ## Usage 1. Run the development server: `npm start` 2. Open your browser and visit: `http://localhost:3000` ## Contact Feel free to reach out if you're interested in collaborating, have a project idea, or just want to connect. - LinkedIn: surafel-araya(https://www.linkedin.com/in/surafel-araya) Let's build something amazing together!
A software developer portfolio website that highlights skills and showcases the individual's work.
css,framer-motion,html,javascript,lodash,react
2023-03-24T15:53:54Z
2024-04-27T06:52:17Z
null
1
7
173
0
0
2
null
null
JavaScript
Daydreamer-riri/eslint-config
main
# @ririd/eslint-config [![npm](https://img.shields.io/npm/v/@ririd/eslint-config?color=444&label=)](https://npmjs.com/package/@ririd/eslint-config) Riri's ESLint config presets > [!IMPORTANT] > This project is heavily based on [antfu/eslint-config](https://github.com/antfu/eslint-config), with a certain degree of customization ~~and more rules regarding React~~. > > Since v1.0.0, this config is rewritten to the new [ESLint Flat config](https://eslint.org/docs/latest/use/configure/configuration-files-new). ## Usage ### Install ```bash pnpm i -D eslint @ririd/eslint-config ``` ### Create config file With [`"type": "module"`](https://nodejs.org/api/packages.html#type) in `package.json` (recommended): ```js // eslint.config.js import ririd from '@ririd/eslint-config' export default ririd() ``` With CJS: ```js // eslint.config.js const ririd = require('@ririd/eslint-config').default module.exports = ririd() ``` > Note that `.eslintignore` no longer works in Flat config, see [customization](#customization) for more details. ## VS Code support (auto fix) Install [VS Code ESLint extension](https://marketplace.visualstudio.com/items?itemName=dbaeumer.vscode-eslint) Add the following settings to your `.vscode/settings.json`: ```jsonc { // Enable the ESlint flat config support "eslint.experimental.useFlatConfig": true, // Disable the default formatter, use eslint instead "prettier.enable": false, "editor.formatOnSave": false, // Auto fix "editor.codeActionsOnSave": { "source.fixAll.eslint": "explicit", "source.organizeImports": "never" }, // Silent the stylistic rules in you IDE, but still auto fix them "eslint.rules.customizations": [ { "rule": "style/*", "severity": "off" }, { "rule": "format/*", "severity": "off" }, { "rule": "*-indent", "severity": "off" }, { "rule": "*-spacing", "severity": "off" }, { "rule": "*-spaces", "severity": "off" }, { "rule": "*-order", "severity": "off" }, { "rule": "*-dangle", "severity": "off" }, { "rule": "*-newline", "severity": "off" }, { "rule": "*quotes", "severity": "off" }, { "rule": "*semi", "severity": "off" } ], // Enable eslint for all supported languages "eslint.validate": [ "javascript", "javascriptreact", "typescript", "typescriptreact", "vue", "html", "markdown", "json", "jsonc", "yaml", "toml" ] } ``` ## Customization Normally you only need to import the `ririd` preset: ```js // eslint.config.js import ririd from '@ririd/eslint-config' export default ririd() ``` Or you can configure each integration individually, for example: ```js // eslint.config.js import ririd from '@ririd/eslint-config' export default ririd({ // Enable stylistic formatting rules // stylistic: true, // Or customize the stylistic rules stylistic: { indent: 2, // 4, or 'tab' quotes: 'single', // or 'double' }, typescript: true, vue: true, // Disable jsonc and yaml support jsonc: false, yaml: false, // enable nextjs-plugin next: true, // `.eslintignore` is no longer supported in Flat config, use `ignores` instead ignores: [ './fixtures', // ...globs ] }) ``` For more advanced usage, see [@antfu/eslint-config](https://github.com/antfu/eslint-config?tab=readme-ov-file#antfueslint-config). ## License [MIT](./LICENSE) License &copy; 2023-PRESENT [Riri](https://github.com/daydreamer-riri)
Riri's ESLint config presets
eslint,typescript,javascript
2023-03-17T03:19:04Z
2024-04-29T07:35:56Z
2024-04-29T07:35:56Z
1
0
80
0
1
2
null
MIT
TypeScript
Moderrek/JSGL
release
<div align="center"> <h1>⚡ JSGL</h1> <p> <a href="https://github.com/Moderrek/JSGL/blob/release/LICENSE.md"><img src="https://img.shields.io/github/license/Moderrek/JSGL" alt="license"></a> <a href="https://www.codefactor.io/repository/github/moderrek/jsgl"><img src="https://www.codefactor.io/repository/github/moderrek/jsgl/badge" alt="codefactor"></a> <a href="https://www.npmjs.com/package/@moderrkowo/jsgl"><img src="https://img.shields.io/npm/dt/@moderrkowo/jsgl" alt="downloads"></a> <a href="https://www.npmjs.com/package/@moderrkowo/jsgl"><img src="https://img.shields.io/npm/v/@moderrkowo/jsgl" alt="version"></a> </p> </div> # About The Project Client-side JavaScript library for creating web 2D games. Focusing at objective game. Use the JSGL to create 2D games. ## Features * Creating 2D Games in HTML Canvas * Auto canvas scaling to size * Game Settings (autoCanvasResize...) * Creating OOP game objects * Easy events system * Resources loading system * Easy management objects with Transform and Vector2 * No need to write HTML. The JSGL.ExampleHTML/JSGL.DefaultGame can render default game page. ## Required * DOM # Getting Started ## Browser To include JSGL in browser add script tag to body element. Like below or check [examples](https://github.com/Moderrek/JSGL/tree/release/examples/). ```html ... <body> <script src="https://unpkg.com/@moderrkowo/jsgl/dist/JSGL.js"></script> <!-- CDN --> <script src="./js/game.js"></script> </body> ... ``` ## Node To include JSGL in Node, first install with npm. ``` npm i @moderrkowo/jsgl ``` Example node code ```js const { Vector2 } = require('@moderrkowo/jsgl'); const exampleVector2 = new Vector2(5, 10); console.log(exampleVector2); // Vector2 { x: 5, y: 10 } ``` <!-- # Usage W.I.P --> # Documentation * [JSGL Reference](https://moderrek.github.io/JSGLDoc/) * [JSGL Wiki](https://github.com/Moderrek/JSGL) * [JSGL Examples](https://github.com/Moderrek/JSGL/tree/release/examples) * [JSGL Changelogs](https://github.com/Moderrek/JSGL/tree/release/doc/changelogs) # Developers ## Must have Installed [**git**](https://git-scm.com/downloads) and [**Node.js**](https://nodejs.org/en/download) ## Building JSGL 1. First clone repository ```bash git clone https://github.com/Moderrek/JSGL.git ``` 2. Enter the JSGL directory and install development dependencies ```bash cd JSGL npm install ``` 3. Run build script * `npm run build` - Builds deployment bundle, types declaration and docs -> `/dist` and `/docs` * `npm run build:prod` - Builds deployment bundle -> `/dist` * `npm run build:dev` - Builds mapped bundle -> `/dist` * `npm run build:types` - Builds types declaration -> `/dist` * `npm run build:docs` - Builds web docs for JSGL -> `/docs` # License Distributed under the MIT License. See ``LICENSE.md`` for more information. # Contact Tymon Woźniak *(owner)* <[tymon.student@gmail.com](mailto:tymon.student@gmail.com)> Project: [https://github.com/Moderrek/JSGL](https://github.com/Moderrek/JSGL)
Client-side JavaScript library for creating web 2D games. Focusing at objective game. JS Game Library
2d-game,game-development,javascript-game,javascript-library,animation,canvas,game-objects,graphics,html,game
2023-03-23T17:23:35Z
2024-05-16T20:47:19Z
2023-04-04T16:44:45Z
1
15
59
0
0
2
null
MIT
TypeScript
VictorApaez/code-vision
dev
# Code Vision Code Vision is an interactive web application designed to help users visualize and understand various sorting algorithms. This app displays a dashboard with a dropdown menu to select the desired sorting algorithm, accompanied by four information cards providing a description, code, time & space complexity, and an animated bar graph. The primary motivation behind building this app is to create a learning tool and a personal note repository for search and sorting algorithms. As a developer, I have always been fascinated by these algorithms, and this project allows me to explore new concepts and share them with others. ![code-vision](https://github.com/VictorApaez/code-vision/assets/56009643/fba73f46-e129-400c-a44e-cf1442c3a762) ## Features - Dashboard with dropdown menu for selecting a sorting algorithm - 4 Information cards: - Description of the algorithm - Code implementation - Time & space complexity - Animated bar graph demonstrating the selected algorithm ## Tech Stack - TypeScript - Next.js - Jest (for unit testing) - Tailwind CSS ## Future Features We are always looking to improve Code Vision and add more functionality. Some of the planned features include: - Adding more sorting algorithms - Implementing search algorithms - Comparing multiple algorithms side by side - Enhancing the visualization and animations - Dark mode support ## Contributions Code Vision welcomes contributions from the community. If you're interested in contributing, please follow these steps: 1. Fork the repository 2. Create a new branch for your feature or bugfix 3. Make your changes, ensuring that your code is clean and well-documented 4. Add any necessary tests for your changes 5. Submit a pull request to the main branch with a clear description of your changes 6. Before contributing, please ensure that your changes are in line with the project's goals and tech stack. ## Why Code Vision? I built this app because I have always been fascinated with search and sorting algorithms. As a developer, I wanted to create a tool that not only helps me learn and understand these algorithms better but also allows me to share my learnings with others. The project serves as a platform for me to explore new concepts, experiment with different technologies, and maintain notes on everything I learn along the way. Thank you for your interest in Code Vision! Happy learning!
Code Vision is an interactive web application designed to help users visualize and understand various sorting algorithms. This app displays a dashboard with a dropdown menu to select the desired sorting algorithm, accompanied by four information cards providing a description, code, time & space complexity, and an animated bar graph.
algorithm,javascript,nextjs,tailwind-css,typescript
2023-03-20T14:32:44Z
2023-08-18T14:56:01Z
null
1
4
51
0
0
2
null
null
TypeScript
tsheporamantso/First-Capstone-Project
main
<a name="readme-top"></a> <!-- HOW TO USE: This is an example of how you may give instructions on setting up your project locally. Modify this file to match your project and remove sections that don't apply. REQUIRED SECTIONS: - Table of Contents - About the Project - Built With - Live Demo - Getting Started - Authors - Future Features - Contributing - Show your support - Acknowledgements - License OPTIONAL SECTIONS: - FAQ After you're finished please remove all the comments and instructions! --> <div align="center"> <!-- You are encouraged to replace this logo with your own! Otherwise you can also remove it. --> <!-- <img src="murple_logo.png" alt="logo" width="140" height="auto" /> --> <h1>Gladwin Tshepo Ramantso<h1> <br/> <img src="./images/mobilev.PNG" alt="logo" width="auto" height="auto" /> <img src="./images/desktopv.PNG" alt="logo" width="auto" height="auto" /> <h3><b>United Nations Climate Change </b></h3> </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 --> # 📖 United Nations Climate Change <a name="about-project"></a> This project is about the United Nations Climate Change conference held in November 2022. **United Nations Climate Change Conference** is a responsive webpage detailing the speakers and all activities that took place at the event that was held in November 2022 ## 🛠 Built With <a name="built-with"></a> - HTML - CSS - JavaScript ### Tech Stack <a name="tech-stack"></a> <details> <summary>Version Control</summary> <ul> <li><a href="https://github.com/">Git Hub</a></li> </ul> </details> <details> <summary>Visual Studio Code</summary> <ul> <li><a href="https://code.visualstudio.com">Visual Studio Code</a></li> </ul> </details> <!-- <details> <summary>Database</summary> <ul> <li><a href="https://www.postgresql.org/">PostgreSQL</a></li> </ul> </details> --> <!-- Features --> ### Key Features <a name="key-features"></a> - **Main Program** - **Featured Speakers** - **Sponsors** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo](https://tsheporamantso.github.io/First-Capstone-Project/) - [Video Presentation](https://www.loom.com/share/b3993a3cb0444451afb3a9b2d9d49afd) <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: - Visual Studio Code. - Node JS. - Git bash. - GitHub Account. <!-- Example command: ```sh gem install rails ``` --> ### Setup Clone this repository to your desired folder: Use git clone command or download ZIP folder Example commands: ```sh cd my-folder git clone git@github.com:tsheporamantso/first-capstone-project.git ``` ### Install Install this project with: npm Example command: ```sh cd my-project npm init -y ``` ### Usage To run the project, execute the following command: npm start or live server Example command: ```sh GitHub Pages Server ``` ### Run tests To run tests, run the following command: npm test Example command: ```sh npx stylelint "**/*.{css,scss}" ``` ```sh npx eslint . ``` ### Deployment You can deploy this project using: GitHub Pages Example: ```sh https://tsheporamantso.github.io/first-capstone-project/ ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Gladwin Tshepo Ramantso** - GitHub: [@tsheporamantso](https://github.com/tsheporamantso) - Twitter: [@ramgt001](https://twitter.com/ramgt001) - LinkedIn: [Tshepo Gladwin Ramantso](https://www.linkedin.com/in/tshepo-ramantso-b6a35433/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> <!-- - [ ] **Contact form** --> <!-- - [ ] **Media Query for desktop screen** --> <!-- - [ ] **Transition and Animations** --> <!-- - [ ] **Web Accessibility** --> - [ ] **JavaScript functionality** <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](https://github.com/tsheporamantso/First-Capstone-Project/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 please follow me on github & twitter and also connect on Linkedin. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse for this exercise and also pass my gratitude to Cindy Shin for designing the template and make it available for use. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> <!-- ## ❓ FAQ (OPTIONAL) <a name="faq"></a> - **[Question_1]** - [Answer_1] - **[Question_2]** - [Answer_2] <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>
On this milesone, I've built a online website for a conference based on the original design idea by Cindy Shin.
css3,flexbox,html5,javascript
2023-03-13T08:01:17Z
2023-03-16T19:43:21Z
null
1
1
28
0
0
2
null
MIT
HTML
luciliogomez/moviesApp
main
# movies APP * https://movies-five-nu.vercel.app/ * An web app to explore movies information, made with VueJs 3 & TailwindCss. * Using the API from https://www.themoviedb.org/ ## Project setup ``` npm install ``` ### Compiles and hot-reloads for development ``` npm run serve ``` ### Compiles and minifies for production ``` npm run build ``` ### Lints and fixes files ``` npm run lint ``` ### Customize configuration See [Configuration Reference](https://cli.vuejs.org/config/).
A app to explore movies info, made with VueJs & TailwindCss
javascript,tailwindcss,vuejs
2023-03-12T12:40:36Z
2023-03-26T05:54:34Z
null
1
0
17
0
0
2
null
null
Vue
Leeoasis/movies-api
development
<div align="center"> <h3><b>JavaScript Group Capstone</b></h3> </div> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 JavaScript Capstone ](#-javascript-capstone-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Project documentation ](#-project-documentation-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [📝 License ](#-license-) # 📖 JavaScript Capstone <a name="about-project"></a> **movies api** The movies api capstone project is about building your own web application based on an external API. This project uses the tvmaze api to provide information about movies. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li>HTML</li> <li>Javascript</li> <li>CSS</li> </ul> </details> ### Key Features <a name="key-features"></a> - **A home page showing a list of items that you can "like."** - **A popup window with more data about an item** - **A comment section where a user can see previous comments or comment on the selected item** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Project documentation <a name="documentation"></a> -[Project walkthrough]() <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: - A [browser](https://www.google.com/search?q=what+is+a+browser&oq=what+is+a+browser&aqs=chrome..69i57.2748j0j1&sourceid=chrome&ie=UTF-8) of your choice - That you have set up Git on you desired computer ### Setup Clone this repository to your desired folder: ```sh cd your-desired-folder git clone "https://github.com/Leeoasis/JavaScript-Group-Capstone.git" ``` ### Install Install this project dependencies with: ```sh npm install ``` ### Run tests To run tests to check the lint errors, run the following command: ```sh npx eslint . --fix ``` To run unit tests, run the following command: ```sh npm test ``` ### 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: [Leslie](https://github.com/Leeoasis) 👤 **Author2** - GitHub: [Isman](https://github.com/ismailmunyentwari9) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] Add tasks that were for the student C. <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/Leeoasis/JavaScript-Group-Capstone/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project... <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
movies api is about building your own web application based on an external API. This project uses the tvmaze api to provide information about movies.
api-rest,javascript,modules,webpack
2023-03-13T13:06:22Z
2023-09-15T14:13:03Z
null
2
4
18
0
0
2
null
MIT
HTML