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 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
shravan20/flare.ts | main | <p align="center">
<img align="center" width="20%" src="https://raw.githubusercontent.com/shravan20/flare/main/assets/logo.png" alt="logo"/>
<h5 align="center">flare.ts: a powerful utility library for clean code in js & ts ecosystem</h5>
</p>
---
<p align="center">
<b>Join us at our server for any discussion, guidance and help:</b>
<a href="https://discord.gg/2nN2VqwNaK">
<img align="center" width="10%" src="https://dcbadge.vercel.app/api/server/2nN2VqwNaK" alt="logo"/>
</a>
</p>
### Setup
- How to setup the code?
1. Clone the [repository](https://github.com/shravan20/flare)
2. Provide NPM and Node.js is installed locally,
```
npm install
```
3. Now to validate if everything is working fine, please run the following command:
```
npm run check-setup
```
Voila! The successful execution ensures setup has been done properly.
---
To use as the `flare.ts` [npm package](https://www.npmjs.com/package/flare.ts):
```
npm i flare.ts
```
### Features Supported
- Date Utils
- Array Utils
- JSON Utils
- Math Utils
### Features to be Supported
- Function Utils
- CSV Utils
| A powerful utility library for clean code in js (npm package) | hacktoberfest,hacktoberfest-accepted,hacktoberfest2023,bun,bunjs,hacktober,javascript,nodejs,typescript,typescript-library | 2023-08-25T09:01:23Z | 2024-02-20T06:43:40Z | null | 4 | 21 | 34 | 8 | 6 | 2 | null | MIT | TypeScript |
RamiroMota/blog-app | main | # Astro Starter Kit: Basics
```
npm create astro@latest -- --template basics
```
[](https://stackblitz.com/github/withastro/astro/tree/latest/examples/basics)
[](https://codesandbox.io/p/sandbox/github/withastro/astro/tree/latest/examples/basics)
[](https://codespaces.new/withastro/astro?devcontainer_path=.devcontainer/basics/devcontainer.json)
> 🧑🚀 **Seasoned astronaut?** Delete this file. Have fun!

## 🚀 Project Structure
Inside of your Astro project, you'll see the following folders and files:
```
/
├── public/
│ └── favicon.svg
├── src/
│ ├── components/
│ │ └── Card.astro
│ ├── layouts/
│ │ └── Layout.astro
│ └── pages/
│ └── index.astro
└── package.json
```
Astro looks for `.astro` or `.md` files in the `src/pages/` directory. Each page is exposed as a route based on its file name.
There's nothing special about `src/components/`, but that's where we like to put any Astro/React/Vue/Svelte/Preact components.
Any static assets, like images, can be placed in the `public/` directory.
## 🧞 Commands
All commands are run from the root of the project, from a terminal:
| Command | Action |
| :------------------------ | :----------------------------------------------- |
| `npm install` | Installs dependencies |
| `npm run dev` | Starts local dev server at `localhost:3000` |
| `npm run build` | Build your production site to `./dist/` |
| `npm run preview` | Preview your build locally, before deploying |
| `npm run astro ...` | Run CLI commands like `astro add`, `astro check` |
| `npm run astro -- --help` | Get help using the Astro CLI |
## 👀 Want to learn more?
Feel free to check [our documentation](https://docs.astro.build) or jump into our [Discord server](https://astro.build/chat).
| Con base a la documentación de Astro se realizó la siguiente app web: https://docs.astro.build/es/tutorial/0-introduction/ | astro,html5,javascript,nextui,tailwindcss | 2023-08-09T19:33:52Z | 2023-08-31T01:22:31Z | null | 2 | 0 | 7 | 0 | 0 | 2 | null | null | Astro |
alifsuryadi/cuwaca | main | # cuwaca
Real-time, Accurate Weather Forecast for Your Location Using API Data
### You can check the current weather conditions in your location as well as in any location you desire in real-time using this site, thanks to its API integration
---
## Run Locally
#### Clone the project
```bash
git clone https://github.com/alifsuryadi/cuwaca.git
```
#### Go to the project directory
```bash
cd cuwaca
```
#### Create a .env file
- Before starting the server, create a file named .env in the project root with the following content :
```bash
API_Key = "your_openweathermap_api_key";
```
- Replace 'your_openweathermap_api_key' with your actual OpenWeatherMap API key.
#### Install dependencies
```bash
npm install
```
#### Start the server
```bash
node functions/index.js
```
---
## Preview
### - Automatically Check Weather in Your Area via Latitude & Longitude

---
### - Check Weather in Your Area or Any Location Using City & Country Input
#### -- Initial Display

#### -- Display After Input

---
### - And here are the weather display results

## LICENSE
[MIT License](LICENSE)
#### Thanks for visiting
| Real-time, Accurate Weather Forecast for Your Location Using API Data | javascript,weather,weather-api,express,rest-api | 2023-09-05T12:46:54Z | 2024-01-09T17:27:25Z | null | 1 | 0 | 23 | 0 | 0 | 2 | null | MIT | CSS |
D0x45/txml | master | # txml
tiny xml parser in typescript
# getting started
to start using it you can install it with npm:
```npm install d0x45/txml#master```
or if you are using deno just import the github raw url.
# how it works
i tried to keep this as simple as possible, so there are three basic functions:
```ts
parseXml(xml: XMLInput, canSkipStartingWhitespace = false): TokensIterator
```
this function consumes a `XMLInput` and returns a `TokensIterator`
```ts
buildXmlTree(tokens: TokensIterator, parentTagName?: string): Array<XMLNode>
```
a recursive function that takes a `TokensIterator` and returns an array of `XMLNode`s.
*note: the second argument is a way to validate closing tags while recursively calling itself (do not provide a value manually)*
```ts
walkXmlNodes(tokens: TokensIterator, callback: (path: string, node: XMLNode, parents: Array<XMLNode>) => void | true)
```
this function calls the provided callback on each node reporting the parent nodes, the node itself and a `path` argument which is a concatenation of parents' tagNames (e.g. `feed.entry.media:thumbnail`)
if the callback function returns boolean `true`, the iteration will be stopped
*note: the nodes returned by this function don't have the `children` field as it is not possible to compute that value*
here is a little example:
```js
const xml = `
<parent>
<child>some text</child>
</parent>`;
const tokens = parseXml(xml);
const tree = buildXmlTree(tokens);
console.log(tree);
```
you can also iterate over tokens as they are being processed:
```js
for (const token of parseXml(xml)) {
// ^^^^^ is a XMLToken
// do something with token
// like maybe a callback?
// see https://en.wikipedia.org/wiki/Simple_API_for_XML
}
```
or turn them into an array all at once:
```ts
const tokens = [...parseXml(xml)];
const tree = buildXmlTree(tokens.values());
```
# types
```ts
// the input to `parseXml` can be string or just something you put together to read from another buffer.
// as long as your input is able to read a few characters ahead (let's say like 5 or 6) it does the job.
type XMLInput =
| string
| {
length: number;
charCodeAt: (i: number) => number;
};
// the parseXml function itself is implemented as a Generator
type TokensIterator =
| Generator<Readonly<XMLToken>, never | void>
| IterableIterator<Readonly<XMLToken>>;
enum XMLTokenType {
TEXT = 0, // any text value
TAG_OPEN, // opened tag (e.g. `<?`, `<!`, `<[a-zA-Z]`)
TAG_CLOSE, // closed tag (e.g. `</identifier>`)
TAG_SELF_CLOSE, // self-closing tags (e.g. `?>`, `/>`, `-->`, `]]>`)
}
enum XMLTag {
NONE = 0, // not a tag. at least not a known tag. mostly used for TEXT
DECLARATION, // xml prolog (e.g. `<?identifier ... ?>`)
COMMENT, // comment block (e.g. `<!-- comment -->`)
CDATA, // cdata block (e.g. `<![CDATA[ ]]>`)
ARBITRARY, // any other tag name (e.g. `<identifier ... >`)
}
type XMLTokenAttribute = {
key: Array<number>; // key is array of bytes
value: Array<number>; // same goes for value
term_c: number; // termination character is either " or ' (e.g. key="value")
start: number; // the start index of the first character of key
end: number; // the last term_c position
};
type XMLToken = {
type: XMLTokenType; // type of token (obviously)
tag: XMLTag; // the tag type of this token (why do i even bother writing this?)
start: number; // start index of the token
end: number; // end index of the token
// array of charCodes for content. (e.g. [97,97,97,97])
// to turn into string, use getContentAsStr(token.content)
// this field might contain the content of a CDATA, COMMENT or TEXT block,
// or it might contain the tagName of ARBITRARY and DECLARATION tags
// it all depends on the tag value
content: Array<number>;
// possible array of XMLTokenAttribute
// convert to map with: getAttributesAsMap()
attributes?: Array<XMLTokenAttribute>;
};
// represents any node that might contain children or be a textual node
type XMLNode =
| {
type: XMLTag.ARBITRARY | XMLTag.DECLARATION;
tagName: string;
attrMap?: Record<string, string>;
children?: Array<XMLNode>;
}
| {
type: XMLTag.NONE | XMLTag.CDATA | XMLTag.COMMENT;
content: string;
};
```
# tl;dr
it's a tiny xml parser that does the job.
give it a star if you like it.
contributions are welcome
| tiny xml parser in typescript | parser,typescript,xml,javascript | 2023-09-03T18:10:38Z | 2023-09-07T13:04:47Z | null | 1 | 0 | 24 | 0 | 0 | 2 | null | MIT | TypeScript |
KevinRivera1/LOGIN-REGISTRO-MODERNO | main | # Página de Login y Registro Moderno - HTML
Este archivo HTML representa una página de inicio de sesión diseñada específicamente para una página web. La página proporciona un formulario donde los usuarios pueden ingresar su correo electrónico y contraseña para acceder.
<div align="center">
<img src="./recursos/imagenes/cap-login.png" alt="Login en Dispositivo Móvil">
</div>
# Contenido
- [Página de Login y Registro Moderno - HTML](#página-de-login-y-registro-moderno---html)
- [Contenido](#contenido)
- [Características Destacadas](#características-destacadas)
- [Contenido Principal](#contenido-principal)
- [Vista Previa](#vista-previa)
- [Instrucciones de Uso](#instrucciones-de-uso)
- [Contribución](#contribución)
## Características Destacadas
- **Formulario de Inicio de Sesión**: Incluye campos para el correo electrónico y la contraseña, con validaciones de entrada.
- **Enlaces Adicionales**: Ofrece enlaces para restablecer la contraseña y registrar una nueva cuenta.
- **Diseño Responsivo**: Se adapta a diferentes tamaños de pantalla, desde dispositivos móviles hasta pantallas de escritorio.
## Contenido Principal
- **Estructura HTML**: El archivo sigue las mejores prácticas de estructura HTML con elementos como `<!DOCTYPE>`, `<html>`, `<head>`, `<meta>`, `<title>`, `<body>`, etc.
- **Formulario de Inicio de Sesión**: El formulario utiliza el método POST para enviar datos a un destino especificado en el atributo `action`.
- **Estilos**: Se hace referencia a una hoja de estilo externa ("login.css") para aplicar estilos a la página.
## Vista Previa
Puedes ver una vista previa : [Página de Login y Registro Moderno - HTML](https://kevinrivera1.github.io/LOGIN-REGISTRO-MODERNO/)
## Instrucciones de Uso
Para utilizar este archivo HTML en tu proyecto:
1. Clona o descarga el repositorio que contiene este archivo HTML.
2. Asegúrate de que los enlaces a las hojas de estilo y los scripts sean correctos y que los archivos estén ubicados en las rutas especificadas.
3. Personaliza el contenido, los enlaces y la lógica del formulario según las necesidades específicas de tu proyecto.
4. Asegúrate de proporcionar una página de destino adecuada en el atributo `action` del formulario (`<form action="index.html">`) para procesar los datos del formulario correctamente.
## Contribución
Si deseas contribuir o mejorar este archivo HTML:
1. Haz un fork del repositorio.
2. Realiza tus cambios y mejoras en tu propio fork.
3. Envía un pull request para que tus cambios sean revisados y, si se aprueban, se fusionen con el repositorio original. | Este archivo HTML representa una página de inicio de sesión diseñada específicamente para una página web. La página proporciona un formulario donde los usuarios pueden ingresar su correo electrónico y contraseña para acceder. | css3,html5,javascript | 2023-09-10T23:51:27Z | 2023-09-11T15:49:57Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | null | CSS |
Rafa-KozAnd/E-commerce_Books_Back-End | main | <p align="center">
<img src="http://img.shields.io/static/v1?label=STATUS&message=Concluded&color=blue&style=flat"/>
<img alt="GitHub language count" src="https://img.shields.io/github/languages/count/Rafa-KozAnd/E-commerce_Books_Back-End">
<img alt="GitHub language count" src="https://img.shields.io/github/languages/top/Rafa-KozAnd/E-commerce_Books_Back-End">
<img alt="GitHub repo file count" src="https://img.shields.io/github/directory-file-count/Rafa-KozAnd/E-commerce_Books_Back-End">
<img alt="GitHub repo size" src="https://img.shields.io/github/repo-size/Rafa-KozAnd/E-commerce_Books_Back-End">
<img alt="GitHub language count" src="https://img.shields.io/github/license/Rafa-KozAnd/E-commerce_Books_Back-End">
</p>
# E-commerce_Books_Back-End
- Project Name: 'E-commerce Books - Back-End';
- Languages: 'C#';
- Softwares/Work Tools: 'V.S. Code';
- Resume: E-commerce of books developed in two repositories, Back-End with C# and Front-End with Angular, made in the DIO platform (https://web.dio.me/play).
-> BackEnd: (https://github.com/Rafa-KozAnd/E-commerce_Books_Back-End); <br>
-> FrontEnd: (https://github.com/Rafa-KozAnd/E-commerce_Books_Front-End);.
- Obs: Example;
- Version: v.1.0.0
- Last Update Date: 26/08/2023.
| E-commerce of books developed in two repositories, Back-End with C# and Front-End with Angular, made in the DIO platform (https://web.dio.me/play). -> BackEnd: (https://github.com/Rafa-KozAnd/E-commerce_Books_Back-End); -> FrontEnd: (https://github.com/Rafa-KozAnd/E-commerce_Books_Front-End); | csharp,dio,javascript,typescript | 2023-08-26T16:49:52Z | 2023-08-26T16:56:32Z | null | 1 | 0 | 4 | 0 | 0 | 2 | null | null | C# |
ShivangVora1206/Portfolio-App | master | # Shivang Vora's Portfolio
Check out the project live [here](https://portfolio-app-ten-teal.vercel.app/).
## Available on Docker Hub
Want to check out the project on your machine?
It is available to checkout on docker hub [here](https://hub.docker.com/r/uchihaitachi12/shivang-vora-portfolio)
```
docker pull uchihaitachi12/shivang-vora-portfolio:1.0.1
```
Runs the docker container and map any local port to port 3000 of the containter.\
Example:
```
docker run -p 3000:3000 -d uchihaitachi12/shivang-vora-portfolio:1.0.1
```
Open [http://localhost:3000](http://localhost:3000) to view it in your browser.
| This is my portfolio website! | javascript,reactjs,redux,tailwindcss,typescript | 2023-08-20T17:22:40Z | 2024-03-11T08:18:02Z | null | 1 | 8 | 50 | 0 | 0 | 2 | null | null | TypeScript |
Mohammadflht/File-Management | master | # admintemplate
## 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/).
| Implementation of an Admin Template system | javascript,vue,vue-router2 | 2023-08-20T08:37:35Z | 2024-04-06T22:03:26Z | null | 1 | 0 | 66 | 0 | 0 | 2 | null | null | Vue |
MuhdHanish/Encode-Client-CRA | main | # Encode Learning App - Front End
Welcome to the Encode Learning App front end repository! This is the client-side of our MERN stack application, designed to provide a seamless learning experience.
## Prerequisites
Before you start, make sure you have the following tools installed:
- Node.js (v14 or higher)
- npm (Node Package Manager)
- Git
## Getting Started
1. Clone the repository:
git clone https://github.com/MuhdHanish/Encode-Client-CRA.git
2. Navigate to the project directory:
3. Install dependencies:
npm install
4. Start the development server:
npm start
This will start the application in development mode. Open your browser and visit `http://localhost:3000` to see the app in action.
## Environment Variables
To run the Encode Learning App front end properly, you need to set up the following environment variables. Create a `.env` file in the root of your project and add the following:
VITE_SERVER_URL= "your server url"
VITE_GOOGLE_CLIENT="your google client id"
VITE_BUCKET_NAME="your bucket name"
VITE_REGION_NAME="your bucket region name"
VITE_BUCKET_ACCESS_KEY="your bucket access key"
VITE_BUCKET_SECRET_KEY="your bucket secret key"
VITE_PAYPAL_CLIENT_ID="your paypa client id"
VITE_BUCKET_BASE_URL="your bucket base url"
Make sure to replace the values with your actual configuration.
## Folder Structure
- `/src/` - React components, assets, styles, routes, and services.
- `/public/` - Public files (favicon, HTML template, etc.).
- `.env` - Environment variables configuration.
- `.gitignore` - Git ignore file.
- `package.json` - Node.js dependencies and scripts.
- `.tailwind.config.js` - Tailwind css configration and custom themes.
- `README.md` - This README file.
## Contributing
We welcome contributions! If you'd like to contribute to this project, please follow our [Contributing Guidelines](CONTRIBUTING.md).
## License
This project is licensed under the [MIT License](LICENSE).
| This repository contains the source code for a Create React App (CRA) project developed using React, TypeScript, and other related technologies. The project was initially developed using Vite, but has been transitioned to CRA for easier maintenance and compatibility. | aws-s3,axios,chat,javascript,mern-stack,online-learning,react,s3,tailwindcss,typescript | 2023-09-05T07:22:46Z | 2023-09-23T06:59:23Z | null | 1 | 0 | 15 | 0 | 0 | 2 | null | null | TypeScript |
lenra-io/client-lib-js | main | <div id="top"></div>
<!--
*** This README was created with https://github.com/othneildrew/Best-README-Template
-->
<!-- PROJECT SHIELDS -->
[![Contributors][contributors-shield]][contributors-url]
[![Forks][forks-shield]][forks-url]
[![Stargazers][stars-shield]][stars-url]
[![Issues][issues-shield]][issues-url]
[![MIT License][license-shield]][license-url]
<!-- PROJECT LOGO -->
<br />
<div align="center">
<h3 align="center">Lenra's JavaScript client lib</h3>
<p align="center">
Let you create your JavaScript application with Lenra backend.
<br />
<br />
<a href="https://github.com/lenra-io/client-lib-js/issues">Report Bug</a>
·
<a href="https://github.com/lenra-io/client-lib-js/issues">Request Feature</a>
</p>
</div>
<!-- GETTING STARTED -->
## Prerequisites
Add the dependency to your project:
```console
npm i @lenra/client
```
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- USAGE EXAMPLES -->
## Usage
Create a `LenraApp` in your :
```javascript
import { LenraApp } from '@lenra/client';
const app = new LenraApp({
appName: "Example Client",
clientId: "XXX-XXX-XXX",
});
```
Authenticate the user and open the websocket connection:
```javascript
app.connect();
```
You also can manage them separatly:
```javascript
const token = app.authenticate();
app.openSocket(token);
```
Or just open the websocket connection without authentication:
```javascript
app.openSocket();
```
This while automatically start the authentication flow.
You can then connect to a Lenra route to use it data:
```javascript
const route = app.route(`/${counter.id}`, (data) => {
// Handle data
});
```
You can also call a listener given by the route:
```javascript
// calling directly the listener
button1.onclick = () => {
data.increment().then(() => {
// When the listener is finished
});
};
// or from the route
button2.onclick = () => {
route.callListener(data.decrement).then(() => {
// When the listener is finished
});
};
```
This [the full example](./example/src/index.js) for more informations.
For the web target, you also have to add the following JavaScript to a redirect file (default to `redirect.html`) to handle OAuth2 redirection (see the [example](./example/redirect.html)):
```javascript
window.onload = function() {
window.opener.postMessage(window.location.href, `${window.location.protocol}//${window.location.host}`);
}
```
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- CONTRIBUTING -->
## Contributing
Contributions are what make the open source community such an amazing place to learn, inspire, and create. Any contributions you make are **greatly appreciated**.
If you have a suggestion that would make this better, please open an issue with the tag "enhancement".
Don't forget to give the project a star if you liked it! Thanks again!
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- LICENSE -->
## License
Distributed under the **MIT** License. See [LICENSE](./LICENSE) for more information.
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- CONTACT -->
## Contact
Lenra - [@lenra_dev](https://twitter.com/lenra_dev) - contact@lenra.io
Project Link: [https://github.com/lenra-io/client-lib-js](https://github.com/lenra-io/client-lib-js)
<p align="right">(<a href="#top">back to top</a>)</p>
<!-- MARKDOWN LINKS & IMAGES -->
<!-- https://www.markdownguide.org/basic-syntax/#reference-style-links -->
[contributors-shield]: https://img.shields.io/github/contributors/lenra-io/client-lib-js.svg?style=for-the-badge
[contributors-url]: https://github.com/lenra-io/client-lib-js/graphs/contributors
[forks-shield]: https://img.shields.io/github/forks/lenra-io/client-lib-js.svg?style=for-the-badge
[forks-url]: https://github.com/lenra-io/client-lib-js/network/members
[stars-shield]: https://img.shields.io/github/stars/lenra-io/client-lib-js.svg?style=for-the-badge
[stars-url]: https://github.com/lenra-io/client-lib-js/stargazers
[issues-shield]: https://img.shields.io/github/issues/lenra-io/client-lib-js.svg?style=for-the-badge
[issues-url]: https://github.com/lenra-io/client-lib-js/issues
[license-shield]: https://img.shields.io/github/license/lenra-io/client-lib-js.svg?style=for-the-badge
[license-url]: https://github.com/lenra-io/client-lib-js/blob/master/LICENSE
| A lib to Let you create your JavaScript/TypeScript application with Lenra backend | client,javascript,js,lenra,lib,ts,typescript | 2023-08-17T12:19:44Z | 2024-02-08T17:24:11Z | 2024-02-08T17:24:11Z | 2 | 13 | 22 | 1 | 0 | 2 | null | MIT | TypeScript |
sanwebinfo/cricket-api-nodejs | main | # Free Cricket API 🏏
[](https://github.com/sanwebinfo/cricket-api-nodejs/actions)
**API is not working due to the Cricbuzz Mobile site being Fully Redesigned - The full Site Structure was Changed it's a bit complex to get data - Please Consider using the Python Cricket API Version - <https://github.com/sanwebinfo/cricket-api>**
Node.js Version - Get Live Cricket Score data from `Cricbuzz.com`
This is an unofficial API and not Linked or Partnered with Any Brands/Company.
## How it Works? 🤔
Build using Node.js and cheerio.js - using cheerio for Scrape the data and Converted in JSON API with the Help of Express Server.
Everything is scraped live and shown to end users in realtime.
**API URL**
- Live Match Data - `http://localhost:3000/live`
- Get Live data from the URL - `http://localhost:3000/score?url=<Live Match URL>`
**Note**
API Caching, CORS and API Rate limit Was Enabled by default you can update the settings accoding to your usage - Files are Located in `/routes/` folder
## Requirements 📑
- Server With Latest LTS Node.JS Support and Nginx (For Self Host)
- HTTPS for Secure SSL Connection
(OR)
- use Vercel or Heroku Free Cloud Hosting
## Installation and Development 📥
- Download the Clone the Repo
```sh
git clone https://github.com/sanwebinfo/cricket-api-nodejs.git
cd cricket-api-nodejs
```
- install Node Modules via `yarn`
```sh
yarn
```
- Test Locally
```sh
yarn dev
```
- Production
```sh
yarn start
```
## Usage 🍟
- Get the Live Match Score URL from - `https://www.cricbuzz.com/cricket-match/live-scores`
- Enter them Directly or replace `www` with `m`
### Example 📋
```sh
http://localhost:3000/score?url=https://www.cricbuzz.com/live-cricket-scores/30524/53rd-match-indian-premier-league-2020
```
(OR)
- Update the Match URL on `/utlis/app.json` File
```sh
http://localhost:3000/live
```
## Free Hosting 😍
- Deploy on Vercel
[](https://vercel.com/new/git/external?repository-url=https%3A%2F%2Fgithub.com%2Fsanwebinfo%2Fcricket-api-nodejs)
## Docker 🐬
Keep Running the Node JS API in Docker
- Update the `.dockerfile` before build - Modify it according to your Needs
```sh
FROM node:18-alpine
WORKDIR /usr/src/app
COPY package*.json ./
RUN yarn install
COPY . .
EXPOSE 3000
CMD [ "node", "index.js" ]
```
```sh
## Build image
docker build . -t="cricket-api-nodejs"
## List the image
docker image ls
## Create and Test Container
docker run -d -p 3000:3000 --name cricket cricket-api-nodejs
docker container ps
docker stop (containerID)
## Run the container forever
docker run -d --restart=always -p 3000:3000 --name cricket cricket-api-nodejs
## List Hidden container if error exists
docker ps -a
## other commands
docker logs (containerID)
docker stop (containerID)
docker rm (containerid)
docker docker rmi (imageid)
docker image prune
docker builder prune --all -f
docker system prune --all
docker rm $(docker ps -all -q)
docker rmi $(docker image ls -q)
```
## Contributing 🙌
Your PR's are Welcome
## Disclaimer 🗃
- This is not an Offical API from Cricbuzz - it's an Unofficial API
- This is for Education Purpose only - use at your own risk on Production Site
All Credits Goes to <https://www.cricbuzz.com/>
## LICENSE 📕
MIT
| Free Live Cricket Score JSON API (Node.js Version) - Get data from Cricbuzz - Live Cricket Score API. | api,cricket,cricket-api,cricket-app,cricket-data,cricket-game,cricket-score,express,javascript,json | 2023-09-08T05:18:50Z | 2023-12-26T08:46:13Z | null | 2 | 26 | 109 | 1 | 5 | 2 | null | MIT | JavaScript |
threeskimo/Remnant-2-Armor-Calculator | main | # Remnant II: Armor Calculator <a href="https://threeskimo.github.io/Remnant-2-Armor-Calculator/" target="_blank" ><img align="right" style="margin-top:10px;" src="https://img.shields.io/badge/Demo-238636?style=for-the-badge"></a>
A calculator that helps determine the highest armor value you can achieve at a specific weight in Remnant II. Calculations are performed in javascript.
## Why?
If you are familiar with how Remnant II's armor system works, weight is directly related to your character’s Dodge and Stamina. Each armor has a certain weight number, and you will receive a stamina cost penalty if the total Weight value exceeds a certain threshold. Generally, you want to keep your character as light as possible without sacrificing your defense. The thresholds are as follows:
*  **Light:** <=25 – Fast Dodge. No Stamina Cost Penalty.
*  **Normal:** 26-50 – Normal Dodge. 25% Stamina Cost Penalty.
*  **Heavy:** 51-75 – Slow Dodge. 50% Stamina Cost Penalty.
*  **Ultra:** >=76 – FLOP. 75% Stamina Cost Penalty.
This calculator determines the best armor pieces (head, body, legs, gloves) to use to receive the highest armor value possible at a given weight. The calculator does not take into account armor resistances such as bleed, fire, shock, etc. or rings/amulets that reduce your total weight, although this is easy to calculate on your own. (For example, if you wish to achieve "50" target weight, to be within the Normal Dodge threshold, and you are wearing the Twisted Idol, an amulet that reduces your weight by 15 and increases armor effectiveness by 30%, input a target weight of "65" (50+15). Then multiple the armor result by 1.3 to get your total armor value. I may add this functionality to the calculator later.)
>**NOTE:** This calculator will only find the heighest armor values for the specified weight and will NOT check if lower weights yield a higher armor value (i.e. A weight of 50 shows the highest armor value to be 115.1; however, a weight of 49.9 yields a higher armor of 115.2, which is .1 better). This is a future feature but as of right now you can perform these checks manually.
## Usage
1. Download the `remnant-armor-calculator.html` file, which you can run locally on your machine in a web browser (or run it [here on Github](https://threeskimo.github.io/Remnant-2-Armor-Calculator/)).
2. Enter a "target weight" in the input field and click "Update". If you'd like to use a specific piece of armor, use the drop down menus.
3. The tool should show sets of armors (head, body, legs, gloves) that will get you the highest armor value possible for the weight specified.
## Changelog
* [[04-24-2024](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/06bf5f51b6aabb26b636657cd474c3d45649163e)] Added Disciple and Battle armor sets, Bloodless Crown, Dandy Topper, True Crimson Crown, Mudtooth's Hat, and Survivor Mask. <sup>[[1](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/06bf5f51b6aabb26b636657cd474c3d45649163e)] [[2](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/6b51c6543a6e11af1656fb3dd361a78721fe996c)] [[3](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/60dd3f88dc1b77686683e9a8a53495d3ec518f6b)]</sup>
* [[11-16-2023](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/995c2e6974bff5c013f93de8b6d5287c79f8c5a9)] Added Crimson Guard and Zealot sets.
* [[11-14-2023](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/f44a068e2db2ce4dd5885d9b1d04657fc1b80f9b)] Updated Labyrinth Gauntlet armor/weight values.
* [[11-06-2023](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/219f4362bf6f9316cdc688d5ea520212fd85be01)] Armor updated with the values from 10-26-2023 patch.
* [[08-18-2023](https://github.com/threeskimo/Remnant-2-Armor-Calculator/commit/222a1cacdb8b93fbff207b248c148c32629f109c)] Added ability to lock-in armors, for you fashion conscious travelers out there. 😉
## Images

| A calculator that helps determine the highest armor value you can achieve at a specific weight in Remnant II. | html,javascript | 2023-08-10T16:06:02Z | 2024-05-02T15:19:54Z | null | 1 | 0 | 62 | 0 | 2 | 2 | null | null | HTML |
omar-mazen/weatherio | main | # Weatherio Website Documentation

[Weatherio](https://omar-mazen.github.io/weatherio/)
## Introduction
Weatherio is a web application that provides real-time weather information. It offers features such as viewing the current weather, a 5-day forecast, wind speed, temperature for the current day, sunrise and sunset times, air quality, humidity, visibility, feels like temperature, and atmospheric pressure.
The application is developed using HTML, CSS, and JavaScript, and it utilizes the OpenWeather API to fetch weather data for different cities around the world.
## Table of Contents
1. [Project Overview](#project-overview)
2. [Getting Started](#getting-started)
- [Prerequisites](#prerequisites)
- [Installation](#installation)
3. [Project Structure](#project-structure)
4. [HTML](#html)
- [index.html](#index.html)
5. [CSS](#css)
- [style.css](#style.css)
6. [JavaScript](#javascript)
- [api.js](#api.js)
- [module.js](#module.js)
- [app.js](#app.js)
- [route.js](#route.js)
7. [Functionality](#functionality)
8. [Screenshots](#screenshots)
9. [Contributing](#contributing)
10. [License](#license)
## Project Overview
The Weather Website is a user-friendly and responsive web application that allows users to search for cities and get detailed weather information. The data is presented in a visually appealing format with easy-to-understand icons and labels.
Key Features:
- View current weather conditions (temperature, weather icon, and description).
- Get a 5-day weather forecast.
- Display wind speed and temperature every 2 hours for the current day.
- Show sunrise and sunset times for the selected city.
- Provide information about air quality, humidity, visibility, feels like temperature, and atmospheric pressure.
## Getting Started
### Prerequisites
- Modern web browser (Chrome, Firefox, Safari, etc.).
- Internet connection to fetch weather data from the OpenWeather API.
### Installation
1. Clone the repository or download the project files to your local machine.
2. Open `index.html` in your web browser.
## Project Structure
The project is organized into multiple files for better code organization and separation of concerns:
- `index.html`: The main HTML file that contains the user interface.
- `style.css`: The CSS file that defines the styling for the web application.
- `api.js`: Contains functions to interact with the OpenWeather API.
- `module.js`: Contains utility functions related to weather data conversion and calculations.
- `app.js`: Contains the main application logic, including event handling and rendering.
- `route.js`: Defines the application routes and handles URL hash changes.
## HTML
### index.html
The main HTML file contains the structure of the Weather Website. It consists of different sections, including a search bar, current weather display, forecast section, and additional weather details. The page is designed to be responsive and adapts to different screen sizes.
## CSS
### style.css
The `style.css` file contains all the CSS styles used to create a visually appealing and user-friendly interface. It defines global variables, reset styles, and custom styles for various components like buttons, cards, headers, and footers. The CSS is organized using class selectors for specific components and follows a mobile-first approach with media queries for responsive design.
## JavaScript
### api.js
The `api.js` file contains functions to interact with the OpenWeather API. It includes functions to fetch weather data based on city names and coordinates using asynchronous JavaScript (async/await) and the Fetch API. The API key required for accessing the OpenWeather API is stored as a constant.
### module.js
The `module.js` file defines utility functions related to weather data conversion and calculations. It includes functions to convert temperature units from Kelvin to Celsius and Fahrenheit, convert wind speed units, and calculate air quality index (AQI) level and its corresponding message.
### app.js
The `app.js` file contains the main application logic. It defines functions to update the weather information on the user interface based on the data fetched from the API. This file handles event listeners for user interactions, such as searching for a city, updating the UI for current weather and forecast, and displaying error messages when necessary.
### route.js
The `route.js` file manages the application's routing system. It defines routes for different sections of the website and handles URL hash changes. The routes are associated with specific functions in `app.js` to render the appropriate content based on the user's actions.
## Functionality
- Users can search for a city to view its weather information.
- The application fetches real-time weather data from the OpenWeather API.
- The current weather section displays the temperature, weather icon, and description.
- The 5-day forecast shows the weather conditions for the next five days.
- The hourly forecast provides wind speed and temperature details for the current day.
- Sunrise and sunset times are displayed for the selected city.
- Additional weather details, including air quality, humidity, visibility, feels like temperature, and atmospheric pressure, are shown.
- The application is responsive and adapts to different screen sizes.
## Screenshots
### iPhone SE

### iPad Mini

### iPad Pro

### 1024x768 Resolution

### 1280x1024 Resolution

### 1600x1200 Resolution

## Contributing
We welcome contributions to enhance the project! If you find any issues or have ideas for improvements, please don't hesitate to report them through GitHub issues. You can also suggest enhancements or submit pull requests to help make this project even better.
## License
This project is distributed under the GNU General Public License (GPL). You can find the full text of the license in the [LICENSE](https://github.com/omar-mazen/weatherio/blob/main/LICENSE) file.
| web application that provides real-time weather information. The application is developed using HTML, CSS, JS. | api,css,html,html5,javascript,weather,weather-api,weather-app | 2023-08-13T04:28:14Z | 2023-10-12T23:25:39Z | null | 1 | 0 | 20 | 2 | 2 | 2 | null | GPL-3.0 | JavaScript |
EduardoAlbert/music-app | master | <h1 align="center">Music App 🎵</h1>




[](https://www.youtube.com/watch?v=lt9_I5YhPO4)
This is a web application project built with Next.js that utilizes the Spotify API to allow users to access their music and listen to their favorite playlists directly within the platform.
Watch a demo video [here](https://www.youtube.com/watch?v=lt9_I5YhPO4).
### Key Challenges and Features
- [x] **Integration with the Spotify API**: The application is capable of fetching Spotify playlists and controlling music playback using the official Spotify API.
- [x] **User Authentication with Spotify and NextAuth**: I've implemented user authentication that enables users to log in using their Spotify accounts. This also includes the use of access and refresh JWT tokens to securely keep users logged in.
- [x] **Stunning Responsive UI with Tailwind CSS**: The application boasts a beautiful and responsive user interface, thanks to the use of the Tailwind CSS framework.
- [x] **Utilizing Next.js 12 Middleware for Authenticated User Access Control**: I've learned how to use Next.js 12 Middleware capabilities to protect routes and ensure that only authenticated users have access to the resources.
- [x] **State Management with Recoil**: To handle playlist and song switching effectively, I use the Recoil library for state management.
- [x] **Debounce for Handling Intensive Requests**: I've implemented the debounce technique to manage intensive requests, such as adjusting volume through the Spotify API.
## How to run
To get started with the Spotify Music App, follow these steps:
1. **Install Dependencies**: Run the following command to install all the necessary dependencies:
```shell
npm install
```
2. **Start the Development Server**: After installing the dependencies, start the development server with the following command:
```shell
npm run dev
```
This will start the application locally, and you can access it at http://localhost:3000.
### Additional Configuration
To make the application work correctly, you need to set up Spotify and [NextAuth](https://next-auth.js.org/configuration/options) credentials. Ensure you create an application in the [Spotify Developer Dashboard](https://developer.spotify.com/dashboard) and configure the appropriate environment variables in the `.env` file.
Please note that an active [Spotify device](https://www.spotify.com/) is required for full functionality.
## Contribution
I would be delighted to receive your contributions to enhance the Spotify Music App. Feel free to open issues or submit pull requests with improvements.
## Acknowledgments
- [Sonny Sangha](https://github.com/sonnysangha)
- [React](https://reactjs.org/)
- [Next.js](https://nextjs.org/)
- [NextAuth](https://next-auth.js.org/)
- [Spotify API](https://developer.spotify.com/documentation/web-api/)
- [Tailwind CSS](https://tailwindcss.com/)
- [Recoil](https://recoiljs.org/)
- [Debounce](https://www.npmjs.com/package/debounce)
- [Mui](https://mui.com/)
- [Heroicons](https://heroicons.com/)
## License
This project is licensed under the MIT License. See the [LICENSE](LICENSE) file for details.
| Your gateway to Spotify's music universe. Discover, listen, and control playlists with ease. Built with Next.js and the Spotify API. | debounce,middleware,nextjs,react,recoil,spotify-api,tailwindcss,javascript,jwt-tokens,music-player | 2023-08-21T00:34:53Z | 2023-09-22T05:52:32Z | null | 1 | 0 | 29 | 0 | 0 | 2 | null | MIT | JavaScript |
scottgriv/PWA-Demo-App | main | <!-- Begin README -->
<div align="center">
<a href="https://scottgriv.github.io/PWA-Demo-App" target="_blank">
<img src="./docs/images/icon.png" width="200" height="200"/>
</a>
</div>
<br>
<p align="center">
<a href="https://react.dev/"><img src="https://img.shields.io/badge/React-18.2.0-61DAFB?style=for-the-badge&logo=react" alt="React Badge" /></a>
<a href="https://typescriptlang.org/"><img src="https://img.shields.io/badge/Typescript-5.1.6-3178C6?style=for-the-badge&logo=typescript" alt="TypeScript Badge" /></a>
<a href="https://www.postgresql.org/"><img src="https://img.shields.io/badge/Postgresql-16.1-4169E1?style=for-the-badge&logo=postgresql" alt="Postgresql Badge" /></a>
<br>
<a href="https://nodejs.org/en/"><img src="https://img.shields.io/badge/Node.js-18.18.2-339933?style=for-the-badge&logo=node.js" alt="Node.js Badge" /></a>
<a href="http://lesscss.org/"><img src="https://img.shields.io/badge/Less-4.2.0-1D365D?style=for-the-badge&logo=less" alt="Less Badge" /></a>
<a href="https://sass-lang.com/"><img src="https://img.shields.io/badge/Sass-1.58.1-CC6699?style=for-the-badge&logo=sass" alt="Sass Badge" /></a>
<br>
<a href="https://github.com/scottgriv"><img src="https://img.shields.io/badge/github-follow_me-181717?style=for-the-badge&logo=github&color=181717" alt="GitHub Badge" /></a>
<a href="mailto:scott.grivner@gmail.com"><img src="https://img.shields.io/badge/gmail-contact_me-EA4335?style=for-the-badge&logo=gmail" alt="Email Badge" /></a>
<a href="https://www.buymeacoffee.com/scottgriv"><img src="https://img.shields.io/badge/buy_me_a_coffee-support_me-FFDD00?style=for-the-badge&logo=buymeacoffee&color=FFDD00" alt="BuyMeACoffee Badge" /></a>
<br>
<a href="https://github.com/scottgriv/PWA-Demo-App/actions/workflows/gh-pages.yml" target="_blank"><img alt="GitHub Workflow Status (with event)" src="https://img.shields.io/github/actions/workflow/status/scottgriv/PWA-Demo-App/gh-pages.yml?style=for-the-badge&logo=github&label=GitHub%20Pages"></a>
<a href="https://prgportfolio.com" target="_blank"><img src="https://img.shields.io/badge/PRG-Silver Project-C0C0C0?style=for-the-badge&logo=data:image/svg%2bxml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBzdGFuZGFsb25lPSJubyI/Pgo8IURPQ1RZUEUgc3ZnIFBVQkxJQyAiLS8vVzNDLy9EVEQgU1ZHIDIwMDEwOTA0Ly9FTiIKICJodHRwOi8vd3d3LnczLm9yZy9UUi8yMDAxL1JFQy1TVkctMjAwMTA5MDQvRFREL3N2ZzEwLmR0ZCI+CjxzdmcgdmVyc2lvbj0iMS4wIiB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciCiB3aWR0aD0iMjYuMDAwMDAwcHQiIGhlaWdodD0iMzQuMDAwMDAwcHQiIHZpZXdCb3g9IjAgMCAyNi4wMDAwMDAgMzQuMDAwMDAwIgogcHJlc2VydmVBc3BlY3RSYXRpbz0ieE1pZFlNaWQgbWVldCI+Cgo8ZyB0cmFuc2Zvcm09InRyYW5zbGF0ZSgwLjAwMDAwMCwzNC4wMDAwMDApIHNjYWxlKDAuMTAwMDAwLC0wLjEwMDAwMCkiCmZpbGw9IiNDMEMwQzAiIHN0cm9rZT0ibm9uZSI+CjxwYXRoIGQ9Ik0xMiAzMjggYy04IC04IC0xMiAtNTEgLTEyIC0xMzUgMCAtMTA5IDIgLTEyNSAxOSAtMTQwIDQyIC0zOCA0OAotNDIgNTkgLTMxIDcgNyAxNyA2IDMxIC0xIDEzIC03IDIxIC04IDIxIC0yIDAgNiAyOCAxMSA2MyAxMyBsNjIgMyAwIDE1MCAwCjE1MCAtMTE1IDMgYy04MSAyIC0xMTkgLTEgLTEyOCAtMTB6IG0xMDIgLTc0IGMtNiAtMzMgLTUgLTM2IDE3IC0zMiAxOCAyIDIzCjggMjEgMjUgLTMgMjQgMTUgNDAgMzAgMjUgMTQgLTE0IC0xNyAtNTkgLTQ4IC02NiAtMjAgLTUgLTIzIC0xMSAtMTggLTMyIDYKLTIxIDMgLTI1IC0xMSAtMjIgLTE2IDIgLTE4IDEzIC0xOCA2NiAxIDc3IDAgNzIgMTggNzIgMTMgMCAxNSAtNyA5IC0zNnoKbTExNiAtMTY5IGMwIC0yMyAtMyAtMjUgLTQ5IC0yNSAtNDAgMCAtNTAgMyAtNTQgMjAgLTMgMTQgLTE0IDIwIC0zMiAyMCAtMTgKMCAtMjkgLTYgLTMyIC0yMCAtNyAtMjUgLTIzIC0yNiAtMjMgLTIgMCAyOSA4IDMyIDEwMiAzMiA4NyAwIDg4IDAgODggLTI1eiIvPgo8L2c+Cjwvc3ZnPgo=" alt="Silver" /></a>
</p>
---------------
<h1 align="center">🖥️ PWA Demo 💻</h1>
This Progressive Web App (PWA) demo showcases the cutting-edge capabilities of web technology by utilizing a robust stack including React, TypeScript, Node.js, PostgreSQL, and styling with Scss/Sass/Less. Designed as both an educational tool and a practical demonstration, it guides users through the intricacies of building a high-performance PWA capable of achieving a perfect Lighthouse score. The project not only highlights best practices for web development and performance optimization but also offers insights into creating seamless, app-like experiences on the web, making it an invaluable resource for developers looking to enhance their skills in crafting modern, efficient web applications.
- View a demo of the project on GitHub Pages **[Here](https://scottgriv.github.io/PWA-Demo-App/)**.
<div align="center">
<a href="https://scottgriv.github.io/PWA-Demo-App/" target="_blank">
<img src="./docs/images/demo.gif" style="width: 100%;"/>
</a>
<br>
<i>Application Preview</i>
</div>
---------------
## Table of Contents
- [Background Story](#background-story)
- [Definitions](#definitions)
- [Built With](#built-with)
- [Getting Started](#getting-started)
- [Notes](#notes)
- [Service Worker](#service-worker)
- [Manifest File](#manifest-file)
- [Push Notifications (Optional)](#push-notifications-optional)
- [Generate a Lighthouse Report](#generate-a-lighthouse-report)
- [CSV vs. Postgresql Flag](#csv-vs-postgresql-flag)
- [Less CSS Preprocessor](#less-css-preprocessor)
- [Local Deployment vs. GitHub Pages](#local-deployment-vs-github-pages)
- [Resources](#resources)
- [SPA, MPA, PWA Concepts](#spa-mpa-pwa-concepts)
- [Technologies Referenced](#technologies-referenced)
- [License](#license)
- [Credits](#credits)
## Background Story
I wanted to demonstrate how to build a **PWA** that uses a database to store user data locally and syncs with a remote database when online. I also wanted to demonstrate how to use a service worker to cache the app shell and data as well as a manifest file to allow the user to install the app on their device.
## Definitions
To turn your website into a **PWA**, you'll need the following qualifications:
- **HTTPS** - Your site must be served over `HTTPS`. This is a requirement for service workers. If you don't have a certificate, you can use [Let's Encrypt](https://letsencrypt.org/). <br>
> [!NOTE]
> If you're deploying locally, you can still achieve a **PWA** by using `localhost`, but you won't be able to use a service worker or push notifications and it is strongly recommended that you use `HTTPS` for a production deployment.
- **Service Worker** - A [Service Worker](https://developers.google.com/web/fundamentals/primers/service-workers)) is a script that runs in the background and allows you to control how your app handles network requests and cache data. It also allows you to send push notifications to the user (see instructions below for more details).
- **Manifest File** - A manifest file is a `JSON` file that contains metadata about your app. It allows you to specify the name of your app, the icons that will be used when the app is installed on a device, the background color of the splash screen, and more (see instructions below for more details).
- **App Shell** - The app shell is the minimal `HTML`, `CSS`, and `JavaScript` required to power the user interface of your app. It is the first thing that is cached by the service worker and is used to provide a fast, reliable, and engaging experience for the user.
- **Offline Data Storage** - A **PWA** must be able to store data locally on the user's device. This allows the user to continue using the app when they are offline. When the user is online, the data should be synced with a remote database.
- **Responsive Design** - A **PWA** must be responsive and work on all devices.
## Built With
I used the following technologies to build this app:
- React (Frontend)
- TypeScript (JavaScript)
- Node.js (Backend/Server)
- Postgresql (Database)
- Scss/Sass/Less (CSS Preprocessors)
- Workbox Package (Service Worker)
- PWA Asset Generator Package (Manifest File)
- NPM (Package Manager)
- Webpack (Module Bundler)
> [!NOTE]
> By default, the application uses `client/src/App.scss` to style the application.
> The `App.sass` and `App.css` (compiled from Less) can be used as well, they're interchangable.
> Simply uncomment out the line for the CSS Preprocessor you want to use in the `client/src/components/UserTable.tsx` file.
## Getting Started
1. Install Postgresql and create a database named `pwa_db_web_app`.
- Use the `database.sql` file to create the tables and insert the data.
2. Change your directory to the project directory and run the following commands:
- Install `npm` if you haven't already:
```bash
npm install
```
- Build the application:
```bash
npm run build
```
- Start the client (frontend):
```bash
cd client
npm start
```
- Start the server (if using a database):
```bash
cd server
npm start
```
3. Open your browser and navigate to http://localhost:3000/PWA-Demo-App to view the PWA application.
4. Open [Lighthouse](#generate-a-lighthouse-report) in Chrome to generate your PWA report.
## Notes
### Service Worker
- I used [**Workbox**](https://developers.google.com/web/tools/workbox/) to generate the service worker file. To do this, I installed **Workbox** in the client directory:
```bash
npm install workbox-cli --global
```
- Then generate the service worker file by running:
```bash
npx workbox generateSW workbox-config.js
```
### Manifest File
- Use [**PWA Asset Generator**](https://github.com/elegantapp/pwa-asset-generator) to automatically generate `JSON` for your `manisfest.json` file as well as the `icons` for your logo to make it **PWA** complicit.
- To install **PWA Asset Generator** run:
```bash
npm install -g pwa-asset-generator
```
- Then create a logo.png file in the root directory of your project. The logo should be at least 512x512 pixels. <br>
> [!TIP]
> The logo should be square and have a transparent background.
- Then run (*Assuming you are in the directory your logo file is in*):
```bash
npx pwa-asset-generator logo.png icons
```
*The images will be created in the icons directory*.
### Push Notifications (Optional)
- To send [**Push Notifications**](https://developers.google.com/web/fundamentals/push-notifications), you'll need to create a **VAPID** key pair. You can do this by running the following command:
```bash
npx web-push generate-vapid-keys
```
- Then copy the **VAPID** key pair and paste it into the `server/src/routes/notifications.ts` file.
- Then run the following command to start the server:
```bash
npm start
```
- Then open your browser and navigate to http://localhost:3000.
- Then open the Chrome Dev Tools and click on the Application tab.
- Then click on the Service Workers tab -> Push link -> Subscribe button -> Allow button.
- Then copy the **Endpoint** and paste it into the `server/src/routes/notifications.ts` file.
- Then run the following command to send a push notification:
```bash
curl -X POST -H "Content-Type: application/json" -d "{\"title\": \"Hello World\", \"body\": \"This is a test notification\"}" http://localhost:3001/notifications
```
- Then you should see a push notification in your browser.
### Generate a Lighthouse Report
- [**Lighthouse**](https://developers.google.com/web/tools/lighthouse) is an open-source, automated tool for improving the quality of web pages. You can run it against any web page, public or requiring authentication. It has audits for performance, accessibility, progressive web apps, and more.
- To generate a **Lighthouse** report, open your browser and navigate to http://localhost:3000.
- Then open the Chrome Dev Tools and click on the **Lighthouse** tab.
- Click on the Generate Report button.
- I achieved the following perfect scores:
- Performance: 100
- Accessibility: 100
- Best Practices: 100
- SEO: 100
- Progressive Web App: 100
- References to the **Lighthouse** Report files are located in the [docs](docs) directory.
> [!IMPORTANT]
> Remove the BMC Widget and FontAwesome CSS references in the `index.html` file for a perfect Lighthouse Score (see comments in the file on where to remove).
> I kept these in for production purposes, but loading third-party cookies and unused CSS libraries slows down the application and is generally not a good practice.
### CSV vs. Postgresql Flag
- By default, I'm parsing the table from a **Comma-separated values (CSV)** file located in the `client/src/data` directory for hosting purposes. You can change this to use **Postgresql** by modifying the `client/src/App.tsx` file flag to `false` here:
```typescript
const useCsv = true;
```
### Less CSS Preprocessor
- To use Less, install the package via npm:
```bash
npm install -g less
```
- Then, change your directory to the `src` folder where the `App.less` file exists and run the following command to generate the `.css` file:
```bash
lessc App.less App.css
```
- Be sure to uncomment out the `.css` import in the `client/src/components/UserTable.tsx` file.
### Local Deployment vs. GitHub Pages
- By default, I'm deploying the app to **GitHub Pages**. You can change this to deploy the app locally without using the repository name `PWA-Demo-App` or to your own **GitHub Pages** by modifying the following files:
1. `/client/package.json` <br>
**Local:**
```json
"homepage": "http://localhost:3000",
```
**GitHub Pages:**
```json
"homepage": "https://{your_github_username}.github.io/{your_repository_name}/",
```
2. `/client/src/index.tsx` <br>
**Local:**
```typescript
navigator.serviceWorker.register('/service-worker.js').then(registration => {
```
**GitHub Pages:**
```typescript
navigator.serviceWorker.register('/{your_repository_name}/service-worker.js').then(registration => {
```
3. `/client/public/index.html` <br>
**Local:**
```html
<link rel="manifest" href="/manifest.json">
```
**GitHub Pages:**
```html
<link rel="manifest" href="/{your_repository_name}/manifest.json">
```
4. `/client/public/manifest.json` <br>
**Local:**
```json
"start_url": ".",
```
**GitHub Pages:**
```json
"start_url": "/{your_repository_name}/",
```
- Then `cd client/public` from the root directory and run the following command to deploy to **GitHub Pages**:
```bash
npm run deploy
```
- If you're unfamiliar with deploying a static site to **GitHub Pages**, you can read more about it here: [**GitHub Pages**](https://pages.github.com/).
## Resources
### SPA, MPA, PWA Concepts
- [**Progressive Web Apps**](https://web.dev/progressive-web-apps/)
- [**Wikipedia - Progressive Web App**](https://en.wikipedia.org/wiki/Progressive_web_app)
- [**Single-Page Applications vs Multi-Page Applications: The Battle of the Web Apps**](https://themindstudios.com/blog/spa-vs-mpa/)
- [**Single Page Application (SPA) vs Multi Page Application (MPA): Which Is The Best?**](https://cleancommit.io/blog/spa-vs-mpa-which-is-the-king/)
### Technologies Referenced
- [**Service Workers**](https://developers.google.com/web/fundamentals/primers/service-workers)
- [**Workbox**](https://developers.google.com/web/tools/workbox/)
- [**PWA Asset Generator**](https://github.com/elegantapp/pwa-asset-generator)
- [**Push Notifications**](https://developers.google.com/web/fundamentals/push-notifications)
- [**Lighthouse**](https://developers.google.com/web/tools/lighthouse)
- [**GitHub Pages**](https://pages.github.com/)
- [**Let's Encrypt**](https://letsencrypt.org/)
- [**Postgresql**](https://www.postgresql.org/)
- [**React**](https://reactjs.org/)
- [**TypeScript**](https://www.typescriptlang.org/)
- [**Node.js**](https://nodejs.org/en/)
- [**Scss**](https://blog.logrocket.com/the-definitive-guide-to-scss/)
- [**Sass**](https://sass-lang.com/)
- [**Less**](http://lesscss.org/)
- [**NPM**](https://www.npmjs.com/)
- [**Webpack**](https://webpack.js.org/)
**Happy Coding!**
## License
This project is released under the terms of the **MIT License**, which permits use, modification, and distribution of the code, subject to the conditions outlined in the license.
- The [MIT License](https://choosealicense.com/licenses/mit/) provides certain freedoms while preserving rights of attribution to the original creators.
- For more details, see the [LICENSE](LICENSE) file in this repository. in this repository.
## Credits
**Author:** [Scott Grivner](https://github.com/scottgriv) <br>
**Email:** [scott.grivner@gmail.com](mailto:scott.grivner@gmail.com) <br>
**Website:** [scottgrivner.dev](https://www.scottgrivner.dev) <br>
**Reference:** [Main Branch](https://github.com/scottgriv/PWA-Demo-App) <br>
---------------
<div align="center">
<a href="https://scottgrivner.dev" target="_blank">
<img src="./docs/images/footer.png" width="100" height="100"/>
</a>
</div>
<!-- End README --> | A Progressive Web App (PWA) demo that uses React, TypeScript, Node.js, Postgresql, and Scss/Sass/Less. Learn about PWAs and achieving a perfect Lighthouse score. | html,javascript,less,postgresql,postgresql-database,pwa,pwa-app,pwa-apps,pwa-boilerplate,pwa-example | 2023-08-21T02:20:56Z | 2024-05-06T22:25:09Z | null | 1 | 0 | 63 | 0 | 2 | 2 | null | MIT | TypeScript |
0tieno/100DaysOf-Code | main |
# 100 Days of Code
**Main target:** ***I will code for at least one hour every day for the next 100 days.***
This challenge for 100 days is to make a habit of coding to develop my skill sets to become a fullstack Developer. I was inspired by others completing the #100DaysOfCode challenge on Twitter and Discord. More details about this challenge can be found here: [100daysofcode.com](http://100daysofcode.com/ "100daysofcode.com") or [the official repo](https://github.com/Kallaway/100-days-of-code "the official repo").
The above projects I did in my first round which I started in late 2023, but my path wasn't very successful. I'm restarting my progress and gaining better knowledge.
|Round | Start Date | End Date |
| ------------ | ------------ | ------------ |
| 2 | March 28, 2024 | July 2024|
See my [Daily Log](https://github.com/0tieno/100DayOfCode/blob/main/dailyLog.md) | [Personal Resources]()
## Goals
- Prepare to get a job in the target industry as a software engineer.
- Make it a habit of coding daily and learning something new - consistency
- Revisit HTML, CSS, and Javascript for deeper knowledge by building projects daily and solving quizzes
- Learn more in-depth about JavaScript, ReactJS, MUI, TailwindCSS, and UI Design.
- Create real-world projects to showcase in my portfolio
- Complete the [Odin Projects FullStack Javascript Developer Path](https://www.theodinproject.com/paths/full-stack-javascript)
- Complete the [ReactJS on freeCodeCamp](https://www.freecodecamp.org/learn/front-end-development-libraries/#react)
## Completed Projects
| No. | Project Title | Completed On | Languages Used
| :------------: | ------------ | :------------: | :------------: |
| 100DaysOfCode Challenge to leverage my skills to becoming fullstack Developer by building projects. To get a job at my target industry! | css3,html5,javascript,miro,muiv5,ui-design,reactjs | 2023-08-13T18:33:21Z | 2024-05-23T12:08:06Z | null | 1 | 0 | 124 | 0 | 0 | 2 | null | null | HTML |
AndresMpa/magic-ball-workshop | main | # Magic ball workshop
This is a workshop mainly for frontend developer who wants to learn
a bit more about frontend, the aim of this workshop is to perform
some JS functionalities every frontend developer should know, some
advance features to craft a small project on steroids
> Note: This implementation only works under Chrome
## What are you learning?
- Efficient native dark and white modes (How to)


- Some infrastructure styles
- Web Speech API
- Accessibility features I use for AI
## Special thanks to
- [FOREST Software Community](https://github.com/F-O-R-E-S-T) for providing support
- [icon8](https://icons8.com/) for providing icons
<p align="center">
<code>Think out of code</code>
</p>
| Web Speech API explanation using a simple proxy-like arch to perform commands over a ball | animation,css,frontend,html,javascript,proxy,serverless,web,web-speech-api,nlp | 2023-08-16T02:26:08Z | 2023-09-28T19:37:23Z | null | 1 | 0 | 48 | 0 | 0 | 2 | null | GPL-3.0 | JavaScript |
divyaGrvgithub/Timer-and-Stopwatch | timer/stopwatch | # Timer-and-Stopwatch
Digital Clock ,Timer and Stopwatch using HTML ,CSS and Javascript
| I've crafted a versatile time tool using simple HTML, CSS, and JavaScript. It serves as a digital clock, timer, and stopwatch, all in one. The digital clock keeps you on schedule, displaying the current time accurately. The timer lets you set countdowns for various tasks, with a clear alert when time's up. It's a solution for ur timekeeping needs | css3,html,html-css-javascript,javascript,license,script | 2023-09-01T12:16:50Z | 2023-09-01T12:34:52Z | null | 1 | 0 | 9 | 0 | 0 | 2 | null | MIT | JavaScript |
vcabolfazl/Landing-Page | master | ## Landing page (Next JS)
This project only includes the main page
### Technologies used :
- Next JS
- React JS
- Tailwindcss
- Css
- AOS Animate
- Swiper JS
### [Contact me through Telegram](https://t.me/vc_abolfazl)
## A view of the site

| Landing page for admin panel This project only includes the main page | javascript,landing-page,next-app,nextjs,tailwindcss | 2023-09-03T07:01:16Z | 2023-09-12T15:32:00Z | null | 1 | 0 | 15 | 0 | 0 | 2 | null | null | JavaScript |
RushdaAnsari/trello-clone | main | # trello-clone
<img src='https://img.shields.io/static/v1?label=&message=HTML&color=E34F26&style=for-the-badge&logo=HTML5&logoColor=white&logoWidth=&labelColor=&link='/> <img src='https://img.shields.io/static/v1?label=&message=SASS&color=CC6699&style=for-the-badge&logo=SASS&logoColor=white&logoWidth=&labelColor=&link=' /> <img src='https://img.shields.io/static/v1?label=&message=Javascript&color=F7DF1E&style=for-the-badge&logo=Javascript&logoColor=black&logoWidth=&labelColor=&link='/> <img src='https://img.shields.io/badge/react-61DAFB?style=for-the-badge&logo=REACT&logoColor=61DAFB&labelColor=black&color=black'/> <img src='https://img.shields.io/static/v1?label=&message=Bootstrap&color=white&style=for-the-badge&logo=BOOTSTRAP&logoColor=7952B3&logoWidth=&labelColor=&link='/> <img src='https://img.shields.io/static/v1?label=&message=fontAwesome&color=D3D3D3&style=for-the-badge&logo=fontAwesome&logoColor=528DD7&logoWidth=&labelColor=&link='/>
This is the frontend part of the project management app called Trello. This website allow users to manage projects and tasks among different stages of completion.
[View Live Demo](https://rushdaansari.github.io/trello-clone/)

https://github.com/RushdaAnsari/trello-clone/assets/108862236/2fbdac41-39d7-4483-b2bc-2f5f4600bfd9
# Features
- Create lists and add cards.
- Drag and drop cards from one list to another.
- Re-arrange lists by dragging and dropping.
- Edit title of lists.
- Delete lists and cards.
# Built Using
- React js
- javascript
- html
- Sass
- npm
- Bootstrap
| This is a project management kanban board inspired by Trello. This website allow users to manage projects and tasks among different stages of completion. | drag-and-drop,kanban-board,project-management,reactjs,trello,bootstrap,font-awesome,html,javascript,sass | 2023-09-07T09:13:32Z | 2023-10-02T01:37:08Z | null | 1 | 0 | 44 | 0 | 0 | 2 | null | null | JavaScript |
SiddheshKukade/acmpvgcoet | main | ## ACM PVGCOET WEBSITE
[](https://opensource.org/licenses/MIT)
[](http://makeapullrequest.com)
[](https://app.netlify.com/sites/sayancr777-instacart/deploys)
Author : [Siddhesh Kukae](contact@siddheshkukade.com)

## Features
- Allow the user to create the new tasks.
- Allow user to drag and drop their tasks to the respective working coloums
## Built with
<img src="https://img.shields.io/badge/html5%20-%23E34F26.svg?&style=for-the-badge&logo=html5&logoColor=white"/> <img src="https://img.shields.io/badge/css3%20-%231572B6.svg?&style=for-the-badge&logo=css3&logoColor=white"/> <img src="https://img.shields.io/badge/javascript%20-%23323330.svg?&style=for-the-badge&logo=javascript&logoColor=%23F7DF1E"/>
- **Frontend**: React.Js, Bootstrap, CSS, Javascript
- **Version Control**: Git
- **Hosting**: Netlify, Github Pages
## Setup and Installation
Fork and Clone this project. Make sure you have git installed. On the terminal, navigate to your workspace directory and run it
## Future Scope
- UI part can be improved by adding some animations
- Authentication can be added
- Backend can be thought to get introduced
## License
This project is licensed under the MIT license.
| Website of ACM PVGCOET Chapters build by the efforts of the technical team | acm,acm-chapter,css,html,javascript,mern,nodejs,portfolio,portfolio-website,pvg | 2023-09-11T08:42:57Z | 2023-10-27T07:10:11Z | null | 2 | 2 | 11 | 3 | 3 | 2 | null | MIT | TypeScript |
wallet-sn/my-wallet-API | main | # My Wallet API
## ℹ️ About
My Wallet Project is a web application that enables users to control their personal finances. It has a front-end, back-end and database deployed in the cloud. The project was separated into two different repositories, one for the front-end and one for the back-end, using Git for versioning. The back-end was architected in controllers, routers and middlewares, while the front-end was built using ReactJS. User registration was implemented, capable of creating an account by validating fields and passwords. The application also allows users to log in, view their transactions and add new ones.
<p align="center">
<img width="790" alt="My Wallet Project" src="https://user-images.githubusercontent.com/95102911/236885662-c365187c-1202-4f10-aaf1-40912291500b.png">
</p>
<hr/>
🔸 Demo: https://my-wallet-wine.vercel.app/
🔸 Organization My Wallet: https://github.com/wallet-sn
🔸 Deploy Render: https://mywallet-api-w3g6.onrender.com
<hr/>
## 🛠️ Features
- Separate the project into two different repositories, one for the front-end and another for the back-end, and use Git for versioning. - Each implemented feature should have a corresponding commit.
- Implement the front-end using HTML, CSS, JS and React, always running on port 8000.
- Architect the back-end in controllers, routers and middlewares, using dotenv to manage environment variables. The server should run on port 5000.
- Register users in the database through a POST request, validating all fields, and returning the corresponding error message in case of failure.
- Users can log in, view their transactions and add new ones.
<hr/>
## 🎯 Motivation
The My Wallet Project was developed to provide an easy-to-use web application that helps people manage their finances. The inspiration came from the need to have a single tool that could provide a comprehensive view of one's financial situation, including a summary of expenses, income and investments.
<hr/>
## 📌 Technologies
<p align='rigth'>
<img style='margin: 2px;' src='https://img.shields.io/badge/Node.js-43853D?style=for-the-badge&logo=node.js&logoColor=white'/>
<img style='margin: 2px;' src='https://img.shields.io/badge/JavaScript-F7DF1E?style=for-the-badge&logo=javascript&logoColor=black'/>
<img style='margin: 2px;' src='https://img.shields.io/badge/express.js-%23404d59.svg?style=for-the-badge&logo=express&logoColor=%2361DAFB'/>
<img style='margin: 2px;' src='https://img.shields.io/badge/MongoDB-%234ea94b.svg?style=for-the-badge&logo=mongodb&logoColor=white'>
<img style='margin: 2px; width:70px' src='https://img.shields.io/badge/NPM-%23CB3837.svg?style=for-the-badge&logo=npm&logoColor=white/'>
</p>
<hr/>
## ⚙️ Routes
#### <span style='font-weight:bold;'>POST</span> /signUp
A route that creates a new user account. If there's a participant with this e-mail already registered, it returns a 409 status code error. If its sucessfull it returns a 201 status code. The request body should contain:
```
{
{
"name": "johnDoe",
"email": "john@doe.com",
"password": "123456"
}
}
```
#### <span style='font-weight:bold;'>POST</span> /signIn
A route that will allow the user to sign in. If there's no user with the given e-mail registered it'll return a 404 status code error, if the password doesn't match with the ones given on signUp, it'll return a 401 status code error. It'll give a token as a response.
All routes after signIn will need an authentication token:
```
headers: { Authorization: `Bearer ${token}` }
```
#### <span style='font-weight:bold;'>POST</span> /transactions
Creates a new income or expense transaction. All fields are required and cannot be empty. The request should include a token as a header. If any of the fields are missing or empty, the API returns a 422 status code error and an error message indicating that all fields are required and cannot be empty. It returns a 401 status code if the token doesn't exist or if there's no account with this token. The request body should contain the following:
```
The request body should be:
{
{
"description": "salario",
"amount": 1500
}
}
Note that if the amount is a whole number that ends with two zeros (e.g., 1200), do not include a decimal point. Otherwise, if it is a floating-point number or has one zero at the end (e.g., 275.5), include the decimal point.
```
#### <span style='font-weight:bold;'>GET</span> /transactions
Retrieves a list of the user's income and expense transactions. If there are no transactions, it returns an empty array. The response body looks like this:
```
The date format is: (DD/MM)
[
{
"_id": "644438f94af2cf105bd042b5",
"userId": "64443438f3722b44d6394f74",
"description": "salário",
"type": "entrada",
"amount": 1500.89,
"date": "10/06"
},
{
"_id": "644439144af2cf105bd042b6",
"userId": "64443438f3722b44d6394f74",
"description": "conta de luz",
"type": "saída",
"amount": 150.1,
"date": "12/06"
}
]
```
<hr/>
## 🖇 How to run
To download and configure the project, follow these steps:
1. Clone the front-end repository: git clone https://github.com/natividadesusana/my-wallet.git
2. Clone the back-end repository: git clone https://github.com/natividadesusana/my-wallet-API.git
3. Install the dependencies for both repositories using npm install
4. Create a .env file in the root of the back-end directory, containing the following variables:
`
MONGO_URI=<your-mongodb-uri>
PORT=5000
`
5. Start the back-end server by running npm start in the back-end directory.
6. Start the front-end server by running npm start in the front-end directory.
7. Access the application in your browser at http://localhost:8000
Note: This project requires MongoDB to be installed and running. If you don't have it installed, please follow the instructions in their website (https://www.mongodb.com/try/download/community).
<hr/>
## 🚀 Links
- [Figma](https://www.figma.com/file/p37uJdpZWRLED7YEwDFfUd/MyWallet?node-id=0-1).<br/>
- [Deploy](https://mywallet-ashy.vercel.app/).<br/>
<hr/>
## ✨ Tutorials for deploying:
- [Tutorial: Deploying React projects at Vercel](https://www.notion.so/Tutorial-Deploy-de-projetos-React-na-Vercel-62fa866558034c73b31f89a0e4a3c697)
- [Tutorial: Deploying back-end applications in Render (MongoDB)](https://www.notion.so/Tutorial-Deploy-de-aplica-es-back-end-no-Render-MongoDB-d062570799fa49fc82060865a7b73f8c)
| 🛅 MyWallet is a full-stack project that allows users to create an account, log in and add incoming and outgoing transactions, as well as view all transactions made so far, displaying the current balance on the main screen. | javascript,mongodb,nodejs,expressjs,npm | 2023-09-11T18:05:37Z | 2023-10-01T00:27:21Z | null | 1 | 0 | 26 | 0 | 0 | 2 | null | null | JavaScript |
shubhambhargav10/crm-system-retax | main | null | "I've built a CRM system using React, Node.js, Express, and MongoDB. It simplifies customer management, enhances interactions, and ensures data security, providing businesses with an efficient way to handle customer relationships | chakra-ui,css3,expressjs,framer-motion,html5,javascript,mongodb,nodejs,reactjs | 2023-08-10T11:02:38Z | 2023-11-07T20:49:58Z | null | 3 | 0 | 73 | 0 | 0 | 2 | null | null | JavaScript |
SebastienThomasDEV/SimpleJs | main | # SimpleJs
Je vous présente un petit framework maison TS/JS (pattern MVC).
Il dispose de plusieurs fonctionnalités:
- ## Un moteur de template (voir `module Parser`)
> génerer une boucle
```js
@for=(items => item)
<div>#item</div>
@endfor
```
> bind des variables d'un controller
```js
<div>{{title}}</div>
```
> condition d'affichage
```js
<@if (true)
<div>if</div>
@else
<div>else</div>
@endif
```
- ## Cycle de vie d'un composant (voir `class Controller`)
```js
export class DashboardController extends Controller {
dir_name = "dashboard";
constructor(dir_name) {
super(dir_name);
this.init();
}
async init() {
this.params = {
// ici mettre vous variable qui seront passé à votre html
};
await this.render(this.params);
}
pre_process(params, html) {
// fonction qui sera appellé avant le chargement de la page
// insérer vos modules pour intéragir avec votre html ici ou rendre une page basique html
return super.pre_process(params, html);
}
}
```
- ## Un système de guard (voir `module Guard`)
```js
export default class AuthGuard extends Guard {
static async guard(): Promise<boolean> {
return // retourner ici votre condition (boolean);
}
}
```
- ## Un système de routing (voir `module Router`)
```js
<div @redirect="base">base</div> // redirige vers la page base si le composant existe
```
| null | framework,javascript,mvc,viewable | 2023-08-30T23:25:29Z | 2023-10-29T22:07:39Z | null | 1 | 0 | 22 | 0 | 0 | 2 | null | null | TypeScript |
seniordev0207/Vigour | main | # Vigour - medical services
> renew your vigour and vitality
### OUR SPECIALITIES
- Next Generation **Medical** Services
- Renew Your **Vigour** And Vitality
- A Modern Approach to Primary **Care**
- **Best** Laboratory Analysis
- Special Care For **COVID-19** Patients
## [Visit Our Webpage Now](https://vigour-srt.web.app)
----------
###### created, developed and managed by [SR TAMIM](https://github.com/sr-tamim) | Vigour Medical Services --- website made by SR TAMIM | bootstrap,firebase,healthcare,javascript,react | 2023-08-29T07:22:27Z | 2022-11-26T12:43:25Z | null | 1 | 0 | 45 | 0 | 0 | 2 | null | null | JavaScript |
Id-Yuu/form-beasiswa | main | # form-beasiswa
Form Pendaftaran Beasiswa Untuk Mahasiswa Sederhana & Simple Dengan PHP Native
## Preview


## Details
- IPK tidak diinput tetapi otomatis muncul, ketika klik registrasi beasiswa.
- IPK <= 3 maka tidak bisa melanjutkan pilihan beasiswa dan elemen pilihan beassiwa, upload berkas dan tombol simpan tidak aktif.
- IPK >= 3 maka secara otomatis berada pilihan beasiswa.
- Syarat upload berkas berupa pdf, jpg, & zip.
- di Menu hasil terdapat `Status Ajuan` diasumsikan setelah daftar `belum terverifikasi`.
## Usage
- Clone this repo
```
git clone https://github.com/Id-Yuu/form-beasiswa.git
```
- Save to folder `htdocs` in folder `XAMPP`
- Run `Apache` & `mysql` on `XAMPP`
- Open `localhost/phpmyadmin` for import the `sql`
## Tech Stack
- Bootstrap5 or latest version
- Javascript & Jquery
- PHP 7.4 or latest version
- XAMPP v3.3.0 or latest version
- Vs.Code
- Mysql
## Disclaimer
Repository ini termasuk bagian dari;
- [Pelatihan VSGA](https://github.com/Id-Yuu/id-vsga-jwd-b1)
| Form Pendaftaran Beasiswa Sederhana & Simple Dengan PHP Native | beasiswa,bootstrap5,javascript,jquery,personal-project,php,project,xampp | 2023-09-04T11:25:06Z | 2023-09-24T12:50:19Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | PHP |
Hanieh-Sadeghi/Login-And-Register | Hanieh | # Login-And-Register | null | css,html5,javascript | 2023-08-30T16:41:21Z | 2023-09-08T17:05:04Z | null | 1 | 0 | 19 | 0 | 0 | 2 | null | null | CSS |
Nithingowda16/TODO-LIST | 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 the browser.
The page will reload if you make edits.\
You will also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can’t go back!**
If you aren’t satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you’re on your own.
You don’t have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn’t feel obligated to use this feature. However we understand that this tool wouldn’t be useful if you couldn’t customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
### Code Splitting
This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting)
### Analyzing the Bundle Size
This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size)
### Making a Progressive Web App
This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app)
### Advanced Configuration
This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration)
### Deployment
This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment)
### `npm run build` fails to minify
This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
| This project is a sleek and user-friendly task management tool created with HTML, CSS, and JavaScript. Organize your tasks effortlessly, track your progress, and stay on top of your to-do list with this intuitive web application. Start boosting your productivity today!" | javascript,javascript-library,todoapp,todolist | 2023-08-17T13:39:30Z | 2023-12-18T03:57:47Z | null | 1 | 0 | 14 | 0 | 0 | 2 | null | GPL-3.0 | JavaScript |
RafaRz76Dev/Stackx-To_Do_List_JS | master | ***
<div align="center">
[](https://git.io/typing-svg)
<img height="100em" src="images/ImagemDevRafa.png" align="center">
<a href="https://git.io/typing-svg" align="center"><img src="https://readme-typing-svg.herokuapp.com?font=Fira+Code&weight=700&size=24&pause=1000&color=120A2A¢er=true&vCenter=true&width=435&lines=Desenvolvedor+Front+End+Júnior" alt="Typing SVG" /></a> <img src="https://media.giphy.com/media/l1J9sBOqBIvnafnUc/giphy.gif" width="70">
***
## <img src="https://media.giphy.com/media/XwcRflO9HD0Sk6RaRM/giphy.gif" align="center" height="25" width="55"> Venho aqui apresentar <img src="https://media.giphy.com/media/LmqitTYGsNMiWu3VWO/giphy.gif" align="center" width="55">
# **_Stackx-To_Do_List_JS_**
### É uma to-do-list simples, não envolve cronogramas nem reordenação das tarefas, mas não fique acanhado, você pode aproveitar e estar implementando ou estar _clicando_ e interagindo com o projeto.
### <img src="https://media.giphy.com/media/9TFBxN300KpCUI6sBD/giphy.gif" align="center" height="55" width="55">
## [Clique aqui e interaja criando sua (```Lista de Tarefas```)!](https://rafarz76dev-listadetarefas-stackx.netlify.app/)
<br>
***
<img src= "https://media.giphy.com/media/3zSF3Gnr7cxMbi6WoP/giphy.gif" align="center" height="55" width="55"> [ _Demonstração da Lista de Tarefas ] <img src= "https://media.giphy.com/media/E5DzZsofmgxc9wjbhX/giphy.gif" align="center" height="35" width="35">
<img height="420em" src="images/Demonstracao-to-do-list (1).gif" align="center">
<div align="left">
<br>
***
## <img src="https://media.giphy.com/media/iT138SodaACo9LImgi/giphy.gif" align="center" height="75" width="75"> **Conceitos aplicados:**
- Uso de arrays para armazenar dinamicamente as tarefas.
- Uso de objetos para armazenar a estrutura de dados das tarefas.
- Utilização de foreach para iteração entre tarefas.
- Uso do conceito de reatividade com eventos para atualizar o componente de to-do-list.
<br>
***
- ## <img src="https://media.giphy.com/media/ImmvDZ2c9xPR8gDvHV/giphy.gif" align="center" height="25" width="25"> Autor
<p>
<img align=left margin=10 width=80 src="https://avatars.githubusercontent.com/u/87991807?v=4"/>
<p>   RafaRz76Dev<br>
   <a href="https://api.whatsapp.com/send/?phone=47999327137">Whatsapp</a> | <a href="https://www.linkedin.com/in/rafael-raizer//">LinkedIn</a> | <a href="https://github.com/RafaRz76Dev">GitHub</a>| <a href="https://public.tableau.com/app/profile/rafael.raizer">Tableau</a>| <a href="https://portifolio-rafarz76dev.netlify.app/">Portfólio</a> </p>
</p>
| Criando um To-Do-List do Curso Stackx, onde o usuário vai interagir listando suas tarefas diárias com as principais stacks => HTML5, CSS3 e Java Script!!! | css3,html5,javascript | 2023-08-22T16:28:08Z | 2024-02-17T20:37:09Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | null | JavaScript |
novri3h/e-kasir | master | # Aplikasi e-Kasir (Kasir Online)

<div align="justify">Pos kasir adalah singkatan dari "Point of Sale" yang dalam bahasa Indonesia dapat diterjemahkan sebagai "Titik Penjualan." Pos kasir adalah suatu sistem atau lokasi di mana transaksi penjualan barang atau jasa dilakukan antara penjual dan pembeli. Ini adalah tempat di mana pelanggan membayar untuk produk atau layanan yang mereka beli, dan di mana penjual mencatat penjualan tersebut.</div>
<br>
<div align="justify">Sistem pos kasir sering kali mencakup perangkat keras dan perangkat lunak yang digunakan untuk mengelola transaksi penjualan, menghitung harga, memproses pembayaran, dan menghasilkan struk atau faktur untuk pelanggan.</div>
<br>
[](https://trakteer.id/nadhif.studio)
[](https://github.com/novri3h/e-kasir/graphs/commit-activity)
## Features Aplikasi e-Kasir (Kasir Online)
- Kasir
- Barang
- Laporan
- Export [csv, excel, pdf]
- Pengaturan Toko
## Tech
Aplikasi ini dibangun dengan menggunakan:
- [Pencil project](https://pencil.evolus.vn)<div align="justify">Aplikasi Pencil Project merupakan aplikasi open source GUI Prototyping yang digunakan untuk
menggambar mockup dan mendesain tampilan UI.</div>
- [XAMPP](https://www.apachefriends.org/download.html)<div align="justify">Aplikasi XAMPP merupakan sebuah paket perangkat lunak (software) komputer yang berfungsi
sebagai server lokal untuk menampung berbagai jenis data website yang sedang dalam proses pengembangan.</div>
- [Visual Studio Code](https://code.visualstudio.com/download)<div align="justify">Aplikasi visualstudio code adalah editor kode sumber komersial. Ini secara native
mendukung banyak bahasa pemrograman dan bahasa markup. Pengguna dapat memperluas fungsinya dengan plugin, biasanya dibuat dan dipelihara oleh komunitas di bawah
lisensi perangkat lunak bebas.</div>
- [Google Chrome](https://www.google.com/chrome)<div align="justify">Aplikasi Google Chrome adalah browser web cepat yang tersedia tanpa biaya yang merupakan tools
penting dalam membuat suatu halaman website, dsb.</div>
- [node.js]<div align="justify">Node.js adalah runtime environment untuk JavaScript yang bersifat open-source dan cross-platform. Dengan Node.js kita dapat
menjalankan kode JavaScript di mana pun, tidak hanya terbatas pada lingkungan browser.</div>
- [HTML]<div align="justify">Hypertext Markup Language, yaitu bahasa markup standar untuk membuat dan menyusun halaman dan aplikasi web.</div>
- [CSS]<div align="justify">Cascading Style Sheets yang berguna untuk menyederhanakan proses pembuatan website dengan mengatur elemen yang tertulis di bahasa markup.</div>
- [PHP]<div align="justify">PHP (Hypertext Preprocessor) adalah sebuah bahasa pemrograman server side scripting yang bersifat open source.</div>
- [Bootstrap] - Bootstrap merupakan sebuah library atau kumpulan dari berbagai fungsi yang terdapat di framework CSS dan dibuat secara khusus di bagian pengembangan
pada front-end website.</div>
- [jQuery]<div align="justify">jQuery adalah library JavaScript open-source yang di-minify dan dibuat untuk operasi JavaScript yang disederhanakan. Anda bisa
menggunakan jQuery untuk coding serangkaian perintah dengan cepat, yang pada dasarnya akan memerlukan waktu lebih lama apabila menggunakan kode HTML.</div>
## Requirement
- XAMPP 5.6.30 or later
- Php 7.4 or later
- Bootstrap 5 or later
## Installation
Pindahkan Folder kasirku ke dalam folder:
```sh
c:\Xampp\htdocs\
```
<div align="justify">Start apache dan Mysql pada XAMPP, Akses pada browser dengan url:</div>
```sh
http://localhost/phpmyadmin
```
Login username : root
<div align="justify">Buat database baru dengan nama tb_kasir, kemudian klik Import database.</div>
<br>
<div align="justify">Buka web e-kasir [Kasir Online] pada browser dengan url:</div>
```sh
http://localhost/kasirku
```
Untuk User Login.
Username : admin
Password : admin
## License
MIT
**Free Software, Hell Yeah!**
[//]: # (These are reference links used in the body of this note and get stripped out when the markdown processor does its job. There is no need to format nicely because it shouldn't be seen. Thanks SO - http://stackoverflow.com/questions/4823468/store-comments-in-markdown-syntax)
[dill]: <https://github.com/joemccann/dillinger>
[git-repo-url]: <https://github.com/joemccann/dillinger.git>
[john gruber]: <http://daringfireball.net>
[df1]: <http://daringfireball.net/projects/markdown/>
[markdown-it]: <https://github.com/markdown-it/markdown-it>
[Ace Editor]: <http://ace.ajax.org>
[node.js]: <http://nodejs.org>
[Twitter Bootstrap]: <http://twitter.github.com/bootstrap/>
[jQuery]: <http://jquery.com>
[@tjholowaychuk]: <http://twitter.com/tjholowaychuk>
[express]: <http://expressjs.com>
[AngularJS]: <http://angularjs.org>
[Gulp]: <http://gulpjs.com>
[PlDb]: <https://github.com/joemccann/dillinger/tree/master/plugins/dropbox/README.md>
[PlGh]: <https://github.com/joemccann/dillinger/tree/master/plugins/github/README.md>
[PlGd]: <https://github.com/joemccann/dillinger/tree/master/plugins/googledrive/README.md>
[PlOd]: <https://github.com/joemccann/dillinger/tree/master/plugins/onedrive/README.md>
[PlMe]: <https://github.com/joemccann/dillinger/tree/master/plugins/medium/README.md>
[PlGa]: <https://github.com/RahulHP/dillinger/blob/master/plugins/googleanalytics/README.md>
[](https://lbesson.mit-license.org/) [](https://github.com)
## Credit
> 𝕋𝕣𝕚 𝕙𝕒𝕣𝕥𝕠𝕟𝕠
[](https://bit.ly/M-UMKM) [](https://www.facebook.com/semut.nunggings/) [](https://www.instagram.com/nadhif.studio/) [](https://www.tiktok.com/@nadhif.studio) [](https://www.twitter.com/@ThE_dUduLs/)
| Pos kasir adalah singkatan dari "Point of Sale" yang dalam bahasa Indonesia dapat diterjemahkan sebagai "Titik Penjualan." Pos kasir adalah suatu sistem atau lokasi di mana transaksi penjualan barang atau jasa dilakukan antara penjual dan pembeli. | jquery,mysql-database,php,css,nodejs,javascript | 2023-09-05T06:32:14Z | 2023-09-24T10:17:24Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | JavaScript |
Cubical22/Group-Divider | main | ## The GroupDivider Algorithm
This is a simple algorithm I made in 6 different programming languages.
I've looked up around the Internet and sadly have found no source code or anything
on this algorithm. so I decided to make it myself.
## What's the purpose?
well, the entire purpose of this algorithm is to separate a number into different smaller fractions
in a way that they all sum up to the `goal` value. for example:
> Imagine the `goal` value being 10 and the `dividers` being '2 and 5'
> The result is, two success points:
1. 2: 5 | 5: 0 (2 * 5 = 10)
2. 2: 0 | 5: 2 (5 * 2 = 10)
normally this would be an easy approach. Just make two nested for-loops to test every possibility.
but this approach raises three problems:
1. finding out the limit of this loops.
2. so many nested for loops at once. imagine making this for 10 dividers.
3. It's S L O W.
this was my approach, solving all 3 problems at once:
## The functionality
it's rather simple and easy to understand since the code is pretty clear.
the most important point is the `failedStateCount` variable.
there are two (what I like to call them) 'states':
1. fail state 2. success state
> The fail state is used to keep track of how many times the sum of all values gets over the `goal` in a row.
this is pretty important, cause if it fails once and then on the next loop it doesn't, then the `failStateCount` resets
back to 0.
This variable is used mainly to choose which multiplier we would like to increase by 1,
and it is also used to stop the while loop after there are no more possibilities.
> The success state just does the counting of all possibilities and printing all of them to the screen.
on each loop, the first thing is checking if the `failedStateCount` is less than the length of our dividers. next up adding one to a multiplier value, based on the `failedStateCount` variable. Hopefully, you see what's going on under the hood. after that, we check ... if there is a success state or there is no state at all (meaning that the sum is less than our goal) we reset the `failedStateCount` back to 0.
one important thing to mention is that every time we add to the `failedStateCount` variable, meaning we move on to the next index, we also set all the values, including our currently working index (based on the `failedStateCount` variable) back into zero, and we do this before updating the `failedStateCount`. If we were to do it after, this would be excluding
Have a look:

# Using this project
the algorithm is made in six different languages
python java javascript C++ C# PHP
to use each version, perform as mentioned:
Python:
> On the `main` directory, run `python index.py` on the terminal
JavaScript:
> Using `NodeJS`, on the `main` directory, run `node index.js` on the terminal
Java:
> On the `java` directory, you have two options:
1. run `javac Index.java` and then `java Index` or ...
2. use the cmd I have already set up for you. just run `run cmd` or `run.cmd`
no difference
C++:
> On the `Cpp` directory, assuming you have gcc and/or g++ installed (check by running `gcc --version` or `g++ --version` in cmd), you just simply run `g++ index.cpp`
to compile the code. There is also a pre-compiled version on the directory, called `index.exe`. To use, just run `index.exe` in your terminal/command line
C#:
> On the `c#` directory, assuming you already have either a c# compiler or .Net installed on you local machine, run `dotnet run` to start the project, or use you prefered compiler as you wish
PHP:
> On the `php` directory, assuming you have php installed on your local machine, run `php index.php` and, that's all
| a simple algorithm made mainly to solve the lack of speed and dynamic-ness for group dividing | algorithm,algorithms,cpp,fine-tuning,java,javascript,python,flowchart,php,programming | 2023-08-17T08:30:17Z | 2023-11-03T13:38:12Z | null | 1 | 1 | 24 | 0 | 0 | 2 | null | null | C# |
JoeyBrar/BPA-2024 | main | # Game Day Grill
Welcome to Game Day Grill, where every day is a celebration of flavor and fun! Our restaurant is a haven for food enthusiasts and sports aficionados alike. Whether you're joining us to catch the big game on our massive screens or simply looking for a delectable meal, we've got you covered. Dive into our menu filled with mouthwatering dishes inspired by the excitement of game day, from hearty burgers and sizzling wings to refreshing salads and flavorful vegetarian options. At Game Day Grill, we believe that good times and great food go hand in hand. Join us, and let your taste buds embark on a culinary journey that will keep you coming back for more. Cheers to unforgettable moments and unforgettable flavors!
We developed this website for the Business Professionals of America Competition. This is our submission for Event #435, Website Design Team.
## Installation
Use Git CLI to download our source code.
```bash
gh repo clone JoeyBrar/BPA-2024
```
## Contributing
We are not currently working on this project as it was for a competition. Pull requests will not be looked at.
## License
Huron BPA WSDT Code is available under the MIT license. See the LICENSE file for more info.
| Game Day Grill -- BPA Huron WSDT 2023-2024 | bootstrap5,css3,html5,javascript | 2023-09-09T18:49:25Z | 2024-03-30T21:03:44Z | 2023-11-27T03:32:49Z | 3 | 11 | 116 | 0 | 0 | 2 | null | MIT | HTML |
yaribdiaz/quiztify | main | # React + Vite
This template provides a minimal setup to get React working in Vite with HMR and some ESLint rules.
Currently, two official plugins are available:
- [@vitejs/plugin-react](https://github.com/vitejs/vite-plugin-react/blob/main/packages/plugin-react/README.md) uses [Babel](https://babeljs.io/) for Fast Refresh
- [@vitejs/plugin-react-swc](https://github.com/vitejs/vite-plugin-react-swc) uses [SWC](https://swc.rs/) for Fast Refresh
| Game quiz using Spotify API | authentication,axios,axios-interceptor,javascript,nextui,react,react-router-dom,redux-toolkit,spotify-api,tailwindcss | 2023-08-30T23:56:35Z | 2023-08-31T01:52:53Z | null | 1 | 0 | 10 | 0 | 0 | 2 | null | null | JavaScript |
Cachedd/Trading-Marketplace | main | 
# Trading Marketplace
> Note: The website may take 45 seconds to load since the free instance spins down with inactivity.
`NFTplace` is a decentralised application with a beautiful and responsive interface powered by the Ethereum blockchain to buy and browse NFTs.
## Main Features
* Users have the ability to search for assets by name and order assets by name and price.
* Users can purchase NFTs by linking their MetaMask wallet, with MetaMask serving as the platform for processing the transactions.
* Users have the ability to view the name, hash, and [etherscan.io](https://etherscan.io/) URL of items they've purchased on the website.
* The data is stored in a database for quicker retrieval, and all purchases are recorded on the Ethereum blockchain.
## Getting Started
These instructions will get you a copy of the project up and running on your local machine for development and testing purposes.
Firstly clone this repo in your computer
```
git clone git@github.com:Cachedd/Trading-Marketplace.git
```
### Frontend Deployment
- Make sure you are in the **Frontend Directory**.
- Run the command `npm install`.
- Run `npm start` to start the website.
### Backend Deployment
- Make sure you are in the **Backend Directory**.
- Run the command `npm install`.
- Run `npm run dev` to start the node server.
## Built With
* [ReactJS](https://react.dev/)
* [NodeJS](https://nodejs.org/en/about)
* [ExpressJS](https://expressjs.com/)
* [Solidity](https://soliditylang.org/)
* [MySQL](https://www.mysql.com/)
## License
This project is licensed under the MIT License - see the [LICENSE.md](LICENSE.md) file for details
| Trading marketplace made with MySQL, ReactJS, NodeJS, ExpressJS and Solidity. | express,expressjs,mysql,nodejs,react,solidity,reactjs,javascript | 2023-08-21T16:13:33Z | 2024-03-25T05:30:07Z | null | 4 | 4 | 33 | 0 | 0 | 2 | null | MIT | JavaScript |
jorgeprj/csgo-match-simulator | main | # CSGO Match Simulator
The idea of the project is to create a simulator of counter strike matches with a graphical interface with html/css.
## Description
This project is an interactive simulator of a CS:GO match, where users can select teams and then start the simulation to see the results of the match. The project uses a simple *JSON* database with teams and players.
### REALEASE 2.0
 |  | 
--- | --- | ---
 |  | 
The highlight is a complete overhaul of the visual design with enhanced CSS, providing a more immersive and stylized experience. Additionally, we've introduced the **player profile** system, allowing users to access detailed information about each match participant, including their *skills*, *complete name*, *age* and *country*.
Another valuable addition is the **match stats** feature, offering in-depth information about simulated matches, including the number of *kills*, *deaths*, and *ratings* for all players. This update also includes performance enhancements and bug fixes to ensure a stable and smooth experience.
In addition to these exciting features, we've expanded our database to accommodate even more gaming enthusiasts. We've added four additional teams, totaling *seven teams* with a roster of *35 players*.
## Database
The project has a database of teams and players. Below you can check the teams and players already included and their respective ids
### Teams
| Name | ID |
|------------------|----|
| Furia Esports | 1 |
| Imperial Esports | 2 |
| Fluxo | 3 |
| 9z Team | 4 |
| MIBR | 5 |
| Fake Natty | 6 |
| Pain Gaming | 7 |
### Players
| Name | ID |
|----------|----|
| FalleN | 1 |
| yuurih | 2 |
| arT | 3 |
| KSCERATO | 4 |
| chelo | 5 |
| boltz | 6 |
| VINI | 7 |
| JOTA | 8 |
| HEN1 | 9 |
| felps | 10 |
| Lucaozy | 11 |
| v$m | 12 |
| zevy | 13 |
| PKL | 14 |
| t9rnay | 15 |
| dgt | 16 |
| max | 17 |
| dav1deuS | 18 |
| buda | 19 |
| try | 20 |
| exit | 21 |
| brnz4n | 22 |
| insani | 23 |
| drop | 24 |
| saffee | 25 |
| coldzera | 26 |
| latto | 27 |
| dumau | 28 |
| nqz | 29 |
| NEKIZ | 30 |
| biguzera | 31 |
| skullz | 32 |
| cass1n | 33 |
| lux | 34 |
| kauez | 35 |
## Details
### Match Simulator

### Technologies Used



## Changelog
Can be checked by github itself in realeases.
| This project is an interactive simulator of a CS:GO match, where users can select teams and then start the simulation to see the results of the match. | counter-strike,counter-strike-global-offensive,csgo,css,html,html-css-javascript,javascript,simulator | 2023-09-01T04:11:04Z | 2024-02-17T04:00:26Z | 2023-09-08T02:46:30Z | 1 | 0 | 45 | 0 | 1 | 2 | null | MIT | JavaScript |
Almir-git-unifc/full-stack_crud_mongodb | master | <h1>MERN Stack CRUD Application</h1>
Cadastro: A basic MERN CRUD Full Stack Application using MongoDB and VITE
---------------------------------------------------------------------------------------------------------
STATUS:
<h3 align="center">
STATUS: 🔔 React VITE 🚀 App: Finished ... 🎯
</h3>
==========================================


--------------------------------------------------------------------------------------
<!-- START doctoc generated TOC please keep comment here to allow auto update -->
<!-- DON'T EDIT THIS SECTION, INSTEAD RE-RUN doctoc TO UPDATE -->
## Table of Contents
- [Intro](#Intro)
- [Feature](#Feature)
- [Technologies](#Technologies)
- [How To Use](#How-To-Use)
- [Author](#Author)
- [License](#License)
<!-- END doctoc generated TOC please keep comment here to allow auto update -->
# Intro <a name = "Intro"></a>
This project was developed:
- used MongoDB Atlas
- implemented confirmation feature on the Delete button
- added clearly demarcated Exits cancel buttons, on the 'Add User' and 'Update User' screens, to return to the homepage.
These were the differences, in relation to the original project, previously developed with MongoDB Compass Community by 'Code With Yousaf', found on Youtube with the title """MERN Stack CRUD Operations | Full Stack CRUD Operations | React, Node, Express & MongoDB"""
# Feature <a name = "Feature"></a>
- CRUD
- persistence in MongoDB
# Technologies <a name = "Technologies"></a>
In youtube's video this project was developed with MongoDB Comunnity local, however, in my devepoment
-used React, Express, Node.js, MongoDB,Bootstrap,
### Built With






## Requirements
#### You need a account in MongoDB Atlas
#### You can Try Free account in this url: https://www.mongodb.com/atlas/database
#### And you need Create a Database named crud and a Collection named users
# How-To-Use <a name = "How-To-Use"></a>
To clone and run this application, you'll need Git, Node.js v16.15 or higher + npm (used version 8.19.2) installed on your computer from your command line:
```
## Clone this repository
### $ `git clone https://github.com/Almir-git-unifc/mern_crud-app_vite_peoples_mongo.git`
## Install project vite
### $ `npm create vite@latest`
## choose name project, framework and variant
### $ `choose (your project named) vite-project `
### $ `(framework) React`
### $ `(variant) JavaScript`
```
### $ `Copy content project, was download of this Github repository, inside folder vite-project created before`
### $ `install the dependencies of this front-end`
npm install bootstrap axios react-router-dom
#### And you will need to update the index.js file in the server folder with the data from your connectionString in yourConnectionString variabel and tpour password in yourPassw variable.
## Run locally the app
### $ `cd folder-name-project (vite-project)`
### $ `npm install`
## Access client folder
### $ `cd client`
## install vite in client folder
### $ `npm run dev`
#### $ `use the Local link provided by VITE to access the server`
## open server folder
### $ `cd server`
### $ `install the dependencies of this server`
npm install express mongoose cors nodemon body-parser
update the main and script items of the package.json file in the server folder; this way:
"main": "index.js",
"scripts": {
"start": "nodemon index.js",
"test": "echo \"Error: no specified\" && exit 1",
},
## MongoDB Account:
### If you don't already have a MongoDB Atlas account
#### 1) Create an account on MongoDB Atlas, at:
##### https://account.mongodb.com/account/login
#### Or access MongoDB Atlas with your Github or Google account
#### 2) In MongoDB Atlas, create a DataBase with the desired name, and within it create a Collection with the name CRUD, or whatever name you prefer
### Once you have a MongoDB Atlas account; access the index.js file from the server folder, and...
#### 3.1) replace the term your-password in the variable yourPassw, with your MongoDB Atlas password
#### 3.2) and replace the @cluster...majority term in yourConnectionString variable with your MongoDB Atlas connection string
### save these changes
## run the server
### $ `npm start`
#### Verify id Users.jsx file contain a correct port in useEffect, in line: axios.get( ), in CreateUser.jsx file in line axios.post
<h5>
Enjoyed and if this is useful to you, give me a star 🌟
</h5>
# Author <a name = "Author"></a>
👤 **Almir**
- Github: [@Almir-git-hub](https://github.com/Almir-git-unifc)
| Full Stack Cadastro: A MERN CRUD Application using mongodb and react | bootstrap,html,javascript,react,crud-app,crud-application,full,full-stack-web-development,vitejs | 2023-08-26T00:33:20Z | 2023-12-10T21:27:52Z | null | 1 | 17 | 41 | 0 | 0 | 2 | null | null | JavaScript |
Hashuudev/Elite-Engineers | main | # Elite-Engineers
Dedicated guidance & assisting sellers, buyers in marketing, selling & purchasing property. Our experienced professionals are dedicated to providing you with quality services and products. Our team is experienced in a variety of construction projects, so we can offer you a wide range of options to choose from. We are committed to providing quality workmanship and customer service.
# About
Buy, sell, and build with confidence. Quality service and options that fit. Join us in redefining property transactions.
# Technology-Used
* HTML
* CSS
* JavaScript
* Bootstrap
* SCSS
* Php
* Swiper Bundle ( Library )
* VenoBox ( Library )
* Wow & Way Point ( Library )
# Screenshot

| Elite Engineers 🏗: Buy, sell, and build with confidence. Quality service and options that fit. Join us in redefining property transactions. | css,front-end-development,html,javascript,jquery,junior-developer,php,real-estate,real-estate-website,scss | 2023-08-18T20:38:05Z | 2023-08-18T20:55:30Z | null | 1 | 0 | 9 | 0 | 0 | 2 | null | null | HTML |
H1m9n5hu/React-Assignments | main | null | This is an Respository where I have pushed my all React Practice Projects and Assignments. | api,css3,html5,javascript,axios,fetch-api,mapping,pagination,react,react-hooks | 2023-09-11T13:13:15Z | 2024-05-12T19:56:01Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | null | JavaScript |
kzmfhm/3D-signup-form | main | # 3D-login-page
<a name="readme-top"></a>
<div align="center">
<p>
A 3D login page is an immersive and visually engaging web interface that incorporates three-dimensional design elements to enhance user interaction and create a unique login experience.<br/>
<br/>
Built by: @kzm
<br/>
</p>
</div>
<!-- TABLE OF CONTENTS -->
<details>
<summary>Table of Contents</summary>
<ul>
<li> <a href="#about-the-project">About The Project</a></li>
<li><a href="#photos">Photos</a></li>
<li><a href="#built-with">Built With</a></li>
<li><a href="#description">Description</a></li>
<li><a href="#getting-started">Getting Started</a></li>
<li><a href="#installation">Installation</a></li>
<li><a href="#Support">Support</a></li>
</ul>
</details>
<!-- ABOUT THE PROJECT -->
## About The Project
### Photos


<p align="right"><a href="#readme-top">back to top</a></p>
### Built With



<p align="right"><a href="#readme-top">back to top</a></p>
### Description
Thank you for your understanding and viewing this simple animation project.
If you like what you see, I'd be truly grateful if you consider giving it a star 🌟
Your appreciation means a lot!🌟
<h3>TL;DR</h3>
Feel free to fork this repo for your own purposes.
<p align="right"><a href="#readme-top">back to top</a></p>
<!-- GETTING STARTED -->
## Getting Started
To get a local copy up and running follow these simple example steps.
### Installation
1. Clone the repo
```sh
git clone https://github.com/kzmfhm/3D-login-page.git
```
2. Copy path of index.html and open browser to view Project.Then vew 3D-Animation!
<p align="right"><a href="#readme-top">back to top</a></p>
### ⭐️Support
Give a ⭐️ if this project helped you!
<p align="right"><a href="#readme-top">back to top</a></p>
| This is a 3D SignUp or SignIn page made using HTML, CSS and JavaScript. | css,html,html-css-javascript,javascript | 2023-09-10T04:55:20Z | 2023-10-07T08:00:35Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | MIT | CSS |
Avanishsri31/ASocial-Frontend | main | # ASocial-Frontend
ASocial is social media website which is build using MERN Stack
## 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)
| ASocial is social media website which is build using MERN Stack | css3,expressjs,javascript,mogoose,mongodb,mongodb-atlas,nodejs,reactjs | 2023-08-24T18:58:38Z | 2023-11-04T18:45:04Z | null | 1 | 0 | 7 | 0 | 0 | 2 | null | null | JavaScript |
Omixo/login_form | main | null | Login Form | css,html,javascript,php | 2023-09-05T07:07:47Z | 2023-09-05T07:35:41Z | null | 1 | 1 | 4 | 0 | 0 | 2 | null | null | HTML |
mo7amedaliEbaid/todolist-reactNative | master | ## todolist-reactNative
Simple Todo App built with React Native
| Simple todo app built with react native | javascript,react-native,todolist | 2023-08-11T00:09:38Z | 2023-08-11T02:27:07Z | null | 2 | 0 | 5 | 0 | 0 | 2 | null | null | JavaScript |
Asimji/EduHub | main | # Eduhub
Eduhub is a dynamic e-learning platform that offers a wide range of courses to students. Whether you're looking to enhance your skills or explore new topics, Eduhub provides a user-friendly interface to access educational content.
Visit the live site: https://eduhub-one.vercel.app/
## Features
- **User Authentication**: Secure login and registration system to access course materials.
- **Course Catalog**: Browse through a diverse catalog of courses on various subjects.
- **Course Details**: Get detailed information about each course, including syllabus, instructor, and reviews.
- **Responsive Design**: A seamless experience on both desktop and mobile devices.
## Technologies Used
- **Frontend**: Angular, Tailwind CSS
- **Backend**: Node.js, MongoDB
- **Development Approach**: Built using Prompt Engineering techniques
## Getting Started
To run Eduhub locally, follow these steps:
1. Clone this repository:
- git clone https://github.com/Asimji/eduhub.git
2. Navigate to the project directory:
- bash
- Copy code
- cd eduhub
3. Install dependencies:
- bash
- Copy code
- npm install
4. Start the development server:
- bash
- Copy code
- npm start
- Open your browser and go to http://localhost:4200 to access Eduhub.
Project Structure
Here's a brief overview of the project structure:
1. /src: Contains the Angular frontend code.
2. /server: Contains the Node.js backend code.
3. /docs: Attach all the documentation and screenshots here.
Screenshots
<img src="frontend\eduhub\src\assets\edu-register.png" alt="screenshot" />
<img src="frontend\eduhub\src\assets\edu-login.png" alt="screenshot" />
<img src="frontend\eduhub\src\assets\edu-home.png" alt="screenshot" />
<img src="frontend\eduhub\src\assets\edu-course.png" alt="screenshot" />
<img src="frontend\eduhub\src\assets\edu-single.png" alt="screenshot" />
## Contributing
We welcome contributions from the community. If you have suggestions, improvements, or bug fixes, please open an issue or submit a pull request.
## License
This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details.
---
| Eduhub is not a company, but rather an ambitious project aimed at creating an online learning platform, designed to provide accessible and quality education to a wide audience, offering a diverse range of courses and resources. | angular,javascript,mongodb,nodejs,tailwindcss | 2023-08-27T07:13:44Z | 2023-09-23T10:03:25Z | null | 1 | 1 | 12 | 8 | 0 | 2 | null | null | HTML |
NguyenNam6689/shopping-cart-order-food | main | # shopping-cart-order-food | null | css,html5,javascript | 2023-09-08T10:25:04Z | 2023-09-18T04:02:29Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
zahraabs/FinallProjectHangMan | main | # FinallProjectHangMan
The final project of javascript course in karyar institute
| null | css3,html5,javascript | 2023-08-17T09:39:39Z | 2023-09-15T19:42:28Z | null | 1 | 0 | 45 | 0 | 0 | 2 | null | null | JavaScript |
CodewWizard/complete-reactjs | main | # complete-reactjs
Dive in and learn React.js from scratch! Learn React, Hooks, Redux, React Router, Next.js!
| Dive in and learn React.js from scratch! Learn React, Hooks, Redux, React Router, Next.js. | javascript,reactjs,react-router,react-router-dom | 2023-08-17T09:30:42Z | 2023-10-19T06:19:42Z | null | 1 | 0 | 99 | 0 | 0 | 2 | null | null | JavaScript |
SwasticKumar/aditya-L1-launch-using-callback-promise | master | # aditya-L1-launch-using-callback-promise

| Aditya-L1 Spacecarft Launch | css,dom-manipulation,html,javascript,promise,state-management | 2023-09-02T19:26:37Z | 2023-09-19T20:54:56Z | null | 1 | 0 | 9 | 0 | 0 | 2 | null | null | CSS |
devdashk66/stodeo-agency | main | # Stodeo - Modern Website Template
Stodeo is a modern and responsive website template built with Next.js, Tailwind CSS, and Swiper JS. It features a clean design, smooth animations, and various sections for showcasing your projects, connecting with social media, and providing contact information. Ideal for personal portfolios and practice purposes.

## Features
- Built with Next.js for a fast and optimized frontend.
- Utilizes Tailwind CSS for a clean and responsive design.
- Includes Swiper JS for smooth and interactive content slideshows.
- Connect with your audience through social media links.
- Showcase your skills, projects, and contact information.
## Demo
You can check out the live demo of the Stodeo template [here](https://stodeo-agency.vercel.app).
## Getting Started
To get started with Stodeo, follow these steps:
1. First clone the repository:
```
git clone https://github.com/devdashk66/stodeo-agency.git
```
2. Then, install node modules:
```
npm i
```
3. And run the development server:
```
npm run dev
```
# or
```
yarn dev
```
# or
```
pnpm dev
```
4. Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
| Stodeo - A modern and responsive website template built with Next.js, Tailwind CSS, and Swiper JS. It features a clean design, smooth animations, and various sections for showcasing your projects, connecting with social media, and providing contact information. Ideal for personal portfolios and practice purposes. | css3,frontend,html5,javascript,nextjs,swiper-js,tailwind-css,ui,vscode,agency | 2023-09-01T06:14:19Z | 2023-09-14T11:11:13Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | null | JavaScript |
fayzankj/Cynthia-Ugwu-Website | main | null | (www.awwwards.com) honored website | css3,gsap,html5,javascript,locomotive-scroll | 2023-08-17T18:28:35Z | 2023-08-17T18:41:14Z | null | 1 | 0 | 2 | 0 | 0 | 2 | null | null | CSS |
ElyasShamal/Toy-Tale | main | # Toy Tale
## Hi, this project created in 2 repository
1 . Clone this repository to your local machine
front-end repository => https://github.com/ElyasShamal/Toy-Tale
Backend repository => https://github.com/ElyasShamal/Toy-Tale-backend
2 . Open a terminal or command prompt and navigate to the project directory.
### simple project using (Html Css JavaScript)
1. For learning purposes
2. How to use fetch requests "GET" "POST" "PATCH" "DELETE"
3. Deployed link: => https://toy-tale.netlify.app/
4. The final project looks like this:

| simple project using Html Css JavaScript | css,html,javascript,fetch-api | 2023-08-26T02:55:46Z | 2023-09-22T22:15:04Z | null | 1 | 0 | 24 | 0 | 2 | 2 | null | MIT | JavaScript |
adarshswaminath/CopySlate | main | <h1 align="center">CopySlate</h1>
<div align="center">
CopySlate is a web application that allows you to share text instantly across internet. It lets you enter data in a URL, making it accessible from anywhere
## Demo
Check out the live demo of CopySlate: [copyslate.vercel.app](https://copyslate.vercel.app)
## Technologies Used




## Contributing
Contributions are welcome! Feel free to open an issue or submit a pull request.
</div>
| CopySlate is a web application that allows you to share text instantly across internet. It lets you enter data in a URL, making it accessible from anywhere | javascript,nextjs,prisma,tailwindcss,vercel | 2023-08-21T21:19:31Z | 2023-09-06T08:40:35Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | null | JavaScript |
kareena0211/Foodies-Blog | main | # Foodies-Blog
Foodies Project Description
#Overview
The Foodies project is a modern and responsive website that caters to food enthusiasts, offering a delightful online experience. This project showcases the use of web technologies, including HTML, CSS, and JavaScript, along with popular frameworks like Bootstrap to create an engaging and visually appealing platform. Foodies is designed to provide information about the world of food, including recipes, reviews, and more.
#Key Features
#1. Navigation :-
The website features a responsive navigation bar that collapses on smaller screens for easy access to different sections.
Users can navigate to various sections like Home, About Us, Explore Foods, Reviews, and FAQ.
#2. Home Section :-
The homepage welcomes visitors with a captivating image and a compelling slogan: "Good choices are good investments."
It encourages users to explore and order food right away, with visually appealing buttons.
#3. Counter Section :-
An engaging section displays animated counters highlighting key statistics such as savings, photos, rockets, and globes.
#4. About Section :-
The About Us section introduces the website's mission of making real food from the best ingredients.
It presents information about the food preparation process and encourages users to learn more.
#5. Story Section :-
This section tells the story of food's importance in people's lives, accompanied by an inspiring quote.
Users can dive deeper into the narrative by clicking "Read More."
#6. Explore Food Section
Users can explore a selection of mouthwatering dishes presented in cards.
Each dish includes an image, preparation time, pricing details, and an option to order.
#7. Testimonial Section :-
The Testimonial section features user reviews with images and quotes, adding credibility to the website.
Users can slide through different testimonials for a more immersive experience.
#8. FAQ Section :-
Frequently Asked Questions are presented in an easy-to-read format, providing answers to common queries.
Users can quickly find information about the freshness of the bread, ingredients, online ordering, and future store openings.
#9. Book Food Section :-
This section invites users to learn more about the website's commitment to baking fresh food daily.
A "Learn More" button directs users to explore further.
#10. Newsletter Section :-
The Newsletter section encourages users to subscribe for a 25% discount, using a simple email submission form.
It emphasizes the limited-time offer without requiring credit card information.
#11. Footer :-
The footer contains important links such as Registration, Forum, Affiliate, and FAQ.
Social media icons link to the website's social profiles.
# Technologies Used :-
#HTML: Structured the web page content.
#CSS: Styled the website, making it visually appealing and responsive.
#JavaScript: Enhanced user interactions and animations.
#Bootstrap: Utilized for responsive design, navigation, and layout components.
# How to Contribute:-
If you'd like to contribute to the Foodies project, you can fork the repository, make changes or improvements, and submit a pull request.
Feel free to raise issues if you encounter bugs or have ideas for enhancements.
Contributions in the form of new recipes or content for the website are also welcome.
# Credits :-
The project utilizes icons from Font Awesome and images from the project's image directory.
Bootstrap and other third-party libraries are credited for their contributions to the responsive design.
Project Status :-
As of [11-09-2023], the Foodies project is actively maintained and open to contributions.
# Conclusion
The Foodies project is a visually appealing and user-friendly website that celebrates the love for food. It offers an engaging platform for exploring delicious recipes, reading reviews, and staying informed about food-related topics. The project is an excellent example of modern web development techniques and can be a valuable resource for food enthusiasts and developers looking to learn web development.
| Foodies: A visually appealing, user-friendly website celebrating the love for food. Explore recipes, reviews, and more in this modern web development showcase , Using Bootstarp. Ideal for food enthusiasts and developers seeking web development insights.Completely responsive. | bootstrap5,css3,html5,javascript | 2023-09-09T17:04:42Z | 2024-02-07T05:32:41Z | null | 1 | 0 | 19 | 0 | 0 | 2 | null | null | HTML |
KivaVlad/Google-books | main | ## Проект Google книги
## Задание
Необходимо разработать React-приложение поиска книг с помощью Google Books API. Документация: https://developers.google.com/books/docs/v1/using. Для авторизации запросов к API выбрать способ с предоставлением API key (https://developers.google.com/books/docs/v1/using#APIKey).
Дополнительным плюсом будет: Финальный билд приложения должен быть запускаться из __Docker контейнера__ (хотябы с минимальной конфигурацией)
__Функционал__
- Должны быть текстовое поле и кнопка поиска. По введенной пользователем подстроке производится поиск книг. Триггером к поиску является либо нажатие Enter (когда текстовое поле в фокусе), либо нажатие кнопки поиска.
- Фильтрация по категориям. Ниже текстового поля располагается селект с категориями: all, art, biography, computers, history, medical, poetry. Если выбрано "all" (выбрано изначально), то поиск производится по всем категориям.
- Сортировка. Рядом с селектом категорий находится селект с вариантами сортировки: relevance (выбран изначально), newest.
- Найденные книги отображаются карточками, каждая из которых состоит из изображения обложки книги, названия книги, названия категории и имен авторов. Если для книги приходит несколько категорий, то отображается только первая. Авторы отображаются все. Если не приходит какой-либо части данных, то вместо нее просто пустое место.
- Над блоком с карточками отображается количество найденных по запросу книг.
- Пагинация реализована по принципу 'load more'. Ниже блока с карточками находится кнопка 'Load more', по клику на нее к уже загруженным книгам подгружаются еще. Шаг пагинации - 30.
- При клике на карточку происходит переход на детальную страницу книги, на которой выводятся ее данные: изображение обложки, название, все категории, все авторы, описание.
__Технологии, используемые в разработке__
-React.js, Redux-toolkit
| Поиск книг по названия с помощью Google API | javascript,react,redux-toolkit | 2023-09-05T06:03:54Z | 2024-01-28T20:41:13Z | null | 1 | 7 | 28 | 0 | 0 | 2 | null | null | SCSS |
pkomon-tgm/heightmap-gen | main | # heightmap-gen
JavaScript heightmap generator using spectral synthesis, [three.js](https://threejs.org/) and [math.js](https://mathjs.org/)
The demo is available [here](https://pkomon-tgm.github.io/heightmap-gen/).
## How does it work?
On a regular grid, a sample is generated for every grid point.
These samples represent the height of each vertex on the grid.
The samples are generated based on [fractal Brownian motion (fBm)](https://en.wikipedia.org/wiki/Fractional_Brownian_motion).
We approximate fBm by
1. calculating (uniformly distributed) random values for every grid point
2. calculating the discrete two-dimensional Fourier transform of these random values
3. scaling the Fourier coefficients with $\frac{1}{(af_x + bf_y)^H}$
* $f_x$, $f_y$ frequencies in $x$, $y) direction, respectively
* $H$ hurst exponent ("roughness")
* $a$, $b$ factors for scaling frequencies
4. calculating the Inverse two-dimensional Fourier transform from the scaled coefficient
## How to run?
Run a local web server and use the repository's root directory as root.
| JavaScript heightmap generator using spectral synthesis | fourier-transform,javascript,terrain-generation,webgl | 2023-08-20T15:30:54Z | 2023-08-27T14:39:45Z | null | 1 | 0 | 21 | 0 | 0 | 2 | null | MIT | JavaScript |
MonsterDeveloper/moysklad-ts | main | # moysklad-ts
<a href="https://gitpod.io/#https://github.com/MonsterDeveloper/moysklad-ts" rel="nofollow noopener noreferrer" target="_blank" class="after:hidden"><img src="https://gitpod.io/button/open-in-gitpod.svg" alt="Open in Gitpod"></a>




`moysklad-ts` is a fully-typed API wrapper for [Moysklad](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api). This monorepo consists of:
- [moysklad-ts](./packages/moysklad-ts) - the main package
- [docs](./apps/docs) - the documentation [website](https://moysklad-ts.vercel.app/)
## Usage
### Installation
<img height="18" src="https://raw.githubusercontent.com/PKief/vscode-material-icon-theme/main/icons/npm.svg"> npm
```bash
npm i moysklad-ts
```
<details>
<summary>Other package managers</summary>
<img height="18" src="https://raw.githubusercontent.com/PKief/vscode-material-icon-theme/main/icons/pnpm.svg"> pnpm
```bash
pnpm add moysklad-ts
```
<img height="18" src="https://raw.githubusercontent.com/PKief/vscode-material-icon-theme/main/icons/yarn.svg"> Yarn
```bash
yarn add moysklad-ts
```
<img height="18" src="https://raw.githubusercontent.com/PKief/vscode-material-icon-theme/main/icons/bun.svg"> bun
```bash
bun add moysklad-ts
```
<img height="18" src="https://raw.githubusercontent.com/PKief/vscode-material-icon-theme/main/icons/deno.svg"> Deno
```typescript
import { Moysklad } from "https://esm.sh/moysklad-ts";
```
</details>
### Example
```typescript
import { Moysklad, MoyskladApiError } from "moysklad-ts";
const moysklad = new Moysklad({
auth: {
token: "123"
}
});
try {
const { rows: bonusTransactions } = await moysklad.bonusTransaction.list({
expand: { bonusProgram: true }
});
} catch (error) {
if (error instanceof MoyskladApiError) {
console.error(error.message, error.code, error.moreInfo);
return;
}
console.error(error);
}
```
## Documentation
The documentation is available [here](https://moysklad-ts.vercel.app/).
Документация на русском языке доступна [здесь](https://moysklad-ts.vercel.app/ru/).
## Contributing
Please read the [contributing guidelines](../../CONTRIBUTING.md) before submitting a pull request.
## License
This project is licensed under the [GPL-3.0 license](../../LICENSE).
## Roadmap
### Core features
- ✅ API Client
- ✅ One-level expand
- ✅ Nested expand
- ✅ [Ordering](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api-obschie-swedeniq-sortirowka-ob-ektow)
- ✅ [Search](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api-obschie-swedeniq-kontextnyj-poisk)
- ✅ [Filtering](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api-obschie-swedeniq-fil-traciq-wyborki-s-pomosch-u-parametra-filter)
- ⭕ [Named filters](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-sohranennye-fil-try-poluchit-fil-tr-po-id)
- ⭕ [Attributes](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api-obschie-swedeniq-rabota-s-dopolnitel-nymi-polqmi)
- ⭕ [Positions](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api-obschie-swedeniq-rabota-s-poziciqmi-dokumentow)
- ⭕ [Async tasks](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api-asinhronnyj-obmen)
### Endpoints
- ⭕ [Metadata](https://dev.moysklad.ru/doc/api/remap/1.2/#mojsklad-json-api-obschie-swedeniq-metadannye)
- ⭕ [Assortment](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-assortiment)
- ⭕ [Bonus transaction](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-bonusnaq-operaciq)
- ⭕ [Bonus program](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-bonusnaq-programma)
- ⭕ [Currency](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-valuta)
- ⭕ [Webhook](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-vebhuki)
- ⭕ [Stock webhook](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-vebhuk-na-izmenenie-ostatkow)
- ⭕ [Processing plan folder](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-gruppa-tehkart)
- ⭕ [Product folder](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-gruppa-towarow)
- ⭕ [Contract](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-dogowor)
- ⭕ [UOM](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-edinica-izmereniq)
- ⭕ [Task](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-zadacha)
- ⭕ [Sales channel](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-kanal-prodazh)
- ⭕ [Cashier](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-kassir)
- ⭕ [Bundle](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-komplekt)
- ⭕ [Counterparty](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-kontragent)
- ⭕ [Variant](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-modifikaciq)
- ⭕ [Company settings](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-nastrojki-kompanii)
- ⭕ [User settings](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-nastrojki-pol-zowatelq)
- ⭕ [Group](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-otdel)
- ⭕ [Subscription](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-podpiska-kompanii)
- ⭕ [Role](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-pol-zowatel-skie-roli)
- ⭕ [Custom entity](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-pol-zowatel-skij-sprawochnik-pol-zowatel-skie-sprawochniki)
- ⭕ [Project](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-proekt)
- ⭕ [Region](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-region)
- ⭕ [Consignment](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-seriq)
- ⭕ [Discount](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-skidki)
- ⭕ [Store](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-sklad)
- ⭕ [Employee](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-sotrudnik)
- ⭕ [Named filter](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-sohranennye-fil-try)
- ⭕ [Tax rate](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-stawka-nds)
- ⭕ [Expense item](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-stat-q-rashodow)
- ⭕ [Country](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-strana)
- ⭕ [Processing plan](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-tehkarta)
- ⭕ [Processing process](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-tehprocess)
- ⭕ [Price type](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-tipy-cen)
- ⭕ [Product](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-towar)
- ⭕ [Retail store](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-tochka-prodazh)
- ⭕ [Service](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-usluga)
- ⭕ [Variant's characheristic](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-harakteristiki-modifikacij)
- ⭕ [Embedded template](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-shablon-pechatnoj-formy)
- ⭕ [Organization](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-jurlico)
- ⭕ [Processing stage](https://dev.moysklad.ru/doc/api/remap/1.2/dictionaries/#suschnosti-jetap-proizwodstwa)
| Fully-typed Moysklad JSON API client | api,erp,javascript,moysklad,typescript,wrapper | 2023-09-10T20:36:45Z | 2024-03-23T12:33:51Z | 2024-03-23T12:33:51Z | 2 | 24 | 219 | 0 | 1 | 2 | null | GPL-3.0 | TypeScript |
FARZINzx/Mini-Projects | master | null | There is 7 mini project that made by html css js and React ( I will create more in nearly future) | css3,html-css-javascript,html5,javascript,miniproject,react,reactjs | 2023-08-29T11:39:24Z | 2023-09-04T09:47:56Z | null | 1 | 0 | 70 | 0 | 0 | 2 | null | null | CSS |
Ilmakhan7/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 | famermotion,javascript,jsx,portfolio-website,react-router,reactjs | 2023-08-29T14:53:20Z | 2023-08-29T15:09:27Z | null | 1 | 0 | 2 | 0 | 0 | 2 | null | null | JavaScript |
Awi-Corp/Leafy | main | <p align="center">
<img width=100% src="https://github.com/Awi-Corp/Leafy/assets/75323873/be3d2a44-6717-4926-9ebb-20171f3bada6" />
</p>
<p align="center">"Un simple bot multitarea en español para Discord"</p>
<p align="center">
<a href="https://discord.com/">
<img alt="Discord" src="https://img.shields.io/badge/Discord-5865F2?style=for-the-badge&logo=discord&logoColor=white" />
</a>
<img alt="JavaScript" src="https://img.shields.io/badge/JavaScript-323330?style=for-the-badge&logo=javascript&logoColor=F7DF1E" />
<a href="https://nodejs.org">
<img alt="Node.js" src="https://img.shields.io/badge/Node.js-339933?style=for-the-badge&logo=nodedotjs&logoColor=white" />
</a>
</p>
---
## 🗃 Requisitos
Node.js: [v20.x^](https://nodejs.org/en/download)\
NPM: [v10.x^](https://docs.npmjs.com/downloading-and-installing-node-js-and-npm)\
*(Técnicamente puedes usar este bot incluso con [Node.js v16](https://discordjs.guide/preparations/#installing-node-js), pero lo programé todo usando con la última versión estable disponible de Node.js)*
## 📷 Screenshots
<p align="center">
<img width=30% src="https://github.com/Awi-Corp/Leafy/assets/75323873/a39c2ebc-25d4-4130-942f-70a66c8e1e4e" />
<img width=46.3% src="https://github.com/Awi-Corp/Leafy/assets/75323873/ca1c63dd-3321-4bfb-ba81-a3537fbc089a" />
</p>
## 🚀 Instalarlo
1. Clonar el proyecto y entrar a la carpeta.
```bash
git clone https://github.com/Awi-Corp/Leafy.git
cd Leafy
```
2. Crea un archivo llamado: "config.json", copiando la plantilla de: "[config_example.json](https://github.com/Awi-Corp/Leafy/blob/main/config_example.json)" y remplazar las variables.
```
"TOKEN": "Token del bot (https://discord.com/developers)",
|
V
"TOKEN": "ODg5N...
```
3. Instalar las dependencias.
```bash
# yarn
yarn install
# npm
npm install
```
4. Encender el bot.
```bash
# yarn
yarn start
# npm
npm run start
```
## ✨ Contribuidores
<!-- ALL-CONTRIBUTORS-LIST:START - Do not remove or modify this section -->
<!-- prettier-ignore-start -->
<!-- markdownlint-disable -->
<table>
<tbody>
<tr>
<td align="center" valign="top" width="14.28%"><a href="https://timmy1236.me/"><img src="https://avatars.githubusercontent.com/u/75323873?v=4?s=100" width="100px;" alt="Timmy"/><br /><sub><b>Timmy</b></sub></a><br /><a href="https://github.com/Awi-Corp/Leafy/commits?author=Timmy1236" title="Code">💻</a></td>
<td align="center" valign="top" width="14.28%"><a href="https://www.demitard.tech"><img src="https://avatars.githubusercontent.com/u/78510889?v=4?s=100" width="100px;" alt="Demitard"/><br /><sub><b>Demitard</b></sub></a><br /><a href="https://github.com/Awi-Corp/Leafy/commits?author=Mendo6472" title="Code">💻</a></td>
</tr>
</tbody>
</table>
<!-- markdownlint-restore -->
<!-- prettier-ignore-end -->
<!-- ALL-CONTRIBUTORS-LIST:END -->
<!-- ALL-CONTRIBUTORS-BADGE:START - Do not remove or modify this section -->
[](#contributors-)
<!-- ALL-CONTRIBUTORS-BADGE:END -->
## 🔐 Licencia
Proyecto licenciado con "[MIT license](https://mit-license.org/)"
| Un simple bot multitarea en español para Discord. | discord,discord-bot,discord-js,javascript,node-js,spanish | 2023-08-29T22:16:30Z | 2024-05-01T22:09:07Z | null | 2 | 7 | 108 | 0 | 0 | 2 | null | MIT | JavaScript |
ojonatasquirino/estudos-js | main | <h1 align="center"> JavaScript </h1>
[comment]: <> (Adicione o seu usuário e o nome do repositório)
<p align="center">
<image
src="https://img.shields.io/github/languages/count/ojonatasquirino/estudos-js"
/>
<image
src="https://img.shields.io/github/languages/top/ojonatasquirino/estudos-js"
/>
<image
src="https://img.shields.io/github/last-commit/ojonatasquirino/estudos-js"
/>
</p>
# sumário
- [objetivos](#id01)
- [descrição detalhada](#id01.01)
- [tecnologias de estudos](#id04)
- - [documentação e cursos](#id04.01)
- [ambiente de codificação](#id05)
- [clonagem e instalação](#id06)
- [autoria](#id07)
## Eloquent JavaScript (Marijn Haverbeke)
Além dos meus estudos em cima da documentação oficial do JavaScript e de outros materias didáticos, colocarei uma síntese da minha leitura por capítulo desse livro/e-book que saiu sua 4ª edição recentemente. As outras edições não estão obsoletas, mas de uma edição para outra, passam-se anos e o JS está sempre em desenvolvimento e aprimoramento das suas funcionalidades.
Acesse o e-book gratuitamente: **<a href='https://eloquentjavascript.net/'>Eloquent JavaScript — Marijn Haverbeke</a>.**
# objetivos <a name="id01"></a>
Ambiente de estudo focado na exploração avançada de conceitos como programação funcional, assincronicidade, closures e padrões de design. Projetos práticos são utilizados para a aplicação direta desses conceitos, visando um domínio mais profundo da linguagem para desenvolvimento web e aplicações dinâmicas.
# descrição detalhada <a name="id01.01"></a>
Aqui pretendo explorar a sintaxe e funcionalidades principais do JavaScript, mas também aprofundar-me em conceitos mais avançados, como closures, promessas, manipulação de eventos, padrões de design UI/UX e assíncronismo. Para isso, estou desenvolvendo projetos práticos que me permitem aplicar esses conceitos em contextos reais.
Ao explorar tópicos como programação funcional, orientação a objetos e boas práticas de desenvolvimento, busco fortalecer não apenas a capacidade de escrever código, mas também a habilidade de criar soluções robustas e escaláveis.
Este repositório servirá como um registro do meu progresso e insights obtidos ao longo do estudo. Além disso, espero sirva como recurso educacional, como tutoriais e guias, para ajudar outros estudantes e desenvolvedores que estão trilhando o caminho de aprendizado em JavaScript compreendam essa linguagem de uma forma clara e prática.
# tecnologias de estudo <a name="id04"></a>
<div align='center'>

[comment]: <> (link para adicionar badges: https://dev.to/envoy_/150-badges-for-github-pnk)
</div>
# documentação e cursos <a name="id04.01"></a>
<div align='center'>
[](https://developer.mozilla.org/pt-BR/docs/Web/JavaScript)

[](https://eloquentjavascript.net/)
</div>
# ambiente de codificação <a name="id05"></a>
<div align='center'>




</div>
# clonagem e instalação <a name="id06"></a>
Clone este repositório usando o comando:
```bash
git clone https://github.com/ojonatasquirino/estudos-js.git
```
[comment]: <> (Adicione o link da implatação, se houver)
# autoria <a name="id07"></a>
[comment]: <> (Adicione seu nome e função)
<h3 align='center'> @ojonatasquirino • desenvolvedor front-end
</h3>
##
[comment]: <> (Adicione as suas redes sociais e profissionais)
<div align='center'>
[](https://www.linkedin.com/in/jonatasquirino/)
<a href = "mailto:quirinoj02@gmail.com">
</a>
[](https://twitter.com/ojonatasquirino)
[](https://bit.ly/linkquirino)
[](https://www.tabnews.com.br/ojonatasquirino)
[](https://www.github.com/ojonatasquirino)
</div>
| Documentação dos meus estudos em JavaScript. Conteúdos didáticos, aplicações e curiosidades sobre a linguagem. | javascript,front-end | 2023-08-21T00:47:00Z | 2024-04-25T12:44:57Z | null | 1 | 0 | 65 | 0 | 0 | 2 | null | null | JavaScript |
OrlyJunior/Entra_21_Opporteenity | main | <h1>Opporteenity</h1>
<p>O projeto Opporteenity foi desenvolvido como trabalho de conclusão do grupo Opporteenity da turma de C# do Entra21 2023. O projeto foi criado seguindo o padrão ASP.NET MVC com C#, e utilizando duas APIs: o ViaCEP e o Opencage GeoCoding. Para armazenar os dados foi utilizado o banco de dados MySQL.</p>
<h2>Objetivo</h2>
O objetivo do Opporteenity é ser uma plataforma de vagas de emprego online com foco em jovens de 14 a 24 anos e tornar mais simples o processo para o jovem encontrar, se candidatar a vagas e se comunicar com a empresa contratante.</p>
<h3>Diferenciais</h3>
<p>O Opporteenity tem dois principais diferenciais em relação a outras plataformas de vagas de emprego: a geolocalização e a criação de currículo simplificada.</p>
<h4>Geolocalização</h4>
<p>Utilizamos a API Opencage GeoCoding para calcular a distância entre a casa do jovem e as vagas de emprego e filtrá-las, mostrando primeiro as vagas mais próximas à residência do jovem. Isso nos ajuda a criar uma experiência mais personalizada e mostrar vagas de emprego mais relevantes para o jovem.</p>
<h4>Currículo</h4>
<p>Um desafio que muitos jovens entrando no mercado de trabalho enfrentam é não saber criar um currículo, pois muitas vezes não sabem quais informações são relevantes, como formatar seu currículo, etc... O Opporteenity soluciona este problema fornecendo um template de currículo onde o jovem precisa apenas preencher seus dados, habilidades e experiências profissionais passadas.</p>
| Projeto de conclusão da edição 2023 do Entra21 da equipe Opporteenity. | aspnet-mvc,csharp,entra21,web-application,css3,html5,javascript,mysql | 2023-09-01T18:23:37Z | 2024-03-18T00:52:42Z | null | 7 | 0 | 91 | 0 | 0 | 2 | null | null | HTML |
nataliusta/async_redux | main | null | Using async actions, Thunk, HTTP requests, side effects with Redux | javascript,raect,redux,redux-toolkit | 2023-09-01T20:24:56Z | 2023-09-06T16:59:11Z | null | 1 | 0 | 22 | 0 | 0 | 2 | null | null | JavaScript |
daniel-oliv3/next-js_13 | main | ##
### Next JS - 13
##
<p align="center">
<img alt="...." src="./assets/nextjs_icon_132160.png" width="80%">
</p>
**Next.js**
Next.js é uma estrutura da web de desenvolvimento front-end React de código aberto criada por Vercel que permite funcionalidades como renderização do lado do servidor e geração de sites estáticos para aplicativos da web baseados em React. É uma estrutura pronta para produção que permite que os desenvolvedores criem rapidamente sites JAMstack estáticos e dinâmicos e é amplamente usada por muitas grandes empresas
**Plano de fundo**
Next.js é uma estrutura React que permite vários recursos extras, incluindo renderização do lado do servidor e geração de sites estáticos. React é uma biblioteca JavaScript tradicionalmente usada para construir aplicações web renderizadas no navegador do cliente com JavaScript. Os desenvolvedores reconhecem vários problemas com esta estratégia, no entanto, como não atender aos usuários que não têm acesso ao JavaScript ou o desativaram, problemas de segurança em potencial, tempos de carregamento de página significativamente estendidos e pode prejudicar a otimização geral do mecanismo de pesquisa do site. Frameworks como Next.js contornam esses problemas, permitindo que parte ou todo o site seja renderizado no lado do servidor antes de ser enviado ao cliente. Next.js é um dos componentes mais populares disponíveis no React.
O Google fez uma doação para o projeto Next.js, contribuindo com 43 solicitações pull em 2019, onde ajudaram na remoção de JavaScript não utilizado, reduzindo o tempo de sobrecarga e adicionando métricas aprimoradas. Em março de 2020, a estrutura é usada por muitos sites, incluindo Netflix, GitHub, Uber, Ticketmaster e Starbucks. No início de 2020, foi anunciado que Vercel havia garantido 21 milhões de dólares americanos em financiamento da Série A para apoiar melhorias no software. O autor original do framework, Guillermo Rauch, é atualmente o CEO da Vercel e o desenvolvedor principal do projeto é Tim Neutkens.
**Estilo e recursos**
A estrutura Next.js utiliza a arquitetura JAMstack, que distingue entre front-end e back-end e permite o desenvolvimento de front-end eficiente que é independente de quaisquer APIs de back-end. A estrutura suporta CSS comum, bem como Scss e Sass pré-compilados, CSS-in-JS e JSX estilizado. Além disso, é construído com suporte TypeScript e pacote inteligente.
- Fonte:
- Link: https://pt.wikipedia.org/wiki/Next.js
### 1 - VAMOS DAR INÍCIO A ESTA AVENTURA!
**Next JS**
- Link: https://nextjs.org/
**Terminal do vscode**
- Criar o projeto nextjs
```
npx create-next-app@latest
```
- Exemplo
- next-js_001
### 2 - PRIMEIRO CONTACTO COM A DOCUMENTAÇÃO
**O que é Next.js?**
Next.js é uma estrutura React para construir aplicativos web full-stack. Você usa React Components para construir interfaces de usuário e Next.js para recursos e otimizações adicionais.
Nos bastidores, Next.js também abstrai e configura automaticamente as ferramentas necessárias para React, como agrupamento, compilação e muito mais. Isso permite que você se concentre na construção de seu aplicativo em vez de perder tempo com configuração.
Quer você seja um desenvolvedor individual ou parte de uma equipe maior, Next.js pode ajudá-lo a construir aplicativos React interativos, dinâmicos e rápidos.
- Documentação: https://nextjs.org/docs
- https://nextjs.org/docs/getting-started/installation
- TailwindCSS
**Terminal**
- Verifica a versão do NodeJS
```
node -v
```
**Instalação Automatica**
- Cria o projeto Nextjs
```
npx create-next-app@latest
```
- Exemplo
- next-js_002
### 3 - TYPESCRIPT, ESLINT, TAILWIND
**Links**
- TypeScript
- Link: https://www.typescriptlang.org/
- ESLint
- Link: https://eslint.org/
- TailwindCSS
- Link: https://tailwindcss.com/
**ESLint**
ESLint é uma ferramenta de análise de código estática para JavaScript. ele é usado para detectar erros de sintaxe, estilo e padroes de código que podem levar a problemas de qualidade de software.
O ESLint pode ser usado para verificar arquivos JavaScript individuais ou projetos inteiros. Ele pode ser
executado na linha de comando ou integrado a editores de texto e IDEs.
O ESLint é uma ferramenta valiosa para desenvolvimento JavaScript. ele pode ajudar a garantir a qualidade dp código e evitar erros
Aqui estão alguns benefícios do uso do ESLint
- Ajuda a detectar erros de sintaxe
- Detecta padrões de código problemáticos
- Pode ser personalizado para atender as suas necessidades
- Pode ser integrado a editores de texto e IDEs
- Se você é um desenvolvedor Javascript, eu recomendo que você experimente o ESLint. É uma ferramenta poderosa que pode ajudar-lo a escrever código de melhor qualidade
- Exemplo
- next-js_003
### 4 - PRIMEIRA EXECUÇÃO DE UM PROJETO
- Install
- link: https://nextjs.org/docs/getting-started/installation
**Instalação Automatica**
- Cria o projeto Nextjs
```
npx create-next-app@latest
```
- Roda o projeto
```
npm run dev
```
- R
- L: http://localhost:3000/
- Exemplo
- next-js_004
### 5 - INTRODUÇÃO AO APP ROUTER
**Instalação Automatica**
- Cria o projeto Nextjs
```
npx create-next-app@latest
```
- Roda o projeto
```
npm run dev
```
**Routing Fundamentals**
- Documentação:
- Link: https://nextjs.org/docs/app/building-your-application/routing
- URLs
- http://localhost:3000/
- http://localhost:3000/home
- http://localhost:3000/servicos
- Exemplo
- next-js_005
### 6 - APP ROUTER COM SUBPASTAS E LINKS
**Linking and Navigating**
- Documentação:
- Link: https://nextjs.org/docs/app/building-your-application/routing/linking-and-navigating
**< Link > Component**
- Link: https://nextjs.org/docs/app/building-your-application/routing/linking-and-navigating#link-component
- URLs
- http://localhost:3000/
- http://localhost:3000/home
- http://localhost:3000/servicos
- http://localhost:3000/servicos/manutencao
- http://localhost:3000/contato
- Exemplo
- next-js_006
### 7 - CSS MODULES NO APP ROUTER
**Styling**
- Documentação:
- Link: https://nextjs.org/docs/app/building-your-application/styling
**CSS Modules**
- Link: https://nextjs.org/docs/app/building-your-application/styling/css-modules
- Exemplo
- next-js_007
### 8 - INÍCIO DA CONSTRUÇÃO DE SITE COM POUCAS BASES DE NEXTJS
- Exemplo
- next-js_008
### 9 - ORGANIZAÇÃO DO CÓDIGO EM COMPONENTES
**Routing**
- Documentação: https://nextjs.org/docs/app/building-your-application/routing
Na versão 13, Next.js introduziu um novo App Router construído em React Server Components, que oferece suporte a layouts compartilhados, roteamento aninhado, estados de carregamento, tratamento de erros e muito mais.
O App Router funciona em um novo diretório chamado app. O diretório app funciona junto com o diretório pages para permitir a adoção incremental. Isso permite que você opte por algumas rotas do seu aplicativo para o novo comportamento, enquanto mantém outras rotas no diretório de páginas para comportamento anterior. Se o seu aplicativo usa o diretório de páginas, consulte também a documentação do Pages Router.
- Exemplo
- next-js_009
### 10 - ATRIBUTO STYLE PARA DEFINIR CSS INLINE
**URLs**
- http://localhost:3000/
- http://localhost:3000/home
- Exemplo
- next-js_010
### 11 - MAIS COMPONENTES E CSS ESPECÍFICO POR COMPONENTE
- Exemplo
- next-js_011
### 12 - ROTAS E COMPONENTE DE NAVEGAÇÃO LINK
- Documentação:
- Link: https://nextjs.org/docs/app/api-reference/components/link
**URLs**
- http://localhost:3000/
- http://localhost:3000/home nok
- http://localhost:3000/services
- http://localhost:3000/contacts
- Exemplo
- next-js_012
### 13 - INSERÇÃO DE IMAGENS COM O COMPONENTE IMAGE
- Documentação:
- Link: https://nextjs.org/docs/app/api-reference/components/image
- Exemplo
- next-js_013
### 14 - REVISÃO DA DOCUMENTAÇÃO SOBRE ROTEAMENTO 1 / 2
- Documentação:
- Link: https://nextjs.org/docs
**Routing Fundamentals**
- https://nextjs.org/docs/app/building-your-application/routing
- Exemplo
- next-js_014
### 15 - REVISÃO DA DOCUMENTAÇÃO SOBRE ROTEAMENTO 2 / 2
- Documentação:
- Link: https://nextjs.org/docs
**Pages and Layouts**
- Documentação:
- Link: https://nextjs.org/docs/app/building-your-application/routing/pages-and-layouts
- Exemplo
- next-js_015
### 16 - UTILIZANDO ROUTE GROUPS
**Route Groups**
- Documentação:
- Link: https://nextjs.org/docs/app/building-your-application/routing/route-groups
**URLs**
- http://localhost:3000/services1
- http://localhost:3000/services2
- http://localhost:3000/services3
- Exemplo
- next-js_016
### 17 - USANDO LAYOUTS - INTRODUÇÃO
- Exemplo
- next-js_017
### 18 - INTRODUÇÃO ÀS DYNAMIC ROUTES
**Dynamic Routes**
- Link: https://nextjs.org/docs/app/building-your-application/routing/dynamic-routes
**URLs**
- http://localhost:3000/
- http://localhost:3000/service
- http://localhost:3000/services
- http://localhost:3000/contacts
- http://localhost:3000/service/1
- Exemplo
- next-js_018
### 19 - EXPERIÊNCIAS COM DYNAMIC ROUTES
**Dynamic Routes**
- Link: https://nextjs.org/docs/app/building-your-application/routing/dynamic-routes
**URLs**
- http://localhost:3000/services
- http://localhost:3000/service/1
- http://localhost:3000/service/2
- http://localhost:3000/service/3
- Exemplo
- next-js_019
### 20 - EXPERIÊNCIAS COM DYNAMIC ROUTES PARTE 2
**Dynamic Routes**
- Link: https://nextjs.org/docs/app/building-your-application/routing/dynamic-routes
- Exemplo
- next-js_20
### 21 - EXPERIÊNCIAS COM DYNAMIC ROUTES PARTE 3
**Dynamic Routes**
- Link: https://nextjs.org/docs/app/building-your-application/routing/dynamic-routes
- Novo Projeto
**URLs**
- http://localhost:3000/
- http://localhost:3000/clientes
- http://localhost:3000/clientes/daniel
- `[nome]`
- http://localhost:3000/clientes/daniel/oliveira
- `[...identificacao]`
- Exemplo
- next-js_21
### 22 - COMO ADICIONAR O BOOTSTRAP AO NEXTJS 13
- Power Shell
- entrar na pasta do projeto
```
cd "C:\Users\GitHub\next-js_13\next-js_022"
```
- Ls (visualizar a pasta)
```
ls
```
- Cria um novo projeto nextjs
```
npx create-next-app@latest
```
<p align="center">
<img alt="...." src="./assets/powershell1.jpg" width="80%">
</p>
- Comando para instalar o Bootstrap
```
npm install bootstrap
```
- Exemplo
- next-js_22
### 23 - RECORRENDO AO REACT PROPS PARA DEFINIR DADOS DOS LINKS
- Exemplo
- next-js_23
### 24 - NEXTJS 13 + BOOTSTRAP 5 | SITE SIMPLES | PROJETO COMPLETO
- Cria um novo projeto nextjs
```
npx create-next-app@latest
```
- Roda o projeto
```
npm run dev
```
- Instala o Bootstrap
```
npm install bootstrap
```
- Analisa a versão do package instalado
- npm install "package"
```
npm list bootstrap
```
```
npm list node
```
- Converter png em favicon
- Link: https://favicon.io/
**Google Map**
- https://www.google.com.br/maps/place/Nova+Iorque,+NY,+EUA/@40.69754,-74.3093323,81852m/data=!3m2!1e3!4b1!4m6!3m5!1s0x89c24fa5d33f083b:0xc80b8f06e177fe62!8m2!3d40.7127753!4d-74.0059728!16zL20vMDJfMjg2?entry=ttu
**Embed my map**
- Link: https://embedmymap.com/
- Iframe gerado
```html
<!--
/* Iframe gerado */
<div class="mapouter"><div class="gmap_canvas"><iframe class="gmap_iframe" width="100%" frameborder="0" scrolling="no" marginheight="0" marginwidth="0" src="https://maps.google.com/maps?width=600&height=400&hl=en&q=new york&t=k&z=12&ie=UTF8&iwloc=B&output=embed"></iframe><a href="https://connectionsgame.org/">Connections Puzzle</a></div><style>.mapouter{position:relative;text-align:right;width:100%;height:400px;}.gmap_canvas {overflow:hidden;background:none!important;width:100%;height:400px;}.gmap_iframe {height:400px!important;}</style></div>
/*Editado*/
/*
<iframe
className="map"
width="100%"
frameBorder="0"
marginHeight="0"
marginWidth="0"
src="https://maps.google.com/maps?width=600&height=400&hl=en&q=new york&t=k&z=12&ie=UTF8&iwloc=B&output=embed">
</iframe>
*/
-->
```
**URLs**
- http://localhost:3000/
- http://localhost:3000/points
- http://localhost:3000/map
**App**
- Link: https://travel-agency-sapup3.vercel.app/
- Exemplo
- next-js_24
| Next.js é uma estrutura da web de desenvolvimento front-end React de código aberto criada por Vercel que permite funcionalidades como renderização do lado do servidor e geração de sites estáticos para aplicativos da web baseados em React. É uma estrutura pronta para produção que permite que os desenvolvedores criem rapidamente sites | javascript,nextjs,typescript,css | 2023-09-05T12:32:10Z | 2023-10-20T13:46:54Z | null | 1 | 0 | 43 | 0 | 0 | 2 | null | null | JavaScript |
shawonk007/vite-web-based-resume | master | # Web-based Resume & Portfolio - Vite, Vue 3, Tailwind CSS
Our Web-based Resume & Portfolio application is a powerful, user-friendly platform for creating and showcasing your professional profile and work portfolio online. Built with the latest web technologies, including Vite, Vue 3, and Tailwind CSS, this dynamic web app offers a responsive, customizable, and SEO-friendly solution to help you impress potential employers, clients, and collaborators with a modern and engaging online presence. Highlight your skills, achievements, and projects with ease, and tailor your content and design to match your unique identity. Start building your standout resume and portfolio today with this feature-rich, fast-loading, and visually appealing application.
## Table of Contents
- [Introduction](#introduction)
- [Technologies Used](#technologies-used)
- [Key Features](#key-features)
- [Usage](#usage)
- [Customization](#customization)
- [SEO Optimization](#seo-optimization)
- [Responsive Design](#responsive-design)
- [Getting Started](#getting-started)
- [Prerequisites](#prerequisites)
- [Installation](#installation)
- [Contributing](#contributing)
- [License](#license)
- [Author](#author)
## Introduction
Welcome to our Web-based Resume & Portfolio GitHub repository—a dynamic and modern approach to presenting your skills, achievements, and projects online. This project is designed to help you create a professional and visually appealing platform to showcase your career journey and work portfolio.
## Technology Used
Our Web-based Resume & Portfolio is built using the following cutting-edge technologies:
- **[Node.js](https://nodejs.org/en)** : A JavaScript runtime environment used for server-side scripting.
- **[npm](https://www.npmjs.com/)** : The package manager for JavaScript and Node.js.
- **[Vite.js](https://vitejs.dev/)** : A lightning-fast build tool for modern web development, ensuring rapid development and optimized page loading.
- **[Vue.js](https://vuejs.org/)** : The Vue.js framework's latest version, offering a component-based architecture for easy content and functionality management.
- **[Tailwind CSS](https://tailwindcss.com/)** : A utility-first CSS framework that allows for highly customizable and responsive design with clean and maintainable code.
- **[Vuex](https://vuex.vuejs.org/)** : State management pattern and library for Vue applications.
- **[Vue Router](https://router.vuejs.org/)** : Official router for Vue.js applications.
- **[FontAwesome](https://fontawesome.com/)** : A popular icon library that provides a wide range of icons for web projects.
## Key Features
- **Dynamic Content** : Vue 3's reactivity features enable dynamic content loading and updating without requiring full page reloads.
- **Customizable Sections** : Easily tailor the content to your unique profile with sections for your resume, portfolio, projects, skills, and contact information.
- **Project Showcase** : Highlight your projects with images, descriptions, and links, enabling visitors to explore your work in detail.
- **Skills & Achievements** : Showcase your expertise using visual elements and clear descriptions.
- **Contact Information** : Provide multiple contact options for potential employers or collaborators.
- **Responsive Design** : Adapt gracefully to various screen sizes, ensuring a polished display on all devices.
## Usage
- **Create a compelling online presence** : Use this portfolio to impress potential employers, clients, or collaborators with a modern, feature-rich, and highly responsive online resume and portfolio.
- **Showcase your work** : Highlight your projects, skills, and achievements with interactive and visually appealing elements.
- **Personalize your content** : Easily customize the content to match your unique profile and brand identity.
## Customization
You can easily customize the content, styles, and layout of your portfolio to match your individual needs. Tailwind CSS makes it simple to adjust colors, fonts, and design elements. Vue 3's component-based structure allows for straightforward content management.
## SEO Optimization
This project includes built-in features for SEO optimization, helping your portfolio rank well in search engine results and increasing your online visibility.
## Responsive Design
The portfolio is designed to provide an excellent user experience on all devices, from desktop computers to mobile phones, ensuring your content looks polished and functions flawlessly.
## Getting Started
To get started, simply fork this repository and follow the setup instructions in the `README` file. Customize the content, add your projects and achievements, and personalize the design to create a standout online resume and portfolio.
#### Prerequisites
Before you proceed, ensure you have the following software installed:
- Node.js (Version 19.7.0)
- npm (Version 9.7.2)
- Vue.js (Version 5.0.8)
#### Installation
01. Clone the `vite-web-based-resume` repository to your local machine using the following command:
```bash
git clone https://github.com/shawonk007/vite-web-based-resume.git
```
02. Navigate to the project directory:
```bash
cd vite-web-based-resume
```
03. Install `Node.js` dependencies
###### Using npm:
```bash
npm install
```
or,
###### Using Yarn:
```bash
yarn
```
04. Compile assets and Start the development server with `Vite`:
###### Using npm:
```bash
npm run dev
```
or,
###### Using Yarn:
```bash
yarn dev
```
Congratulations! This project should now be up and running at `http://localhost:5173`.
## Contributing:
Contributions to `vite-web-based-resume` are welcome! If you find any issues or want to add new features, feel free to open a pull request. Make sure to follow the project's coding guidelines and best practices.
## License
This project is licensed under the `GNU General Public License version 3.0 (GPL-3.0)`. You can find the full text of the license in the `LICENSE` file.
## Author
`vite-web-based-resume` is developed and maintained by **[Shawon Khan](https://www.shawon-khan.com/)**. You can find more about me on my [GitHub profile](https://github.com/shawonk007). Feel free to reach out via email at `shawonk007@gmail.com` or connect with me on **[LinkedIn](https://www.linkedin.com/in/shawonkhan007)**.. | Welcome to our Web-based Resume & Portfolio GitHub repository—a dynamic and modern approach to presenting your skills, achievements, and projects online. This project is designed to help you create a professional and visually appealing platform to showcase your career journey and work portfolio. | css,html,javascript,nodejs,portfolio,resume,tailwindcss,vue,vue-cli,vue-router | 2023-09-07T05:42:06Z | 2023-09-12T11:13:18Z | null | 1 | 0 | 16 | 0 | 0 | 2 | null | GPL-3.0 | Vue |
appren-dev/apren-dev | main | # Apren-dev
### *Programando Futuros: Enseñamos como quisiéramos haber aprendido*.
### Academia de programacion
##### Somos una sturtap de enseñanza en linea orientada al desarrollo de software para toda la comunidad de habla hispana.
### Misión
Nuestra misión en Apren-dev es empoderar a la comunidad hispano hablante a través de la educación en línea en programación. Buscamos brindar acceso a cursos de programación de alta calidad que permitan a las personas adquirir habilidades técnicas relevantes en un entorno flexible y accesible. Queremos ser el recurso de referencia para cualquier persona que busque aprender a programar y crecer en el campo de la tecnología.
### Visión
Nuestra visión es convertirnos en la plataforma líder en educación en línea en programación para la comunidad hispano hablante. Visualizamos un futuro en el que cualquier individuo, sin importar su ubicación o experiencia previa, pueda acceder a una amplia gama de cursos de programación impartidos por profesionales de la industria. Queremos ser parte del proceso de transformación de vidas al proporcionar herramientas que permitan a nuestros estudiantes alcanzar sus metas profesionales y personales.
### Valores
- **Excelencia Educativa**: Nos comprometemos a ofrecer contenido educativo de la más alta calidad que sea relevante, actualizado y efectivo para nuestros estudiantes.
- **Comunidad**: Fomentamos una comunidad de aprendizaje inclusiva y colaborativa donde los estudiantes pueden conectarse, compartir conocimientos y apoyarse mutuamente.
- **Accesibilidad**: Creemos en la educación accesible para todos. Mantenemos precios asequibles y ofrecemos opciones de flexibilidad para garantizar que la educación en programación esté al alcance de todos.
- **Innovación**: Buscamos constantemente formas innovadoras de mejorar nuestra plataforma, cursos y métodos de enseñanza para ofrecer la mejor experiencia de aprendizaje en línea.
- **Diversidad e Inclusión**: Valoramos y respetamos la diversidad de nuestras comunidades de estudiantes y nos esforzamos por crear un entorno inclusivo donde todos se sientan bienvenidos y respetados.

[Visita nuestra web](https://www.apren-dev.com)
| Academia de Aprendizaje Auto-dirigido | firebase,javascript,react,reactjs,software-development,software-engineering | 2023-08-29T14:24:39Z | 2023-09-18T15:27:49Z | 2023-09-18T15:27:49Z | 3 | 13 | 57 | 0 | 0 | 2 | null | null | JavaScript |
SuryaPratap2542/Top-Courses | main | # Top Course React App
This is a React web application that displays top courses based on categories.
## Features
- View a list of top courses in various categories.
- Filter courses by category.
- Loading spinner to indicate data loading.
- Error handling with toast notifications.
## Image Preview

This screenshot provides a visual overview of the Top Course React App.
## Technologies Used
- React: A JavaScript library for building user interfaces.
- React Toastify: A library for displaying toast notifications.
- CSS: Styling with CSS.
## Installation
1. Clone the repository:
```shell
git clone https://github.com/yourusername/top-course-react-app.git
```
2. Navigate to the project directory:
```shell
cd top-course-react-app
```
3. Install dependencies:
```shell
npm install
```
4. Start the development server:
```shell
npm start
```
## Usage
- Visit the deployed app [here](https://yourappurl.com).
- Choose a category from the dropdown menu to filter courses.
- Wait for the loading spinner to complete if data is being fetched.
- If an error occurs, you will see a toast notification.
## Contributing
Contributions are welcome! If you'd like to contribute to this project, please follow these steps:
1. Fork the repository.
2. Create a new branch for your feature or bug fix.
3. Make your changes and commit them.
4. Push your changes to your forked repository.
5. Submit a pull request to the original repository.
## Contact
If you have any questions or suggestions, please feel free to contact the project maintainer:
- Surya Pratap Singh
- Email: suryapratap2542@gmail.com
| This is a React web application that displays top courses based on categories. | api,course,html,javascript,jsx,react,tailwindcss,top-course | 2023-09-07T08:47:28Z | 2023-09-07T08:57:02Z | null | 1 | 0 | 2 | 0 | 0 | 2 | null | null | JavaScript |
Awadesh365/ForecastHub | main | # ForecastHub : JavaScript
## Overview
This website is Live at:- https://stately-malasada-3a2516.netlify.app/
ForecastHub is a simple web application that allows users to check the current weather conditions in any city around the world. With a clean and user-friendly interface, ForecastHub provides real-time weather information, including temperature, humidity, wind speed, and more. Whether you're planning a trip or just curious about the weather in your area, ForecastHub has you covered.
## Key Features
- Check the current weather by entering a city name.
- Get real-time temperature, humidity, and wind speed data.
- Beautifully designed user interface for a seamless experience.
## How to Use
To use ForecastHub, follow these simple steps:
1. Enter the name of the city you want to check the weather for in the search box.
2. Click the "Search" button to get the current weather conditions for that city.
## Screenshots

## Technologies Used
- HTML
- CSS
- JavaScript
- API
## Getting Started
To run this application locally, follow these steps:
1. Clone this repository to your local machine.
2. Open the `index.html` file in your web browser.
## Acknowledgments
- Weather data provided by [OpenWeatherMap](https://openweathermap.org/).
- Background image by [Lorem Picsum](https://picsum.photos/).
| web application that allows users to check the current weather conditions in any city around the world. With a clean and user-friendly interface, provides real-time weather information. | api,css,html,javascript,rapidapi | 2023-08-26T19:13:56Z | 2024-02-03T10:17:31Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | CSS |
ecryptoguru/AnkitSummz | master | # AnkitSummz
OpenAI Article Summariser
An open-source article summarizer that transforms lengthy articles into clear and concise summaries. Just paste your complete website URL and watch the magic unfold before your eyes.
It has been built using React + Vite, Redux, Tailwind and JS.
| OpenAI Article Summariser. It has been built using React + Vite, Redux, Tailwindcss and JS. | ai,javascript,openai,react,summarizer,vite,tailwindcss | 2023-09-02T10:24:38Z | 2023-09-02T16:14:06Z | null | 1 | 0 | 7 | 0 | 0 | 2 | null | null | JavaScript |
RohitAayushmaan/Stock-Investing-App | main | # Stock-Investing-WebApp
### Welcome to the Stock Investing WebApp! This web application is designed to provide you with a convenient and efficient way to track and manage your stock investments.

# Start Locally 🚀
First clone this repository
```sh
https://github.com/RohitAayushmaan/Stock-Investing-App.git
```
Install dependencies in the individual directories for the stock-frontend and stock-backend
```sh
npm install
```
Start the development server- for stock-frontend
```sh
npm start
```
| Welcome to the Stock Investing WebApp! | css,expressjs,html,javascript,mongodb,nodejs,reactjs | 2023-08-22T08:22:07Z | 2024-02-10T20:40:03Z | null | 2 | 0 | 16 | 0 | 0 | 2 | null | MIT | JavaScript |
CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT | main | # ERROR 404 - LABORATORIO 4 (PROGRAMACION 4 ) - JAVASCRIPT
En este repositorio del grupo <img width="40" height="40" src="https://img.icons8.com/external-flaticons-lineal-color-flat-icons/40/external-error-404-computer-science-flaticons-lineal-color-flat-icons.png" alt="external-error-404-computer-science-flaticons-lineal-color-flat-icons"/> ERROR-404 va a dejar los ejercicios de <img width="40" height="40" src="https://img.icons8.com/color/40/javascript--v1.png" alt="javascript--v1"/> JavaScript de la materia Laboratorio 4 (Programación 4)
---
## <img width="40" height="40" src="https://img.icons8.com/doodle/40/boy.png" alt="boy"/> <img width="40" height="40" src="https://img.icons8.com/doodle/40/girl.png" alt="girl"/> Integrantes de grupo
- [Ahumada, Brian](https://github.com/brianahumada)
- [Alancay, Abel Matias](https://github.com/matias9486)
- [Alsina, Maximiliano Gabriel](https://github.com/MalsinaG)
- [Berrini, Alejandro](https://github.com/AlejandroEB89)
- [Calle, Sonia](https://github.com/SoCalle)
- [Chavez, Rodrigo](https://github.com/RodrigoChavez1986)
- [Costa, Maria Eugenia](https://github.com/eugenia1984)
- [Navarro, Lucas](https://github.com/LucasNavarro01)
- [Sanguinetti Flores, Pablo](https://github.com/Pablo1653)
---
## <img width="40" height="40" src="https://img.icons8.com/color/40/book.png" alt="book"/> Clases
- [Clase 1 - Lunes 14 Agosto](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/ecomerce2022/client): E-commerce Básico Parte 01
- [Clase 2 - Lunes 28 Agosto](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/ecomerce2022/client): E-commerce Básico Parte 02
- [Clase 3 - Lunes 4 Septiembre](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/ecomerce2022/client): E-commerce Básico Parte 03
- [Clase 4 - Lunes 11 Septiembre](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/e-commerce2023/client): : E-commerce Básico Parte 04
- [Clase 5 - Lunes 18 Septiembre](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/PERN-stack): Proyecto con stack pern por Daniel Guerrero -> Parte 1
- [Clase 6 - Lunes 25 Septiembre](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/PERN-stack): Proyecto con stack pern por Daniel Guerrero -> Parte 2. CRUD de tarea
- [Clase 7 - Lunes 2 de Octubre](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/PERN-stack): Proyecto con stack pern por Daniel Guerrero -> Parte 3. Registro y Autenticación de Usuarios
- [Clase 8 - Lunes 9 de Octubre](https://github.com/CodeSystem2022/ERROR404-LABORATORIO4-PROGRAMACION4-JAVASCRIPT/tree/main/PERN-stack): Proyecto con stack pern por Daniel Guerrero -> Parte 4.
- Lunes 16 de Octubre -> Feriado puente
- Clase 9 - Lunes 23 de Octubre -> Proyecto optativo para subir la repositorio, comenzamos a trabajar en el proyecto final (no lo subimos)
- Clase 10 - Lunes 30 de Octubre -> Proyecto optativo para subir la repositorio, comenzamos a trabajar en el proyecto final (no lo subimos)
- Clase 11 - Lunes 6 de Noviembre -> Proyecto optativo para subir la repositorio, comenzamos a trabajar en el proyecto final (no lo subimos)
---
## <img width="40" height="40" src="https://img.icons8.com/external-flaticons-lineal-color-flat-icons/40/external-scrum-ux-and-ui-icons-flaticons-lineal-color-flat-icons.png" alt="external-scrum-ux-and-ui-icons-flaticons-lineal-color-flat-icons"/> Scrum y responsable de la tarea
| CLASE | SCRUM | DESARROLLADOR/A | FINALIZADO |
| ----------- | --------------------------- | --------------------------- | ------------------------------------------------------------------------------------------------------ |
| 1 - 14 AUG | Alsina, Maximiliano Gabriel | Berrini, Alejandro | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 2 - 28 AUG | Calle, Sonia | Chavez, Rodrigo | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 3 - 4 SEP | Costa, Maria Eugenia | Navarro, Lucas | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 4 - 11 SEP | Sanguinetti Flores, Pablo | Ahumada, Brian | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 5 - 18 SEP | Alancay, Abel Matias | Alsina, Maximiliano Gabriel | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 6 - 25 SEP | Chavez, Rodrigo | Costa, Maria Eugenia | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 7 - 2 OCT | Chavez, Rodrigo | Costa, Maria Eugenia | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 8 - 9 OCT | Berrini, Alejandro | Calle, Sonia | <img width="30" height="30" src="https://img.icons8.com/flat-round/30/checkmark.png" alt="checkmark"/> |
| 9 - 23 OCT | Navarro, Lucas | Sanguinetti Flores, Pablo | x |
| 10 - 30 OCT | Ahumada, Brian | Alancay, Abel Matias | x |
| 11 - 6 NOV | Alsina, Maximiliano Gabriel | Berrini, Alejandro | x |
-> [Link al **Dashboard**](https://github.com/orgs/CodeSystem2022/projects/1146)
---
## <img width="40" height="40" src="https://img.icons8.com/external-flaticons-lineal-color-flat-icons/40/external-scrum-ux-and-ui-icons-flaticons-lineal-color-flat-icons.png" alt="external-scrum-ux-and-ui-icons-flaticons-lineal-color-flat-icons"/> Metodología de trabajo
Utilizamos al metodología de trabajo **Scrum**, tenemos todas las tareas que el equipo va a realizar el en <img width="40" height="40" src="https://img.icons8.com/external-flaticons-flat-flat-icons/40/external-scrum-agile-flaticons-flat-flat-icons-7.png" alt="external-scrum-agile-flaticons-flat-flat-icons-7"/>**Backlog** (dentro de nuestro dashboard).
En dicho dashboard tenemos los estados:
- **TODO**: para las tareas del Sprint activo
- **DOING**: las tareas que fuimos tomando los integrantes del grupo en el Sprint
- **CODE REVIEW**: una vez finalizada la tarea, creamos un MR(merge request), para que otro integrante del equipo denominado Scrum pueda hacer el code review y mergear a la rama **main**.
- **DONE**: las tareas finalizadas
## <img width="40" height="40" src="https://img.icons8.com/office/40/merge-git.png" alt="merge-git"/> ¿Cómo organizamos el workflow?
- Tenemos la rama principal llamada **main**
- Tenemos la rama secundaria, llamada **release/nro-de-version**, desde la cual vamos a ir subiendo las clases. Como vamos a subir una clase por persona, solo trabajaremos con la rama release. Esta rama se ira incrementando el numero de version a medida que vayamos completando las clases
- Usamos **tags** en las distintas versiones de las release -> [Aca se puede consultar la documentación de Atlassian sobra las **tags**](https://www.atlassian.com/es/git/tutorials/inspecting-a-repository/git-tag), en la tag vamos a dejar asentado tanto la version como la clase, por ejemplo: `clase5-v.1.0.0`.
### ¿Como creamos una tag?
`git tag <nombre de la tag>`
por ejemplo: `git tag clase5-v.1.0.0`
### ¿Como subimos la tag local al repositorio remoto?
Recordar usar el comando `git push --tags` para subir las tag al repositorio remoto
Dejamos un grafico de como va a ser el workflow de las ramas:
```
X ------> main--------------------X
| ^
| | tag: clase5-v.1.0.0
|--- release/1.0.0------|
```
---
## <img width="40" height="40" src="https://img.icons8.com/pulsar-color/40/merge-git.png" alt="merge-git"/> ¿Cómo nombramos a las ramas ?
En el Dashboard por cada tarea, la convertimos en **issue**, usamos ese número de issue, para poder traquear la misma.
1. Nos situamos siempre en la rama **main**, desde ahi creamos al nueva rama con el comando: `$ git checkout -b feat/#(nro.issue)-clase_nro-tema`, por ejemplo `git checkout -b feat/#1-clase1-proyecto-calculadora` este es un ejemplo para el issue #1 de la clase 1 donde vimos el proyecto calculadora.
2. Siempre vamos a respetar la nomenclatura:
- **feat**(si es una nueva funcionalidad) / **bug**(si hay que solucionar un error)
- `#nro-de-issue` para poder relacionar la rama con el issue y la tarea asignada en el dashboar
- `clase<nro-de-clase>-<tema-de-la-clase>` para tener el detalle de la clase y el tema visto
---
| En este repositorio del grupo ERROR-404 va a dejar los ejercicios de JavaScript de la materia Laboratorio 4 (Programación 4) | javascript | 2023-08-15T13:49:15Z | 2023-11-06T22:22:30Z | 2023-10-03T19:02:15Z | 12 | 14 | 61 | 0 | 0 | 2 | null | null | JavaScript |
aman4uas/yt-tool-chrome-extension | main |
# YT Tool - Chrome Extension
## Technology Used
- HTML
- CSS, Tailwind CSS
- JavaScript
- Node.js
- Express
## Features
Helps user calculate the perfect playlist length with our YouTube playlist Length Calculator.
➡ Provide users with essential playlist statistics when user visits the playlist page on YouTube. e.g.,
- Total number of videos in the playlist.
- Total duration of all videos in the playlist.
- Average duration of videos in the playlist.
- Total Duration various playback speeds like 1.25x, 1.5x, 1.75x, 2.0x.
➡ User can also toggle between "Dark" and "Light" mode.
➡ Uses cookies to set "Light" and "Dark" mode.
## Screenshots
▶ Dark Mode ◀

▶ Light Mode ◀

▶ When user is not on YouTube Playlist Page ◀

▶ Fullscreen View ◀

| Chrome Extension: Easily calculate total playlist length for YouTube videos. Streamline your viewing experience with accurate duration tracking. | chrome-extension,css,google-chrome-extension,html5,javascript,youtube-data-api,youtube-data-api-v3 | 2023-08-12T18:19:42Z | 2023-09-28T14:40:59Z | null | 1 | 0 | 11 | 0 | 0 | 2 | null | null | CSS |
Murat-Karakaya/global-chat | main | # Global Chat
## About
This website is not live anymore. Which is ok. I have much bigger plans (yay!)
| null | chat,communication,css,everyone,full-stack,helpfulness,html,javascript,js,message | 2023-08-30T09:07:48Z | 2024-01-15T17:01:06Z | null | 2 | 0 | 20 | 0 | 0 | 2 | null | null | JavaScript |
Rafa-KozAnd/Digital_Wallet | main | <p align="center">
<img src="http://img.shields.io/static/v1?label=STATUS&message=Concluded&color=blue&style=flat"/>
<img alt="GitHub language count" src="https://img.shields.io/github/languages/count/Rafa-KozAnd/Digital_Wallet">
<img alt="GitHub language count" src="https://img.shields.io/github/languages/top/Rafa-KozAnd/Digital_Wallet">
<img alt="GitHub repo file count" src="https://img.shields.io/github/directory-file-count/Rafa-KozAnd/Digital_Wallet">
<img alt="GitHub repo size" src="https://img.shields.io/github/repo-size/Rafa-KozAnd/Digital_Wallet">
<img alt="GitHub language count" src="https://img.shields.io/github/license/Rafa-KozAnd/Digital_Wallet">
</p>
# Digital_Wallet
- Project Name: 'Digital Wallet';
- Languages: 'JavaScript - TypeScript';
- Softwares/Work Tools: 'V.S. Code';
- Resume: Digital Wallet made with Typescript as a DIO platform project (https://web.dio.me/play).
Project that simulates an architecture in microservices of a digital wallet.
- Obs: Example;
- Version: v.1.0.0
- Last Update Date: 25/08/2023.
| Digital Wallet made with Typescript as a DIO platform project (https://web.dio.me/play). | dio,javascript,typescript | 2023-08-25T16:53:35Z | 2023-08-25T17:42:34Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | TypeScript |
t3nsor98/X-clone | main | # X-clone
It is a twitter(X) clone website build using HTML, CSS and JavaScript.
| It is a twitter(X) clone website build using HTML, CSS and JavaScript. | css3,html5,javascript | 2023-08-12T15:42:18Z | 2024-01-21T14:58:16Z | null | 2 | 1 | 4 | 0 | 0 | 2 | null | null | JavaScript |
Quorum-Code/portfolio-site | main | # My Portfolio Website
My name is Evan Putnam and I designed this website to be able to showcase my skills and projects. The website will include access to the source code and examples of my projects as well as my resume. The site uses HTML, CSS, PHP, and Javascript.
Thanks for viewing my repo!
- [Check it out at evanputnam.dev](https://evanputnam.dev)
| My portfolio site, evanputnam.dev | css,html,javascript,php | 2023-09-08T23:03:37Z | 2024-03-28T20:44:49Z | null | 1 | 0 | 31 | 0 | 0 | 2 | null | null | PHP |
jhomudev/radio-bendicion | master | # React + Vite
This template provides a minimal setup to get React working in Vite with HMR and some ESLint rules.
Currently, two official plugins are available:
- [@vitejs/plugin-react](https://github.com/vitejs/vite-plugin-react/blob/main/packages/plugin-react/README.md) uses [Babel](https://babeljs.io/) for Fast Refresh
- [@vitejs/plugin-react-swc](https://github.com/vitejs/vite-plugin-react-swc) uses [SWC](https://swc.rs/) for Fast Refresh
| Radio station website | frontend,javascript,nextui,projects,react,tailwindcss,vitejs | 2023-09-04T22:10:11Z | 2024-04-06T19:44:17Z | null | 1 | 0 | 18 | 0 | 0 | 2 | null | null | JavaScript |
Zy8712/bryan-li | main | <div align="center">
<img src="./public/dragon-svgrepo-com.svg" width="250px" />
<h1>Bryan's Portfolio Site [WIP]</h1>
<img src="https://skillicons.dev/icons?i=html,css,js,vite,react,tailwind,redux,vercel&theme=dark" />
<br />
<br />
<p>
<img align="center" src="https://img.shields.io/badge/Build-Passing-54B848?style=flat&logo=checkmarx&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/Coded/Designed_By-Bryan_Li-003648?style=flat&logo=codementor&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/Project_Status-In_Progress-D87D4A?style=flat&logo=githubsponsors&logoColor=white" />
</p>
<p>
<img align="center" src="https://img.shields.io/badge/Vite-v4.5.2-646CFF?style=flat&logo=vite&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/PostCSS-v8.4.31-DD3A0A?style=flat&logo=postcss&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/React-v18.2.0-blue?style=flat&logo=react&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/Tailwind_CSS-v3.3.3-06B6D4?style=flat&logo=tailwindcss&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/Redux-v9.1.0-764ABC?style=flat&logo=redux&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/Wouter-v2.11.0-black?style=flat" />
<img align="center" src="https://img.shields.io/badge/ESLint-v8.48.0-4B32C3?style=flat&logo=eslint&logoColor=white" />
<img align="center" src="https://img.shields.io/badge/Autoprefixer-v10.4.15-DD3735?style=flat&logo=autoprefixer&logoColor=white" />
</p>
</div>
<br>
# React + Vite
This template provides a minimal setup to get React working in Vite with HMR and some ESLint rules.
Currently, two official plugins are available:
- [@vitejs/plugin-react](https://github.com/vitejs/vite-plugin-react/blob/main/packages/plugin-react/README.md) uses [Babel](https://babeljs.io/) for Fast Refresh
- [@vitejs/plugin-react-swc](https://github.com/vitejs/vite-plugin-react-swc) uses [SWC](https://swc.rs/) for Fast Refresh
## Image Assets Used
<p align="center">
<img src="./assets-readme-only/svgrepo-logo.svg" width="180px" />
<img src="./assets-readme-only/lordicon-mobile.svg" width="70px" />
<img src="./assets-readme-only/lottie-files-logo.png" width="280px">
</p>
<p align="center">
Image assets used in this project were primarily sourced from:
<a href="https://www.svgrepo.com/">SVG Repo</a>,
<a href="https://lordicon.com/">Lordicon</a>, and
<a href="https://lottiefiles.com/">LottieFiles</a>.
</p>
<p align="center">
Sources of three logos above:
<a href="https://www.svgrepo.com/logo.svg">SVG Repo Logo</a>,
<a href="https://lordicon.com/assets/svg/main/lordicon-mobile.svg">Lordicon Logo</a>,
<a href="https://drive.google.com/drive/folders/1i1cbnzIR02sMWpUh2xGKyESfazt4_4T8">LottieFiles Logo</a>, and
<a href="https://lottiefiles.com/brand-assets">LottieFiles Brand Assets Page</a>.
</p>
| Name | Image | Source | Link to Source Ver. | File Name | Alterations to Base Ver. |
| :----: | :----: | :---------: | :------------: | :--------------------------: | :----------------------------: |
| Dragon SVG | <img src="./public/dragon-svgrepo-com.svg" width="100px" /> | <img src="./assets-readme-only/svgrepo-logo.svg" width="75px" /> | <a href="https://www.svgrepo.com/svg/317411/dragon">Link Here</a> | dragon-svgrepo-com.svg | None |
| Menu SVG| <img src="./src/assets/navbar-assets/menu-svgrepo-com.svg" width="80px" /> | <img src="./assets-readme-only/svgrepo-logo.svg" width="75px" /> | <a href="https://www.svgrepo.com/svg/532195/menu">Link Here</a> | menu-svgrepo-com.svg | Changed Color to White |
| House SVG | <img src="./src/assets/navbar-assets/house-01-svgrepo-com.svg" width="80px" /> | <img src="./assets-readme-only/svgrepo-logo.svg" width="75px" /> | <a href="https://www.svgrepo.com/svg/511018/house-01">Link Here</a> | house-01-svgrepo-com.svg | Changed Color to White |
| Person SVG | <img src="./src/assets/navbar-assets/person-male-svgrepo-com.svg" width="80px" /> | <img src="./assets-readme-only/svgrepo-logo.svg" width="75px" /> | <a href="https://www.svgrepo.com/svg/447734/person-male">Link Here</a> | person-male-svgrepo-com.svg | Changed Color to White |
| Briefcase SVG| <img src="./src/assets/navbar-assets/briefcase-alt-svgrepo-com.svg" width="80px" /> | <img src="./assets-readme-only/svgrepo-logo.svg" width="75px" /> | <a href="https://www.svgrepo.com/svg/533408/briefcase-alt">Link Here</a> | briefcase-alt-svgrepo-com.svg | Changed Color to White |
| Contacts SVG | <img src="./src/assets/navbar-assets/email-contact-ui-web-svgrepo-com.svg" width="80px" /> | <img src="./assets-readme-only/svgrepo-logo.svg" width="75px" /> | <a href="https://www.svgrepo.com/svg/491800/email-contact-ui-web">Link Here</a> | email-contact-ui-web-svgrepo-com.svg | Changed Color to White |
| IT Developer Lottie | <img src="./assets-readme-only/wired-gradient-680-it-developer.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/680-it-developer">Link Here</a> | wired-gradient-680-it-developer.json | None |
| School Lottie | <img src="./assets-readme-only/wired-gradient-486-school.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/486-school">Link Here</a> | wired-gradient-486-school.json | None |
| Suitcase Lottie | <img src="./assets-readme-only/wired-gradient-187-suitcase.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/187-suitcase">Link Here</a> | wired-gradient-187-suitcase.json | None |
| Folder Lottie | <img src="./assets-readme-only/wired-gradient-120-folder.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/120-folder">Link Here</a> | wired-gradient-120-folder.json | None |
| Computer Monitor Lottie | <img src="./assets-readme-only/wired-gradient-478-computer-display.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/478-computer-display">Link Here</a> | wired-gradient-478-computer-display.json | None |
| Coding Lottie | <img src="./assets-readme-only/wired-gradient-742-code.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/742-code">Link Here</a> | wired-gradient-742-multimedia-code-1.json | None |
| Envelope Lottie | <img src="./assets-readme-only/wired-gradient-177-envelope-send.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/177-envelope-send">Link Here</a> | wired-gradient-177-envelope-send.json | None |
| Conversation Lottie | <img src="./assets-readme-only/wired-gradient-981-consultation.gif" width="80px" /> | <img src="./assets-readme-only/lordicon-mobile.svg" width="50px" /> | <a href="https://lordicon.com/icons/wired/gradient/981-consultation">Link Here</a> | wired-gradient-981-consultation.json | None |
| Astronaut Lottie Animation | | <img src="./assets-readme-only/lottie-files-logo.png" width="180px"> | <a href="https://lottiefiles.com/animations/cute-astronaut-operating-laptop-rxBJyz07Vw"> Similar Image 1 </a><br><a href="https://lottiefiles.com/animations/astronaut-on-laptop-fOzMUFQcka"> Similar Image 2 </a> | Animation-1697251945018.json | |
| Blue-Purple Loading Disc Lottie Animation | | <img src="./assets-readme-only/lottie-files-logo.png" width="180px"> | <a href="https://lottiefiles.com/animations/loading-disc-ua9XQSY0gR"> Link Here</a> | Animation-1704913159226.json | |
| Personal portfolio website. This personal portfolio website project maximizes the potential of Tailwind CSS for streamlined design, React for dynamic and interactive features, Vite for rapid bundling and development, Wouter for minimalist page-routing, and Redux for efficient state management. | css3,html-css-javascript,html5,javascript,react,reactjs,tailwindcss,wouter,vite,redux | 2023-08-18T20:48:59Z | 2024-04-10T03:42:22Z | null | 1 | 5 | 88 | 0 | 0 | 2 | null | null | JavaScript |
brtmvdl/frontend | main | # [@brtmvdl/frontend](https://www.npmjs.com/package/@brtmvdl/frontend)
Easy Front-end Node.js library
[See an example](https://github.com/brtmvdl/frontend-example)
[](https://github.com/brtmvdl/frontend/actions/workflows/npm-publish.yml) [](https://www.npmjs.com/package/@brtmvdl/frontend) [](https://img.shields.io/github/stars/brtmvdl/frontend?style=social)
## social & donate
[Donate](https://link.mercadopago.com.br/brtmvdl) - [Telegram](https://t.me/+KRmg5MlqgMk0MTg5) - [Discord](https://discord.gg/auCmnvV2)
## how to install
```bash
# bash
npm i @brtmvdl/frontend
mv node_modules libs
```
## how to use
```html
<!-- index.html -->
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Front-end</title>
<script type="importmap">
{
"imports": {
"@brtmvdl/frontend": "./libs/@brtmvdl/frontend/src/index.js"
}
}
</script>
</head>
<body>
<div id="app"></div>
<script type="module" src="./index.js"></script>
</body>
</html>
```
```js
// index.js
import { HTML, nInput, nButton } from '@brtmvdl/frontend'
const app = HTML.fromId('app')
const input = new nInput()
input.setPlaceholder('input')
app.append(input)
const button = new nButton()
button.setText('button')
button.on('click', () => window.alert(`value: ${input.getValue()}`))
app.append(button)
```
## license
[MIT](./LICENSE)
| Easy Front-end Node.js library | html,javascript,object-oriented-design,frontend,npm | 2023-08-30T14:52:53Z | 2024-04-15T20:53:30Z | null | 1 | 0 | 88 | 0 | 0 | 2 | null | MIT | JavaScript |
fullstack-dev3/vue-wordle | main | # vue-wordle
English Wordle game developed by Vue.js
Visit website: [Play Wordle](https://play-wordle.vercel.app)
## Getting Started
After cloning, you must install the npm in order to run.
```bash
npm install
# or
yarn install
```
Next, run the development server:
```bash
npm run serve
# or
yarn serve
```
| English Wordle game developed by Vue.js | css,english-word,html,javascript,typescript,vue3,wordle-game | 2023-09-03T06:20:39Z | 2023-10-03T21:56:13Z | null | 1 | 0 | 17 | 0 | 0 | 2 | null | null | Vue |
Frameright/image-display-control-demo-nextjs | main | [<img src="https://avatars.githubusercontent.com/u/35964478?s=200&v=4" align="right" width="64" height="64">](https://frameright.io)
# Demo of Image Display Control with Next.js
> **➡️ This demo has been built on top of the [blog-starter](https://github.com/vercel/next.js/tree/canary/examples/blog-starter) template by [Vercel](https://vercel.com/).**
A quick demo of integrating the [Image Display Control React Component](https://github.com/Frameright/react-image-display-control/) into a [Next.js](https://nextjs.org/) project. Made with ❤️ by [Frameright](https://frameright.io/). Power to the pictures!
Read more about Image Display Control on the [Frameright site](https://frameright.io/image-display-control/).
The detailed documentation for the Image Display Control React Component and other open-source IDC solutions is available on the [Frameright developer portal](https://docs.frameright.io/).
To see the final demo in action, visit [https://nextjs.frameright.io/](https://nextjs.frameright.io/).
## Creating the demo
[<img src="https://i.ytimg.com/vi/UsBtRSyY-7c/maxresdefault.jpg" alt="Integrating IDC with React & Next.js"/>](https://www.youtube.com/watch?v=UsBtRSyY-7c&feature=youtu.be)
[Watch on Youtube how to create the demo yourself](https://www.youtube.com/watch?v=UsBtRSyY-7c&feature=youtu.be)
## Running the demo
To run the final demo yourself, clone the repo and install the dependencies:
```bash
git clone git@github.com:Frameright/image-display-control-demo-nextjs.git
cd image-display-control-demo-nextjs
npm install
```
Then, run the development server:
```bash
npm run dev
```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
To build the demo for production, run:
```bash
npm run build
```
To serve the production build, run:
```bash
npm run start
```
Again open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
### Notes
The `blog-starter` template uses [Tailwind CSS](https://tailwindcss.com) [(v3.0)](https://tailwindcss.com/blog/tailwindcss-v3).
| Demo of the Image Display Control React Component with Next.js | demo,frameright,image-display-control,iptc,metadata,nextjs,responsive-images,tutorial,javascript,typescript | 2023-08-22T16:30:42Z | 2023-09-08T09:39:10Z | null | 2 | 4 | 20 | 0 | 0 | 2 | null | MIT | TypeScript |
mnenie/teachers-portal | main | # [Многостраничный сайт](https://mnenie.github.io/TeachersPortal/) - Портал Учителя
### Разработчики
[Александр Пешков](https://github.com/mnenie)
[Никола Селакович](https://github.com/fullstakilla)
## О сайте
__Портал Учителя__ - многостраничный сайт, написанный на фреймворке Vue, для поиска репититоров и учеников. Базовые предметы и узко направленные дисциплины — здесь вы найдете репетитора любой специализации.
__Стек__:
* Vue
* Bootstrap
* Swiper.js
* Vuex
* HTML
* CSS
* JavaScript
___
### Возможности сайта
Сайт написан на фреймворке Vue с использованием Vuex и включает в себя:
* Более 19 уникальных страниц
* Адаптив до 350px
* Слайдер с эффектом coverflow реализованный с помощью библиотеки Swiper.js
* ЛК, элементы фильтрации, платежная система и история платежей.
* При регистрации на сайте вам открываются множество новых возможностей и новые страницы, включающие в себя основные страницы Аккаунта, Истории платежей и Создания задачи
__Зарегистрируйтесь на сайте, чтобы увидеть весь функционал и новые уникальные страницы сайта!__
___
___Сайт доступен на GitHub Pages___
В случае ошибки:
Скачайте zip, откройте в редакторе кода и введите в корневой папке
`npm install`
`npm run dev`
Проект собран с помощью инструмента сборки [Vite](https://vitejs.dev/)
| Teacher's Portal - a multi-page website for find tutors and students. here you will find a tutor of any specialization. | css,javascript,vue3,vuex | 2023-08-16T18:42:11Z | 2023-08-17T10:21:37Z | null | 2 | 0 | 8 | 0 | 0 | 2 | null | null | Vue |
busraozdemir0/StoreProject | main | # Store Project - E-Ticaret Sitesi
## Projenin Genel Amacı
###
Bu proje BTK Akademi'de yer alan "ASP.NET Core MVC" adlı eğitim ile birlikte geliştirilmiş bir projedir.
Store Project; Admin paneli üzerinden eklenen ürünleri ana sayfada görüntüleyerek ve ürünü sepete ekleyerek sipariş verebilme üzerine kurgulanmış ve ingilizce olarak geliştirilmiş e-ticaret mantığındaki web uygulamasıdır.
.Net Core 6.0 kullanılarak geliştirilen bu uygulamada, Entity Framework Code First yaklaşımı benimsenmiştir. Projede N katmanlı mimari yapısı gözetilerek CRUD işlemlerinin daha pratik yapılması sağlanmıştır.
###
# Kullanılan Teknolojiler
- .Net Core 6.0
- Entity Framework Code First
- MSSQL Server
- LINQ
- Html
- Css
- JavaScript
- Bootstrap
- AutoMapper
- Razor Pages
- Identity
- Api
# Teknik Özellikler
- N Katmanlı Mimari Yapısı
- Session ile oturum yönetimi
- Identity ile kullanıcı ve rol işlemleri
- AutoMapper ile nesne eşleme(DTO) işlemleri
- Sayfalama yapısı
- Api kullanımı
# Sitenin Öne Çıkan Özellikleri
- Admin Paneli
- Identity kütüphanesi ile giriş yapma özelliği.
- Rolleme ve yetkilendirme ile admin paneline kısıtlamaları
- Admin panelde ilgili CRUD işlemleri
- Admin panelde siparişleri görme ve yönetme
- Kullanıcı oluşturma ve rol atama
- Ürün listelemede sayfalama yapısı kurulması
- Projeye basit api desteği
- Sepete ekleme kısmında hangi sayfadan gelindiyse oraya yönlendirme
- Filtreleme işlemleri
# Admin Paneli Özellikleri
- İstatistikleri görme
- Ürün ve kategorilerde CRUD işlemleri
- Kullanıcı oluşturma ve rol atama işlemleri
- Gelen siparişleri görme ve tamamlama gibi işlemler
- Ürün listeleme sayfasında filtreleme yapabilme
# Sitenin Görselleri
### Ana Sayfa

### Ana Sayfa - Footer

### Ürünler Sayfası

### Ürün Detayları

### İletişim Sayfası

### Alışveriş Sepeti

### Admin Paneli - Dashboard

### Admin Paneli - Siparişler

### Admin Paneli - Ürünler

### Admin Paneli - Kategoriler

### Admin Paneli - Kullanıcılar

### Admin Paneli - Roller

| E-commerce project with .net core 6 | bootstrap5,css3,e-commerce-project,e-commerce-website,ef-core-6,efcore6,font-awesome,html5,javascript,net-core-6-0 | 2023-08-10T11:52:14Z | 2024-05-17T14:39:08Z | null | 1 | 0 | 64 | 0 | 0 | 2 | null | null | JavaScript |
seniordev0207/Open-Source-Learning-LMS | main | <p align="center">
<a href="https://www.frappelms.com/">
<img src="https://frappelms.com/files/lms-logo-medium.png" alt="Frappe LMS" width="120px" height="25px">
</a>
<p align="center">Easy to use, open source, learning management system.</p>
</p>
<p align="center">
<a href="https://www.producthunt.com/posts/frappe-lms?utm_source=badge-top-post-topic-badge&utm_medium=badge&utm_souce=badge-frappe-lms" target="_blank"><img src="https://api.producthunt.com/widgets/embed-image/v1/top-post-topic-badge.svg?post_id=396079&theme=dark&period=weekly&topic_id=204" alt="Frappe LMS - Easy to use, 100% open source learning management system | Product Hunt" style="width: 250px; height: 54px;" width="250" height="54" /></a>
</p>
<div align="center" style="max-height: 40px;">
<a href="https://frappecloud.com/lms/signup">
<img src=".github/try-on-f-cloud.svg" height="40">
</a>
</div>
<p align="center">
<a href="https://dashboard.cypress.io/projects/vandxn/runs">
<img alt="cypress" src="https://img.shields.io/endpoint?url=https://dashboard.cypress.io/badge/simple/vandxn/main&style=flat&logo=cypress">
</a>
<a href="https://github.com/frappe/lms/blob/main/LICENSE">
<img alt="license" src="https://img.shields.io/badge/license-AGPLv3-blue">
</a>
</p>
<img width="1402" alt="Lesson" src="https://frappelms.com/files/banner.png">
<details>
<summary>Show more screenshots</summary>
<img width="1520" alt="ss1" src="https://user-images.githubusercontent.com/31363128/210056046-584bc8aa-d28c-4514-b031-73817012837d.png">
<img width="830" alt="ss2" src="https://user-images.githubusercontent.com/31363128/210056097-36849182-6db0-43a2-8c62-5333cd2aedf4.png">
<img width="941" alt="ss3" src="https://user-images.githubusercontent.com/31363128/210056134-01a7c429-1ef4-434e-9d43-128dda35d7e5.png">
</details>
Frappe LMS is an easy-to-use, open-source learning management system. You can use it to create and share online courses. The app has a clear UI that helps students focus only on what's important and assists in distraction-free learning.
You can create courses and lessons through simple forms. Lessons can be in the form of text, videos, quizzes or a combination of all these. You can keep your students engaged with quizzes to help revise and test the concepts learned. Course Instructors and Students can reach out to each other through the discussions section available for each lesson and get queries resolved.
## Features
- Create online courses. 📚
- Add detailed descriptions and preview videos to the course. 🎬
- Add videos, quizzes, and assignments to your lessons and make them interesting and interactive 📝
- Discussions section below each lesson where instructors and students can interact with each other. 💬
- Create classes to group your students based on courses and track their progress 🏛
- Statistics dashboard that provides all important numbers at a glimpse. 📈
- Job Board where users can post and look for jobs. 💼
- People directory with each person's profile page 👨👩👧👦
- Set cover image, profile photo, short bio, and other professional information. 🦹🏼♀️
- Simple layout that optimizes readability 🤓
- Delightful user experience in overall usage ✨
## Tech Stack
Frappe LMS is built on [Frappe Framework](https://frappeframework.com) which is a batteries-included python web framework.
These are some of the tools it's built on:
- [Python](https://www.python.org)
- [Redis](https://redis.io/)
- [MariaDB](https://mariadb.org/)
- [Socket.io](https://socket.io/)
## Local Setup
### Docker
You need Docker, docker-compose, and git setup on your machine. Refer to [Docker documentation](https://docs.docker.com/). After that, run the following commands:
```
git clone https://github.com/frappe/lms
cd apps/lms/docker
docker-compose up
```
Wait for some time until the setup script creates a site. After that, you can access `http://localhost:8000` in your browser and the app's login screen should show up.
### Frappe Bench
Currently, this app depends on the `develop` branch of [frappe](https://github.com/frappe/frappe).
1. Setup frappe-bench by following [this guide](https://frappeframework.com/docs/v14/user/en/installation)
1. In the frappe-bench directory, run `bench start` and keep it running. Open a new terminal session and cd into the `frappe-bench` directory.
1. Run the following commands:
```sh
bench new-site lms.test
bench get-app lms
bench --site lms.test install-app lms
bench --site lms.test add-to-hosts
1. Now, you can access the site at `http://lms.test:8000`
## Deployment
Frappe LMS is an app built on top of the Frappe Framework. So, you can follow any deployment guide for hosting a Frappe Framework-based site.
### Managed Hosting
Frappe LMS can be deployed in a few clicks on [Frappe Cloud](https://frappecloud.com/marketplace/apps/lms).
### Self-hosting
If you want to self-host, you can follow official [Frappe Bench Installation](https://github.com/frappe/bench#installation) instructions.
## Bugs and Feature Requests
If you find any bugs or have a feature idea for the app, feel free to report them here on [GitHub Issues](https://github.com/frappe/lms/issues). Make sure you share enough information (app screenshots, browser console screenshots, stack traces, etc) for project maintainers.
## License
Distributed under [GNU AFFERO GENERAL PUBLIC LICENSE](license.txt)
| Easy to Use, 100% Open Source Learning Management System | javascript,learning,learningmanagementsystem,lms,python,react | 2023-08-25T05:22:19Z | 2023-08-25T04:38:38Z | null | 1 | 0 | 1,537 | 0 | 1 | 2 | null | AGPL-3.0 | JavaScript |
fernandocstdev/devter | 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 `app/page.tsx`. The page auto-updates as you edit the file.
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.
| Clon de twitter (Curso de Midudev) | javascript,next,nextui,tailwind,typescript | 2023-08-30T14:55:45Z | 2023-08-30T14:55:36Z | null | 1 | 0 | 4 | 0 | 0 | 2 | null | null | TypeScript |
caazia/Personal-Page | main |
<br><hr><br>
## 🚀 Personal Page
<p> O projeto é uma página pessoal no qual fiz pensando em aprimorar minhas habilidades no qual foram adquiridas em outros projetos, e em conjunto aprender novas habilidades criava o projeto. </p>
[Visite o projeto online](https://caazia.github.io/Personal-Page/)
<br><hr><br>
## 💻 Esse projeto foi desenvolvido com as seguintes tecnologias:
- Javascript
- HTML
- CSS
<br><hr><br>
| Uma página pessoal que fiz no intuito de aprimorar minhas habilidades no qual foram adquiridas em outros projetos, e em conjunto aprender novas habilidades enquanto criava o projeto. | css,html,javascript,personalpage | 2023-08-24T07:40:31Z | 2023-12-08T01:30:09Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | HTML |
RCSIndustries/Project-Generator | main | # Project Generator
### READ ME WIP WILL BE UPDATED
Welcome to the Project Generator repository! This tool allows you to quickly create new project structures and templates, saving you time and effort when starting new projects. Whether you're a developer, designer, or anyone looking to streamline their project setup, this generator has you covered.
## Features
- **Efficient Project Creation**: Generate project templates with just a few simple steps, avoiding repetitive setup work.
- **Customizable Templates**: Define and customize project templates according to your specific needs.
- **Time Saver**: Spend more time building, less time configuring. Get started on your projects faster.
- **Consistency**: Ensure consistency across your projects by using predefined templates and structures.
## Getting Started
Follow these steps to set up and use the Project Generator:
1. **Clone the Repository**: Start by cloning this repository to your local machine:
```bash
git clone https://github.com/RCSIndustries/project-generator.git
****
| An open source Coding Project Generator site that allows the user to generate a coding project idea. | expressjs,generator,javascript,nextjs,project-template,react,typescript | 2023-08-22T02:53:21Z | 2023-12-09T04:29:07Z | null | 2 | 74 | 166 | 5 | 0 | 2 | null | null | TypeScript |
LakshayD02/Ecommerce-Website-PHP | main | # Ecommerce-Website-PHP
An e-commerce web application facilitates the platform that allows the interaction between customers with businesses that sell their products or services online with the help of the application. With the help of an application, the user can access various functionalities such as Register, Login, Add to Cart, Billing, Payment, etc.
Check the working of the Project Here - https://bit.ly/45yvgvF
| An e-commerce web application facilitates the platform that allows the interaction between customers with businesses that sell their products or services online with the help of the application. With the help of an application, the user can access various functionalities such as Register, Login, Add to Cart, Billing, Payment, etc. | bootstrap,cascading-style-sheets,css,ecommerce-website,font-awesome,html,html5,javascript,localhost,php | 2023-09-02T18:15:50Z | 2023-09-03T11:19:57Z | null | 1 | 0 | 9 | 0 | 0 | 2 | null | MIT | JavaScript |
LakshayD02/ToDo-List-App | main | # ToDo-List-App
A "To-Do List" App designed using HTML, CSS, and JavaScript to organize and prioritize your tasks. Todo Lists are the lists that we generally use to maintain our day-to-day tasks or list of everything that we have to do, with the most important tasks at the top and the least important tasks at the bottom. It is helpful in planning our daily schedules. We can add more tasks at any time and delete a task that is completed.
Deployed Link - https://todoapp-lakshay.netlify.app
| A "To-Do List" App designed using HTML, CSS and JavaScript to organize and prioritize your tasks. | css,css3,dom,font-awesome,html,html5,javascript,google-fonts | 2023-08-26T16:32:56Z | 2023-08-26T16:37:02Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | CSS |
LakshayD02/Video-Conferencing-Website | main | # Video-Conferencing-Website
A Video Conferencing Website made using HTML, CSS, and JavaScript. It is a live video-based meeting between two or more people in different locations using video-enabled devices. It allows multiple people to meet and collaborate face-to-face over long distances by transmitting audio, video, text, and presentations in real-time through the internet.
Deployed Link: https://videoconferencing-lakshay.netlify.app/
| A Video Conferencing Website made using HTML, CSS and JavaScript. It is a live video-based meeting between two or more people in different locations using video-enabled devices. It allows multiple people to meet and collaborate face to face long distance by transmitting audio, video, text and presentations in real time through the internet. | appid,cascading-style-sheets,css,hmtl5,html,javascript,sdk,software-development-kit | 2023-09-07T18:00:20Z | 2023-09-07T18:03:56Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
michilanau/galletita-game | main | # 🍪 Galletita Game
Simple 2 players game made in React + JavaScript.
# 📃 Description
That's my first React project. Made for learning purpose.
I used to play this game in a notebook with my friends at high school.
# 🕹️ How to play
Galletita Game is a simple turn-based game.
- Each player can paint a line on the board on their turn.
- The goal is to close squares, that will give you a point for each square you close.
- If you make at least one point on your turn, it's your turn again.
- The game ends when there are no more possible plays.
- The player with the most points wins.
# ⚙ Technologies
- React
- JavaScript
- Vite
- Node.js
- HTML
- CSS
# 🚀 Development deploy
`npm run dev`
| Simple 2 players game made in React + JavaScript. | game,javascript,javascript-game,nodejs,react,css,html,vite,vitejs | 2023-08-28T22:50:40Z | 2023-11-09T21:20:09Z | null | 1 | 1 | 26 | 0 | 0 | 2 | null | MIT | JavaScript |
ankitkrai07/stoic-sack-3017 | master | # Ez Tax: Simplifying Tax Returns
### Description
Ez Tax is your hassle-free solution for tax return submission and calculations. Our user-friendly platform is designed to empower individuals and businesses with easy tax management, eliminating the need for costly practitioners.
**Key Features:**
- Simplified Tax Returns: Effortlessly navigate complex tax processes.
- Cost-Efficient: Save money by avoiding expensive consultations.
- User-Centric Design: Enjoy an intuitive and stress-free experience.
Join us in revolutionizing tax management.
### Tech Stacks
- HTML
- CSS
- JavaScript
- ReactJS
- Chakra UI
- Styled-Components
### Folder Structure
```
stoic-sack-3017
├── README.md
├── node_modules
├── package-lock.json
├── package.json
├── .gitignore
├── public
└── src
└── Components
│ ├── Footer.jsx
│ ├── Navbar.jsx
│ ├── PrivateRoute.jsx
│ ├── YoutubeEmbed.jsx
├── chatbot
│ ├── Avatar.jsx
│ ├── Chatboat.jsx
│ ├── FinalChatBoat.jsx
│ └── style.js
├── Context
│ └── AuthContext.jsx
├── images
│ ├── c.png
│ ├── c2.jpg
│ ├── captcha.jpg
│ ├── HomePage (600).jpg
│ ├── taxtim-logo.jpg
│ └── logoeztax.png
├── Pages
│ ├── Calculators.jsx
│ ├── Faq.jsx
│ ├── Landing.jsx
│ ├── Login.jsx
│ ├── MainRoutes.jsx
│ └── Signup.jsx
├── App.css
├── App.js
├── index.css
└── index.js
```
### Deployment
This Project is deployed and accessible at https://eztax.vercel.app/
### Landing Page

### Login Page

### Signup Page

### Calculators Page

### Tax Calculation Page

| Ez Tax: Simplifying Tax Returns | chakra-ui,css,html,javascript,reactjs,styled-components | 2023-08-22T14:52:44Z | 2023-10-01T14:47:55Z | null | 4 | 13 | 55 | 0 | 1 | 2 | null | null | JavaScript |
Alex-G-R/Personal-portfolio-page | main | # Personal-portfolio-page
This is my personal portfolio page build in HTML5, CSS3 and JavaScript.
I've spent quite a while building it, so if you want to use is please give credits.
| This is my personal portfolio page build in HTML5, CSS3 and JavaScript. | css,html,javascript,portfolio,portfolio-website | 2023-09-09T17:29:20Z | 2023-10-27T15:20:05Z | null | 1 | 0 | 46 | 0 | 0 | 2 | null | MIT | HTML |
kareena0211/Product-Filter-App | main | null | null | css3,html5,javascript | 2023-08-13T06:57:18Z | 2023-08-13T06:56:56Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | HTML |
aanddy36/Flags-game | main | # Flags Game
## Description
### 1. Introduction
Flags Game created using the open-source [REST Countries API project](https://gitlab.com/restcountries/restcountries). You can pick a specific continent or the entire world.
At the end of the game you'll see the time you lasted and the score based on the amount of wrong answers.
The game is available in spanish or english.
### 2. Home Page
In the home page you must select the continent (or the World) to which you want to guess his flags.
### 3. Game Page
As soon as you pick the Game Mode, their respective flags will be displayed and the time will start to run.
- At the top you will see the flag you must click.
- In case you ***miss***, you will see a message with the name of the flag clicked, but if you ***guess***, the flag will be blocked and othe name will be displayed at the top.
- If you guess them all, a pop-up box will appear with your score, time, and the option to play again or to go back to main menu.
- Once in the Game Page, you can select in the navbar other game mode.
## Technologies used
- React
- React Router
- JavaScript
- CSS
## Concepts Applied
- ***Global State Management*** using useReducer() + Context API
- ***Routing*** with React Router library
- ***Global variables*** for changing languages
- Responsive for all devices
- ***Hooks***: useState, useEffect, useReducer, useContext.
| In this game you can pick a continent (or the entire world) and guess their flags. You'll be timed and have a score according to the amount of wrong answers you have. This project was done using React, JavaScript, CSS, and the info provided by the open-source API REST Countries. | css,es6,javascript,react,react-hooks,react-router | 2023-08-19T05:47:53Z | 2023-08-28T23:21:49Z | null | 1 | 0 | 8 | 0 | 0 | 2 | null | null | JavaScript |
guiddealmd/ANTARES | main | null | null | bootstrap,css,git,github,html,javascript,vercel | 2023-08-14T13:36:06Z | 2023-09-11T15:01:47Z | null | 1 | 0 | 13 | 0 | 1 | 2 | null | null | HTML |
LakshayD02/Calculator | main | # Calculator
A Simple Calculator designed using HTML, CSS and JavaScript which performs basic Arithmetic Operations.
Deployed Link - https://calculator-lakshay.netlify.app
| A Simple Calculator designed using HTML, CSS and JavaScript which performs basic Arithmetic Operations. | css,css3,font-awesome,html,javascript,javascript-library,mdn,calculator,css-grid,media-query | 2023-08-26T17:46:40Z | 2023-08-26T17:50:28Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | CSS |
divyaGrvgithub/To_Do_App | to/do/app | # To-Do-App
To-Do App using the HTML ,CSS and JavaScript and it use the local Memory of Browser
| I've created a concise To-Do app using HTML, CSS, and JavaScript. It conveniently stores tasks in your browser's local memory, no need for sign-ins or accounts. You can easily add and remove tasks, and the app keeps everything organized. It's a quick and efficient way to manage your daily ta | css,html,html-css-javascript,html5,javascript | 2023-09-01T11:07:16Z | 2023-09-01T11:53:23Z | null | 1 | 0 | 9 | 0 | 0 | 2 | null | GPL-3.0 | CSS |
Deshan555/diaryAPI | master | # diaryAPI Documentation 📔
Welcome to the Daybook API documentation! 🚀 This API allows you to manage your daybook entries, recording your
thoughts, moods, and experiences. Keep track of your journey with ease! 🌟

## Introduction 📝
The Daybook API empowers you to capture your daily experiences, emotions, and reflections. Each entry contains essential
details like title, content, timestamp, location, mood, and a unique entry code.
## Getting Started 🚀
### Prerequisites 🛠️
- Postman or any other API testing tool for testing the endpoints.
### Installation 💻
1. Clone the DiaryAPI repository from GitHub: git clone `https://github.com/Deshan555/diaryAPI/tree/master`
2. Navigate to the project directory: cd diary-api
3. Build the Docker container for the PostgreSQL database: docker-compose up -d
4. Create New Database Name `diary`
```bash
# pasql -U admin
/bin/sh: 1: pasql: not found
# psql -U admin
psql (15.4 (Debian 15.4-1.pgdg120+1))
Type "help" for help.
admin=# CREATE DATABASE diary;
CREATE DATABASE
admin=#
```
5. Run the Spring Boot application: ./mvnw spring-boot:run
The API is now up and running! 🎉
## API Endpoints 🛤️
### Add Entry 📝
Add a new daybook entry.
- **Endpoint:** POST `/api/v1/daybook/add`
- **Request Body:**
```json
{
"title": "A Peaceful Morning",
"content": "Started the day with a calm meditation session. It helped set a positive tone for the entire day.",
"location": "Home",
"mood": "Relaxed"
}
```
- **Response:** Newly created entry details.
```json
{
"id": 8,
"title": "A Peaceful Morning",
"content": "Started the day with a calm meditation session. It helped set a positive tone for the entire day.",
"timestamp": "1692686335597",
"location": "Home",
"mood": "Relaxed",
"entryCode": "ad5690bd-c7ff-4421-84f5-48d8ba1c75df"
}
```
### Update Entry ✏️
Update an existing daybook entry.
- **Endpoint:** PUT `/api/v1/daybook/update`
- **Request Body:**
```json
{
"id": 1,
"title": "Updated Entry",
"content": "This is an updated entry...",
"timestamp": "2023-08-21T15:30:00Z",
"location": "City",
"mood": "Happy",
"entryCode": "ABCDE12345"
}
```
- **Response:** Updated entry details.
### Find Entry by ID 🔍
Retrieve a specific daybook entry by its ID.
- **Endpoint:** GET `/api/v1/daybook/find/{id}`
- **Response:** Found entry details.
### Get All Entries 📋
Retrieve a list of all daybook entries.
- **Endpoint:** GET `/api/v1/daybook/all`
- **Response:** List of all entries.
```json
[
{
"id": 2,
"title": "A Peaceful Morning",
"content": "Started the day with a calm meditation session. It helped set a positive tone for the entire day.",
"timestamp": "1692686333844",
"location": "Home",
"mood": "Relaxed",
"entryCode": "9d009c63-ad7e-4a1d-9304-ea7b061f0b68"
},
{
"id": 3,
"title": "A Peaceful Morning",
"content": "Started the day with a calm meditation session. It helped set a positive tone for the entire day.",
"timestamp": "1692686334402",
"location": "Home",
"mood": "Relaxed",
"entryCode": "133de12e-be4f-42c4-8b44-194fca10ac4e"
}
]
```
### Delete Entry 🗑️
Delete a daybook entry by its ID.
- **Endpoint:** DELETE `/api/v1/daybook/drop/{id}`
- **Response:** No content.
```json
{
"message": "Content deleted id : 1"
}
```
## Swagger Documentation 📖
Explore and test the API using the interactive Swagger documentation. Access it by navigating to [Swagger UI](http://localhost:8083/swagger-ui/index.html) once the API is running.`http://localhost:8083/swagger-ui/index.html#/controller/getContentByID`
## Error Codes ❌
The API may return the following error codes:
- 400 Bad Request: Invalid request format or parameters.
- 404 Not Found: Resource not found.
- 500 Internal Server Error: Server-side errors.
## Contributing 👥
We welcome contributions to enhance the Daybook API! Feel free to submit pull requests or open issues.
## License 📜
This project is licensed under the [MIT License](LICENSE).
---
Thank you for using the Daybook API! 📔 If you have any questions or suggestions, please don't hesitate to reach out. Happy journaling! 🌈
| 🚀 This API allows you to manage your daybook entries, recording your thoughts, moods, and experiences. Keep track of your journey with ease! 🌟 | diary-application,diary-entries,docker,javascript,jpa-hibernate,rest-api,spring-boot,ghdesktop,github,jetbrains | 2023-08-21T14:38:08Z | 2024-01-14T05:17:36Z | null | 2 | 1 | 38 | 0 | 0 | 2 | null | NOASSERTION | Java |
yogeshkumawat007/Skinstore | main |
# SkinStore-Clone
Welcome to the SkinStore Clone project! This project is a clone of the SkinStore website, created by a team of 5 members using HTML, CSS, and JavaScript. The project is deployed on Netlify, and you can access it at https://high-fruit.netlify.app/
## Tech Stack
- HTML
- CSS
- JavaScript (LocalStorage, DOM)
## Deployment link
https://high-fruit.netlify.app/
## Authors
- [@Narayan](https://github.com/noobnarayan)
- [@Vishwanath](https://github.com/buddybtech)
- [@Yogesh](https://www.github.com/yogeshkumawat007)
- [@Anjali](https://www.github.com/techsiren)
- [@Zaheen](https://www.github.com/#)

| SkinStore is an online marketplace that offers a vast catalog of beauty products comprising skincare, haircare, self-care, makeup, and body categories. | css,html,javascript | 2023-09-11T17:53:25Z | 2023-09-24T08:28:17Z | null | 5 | 52 | 190 | 0 | 2 | 2 | null | null | HTML |
Fransuelton/magazine-hashtag | main | <h1 align="center">Magazine Hashtag</h1>
<div align="center">

</div>
### Descrição do Projeto
Neste Intensivão de JavaScript, construímos uma página de Ecommerce completa, incluindo um catálogo de produtos, um carrinho de compras, uma página de checkout e uma página de pedidos. Utilizamos JavaScript, Tailwind CSS e o Vite para criar a estrutura inicial do projeto. Foi uma semana de aprendizado incrível com o especialista Daniel Porto. Em breve, pretendo realizar modificações no projeto.
### 🛠 Tecnologias
As seguintes ferramentas foram usadas na construção do projeto:
- HTML
- CSS
- JavaScript
- [Tailwind CSS](https://tailwindcss.com/)
- [Vite](https://vitejs.dev/)
### Pré-requisitos
Antes de começar, você vai precisar ter instalado em sua máquina as seguintes ferramentas:
[Git](https://git-scm.com), [Node.js](https://nodejs.org/en/).
Além disto é bom ter um editor para trabalhar com o código como [VSCode](https://code.visualstudio.com/)
#### 🎲 Rodando o projeto
```bash
# Clone este repositório
$ git clone https://github.com/Fransuelton/magazine-hashtag.git
# Acesse a pasta do projeto no terminal/cmd
$ cd magazine-hashtag
# Instale as dependências
$ npm install
# Execute a aplicação em modo de desenvolvimento
$ npm run dev
```
| Página de E-commerce desenvolvida durante o Intensivão de JavaScript, promovido pela HashTag Treinamentos e ministrado por Daniel Porto, um especialista em JavaScript da HashTag. | css,html,javascript,vite,hashtag-treinamentos | 2023-09-04T14:14:04Z | 2023-09-04T15:09:08Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
chshahid119/map-runing-cycling-app | main | 
# map-runing-cycling-app
Running and Cycling App Using OOP in JS and also I used JS Map Api Leaflet. I created this project with the help of Jonas schmedtmann tutorial.
| Running and Cycling App Using OOP in JS and also used JS Leaflet API. I created this project with the help of Jonas schmedtmann tutorial. | api,css3,es6,fetch-api,html5,javascript,leaflet,vscode | 2023-09-09T03:25:15Z | 2023-09-13T21:47:12Z | null | 1 | 0 | 4 | 0 | 0 | 2 | null | null | JavaScript |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.