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 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
SandaruwanB/portfolio | dev | # 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)
| my portfolio web site created with react and Material UI | javascript,material-ui,portfolio,portfolio-website,react | 2023-09-17T09:51:46Z | 2023-09-29T17:52:45Z | null | 1 | 2 | 40 | 0 | 0 | 3 | null | null | JavaScript |
renranSy/redux-study | main | # Redux Study 
> 这个秋天🍂还是有些热,就像夏天还没有过去一样,不过,天空很蓝,白云☁很白......
## 简介
`redux-study`是一个最简单的学习`Redux`的栗子,使用`Webpack`从零构建,也许,在看文档学习感到枯燥无味的时候,尝试着动手写一个简单的demo,更有助于理解和学习,同时这会让我们的学习过程更加有趣。
项目目的:
- 尝试着从零构建一个项目
- 学习`Redux`
- 进行有趣的学习
## 开始
在开始动手写这个小demo之前,我们需要了解一些基本的概念,即<u>redux</u>的基础概念,这里我就不过多赘述了,相信官方文档讲得更加清楚。
→ [Redux基础概念](https://cn.redux.js.org/tutorials/essentials/part-1-overview-concepts)
OK,在了解了<u>Redux</u>的基础概念之后,相信你已经知道了**state**、**reducer**、**action**等术语,这样在后面的讲述中相信你不会对这些术语感到奇怪。
### 建立项目
首先,我们需要创建一个名为📂`redux-study`(当然,你也可以起一个自己喜欢的名字,这并不妨碍)的文件夹用来存放我们的项目。
进入目录之后在终端运行运行:
`yarn init -y`
在这里,我使用的包管理工具是`yarn`,是的,你也可以使用`npm`或者`pnpm`,只要你喜欢。
此时你会发现在你项目的根目录下自动生成了一个`package.json`的文件,如下:
```json
{
"name": "redux-study",
"version": "1.0.0",
"author": "renranSy",
"license": "MIT"
}
```
是的,他看起来非常简单,包含了这个项目的一些信息。
接下来,由于我们使用`webpack`来构建我们的项目,所以我们需要手动来安装一些依赖:
`yarn add -D webpack webpack-cli webpack-dev-server`
同样的,我们也需要安装`redux`
`yarn add redux`
这时候,我们的`package.json`发生了一点变化:
```json
{
"name": "redux-study",
"version": "1.0.0",
"main": "index.js",
"author": "sunyang <2480901422@qq.com>",
"license": "MIT",
"scripts": {
"dev": "webpack-dev-server --config ./webpack.config.js"
},
"devDependencies": {
"webpack": "^5.88.2",
"webpack-cli": "^5.1.4",
"webpack-dev-server": "^4.15.1"
},
"dependencies": {
"redux": "^4.2.1"
}
}
```
这时候,我们需要对`webpack`进行一些配置,于是我们需要在根目录下新建一个名为`webpack.config.js` 的文件,并写入一些进行配置的代码:
```javascript
const path = require('path')
module.exports = {
// 指定入口文件
entry: './src/index.js',
// 指定输出文件,以及输出文件存放的位置
output: {
filename: 'app.js',
path: path.resolve(__dirname, 'public'),
},
devServer: {
// 指定静态文件存放的文件夹
static: {
directory: path.join(__dirname, 'public')
},
// 是否压缩
compress: true,
// 项目运行端口
port: 9000
},
// 模式为开发模式
mode: 'development'
}
```
我在代码中表明了一些注释,相信你能够明白它的意思。
创建配置文件之后我们需要根据我们的配置文件来做一些事情。
在根目录下创建两个文件夹📂`public`和📂`src`。
在📂`public`文件夹中创建两个文件分别为`index.html`和`style.css`,并在里面写入一些代码:
<u>html文件</u>
```html
<!doctype html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport"
content="width=device-width, user-scalable=no, initial-scale=1.0, maximum-scale=1.0, minimum-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>Redux Study</title>
<link rel="stylesheet" href="style.css">
</head>
<body>
<div id="app">
<div id="addBook"></div>
<div id="delBook"></div>
<ul id="bookList"></ul>
</div>
<!-- 在 webpack配置文件中进行配置后,运行 yarn dev 会在 public 文件夹下面生成一个 app.js 文件-->
<script src="app.js"></script>
</body>
</html>
```
<u>css文件</u>
```css
* {
margin: 0;
padding: 0;
}
html, body {
width: 100%;
height: 100%;
display: flex;
justify-content: center;
}
button {
width: 100px;
}
```
在📂`src`文件夹中新建一个名为`index.js`的文件。
这样,我们的项目就准备好了,接下来就是在`index.js`文件中来写一些代码,并尝试完成这个demo。
### 主要代码
我将代码放在了这里,并标明了注释:
```javascript
import { createStore } from 'redux'
// 用来记录 old state
let recordState
// 初始化 state
const initialState = []
// 创建 reducer
const reducer = function (state = initialState, action) {
recordState = state
switch (action.type) {
case 'addBook':
console.log(action)
return [
...state,
{
bookId: action.info.bookId,
bookName: `<<${action.info.bookName}>>`
}
]
case 'delBook':
return state.filter((book) => book.bookId !== action.info.bookId)
default:
return [
...state
]
}
}
// 创建 store
const store = createStore(reducer)
// 获取添加书籍的元素
const addBook = document.getElementById('addBook');
// 获取删除书籍的元素
const delBook = document.getElementById('delBook');
// 获取展示书籍列表的元素
const bookList = document.getElementById('bookList');
// 创建添加书籍的按钮
const addBookBtn = document.createElement('button');
// 创建添加书籍的input框,输入书名添加书籍
const bookNameInput = document.createElement('input');
// 创建删除书籍的按钮
const delBookBtn = document.createElement('button');
// 创建删除书籍的input框,输入书籍id删除书籍
const bookIdInput = document.createElement('input');
addBookBtn.innerText = "添加"
delBookBtn.innerText = "删除"
addBookBtn.addEventListener('click', addBookFn)
delBookBtn.addEventListener('click', delBookFn)
addBook.appendChild(bookNameInput)
addBook.appendChild(addBookBtn)
delBook.appendChild(bookIdInput)
delBook.appendChild(delBookBtn)
// 定义一个生成器函数生成 id
function* generateID() {
let id = 0;
while (true) {
yield id++
}
}
const generateId = generateID()
const genBookId = () => generateId.next().value.toString()
// 添加书籍函数
function addBookFn() {
const bookName = bookNameInput.value
if (bookName) {
const bookId = genBookId()
bookNameInput.value = ''
const action = {
type: 'addBook',
info: {
bookId,
bookName
}
}
store.dispatch(action)
}
}
// 删除书籍函数
function delBookFn() {
const bookId = bookIdInput.value
if (bookId) {
bookIdInput.value = ''
const action = {
type: 'delBook',
info: {
bookId: bookId
}
}
store.dispatch(action)
}
}
// 如果 state 发生变化,打印旧的 state 和新的 state
const showState = store.subscribe(() => {
console.log('Old State' + recordState)
console.log('New State' + store.getState())
})
// state 发生变化,重新渲染 bookList
const showNewList = store.subscribe(() => {
const currentState = store.getState()
if (currentState.length !== recordState.level) {
bookList.innerText = ''
currentState.forEach((element) => {
bookList.appendChild(createBookList(element))
})
}
})
function createBookList(info) {
const element = document.createElement('li')
element.innerText = `BookID: ${info.bookId} BookName: ${info.bookName}`
return element
}
```
接下来,我们进入项目所在的目录,打开终端,运行 `yarn webpack-dev-server --config ./webpack.config.js`就能看到我们的效果啦。
输入书名添加书籍,输入书籍id删除书籍。
## 参考视频
[20分钟讲清楚Redux全流程架构(无框架版)](https://www.bilibili.com/video/BV12B4y1z7my/?spm_id_from=333.337.search-card.all.click&vd_source=0d822382cb114cb34b2655e3c79b7cbc)
| 从零构建一个项目并使用redux(未使用任何框架,纯js) | html,javascript,redux,webpack,yarn | 2023-09-18T23:39:51Z | 2023-09-19T14:02:54Z | null | 1 | 0 | 11 | 0 | 0 | 3 | null | null | JavaScript |
johansatge/standalone-preact-builder | main | null | ⚛️ Build custom, self-contained & self-hosted Preact script in the browser | bundle,esbuild,esbuild-wasm,javascript,js,preact,preactjs,preact-demos,preact-signals,react | 2023-09-12T17:18:59Z | 2024-04-12T19:19:51Z | null | 1 | 0 | 53 | 0 | 0 | 3 | null | MIT | JavaScript |
ImanAdithya/New_MyPortFolio | master | null | My personal Portfolio | html,css,javascript | 2023-09-12T04:22:54Z | 2023-11-16T06:46:36Z | null | 1 | 0 | 15 | 0 | 0 | 3 | null | null | JavaScript |
Harshitnegi5/Gsap-Animation | main | # Fanta Animation
| using gsap and scrolltrigger | css,gsap,gsap-animation,gsap-scrolltrigger,html,javascript | 2023-09-30T08:23:31Z | 2023-09-30T08:28:01Z | null | 1 | 0 | 2 | 0 | 0 | 3 | null | null | HTML |
BarakAlmog/Airtable-Masterkit | main | # Airtable Masterkit
A comprehensive collection of Scripts, Formulas, Automations, Practices, and BKMs meticulously curated to optimize Airtable workflows, boost efficiency, and empower users ranging from novices to seasoned experts
## Usage
1. Open the desired script file from this repository.
2. Copy the entire script content.
3. In Airtable, go to the scripting block and create a new script.
4. Paste the copied script content into the scripting block.
5. Run the script.
**Note:** Always ensure you have appropriate permissions and backups before running scripts on production tables.
## Contributing
Pull requests and script contributions are welcome. For major changes or new scripts, please open an issue first to discuss what you'd like to add or modify.
## License
This collection of scripts is licensed under the MIT License - see the [LICENSE.md](LICENSE.md) file for details.
## Acknowledgments
- A special thanks to all contributors and the Airtable community for feedback and suggestions.
| A curated collection of JavaScript utility scripts designed for enhancing and automating tasks within Airtable's scripting runtime. | airtable,automation,javascript,scripts,utilities | 2023-10-01T01:25:16Z | 2023-10-19T01:42:07Z | null | 1 | 0 | 20 | 0 | 1 | 3 | null | MIT | JavaScript |
suyashpatil78/wheelerjs | main | # wheelerjs
[](https://packagephobia.com/result?p=wheelerjs@1.0.2)
[](https://www.npmjs.com/package/wheelerjs)
### The only library you needed to show up a loader
## How to use the package
* Simply install the package using `npm install wheelerjs`
* In you component file, you need to import the `Loader` component
```
import {Loader} from 'wheelerjs';
function App() {
return (
<div>
<Loader />
</div>
);
}
export default App;
```
## How it looks like
<p align="center">
<img src="https://github.com/suyashpatil78/wheelerjs/blob/main/assets/demo.gif" />
</p>
* If you face any issue, use github issues for that
| The only library you needed to show up a loader while fetching data | javascript,library,typescript,loader | 2023-09-17T09:08:00Z | 2023-09-25T14:15:21Z | null | 1 | 0 | 10 | 0 | 0 | 3 | null | null | CSS |
chaitu43/FarmSwecha | main | # FarmSwecha
A website for Farmers to get all the things in one place
Here you want to create a website in which there will be some farming lessons, farming community, crop market prize etc
if you have any ideas you are welcome
If you want to make any changes just make a simple wireframe and add it to the repository. I will review it and if I accept it then you can build the webpage so that your work will not be wasted.
| A website for Farmers to get all the things in one place | css,game-development,hactoberfest2023,html,javascript,open-source,website,hacktoberfest,hacktoberfest-accepted,html5-game | 2023-10-07T02:02:09Z | 2023-10-25T04:54:28Z | null | 4 | 4 | 10 | 6 | 8 | 3 | null | CC0-1.0 | HTML |
hrishiD-codes/Drum-kit | main | # Drum-kit
A responsive Drum-kit website to play Drums (# those who doesn't have :" )
| A responsive Drum-kit website to play Drums (# those who doesn't have :" ) | entertainment-application,drumkit,javascript,responsive-design | 2023-10-01T07:53:55Z | 2023-10-01T09:38:23Z | null | 1 | 0 | 4 | 0 | 0 | 3 | null | MIT | CSS |
alpha951/Task-management-API | main | # Task Management API
## Description
- This API can be used for managing tasks. It is a REST API built with Node.js, Express.js and PostgreSQL.
- To manage migrations we have used sequelize-cli and sequelize-orm.
- This API supports JWT authentication and authorization.
- This API follows robus error-handeling, Object Oriented Programming and MVC architecture.
## Local Setup
```bash
git clone https://github.com/alpha951/Task-management-API.git
cd Task-management-API
npm install
```
- Create a .env file similar to ```.example.env``` file and add your environment variables.
- Run ```npx sequelize init``` to setup sequelize.
- Configure your ./config/config.json file to connect to your database.
- Run ```npx sequelize db:migrate``` to run migrations.
- Run ```npx sequelize db:seed 20230921112358-demo-users.js``` to seed the database with users.
- Run ```npx sequelize db:seed 20230921081302-demo-tasks.js``` to seed the database with tasks.
> #### PASSOWRD for all the users is 1234 in Seeders
## Database Sample

## API Documentation
Following are the API endpoints and their usage.
### Authentication
#### Signup
- POST
- http://localhost:3000/api/v1/user/signup
- BODY : name, email, password
#### Signin
- POST
- http://localhost:3000/api/v1/user/signin
- BODY : name, email, password
### Tasks
- http://localhost:3000/api/v1/task
#### Create Task
- POST
- http://localhost:3000/api/v1/task
- BODY : description, status
- HEADER : x-access-token : JWT-TOKEN
#### Get All Tasks
- GET
- http://localhost:3000/api/v1/task
- HEADER : x-access-token : JWT-TOKEN
#### Get Task by id
- GET
- http://localhost:3000/api/v1/task/:id
- HEADER : x-access-token : JWT-TOKEN
#### Update Task
- PATCH
- http://localhost:3000/api/v1/task/:id
- HEADER : x-access-token : JWT-TOKEN
#### Delete Task
- DELETE
- http://localhost:3000/api/v1/task/:id
- HEADER : x-access-token : JWT-TOKEN
| null | error-handling,express-js,javascript,jwt-authentication,mvc,postgresql,task-management-system | 2023-09-21T08:06:10Z | 2023-09-21T11:44:55Z | null | 1 | 0 | 17 | 0 | 0 | 3 | null | null | JavaScript |
arunike/CS571 | main | # COMP SCI 571
## Description
<p> Projects I did in COMP SCI 571: Building User Interfaces
<li> <b>Homework 01: <a href="https://arunike.github.io/compsci571/homework01/index.html" target="blank">Badger Bakery</a> </b> </li>
<li> <b>Homework 02: <a href="https://arunike.github.io/compsci571/homework02/index.html" target="blank">Badger Book</a> </b> </li>
<li> <b>Homework 03: <a href="https://arunike.github.io/#/badger-bakery" target="blank">Badger Bakery (React)</a> </b> </li>
<li> <b>Homework 04: <a href="https://arunike.github.io/#/badger-classroom" target="blank">Badger Classroom</a> </b> </li>
<li> <b>Homework 05: <a href="https://github.com/arunike/CS571/tree/main/Homework%2005" target="blank">Badger Buddy</a> </b> </li>
<li> <b>Homework 06: <a href="https://github.com/arunike/CS571/tree/main/Homework%2006 " target="blank">Badger Chatroom</a> </b> </li>
<li> <b>Homework 07: <a href="https://arunike.github.io/assets/badger%20bakery%20ios%20demo-Klqrc0Fi.mp4" target="blank">Badger Bakery (React Native)</a> </b> </li>
<li> <b>Homework 08: <a href="https://arunike.github.io/assets/badger%20news%20ios%20demo-hEGF-Z6l.mp4" target="blank">Badger News</a> </b> </li>
<li> <b>Homework 09: <a href="https://arunike.github.io/assets/badger%20chat%20ios%20demo-7Shv7Y_a.mp4" target="blank">Badger Chat (React Native)</a> </b> </li>
<li> <b>Homework 11: <a href="https://arunike.github.io/assets/badger%20chat%20dialogflow%20demo-52OxkV_t.mp4" target="blank">Badger Chat (DialogFlow)</a> </b> </li>
<li> <b>Homework 12: <a href="https://github.com/arunike/CS571/tree/main/Homework%2012 " target="blank">BadgerChat Mini</a> </b> </li>
</p>
| COMP SCI 571 Fall 2023 | css,html,javascript,react | 2023-09-25T22:41:45Z | 2023-12-21T00:28:21Z | null | 1 | 0 | 21 | 0 | 0 | 3 | null | MIT | JavaScript |
ShivangRawat30/StockPrediction-Solana | main | ## Stock Prediction application.
Solana Stock Prediction App, a cutting-edge decentralized application (DApp) built on the lightning-fast Solana blockchain.
## Getting Started
First, run the development server:
```bash
npm run dev
# or
yarn dev
```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
You can start editing the page by modifying `pages/index.js`. The page auto-updates as you edit the file.
[API routes](https://nextjs.org/docs/api-routes/introduction) can be accessed on [http://localhost:3000/api/hello](http://localhost:3000/api/hello). This endpoint can be edited in `pages/api/hello.js`.
The `pages/api` directory is mapped to `/api/*`. Files in this directory are treated as [API routes](https://nextjs.org/docs/api-routes/introduction) instead of React pages.
## 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..
| Solana-based Stock Prediction DApp: Bet on stock prices, win rewards for accurate predictions. Explore financial markets like never before | anchor,javascript,nextjs,rust,solana | 2023-09-23T10:32:18Z | 2023-10-03T13:16:40Z | null | 1 | 0 | 7 | 0 | 2 | 3 | null | null | JavaScript |
faizan619/Public-BlogPage | 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
| null | blog,javascript,react,react-blog,react-blog-website,react-firebase,reactblogapp,blogwebsite-with-firebase,react-firebase-blog,react-firebase-blogwebsite | 2023-09-20T02:01:01Z | 2023-09-25T10:08:23Z | null | 1 | 0 | 20 | 0 | 0 | 3 | null | null | JavaScript |
thiyagutenysen/Serverless-Chat-App | main | <img src="./assets/anonymous-message.ico" width="100" height="100">
# [download-app](https://drive.google.com/drive/folders/1LJ94fhSc-guG2sH_bIOw9-Fk4NyO24Qo?usp=sharing)
# Serverless-Chat-App
## ChellChat
<img src="./screenshot.jpg">
## How to Use Guide
0. you and your friend open the app on different desktop machines
1. Your server URL is displayed on the top-left corner of your screen
2. Give this URL to your friend and ask him to put the URL in the top-right corner input box and ask him to press connect
3. similarly get the URL from your friend and put your friend's URL in your top-right corner input box and press connect
4. Initial Setup is Over. Now you can type your message in the bottom input bar and press enter to send him the message
5. Chat session commences
| Simple Serverless P2P Electronjs chat desktop app with simple javascript | axios,bootstrap,chat,chat-application,desktop-app,dom-manipulation,electronjs,expressjs,html,javascript | 2023-09-30T16:07:19Z | 2023-10-01T13:28:17Z | null | 1 | 1 | 31 | 2 | 2 | 3 | null | null | JavaScript |
imanh79/Dashbordonline | main | ## Demo Online
https://dashbordonline-i9n5.vercel.app/
## Getting Started
First, run the development server:
```bash
npm run dev
# or
yarn dev
# or
pnpm dev
# or
bun dev
```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
You can start editing the page by modifying `pages/index.js`. The page auto-updates as you edit the file.
[API routes](https://nextjs.org/docs/api-routes/introduction) can be accessed on [http://localhost:3000/api/hello](http://localhost:3000/api/hello). This endpoint can be edited in `pages/api/hello.js`.
The `pages/api` directory is mapped to `/api/*`. Files in this directory are treated as [API routes](https://nextjs.org/docs/api-routes/introduction) instead of React pages.
This project uses [`next/font`](https://nextjs.org/docs/basic-features/font-optimization) to automatically optimize and load Inter, a custom Google Font.
| null | javascript,reactjs,dashboard,dashboard-templates,nextjs,nextjs13,next,react,css,html | 2023-09-29T13:44:33Z | 2023-10-06T12:44:59Z | null | 1 | 0 | 30 | 0 | 0 | 3 | null | null | JavaScript |
dotechcommunity/E-file-Management-System-Frontend | main | # FileManager - Student File Management Tool
## Overview
FileManager is an open-source project designed to help students effectively manage their files, documents, and coursework. With FileManager, students can organize, categorize, and access their files easily, enhancing productivity and ensuring that important documents are always within reach.
## Features
- **File Organization**: FileManager allows you to create folders, subfolders, and tags to categorize and organize your files according to courses, subjects, or any other criteria.
- **Search and Filter**: Easily find files using the search and filter functionality, saving you time when you need to locate specific documents quickly.
- **File Preview**: FileManager provides a built-in file preview feature that allows you to view documents, images, and PDFs without leaving the application.
- **Upload and Download**: Seamlessly upload files to FileManager from your device and download them when needed. Multiple file formats are supported.
- **Version Control**: FileManager keeps track of file versions, ensuring you can revert to previous versions if needed.
- **Collaboration**: Share files and folders with classmates, allowing for collaborative work on projects and assignments.
- **Task Management**: Create and manage tasks related to your files. Keep track of assignment due dates and project deadlines.
# Getting Started
Follow these steps to get started with FileManager:
1. **Clone the Repository**: Clone the FileManager repository to your local machine using `git clone`.
2. **Install Dependencies**: Install the required dependencies using `npm install` or `yarn install`.
3. **Configuration**: Configure FileManager by setting up database connections, authentication methods, and any other necessary settings in the `config` folder.
4. **Run the Application**: Use `npm start` or `yarn start` to start the FileManager application.
5. **Access the Application**: Open your web browser and navigate to `http://localhost:5173` (or the specified port) to access FileManager.
## Contributing
We welcome contributions from the community to make FileManager even better for students. To contribute, follow these steps:
1. Fork the repository.
2. Create a new branch for your feature or bug fix: `git checkout -b feature/your-feature` or `bugfix/your-bug-fix`.
3. Make your changes and commit them with clear and concise messages.
4. Push your changes to your forked repository.
5. Create a pull request to the main FileManager repository.
6. Our team will review your pull request, provide feedback, and merge it if everything looks good.
## License
FileManager is open-source software released under the [MIT License](LICENSE). You are free to use, modify, and distribute the software as per the terms of the license.
## Contact
If you have any questions, suggestions, or encounter issues, please feel free to contact us:
- Email: [dotechcommunity@gmail.com](mailto:dotechcommunity@gmail.com)
- Issue Tracker: [GitHub Issues](https://github.com/dotechcommunity/E-file-Management-System-Frontend/issues)
## Acknowledgments
We would like to express our gratitude to the open-source community and all the contributors who have made FileManager possible. Your support and contributions are highly appreciated.
Thank you for choosing FileManager to manage your files and enhance your student life!
| Student File Management Tool | filemanagement,flutter,hacktoberfest,hacktoberfest2023,javascript,opensource | 2023-10-09T16:04:32Z | 2023-10-25T11:02:42Z | null | 2 | 5 | 24 | 0 | 1 | 3 | null | null | JavaScript |
hacker-ankit/Portfalio-Website_ANKIT-KUMAR | main | ## Portfolio-Website
Portfolio website build using HTML5, CSS3, JavaScript and jQuery.
## 📌 Tech Stack
### Extras :
Particle.js, Typed.js, Tilt.js, Scroll Reveal, Tawk.to, Font Awesome and JSON
## 📌 Sneak Peek of Main Page 🙈 :
<h2>📬 Contact</h2>
If you want to contact me, you can reach me through below handles.
<a href="Linkedin LINK"><img src="https://www.felberpr.com/wp-content/uploads/linkedin-logo.png" width="30"></img></a>
© 2023 Ankit Kumar
[](https://forthebadge.com)
| Portfolio Website build using HTML5, CSS3, JavaScript and jQuery | css,css3,html,html5,javascript,jquery,particlejs,portfolio,portfolio-we,typed-js | 2023-09-19T09:30:30Z | 2023-10-17T00:00:44Z | null | 1 | 0 | 3 | 0 | 0 | 3 | null | null | CSS |
Kumardinesh1908/Weather-App | main | # Weather-App :partly_sunny:
This is a simple weather app that allows users to check the weather for a specific location or their current location. Weather data is retrieved using the OpenWeather API, which provides accurate weather information.
<img src="/images/weather image.png">
## Features:fire:
:tv: Get current weather information for a specific location.<br>
:tv: Use geolocation to get the weather information for the user's current location<br>
:tv: Display temperature, city name, humidity, and wind speed.<br>
:tv: Show weather icons based on the weather condition (e.g., cloudy, clear, rainy).<br>
:tv: Handle errors gracefully, such as city not found or geolocation not supported.<br>
## Tech Stack :computer:
:clapper: **HTML** <br>
:clapper: **CSS** <br>
:clapper: **JavaScript** <br>
## Usage :pencil:
:zap: Upon opening the app, you'll see a search bar and a button.<br>
:zap: Enter the name of a city in the input field and click the search button to get the weather for that city.<br>
:zap: Alternatively, click the input field to allow geolocation and get weather information for your current location.<br>
:zap: The weather information, including temperature, city name, humidity, wind speed, and an icon representing the weather condition, will be displayed.<br>
## Installation :notebook:
To install the Weather app, use git:
```
git clone https://github.com/Kumardinesh1908/Weather-App.git
```
To deploy this project, simply open the index.html file in your browser.
## Live Demo
```
https://kumardinesh1908.github.io/Weather-App/
```
| This is a simple weather app that allows users to check the weather for a specific location or their current location. | api,css3,html5,javascript | 2023-09-26T01:56:25Z | 2024-01-08T16:41:35Z | null | 1 | 0 | 9 | 0 | 1 | 3 | null | null | JavaScript |
maelacudini/Photography | 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
| Template - Photography website (React, Vite, GSAP, Framer Motion, Swiper) | animation,css,framer-motion,javascript,npm,react,react-router,babel,babel-plugin,gsap | 2023-09-19T17:15:59Z | 2023-09-30T10:01:26Z | null | 1 | 0 | 23 | 0 | 0 | 3 | null | null | JavaScript |
amalvelloth/React-Portfolio | main | # React-Portfolio
My self coded personal website build with React.js and it is
fully Responsive for Laptop and mobile devices.

| My self coded personal website build with React.js and it is fully Responsive for Laptop and mobile devices. | javascript,portfolio,reactjs,responsive,css,html | 2023-09-15T07:17:48Z | 2024-01-05T14:40:04Z | null | 1 | 0 | 54 | 0 | 0 | 3 | null | null | CSS |
jacobmarks/concept-space-traversal-plugin | main | ## Concept Space Traversal Plugin

This plugin allows you to "traverse" the concept space of a similarity index
by adding text prompts (with configurable strength) to a base image.
**Note:** This plugin requires a similarity index that supports prompts (i.e.
embeds text and images) to be present on the dataset. You can create one with:
```py
import fiftyone as fo
import fiftyone.brain as fob
dataset = fo.load_dataset("my_dataset")
fob.compute_similarity(
dataset,
brain_key="my_brain_key",
model="clip-vit-base32-torch",
metric="cosine",
)
```
## Watch On Youtube
[](https://www.youtube.com/watch?v=XwstS_YCxoc&list=PLuREAXoPgT0RZrUaT0UpX_HzwKkoB-S9j&index=10)
## Installation
```shell
fiftyone plugins download https://github.com/jacobmarks/concept-space-traversal-plugin
```
Refer to the [main README](https://github.com/voxel51/fiftyone-plugins) for
more information about managing downloaded plugins and developing plugins
locally.
## Operators
### `open_traversal_panel`
- Opens the concept space traversal panel on click
- Only activated when the dataset has a similarity index
### `traverser`
- Runs the Traverser on the dataset
### `get_sample_url`
- Returns the resource URL of the media file associated with a sample, from the sample's ID.
## 💪 Development
This plugin was a joint creation between myself and [Ibrahim Manjra](https://github.com/imanjra). Couldn't have done it without his JavaScript wizardry!
| Traverse the space of concepts with a multi-modal similarity index in FiftyOne | clip-model,computer-vision,embeddings,fiftyone,javascript,mui,multimodal,plugin,python,react | 2023-09-19T19:01:25Z | 2024-04-04T23:48:21Z | null | 4 | 2 | 13 | 0 | 1 | 3 | null | null | TypeScript |
Zirmith/CivitaiAPI | main | # Civitai API Wrapper
# Description:
"An advanced and robust Node.js library that serves as a comprehensive wrapper for seamless integration with the Civitai API. Designed to enhance your development experience, this library offers features such as automatic rate limit handling, request retries, and cache persistence to ensure reliability and performance. Simplify your interactions with the Civitai API and optimize your application's data retrieval processes with this professional-grade Node.js wrapper."
## Installation
To use this wrapper in your Node.js project, you can install it via npm or yarn:
**Installation requires Node.js 10.9.0 or higher.**

<br>
[](https://snyk.io/test/github/zirmith/CivitaiAPI) [](http://hits.dwyl.com/Zirmith/CivitaiAPI)
```bash
npm install civitai-api-wrapper
# or
yarn add civitai-api-wrapper
# latest
npm install civitai-api-wrapper@latest
```
```js
const CivitaiAPI = require('civitai-api-wrapper');
const civitai = new CivitaiAPI();
// Example: Fetch a list of creators
civitai.getCreators()
.then(creators => {
console.log('Creators:', creators);
})
.catch(error => {
console.error('Error:', error.message);
});
```
## Methods
### `getCreators(options)`
Fetch a list of creators.
### `getImages(options)`
Fetch a list of images.
### `getModels(options)`
Fetch a list of models.
### `getModelById(modelId)`
Fetch a model by its ID.
### `getModelVersionById(modelVersionId)`
Fetch a model version by its ID.
### `getModelVersionByHash(hash)`
Fetch a model version by its hash.
### `getTags(options)`
Fetch a list of tags.
## Contributing
Contributions Welcome!
If you'd like to contribute to this wrapper or add new features, please follow these steps:
1. Open an issue to discuss the proposed changes or improvements.
2. Fork the repository on GitHub.
3. Create a new branch for your feature or bug fix.
4. Implement your changes and write tests if applicable.
5. Ensure that your code follows best practices and is well-documented.
6. Test your changes thoroughly.
7. Create a pull request (PR) with a clear description of the changes you've made.
8. Your PR will be reviewed, and any necessary feedback will be provided.
9. Once your PR is approved, it will be merged into the main branch.
Thank you for contributing to this project!
## Examples
See `src/examples/` . | Simplify your interactions with the Civitai API and optimize your application's data retrieval processes with this professional-grade Node.js wrapper. | api,civitai,javascript,js,node,wrapper | 2023-09-24T23:52:29Z | 2023-09-25T14:35:40Z | null | 1 | 7 | 18 | 0 | 0 | 3 | null | Apache-2.0 | JavaScript |
Harshal141/WordedArchive | master | # Digital Resumer
> **FIGMA:** https://www.figma.com/file/o3nAw6l9zkSxW0yVe963Q9/Project-Den?type=design&node-id=901%3A215&mode=design&t=w7WECz6YrcobVOXH-1
| Streamline Your Career with One-Link Resume Ease! | markdown,nodejs,resume-builder,javascript,reactjs,hacktoberfest,hacktoberfest-accepted | 2023-09-15T11:32:06Z | 2023-12-30T19:41:24Z | null | 6 | 8 | 33 | 0 | 7 | 3 | null | null | null |
Ido-Barnea/Chess-But-Better | master | <div align="center">
<img src="assets/images/logo.svg" alt="logo" width="200" height="auto" />
<h1>Chess But Better</h1>
<p>
Chess with an added layer of complexity
</p>
</div>
<!-- Badges -->
<p align="center">
<a href="https://github.com/Ido-Barnea/Chess-But-Better/graphs/contributors">
<img src="https://img.shields.io/github/contributors/Ido-Barnea/Chess-But-Better" alt="contributors" />
</a>
<a href="">
<img src="https://img.shields.io/github/last-commit/Ido-Barnea/Chess-But-Better" alt="last update" />
</a>
<a href="https://github.com/Ido-Barnea/Chess-But-Better/network/members">
<img src="https://img.shields.io/github/forks/Ido-Barnea/Chess-But-Better" alt="forks" />
</a>
<a href="https://github.com/Ido-Barnea/Chess-But-Better/stargazers">
<img src="https://img.shields.io/github/stars/Ido-Barnea/Chess-But-Better" alt="stars" />
</a>
<a href="https://github.com/Ido-Barnea/Chess-But-Better/issues/">
<img src="https://img.shields.io/github/issues/Ido-Barnea/Chess-But-Better" alt="open issues" />
</a>
<a href="https://github.com/Ido-Barnea/Chess-But-Better/blob/master/LICENSE">
<img src="https://img.shields.io/github/license/Ido-Barnea/Chess-But-Better" alt="license" />
</a>
</p>
---
## Table of Contents
1. [About The Project](#about-the-project)
2. [Hall of Fame](#hall-of-fame)
3. [Contributing](#contributing)
4. [FAQ](#faq)
5. [License](#license)
## About The Project
Chess But Better adds multiple layers of complexity to traditional chess. This innovative project aims to inject excitement, complexity, and creativity into the timeless game. By incorporating unique features, Chess But Better offers a chess experience unlike any other!
Visit Chess But Better [here](https://chess-but-better.onrender.com).
## Hall of Fame
<a href="https://github.com/Ido-Barnea/Chess-But-Better/graphs/contributors">
<img src="https://contrib.rocks/image?repo=Ido-Barnea/Chess-But-Better" />
</a>
## Contributing
Contributions are welcome! Check out the [Contributing Guidelines](CONTRIBUTING.md) for more information.
## FAQ
<details>
<summary><strong>What is Chess But Better?</strong></summary>
Chess But Better is an innovative take on the classic game of chess. It introduces multiple layers of complexity and unique features to enhance gameplay and provide a fresh experience for players.
</details>
<details>
<summary><strong>How is Chess But Better different from traditional chess?</strong></summary>
Chess But Better incorporates additional rules and mechanics that add complexity and excitement to the game. These features include new pieces, alternate win conditions, secret rules, items, and special abilities that change gameplay dynamics.
</details>
<details>
<summary><strong>How often is Chess But Better updated?</strong></summary>
We strive to regularly update Chess But Better with new features, improvements, and bug fixes. Our development team is committed to providing a continuously evolving and engaging experience for our players.
</details>
<details>
<summary><strong>How can I contribute to the development of Chess But Better?</strong></summary>
We welcome contributions from the community to help improve Chess But Better. Whether you're a developer, designer, or avid player, there are many ways to get involved. You can contribute code, report bugs, suggest new features, or provide feedback to help us make Chess But Better even better!
</details>
## License
Distributed under the Apache-2.0 License. See [`LICENSE.md`](LICENSE.md) for more information.
| Chess But Better is chess, but with a few extra layers of complexity. Try playing the game at https://chess-but-better.onrender.com. | chess,typescript,css,html,game,web,webpack,website,chess-games,games | 2023-09-22T21:44:09Z | 2024-05-14T17:49:11Z | null | 5 | 145 | 752 | 17 | 2 | 3 | null | Apache-2.0 | TypeScript |
Nermalcat69/Noted | main | ## Noted
noted is a project in which i share my notes on programming languages and different topics.
Starter from [hasparus/zaduma](https://github.com/hasparus/zaduma)
| My Notes but Resources For You | aws,computer-science,data-science,data-structures,data-visualization,database,high-level-programming,javascript,low-level-programming,mern-stack | 2023-09-29T04:54:11Z | 2023-11-26T11:24:42Z | 2023-10-09T10:28:34Z | 1 | 13 | 60 | 0 | 0 | 3 | null | null | TypeScript |
sabrinaest/WeatherApp | main | # Weather App with Express-Python Microservice Integration
https://github.com/sabrinaest/WeatherApp/assets/102570901/632c4a3a-8613-4cac-962f-fc92067561d3
## 📝 Program Description
ExacWeather application prompts the user to enter a city name in order to display its forecast. Once a valid city name is entered, the application directs them to the forecast page that displays the current temperature, weather description and the sunrise/sunset times (sources directly from an integreated microservice written by collaborator Nico Davis).
Additionally, the application presents the user with the 5-day forecast with the high and low temperatures for the upcoming days. Users can effortlessly toggle between Celsius and Fahrenheit as per their preference. If the user would like to view another city's forecast they can input a new search at the top of the page. In instances of invalid city inputs, the forecast page informs the user and defaults to Los Angeles, ensuring a consistent user experience.
## ✨ Features
* **Comprehensive Weather Data**: Utilizing OpenWeatherMap's API, users can input a city to receive a comprehensive weather overview for the day and the upcoming 5-day period.
* **Integrated Sunrise and Sunset**: Collaboratively sourced from a partner-developed microservice, the app displays the sunrise and sunset time for the current day.
* **Temperature Conversion**: Users can toggle effortlessly between Celsius and Fahrenheit to match their preferred temperature reading.
* **Express and ZeroMQ Communication**: Combines Express.js backend with ZeroMQ sockets for real-time data exchange with the Python-based microservice.
* **Intuitive Frontend and UI**: Designed with TailwindCSS, the interface is both responsive and user-friendly.
* **Error-Handling**: On invalid city entries, the system gracefully defaults to the Los Angeles forecast, ensuring uninterrupted user engagement.
## 🛠️ Setup and Installation
1. Setup Essentials:
* Python 3.10: Needed for the Python-based microservice
* TailwindCSS: Follow the [TailwindCSS Installation Guide](https://tailwindcss.com/docs/installation)
* ZeroMQ: Install the necessary [ZeroMQ libraries](https://zeromq.org/languages/python)
* OpenWeatherMap API Key: Obtain a key by signing up at [OpenWeatherMap](https://openweathermap.org) (it's free!)
2. Clone the Repository:
```
git clone https://github.com/sabrinaest/WeatherApp.git
```
3. Navigate to the Directory:
```
cd WeatherApp
```
4. Install the Dependencies:
```
npm install
```
5. Open microservice.py and insert your API key:
* At the top of the file you'll see:
```python
# ------------------ PERSONAL API KEY ---------------------- #
apikey = 'REPLACE THIS WITH YOUR OpenWeatherMap API KEY'
# ---------------------------------------------------------- #
```
* Replace 'REPLACE THIS WITH YOUR OpenWeatherMap API KEY' with your actual API key, make sure to keep it between the single quotes. For example, if your API key is 'abcdef1234567', it should look like this:
```python
# ------------------ PERSONAL API KEY ---------------------- #
apikey = 'abcdef1234567'
# ---------------------------------------------------------- #
```
* Be sure to save your changes
6. Open forecast.js located in the public folder and insert your API key:
* At the top of the file you'll see:
```javascript
// ------------- PERSONAL API KEY -----------------------------
const apiKey = 'REPLACE THIS WITH YOUR OpenWeatherMap API KEY';
// ------------------------------------------------------------
```
* Replace 'REPLACE THIS WITH YOUR OpenWeatherMap API KEY' with your actual API key, make sure to keep it between the single quotes. For example, if your API key is 'abcdef1234567', it should look like this:
```javascript
// ------------- PERSONAL API KEY -----------------------------
const apiKey = 'abcdef1234567';
// ------------------------------------------------------------
```
* Be sure to save your changes
7. Run the microservice:
```
python microservice.py
```
8. Start the application in a new terminal:
```
npm start
```
9. Launch your preferred browser and visit http://localhost:3000/ to interact with the Weather App!
## 📚 Documentation & References
**Official Documentation**
* [OpenWeatherMap API Documentation](https://openweathermap.org/api/one-call-3): A comprehensive guide into how the OpenWeatherMap API works and the data that it gathers.
* [ZeroMQ with Python](https://zeromq.org/languages/python/): Understand the integration of ZeroMQ with Python and how it can be used for real-time data exchange.
* [TailwindCSS Documentation](https://tailwindcss.com/docs/installation): An in-depth guide to the CSS framework used to style this application.
* [Express.js Documentation](https://expressjs.com/en/guide/routing.html): Learn more about the backend framework used for routing and server setup.
## 🎉 Acknowledgments
This project has greatly benefited from the expertise and dedication of **Nico Davis**. Her microservice, which provides real-time sunrise and sunset data, elevated the ExacWeather app experience. Be sure to check out her [GitHub profile](https://github.com/baedirin) to see more of her exceptional work.
| Weather application provides real-time weather details, including a 5-day forecast and precise sunrise/sunset time. | api-integration,backend,expressjs,frontend,html,javascript,microservice,nodejs,python,tailwindcss | 2023-09-25T23:17:26Z | 2023-09-27T07:26:10Z | null | 2 | 0 | 34 | 0 | 0 | 2 | null | null | JavaScript |
aldisetiapambudi/simple-copy | main | # SimpleCopy
## Script Sederhana Untuk Melakukan Copy dengan berbagai elemen Html
[English](#eng) |
[Bahasa Indonesia](#id)
## [ID]
### Cara Install
1. Download dari repository github [disini]('https://github.com/aldisetiapambudi/simple-copy')
atau : https://github.com/aldisetiapambudi/simple-copy
2. Salin folder `simpleCopy` yang ada pada folder `min` kedalam directory project anda
> Jika anda ingin mudah untuk melakukan modifikasi gunakan file yang terdapat pada folder `src`
3. Hubungkan script `simpleCopy` dengan project anda
Contoh :
``` html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>SimpleCopy</title>
<link rel="stylesheet" href="./simpleCopy/css/tooltips.min.css">
</head>
<body>
<script src="./simpleCopy/js/simpleCopy.min.js"></script>
</body>
</html>
```
### Cara Penggunaan
Anda dapat menggunakan degan mudah hanya dengan menambahkan `onClick="copyContent('targetId')"`
contoh :
``` html
<!-- elemen yang akan dicopy -->
<label for="" id="targerId">Lorem ipsum dolor sit amet consectetur adipisicing elit.</label>
<!-- tombol untuk melakukan copy -->
<button onClick="copyContent('targerId')">Copy</button>
```
> Pada script diatas ketika pengguna melakukan klik tombol yang terdapat fungsi copyContent, maka akan mengcopy yang terdapat pada targetId
##### Tooltip
Secara default simpleCopy akan memunculkan tooltips pada tengah layar dengan pesan yang menandakan text berhasil atau gagal di salin
###### Menonaktifkan Tooltip
Anda bisa menonaktifkan tooltip dengan menambahkan parameter `false` setelah parameter id target
``` html
<button onClick="copyContent('targerId', false)">Copy</button>
```
###### Custom Pesan Tooltip
Anda bisa melakukan custom pesan yang digunakan pada tooltip dengan mengirimkan parameter ke 2 di function `copyContent` sebagai pesan berhasil dan parameter ke 3 sebagai pesan gagal
sebagai contoh :
``` html
<button onClick="copyContent('targerId', true, 'Pesan Sukses', 'Pesan gagal')">Copy</button>
```
> Catatan : Jika melakukan custom pesan maka wajib menambahkan kondisi true pada parameter seperti contoh diatas
##### Penggunaan Alternatif simpleCopy
Anda juga dapat menambahkan attribute `data-copy` kedalam elemen html dimana attribute tersebut nantinya yang akan diambil untuk dicopy
``` html
<small data-copy="ini-data-yang-dicopy" id="IdElemenDataCopy"></small>
```
##### Penggunaan Lainnya
SimpleCopy ini dapat juga digunakan untuk melakukan copy berbagai elemen html seperti `label` `textarea` `input` dan elemen lainnya, anda hanya perlu menambahkan `ID` pada elemen yang akan dicopy lalu memangil `ID` elemen pada fungsi `copyContent('targetId')`
Contoh penggunaan pada elemen lain
###### Date
``` HTML
<input type="date" id="dateCopy">
<button onClick="copyContent('dateCopy', true, 'Tanggal berhasail disalin ', 'Tanggal gagal disalin')">Copy</button>
```
###### Input
``` HTML
<input type="text" id="textCopyExample">
<button onClick="copyContent('textCopyExample', true, 'Teks berhasail disalin ', 'Teks gagal disalin')">Copy</button>
```
###### textarea
``` HTML
<textarea type="text" id="textAreaCopyExample">Lorem ipsum dolor sit amet consectetur adipisicing elit. Enim, quo!</textarea>
<button onClick="copyContent('textAreaCopyExample', true, 'Teks area berhasail disalin ', 'Teks area gagal disalin')">Copy</button>
```
###### Label
``` HTML
<label for="" id="targerId">Lorem ipsum dolor sit amet consectetur adipisicing elit.</label>
<button onClick="copyContent('targerId')">Copy</button>
```
> Anda juga bisa mengunakan attribute lain sebagai triger onClick
``` HTML
<i class="fas fa-copy hover:cursor-pointer" onClick="copyContent('tragetId)"></i>
```
*) Script diatas hanya contoh
### Catatan pengambilan nilai / konten yang di salin
| No | Elemen | Pengambilan Nilai Dari |
| --- | --- | --- |
|1 | Input | value |
|2 | Date | value |
|3 | Textarea | value / isi textarea |
|4 | Label | Elemen teks yang ditampilkan|
|...|...|...|
> **Catatan :**
>
> 1. Elemen Html yang memiliki value seperti input dan sejenisnya maka konten yang di copy adalah apa yang ada di dalam value, sedangkan elemen seperti label, paragraph dan sejenisnya maka yang akan dicopy adalah contentn dari elemen itu sendiri
> 2. Anda juga bisa menambahkan attribute `data-copy` sebagai alternatif.
## [ENG]
### How To Install
1. Download from the GitHub repository [here](https://github.com/aldisetiapambudi/simple-copy) or use this link: https://github.com/aldisetiapambudi/simple-copy
2. Copy the `simpleCopy` folder from the `min` folder into your project directory.
> If you want to make modifications easily, use the files located in the `src` folder.
3. Connect the `simpleCopy` script to your project.
Example:
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>SimpleCopy</title>
<link rel="stylesheet" href="./simpleCopy/css/tooltips.min.css">
</head>
<body>
<script src="./simpleCopy/js/simpleCopy.min.js"></script>
</body>
</html>
```
### How to use
You can easily use it by adding `onClick="copyContent('targetId')"`.
Example:
```html
<!-- Element to be copied -->
<label for="" id="targetId">Lorem ipsum dolor sit amet consectetur adipisicing elit.</label>
<!-- Button to trigger the copy -->
<button onClick="copyContent('targetId')">Copy</button>
```
> In the above script, when the user clicks the button with the `copyContent` function, it will copy the content of the element with the targetId.
##### Tooltip
By default, simpleCopy will display tooltips in the center of the screen with messages indicating whether the text was successfully copied or not.
###### Disabling Tooltip
You can disable the tooltip by adding the `false` parameter after the target id parameter.
```html
<button onClick="copyContent('targetId', false)">Copy</button>
```
###### Custom Tooltip Messages
You can customize the messages used in the tooltip by sending the second parameter to the `copyContent` function as a success message and the third parameter as a failure message.
For example:
```html
<button onClick="copyContent('targetId', true, 'Success Message', 'Failure Message')">Copy</button>
```
> Note: If you customize the messages, you must add a `true` condition as shown in the example above.
##### Alternative Usage of simpleCopy
You can also add the `data-copy` attribute to HTML elements, which will be used for copying.
```html
<small data-copy="this-is-the-data-to-copy" id="ElementIdToCopyFrom"></small>
```
##### Other Usages
SimpleCopy can also be used to copy various HTML elements such as `label`, `textarea`, `input`, and others. You just need to add an `ID` to the element you want to copy and then call the `copyContent('targetId')` function with that ID.
Examples of using other elements:
###### Date
```html
<input type="date" id="dateCopy">
<button onClick="copyContent('dateCopy', true, 'Date successfully copied', 'Date copy failed')">Copy</button>
```
###### Input
```html
<input type="text" id="textCopyExample">
<button onClick="copyContent('textCopyExample', true, 'Text successfully copied', 'Text copy failed')">Copy</button>
```
###### Textarea
```html
<textarea type="text" id="textAreaCopyExample">Lorem ipsum dolor sit amet consectetur adipisicing elit. Enim, quo!</textarea>
<button onClick="copyContent('textAreaCopyExample', true, 'Textarea successfully copied', 'Textarea copy failed')">Copy</button>
```
###### Label
```html
<label for="" id="targetId">Lorem ipsum dolor sit amet consectetur adipisicing elit.</label>
<button onClick="copyContent('targetId')">Copy</button>
```
> You can also use other attributes as `onClick` triggers.
```html
<i class="fas fa-copy hover:cursor-pointer" onClick="copyContent('targetId')"></i>
```
*) The above script is just an example.
### Note on Content Retrieval for Copying
| No | Element | Content Retrieval From |
| --- | --- | --- |
|1 | Input | value |
|2 | Date | value |
|3 | Textarea | value / textarea content |
|4 | Label | Displayed text of the element itself |
|...|...|...|
> **Note:**
>
> 1. HTML elements with a value attribute, such as input and similar elements, will copy the content within the value attribute. For elements like labels, paragraphs, and the like, it will copy the content of the element itself.
> 2. You can also add the `data-copy` attribute as an alternative.
### Additional Information
SimpleCopy is a versatile tool that can be used to simplify the process of copying various types of content in your web applications. Whether you need to copy text, dates, or other HTML elements, SimpleCopy provides an easy way to achieve this functionality with minimal code.
##### Customization
You can customize SimpleCopy to fit your specific needs. By modifying the tooltip messages or using the `data-copy` attribute, you have control over the user experience. This flexibility allows you to tailor SimpleCopy to the look and feel of your website or application.
##### Cross-Browser Compatibility
SimpleCopy is designed to work across various web browsers, ensuring a consistent experience for your users. Whether they're using Chrome, Firefox, Safari, or other popular browsers, SimpleCopy aims to provide reliable functionality.
##### Usage Examples
Here are some practical examples of how SimpleCopy can be utilized in different scenarios:
###### Copying User-generated Content
You can enable users to easily copy content they generate or input into your web application, such as text they've written or dates they've selected.
###### Shareable Links
Allow users to copy shareable links with a single click, simplifying the process of sharing content with others.
###### Quick Reference
For educational websites or applications, you can use SimpleCopy to help users copy code snippets, references, or other essential information quickly.
### Conclusion
SimpleCopy is a lightweight and user-friendly tool that streamlines the copy functionality for various HTML elements in web applications. By following the installation instructions and customization options, you can enhance the user experience and make it easier for users to interact with and share content from your site.
If you have any questions or encounter any issues while using SimpleCopy, you can refer to the GitHub repository for documentation and support. Enjoy the convenience of simplified copying with SimpleCopy in your web projects!
| HTML Simple Copy | copy-paste,copy-to-clipboard,html,javascript,html-copy,html-copy-element,simple-copy | 2023-09-20T06:55:55Z | 2023-09-20T10:56:41Z | null | 2 | 2 | 14 | 0 | 1 | 2 | null | null | JavaScript |
ZineddineBk09/cryptomium-bot | main | # Cryptomium Bot

Cryptomium Bot is a Telegram bot that provides the latest cryptocurrency news and market data to users. This bot is designed to keep crypto enthusiasts informed about the rapidly changing world of cryptocurrencies. It offers features such as news categorization, cryptocurrency price tracking, and more.

## Table of Contents
- [Features](#features)
- [Getting Started](#getting-started)
- [Prerequisites](#prerequisites)
- [Installation](#installation)
- [Usage](#usage)
- [Bot Commands](#bot-commands)
- [Deployment](#deployment)
- [Hosting Options](#hosting-options)
- [Contributing](#contributing)
- [License](#license)
- [Acknowledgments](#acknowledgments)
## Features 🚀
- Latest News 📰: Get the latest cryptocurrency news from popular sources.
- News by Category 📑: Filter news articles by specific categories.
- Security News 🔒: Stay informed about security-related news in the crypto space.
- Cryptocurrency Prices 💰: Track cryptocurrency prices, including 24-hour price changes.
- Currency Information 💵: View detailed information about individual cryptocurrencies.
- Pagination 📄: Navigate through multiple pages of cryptocurrency price data.
- More Features Coming Soon! 🚀
## Getting Started ⌨️
### Prerequisites 🧾
Before you can run Cryptomium Bot, make sure you have the following software and resources installed:
- Node.js: [Download Node.js](https://nodejs.org/)
- npm (Node Package Manager): Typically installed with Node.js.
- Telegram Bot Token: Create a bot on Telegram and obtain the API token.
### Installation 📦
1. Clone the repository:
`git clone https://github.com/ZineddineBk09/cryptomium-bot/`
2. Navigate to the project directory:
`cd cryptomium-bot`
3. Install dependencies:
`npm install`
4. Create a `.env` file in the project root directory and add your Telegram bot token:
`TELEGRAM_BOT_TOKEN=your-bot-token-here`
## Usage 👨💻
To run Cryptomium Bot, use the following command:
`npm start`
### Bot Commands 🤖
- /start: Start a conversation with the bot and access the main menu.
- /latest_news: View the latest cryptocurrency news.
- /crypto_prices: Access cryptocurrency price information.
- /security_news: Get the latest security news related to cryptocurrencies.
- /help: Display a help message with available commands.
## Deployment 🚀
You can deploy Cryptomium Bot using various hosting options. Choose the one that suits your requirements:
### Hosting Options 📡
1. Self-hosting on a VPS:
- Rent a Virtual Private Server (VPS) from a provider (e.g., AWS, DigitalOcean).
- Install Node.js and dependencies.
- Transfer your project files.
- Start the bot and keep it running.
2. Cloud Platforms:
- Deploy your bot on cloud platforms (e.g., Heroku, Google Cloud, Azure).
- Configure deployment pipelines for automatic updates.
3. Serverless Functions:
- Use serverless platforms (e.g., AWS Lambda, Google Cloud Functions) for simple bots.
4. Containerization and Orchestration:
- Containerize your bot with Docker.
- Orchestrate containers with Kubernetes or Docker Compose for complex projects.
5. Free Hosting (Ideal for Testing):
- Use free hosting services (e.g., Render, Glitch, Repl.it) for simple bots.
- For this bot i used [Render](https://render.com/)
## Contributing 📋
Contributions to this project are welcome! If you have ideas for improvements or want to report issues, please open an issue or create a pull request.
## License 📄
This project is licensed under the [ISC License](https://opensource.org/licenses/ISC).
## Acknowledgments 🏅
- Special thanks to [Zineddine Benkhaled](@ZineddineBk09) for creating this bot.
| Cryptomium Bot is a Telegram bot that provides the latest cryptocurrency news and market data to users. This bot is designed to keep crypto enthusiasts informed about the rapidly changing world of cryptocurrencies. It offers features such as news categorization, cryptocurrency price tracking, and more. | cryptocurrency,telegram-bot,cryptocurrencies,finance,javascript,news,nodejs,security-news,telegram,typesript | 2023-09-22T16:32:25Z | 2023-09-27T20:08:35Z | null | 1 | 0 | 108 | 0 | 0 | 2 | null | null | TypeScript |
wanadev/css-var-parser | main | # CSS Var Parser
[](https://github.com/wanadev/css-var-parser/actions/workflows/tests.yml)
[](https://www.npmjs.com/package/css-var-parser)
[](https://github.com/wanadev/css-var-parser/blob/main/LICENSE)
[](https://discord.gg/BmUkEdMuFp)
## Install
```sh
npm install css-var-parser
```
## Usage
CSS Example :
```css
#element.disabled {
border-left-width: var(--Element_border-left-width--disabled, var(--Radio_border-width--disabled, var(--LC-border-width--disabled, 1px)));
}
```
JS Example :
```js
import { readFileSync } from "fs";
import css_var_parser from "./src/parser.js";
import { dirname } from 'path';
import { fileURLToPath } from 'url';
const __dirname = dirname(fileURLToPath(import.meta.url));
const cssContent = readFileSync(__dirname + "/index.css", "utf-8");
const variables = css_var_parser.parse(cssContent);
console.log(JSON.stringify(variables));
```
Output:
```js
[
{
selector: "#element.disabled",
properties: [
{
propertyName: "border-left-width",
variables: [
{
name: "--Element_border-left-width--disabled",
fallback: "--Radio_border-width--disabled",
},
{
name: "--Radio_border-width--disabled",
fallback: "--LC-border-width--disabled",
},
{
name: "--LC-border-width--disabled",
fallback: undefined,
},
],
defaultValue: "1px",
}
]
}
]
```
## Changelog
* **[NEXT]** (changes on main that have not been released yet):
* build(deps): bump postcss from 8.4.28 to 8.4.31 (@damienfern)
* Fix branch name in link LICENSE badge (@damienfern)
* **v0.4.1:**
* Changed package name for its first public release
* First public release
| Extracts CSS variable and export them to a JavaScript object | css,css3,javascript,nodejs | 2023-10-05T13:25:21Z | 2023-10-05T14:56:08Z | 2023-10-05T14:07:32Z | 11 | 8 | 25 | 0 | 0 | 2 | null | BSD-3-Clause | JavaScript |
M4deN/Testes-End-to-End-Cypress | main | # End-to-end Testing with Cypress

Projeto de exemplo para demonstrar testes end-to-end (e2e) escritos com [Cypress](https://cypress.io) em execução no GitHub Actions.
## Pré requisitos
Para clonar e executar este projeto:
- [git](https://git-scm.com/downloads) (Versão `2.34.1`)
- [Node.js](https://nodejs.org/en/) (Versão `v18.15.0`)
- npm (Versão `9.5.0`)
**Observação:** Ao instalar o Node.js, o npm é instalado automaticamente. 🚀
## Instalação
Para instalar as dependências de desenvolvimento, execute `npm install` (ou `npm i`).
## Configurando as variáveis de ambiente
Antes de executar os testes, algumas variáveis de ambiente precisam ser configuradas.
Faça uma cópia do arquivo [`cypress.env.example.json`](./cypress.env.example.json) como `cypress.env.json` e defina os valores apropriados para todas as variáveis.
**Nota:** O arquivo `cypress.env.json` não é rastreado pelo git, pois está listado no arquivo `.gitignore`.
## Executando os testes
Neste projeto, você pode executar testes nos modos interativo e headless, tanto em viewports de desktop quanto de tablets.
### Modo Headless
Execute `npm test` (ou `npm t`) para executar todos os testes no modo headless usando uma janela de visualização de desktop.
Execute `npm run test:tablet` para executar os testes apropriados no modo headless usando uma janela de visualização de tablet.
### Modo interativo
Execute `npm run cy:open` para abrir o __Cypress App__ para executar testes em modo interativo usando uma janela de visualização de desktop.
Execute `npm run cy:open:tablet` para abrir o __Cypress App__ para executar testes em modo interativo usando uma janela de visualização de tablet.
___
#### Exemplo
Aqui está um exemplo de execução de todos os testes no modo interativo.
#### authenticated.cy.js
https://github.com/M4deN/Testes-End-to-End-Cypress/assets/43422425/64625b37-283d-44ae-a63e-713d5bc8fda7
#### login.cy.js
https://github.com/M4deN/Testes-End-to-End-Cypress/assets/43422425/b3602f1d-e838-456b-95fe-73cfd5ed7644
#### signup.cy.js
https://github.com/M4deN/Testes-End-to-End-Cypress/assets/43422425/22f85892-0999-47ac-ab5a-d3462ce6d65f
___
Made with by [Alecio L. Medeiros](https://github.com/M4deN).
---
## Licença
Este projeto está sob a licença MIT - [LICENSE](LICENSE).
| Repositório da versão 2 do curso de Testes end-to-end com Cypress da Escola Talking About Testing | cypress,cypress-io,cypress-plugin,cypress-tests,javascript,test-automation,testing,testing-tools,e2e-testing,github-actions | 2023-09-21T11:51:19Z | 2023-11-01T09:22:57Z | null | 1 | 2 | 27 | 0 | 0 | 2 | null | MIT | JavaScript |
seanpm2001/Euphorium | Euphorium_Main-dev |
***
# <projectName>

# By:
<!--  !-->
## [Seanpm2001](https://github.com/seanpm2001/), [<developerName>](https://github.com/<developerName>/) Et; Al.
### Top
# `README.md`
***
## Read this article in a different language
**Sorted by:** `A-Z`
[Sorting options unavailable](https://github.com/<developerName>/<repoName>)
( [af Afrikaans](/.github/README_AF.md) Afrikaans | [sq Shqiptare](/.github/README_SQ.md) Albanian | [am አማርኛ](/.github/README_AM.md) Amharic | [ar عربى](/.github/README_AR.md) Arabic | [hy հայերեն](/.github/README_HY.md) Armenian | [az Azərbaycan dili](/.github/README_AZ.md) Azerbaijani | [eu Euskara](/.github/README_EU.md) Basque | [be Беларуская](/.github/README_BE.md) Belarusian | [bn বাংলা](/.github/README_BN.md) Bengali | [bs Bosanski](/.github/README_BS.md) Bosnian | [bg български](/.github/README_BG.md) Bulgarian | [ca Català](/.github/README_CA.md) Catalan | [ceb Sugbuanon](/.github/README_CEB.md) Cebuano | [ny Chichewa](/.github/README_NY.md) Chichewa | [zh-CN 简体中文](/.github/README_ZH-CN.md) Chinese (Simplified) | [zh-t 中國傳統的)](/.github/README_ZH-T.md) Chinese (Traditional) | [co Corsu](/.github/README_CO.md) Corsican | [hr Hrvatski](/.github/README_HR.md) Croatian | [cs čeština](/.github/README_CS.md) Czech | [da dansk](README_DA.md) Danish | [nl Nederlands](/.github/README_NL.md) Dutch | [**en-us English**](/.github/README.md) English | [EO Esperanto](/.github/README_EO.md) Esperanto | [et Eestlane](/.github/README_ET.md) Estonian | [tl Pilipino](/.github/README_TL.md) Filipino | [fi Suomalainen](/.github/README_FI.md) Finnish | [fr français](/.github/README_FR.md) French | [fy Frysk](/.github/README_FY.md) Frisian | [gl Galego](/.github/README_GL.md) Galician | [ka ქართველი](/.github/README_KA) Georgian | [de Deutsch](/.github/README_DE.md) German | [el Ελληνικά](/.github/README_EL.md) Greek | [gu ગુજરાતી](/.github/README_GU.md) Gujarati | [ht Kreyòl ayisyen](/.github/README_HT.md) Haitian Creole | [ha Hausa](/.github/README_HA.md) Hausa | [haw Ōlelo Hawaiʻi](/.github/README_HAW.md) Hawaiian | [he עִברִית](/.github/README_HE.md) Hebrew | [hi हिन्दी](/.github/README_HI.md) Hindi | [hmn Hmong](/.github/README_HMN.md) Hmong | [hu Magyar](/.github/README_HU.md) Hungarian | [is Íslenska](/.github/README_IS.md) Icelandic | [ig Igbo](/.github/README_IG.md) Igbo | [id bahasa Indonesia](/.github/README_ID.md) Icelandic | [ga Gaeilge](/.github/README_GA.md) Irish | [it Italiana/Italiano](/.github/README_IT.md) | [ja 日本語](/.github/README_JA.md) Japanese | [jw Wong jawa](/.github/README_JW.md) Javanese | [kn ಕನ್ನಡ](/.github/README_KN.md) Kannada | [kk Қазақ](/.github/README_KK.md) Kazakh | [km ខ្មែរ](/.github/README_KM.md) Khmer | [rw Kinyarwanda](/.github/README_RW.md) Kinyarwanda | [ko-south 韓國語](/.github/README_KO_SOUTH.md) Korean (South) | [ko-north 문화어](README_KO_NORTH.md) Korean (North) (NOT YET TRANSLATED) | [ku Kurdî](/.github/README_KU.md) Kurdish (Kurmanji) | [ky Кыргызча](/.github/README_KY.md) Kyrgyz | [lo ລາວ](/.github/README_LO.md) Lao | [la Latine](/.github/README_LA.md) Latin | [lt Lietuvis](/.github/README_LT.md) Lithuanian | [lb Lëtzebuergesch](/.github/README_LB.md) Luxembourgish | [mk Македонски](/.github/README_MK.md) Macedonian | [mg Malagasy](/.github/README_MG.md) Malagasy | [ms Bahasa Melayu](/.github/README_MS.md) Malay | [ml മലയാളം](/.github/README_ML.md) Malayalam | [mt Malti](/.github/README_MT.md) Maltese | [mi Maori](/.github/README_MI.md) Maori | [mr मराठी](/.github/README_MR.md) Marathi | [mn Монгол](/.github/README_MN.md) Mongolian | [my မြန်မာ](/.github/README_MY.md) Myanmar (Burmese) | [ne नेपाली](/.github/README_NE.md) Nepali | [no norsk](/.github/README_NO.md) Norwegian | [or ଓଡିଆ (ଓଡିଆ)](/.github/README_OR.md) Odia (Oriya) | [ps پښتو](/.github/README_PS.md) Pashto | [fa فارسی](/.github/README_FA.md) |Persian [pl polski](/.github/README_PL.md) Polish | [pt português](/.github/README_PT.md) Portuguese | [pa ਪੰਜਾਬੀ](/.github/README_PA.md) Punjabi | No languages available that start with the letter Q | [ro Română](/.github/README_RO.md) Romanian | [ru русский](/.github/README_RU.md) Russian | [sm Faasamoa](/.github/README_SM.md) Samoan | [gd Gàidhlig na h-Alba](/.github/README_GD.md) Scots Gaelic | [sr Српски](/.github/README_SR.md) Serbian | [st Sesotho](/.github/README_ST.md) Sesotho | [sn Shona](/.github/README_SN.md) Shona | [sd سنڌي](/.github/README_SD.md) Sindhi | [si සිංහල](/.github/README_SI.md) Sinhala | [sk Slovák](/.github/README_SK.md) Slovak | [sl Slovenščina](/.github/README_SL.md) Slovenian | [so Soomaali](/.github/README_SO.md) Somali | [[es en español](/.github/README_ES.md) Spanish | [su Sundanis](/.github/README_SU.md) Sundanese | [sw Kiswahili](/.github/README_SW.md) Swahili | [sv Svenska](/.github/README_SV.md) Swedish | [tg Тоҷикӣ](/.github/README_TG.md) Tajik | [ta தமிழ்](/.github/README_TA.md) Tamil | [tt Татар](/.github/README_TT.md) Tatar | [te తెలుగు](/.github/README_TE.md) Telugu | [th ไทย](/.github/README_TH.md) Thai | [tr Türk](/.github/README_TR.md) Turkish | [tk Türkmenler](/.github/README_TK.md) Turkmen | [uk Український](/.github/README_UK.md) Ukrainian | [ur اردو](/.github/README_UR.md) Urdu | [ug ئۇيغۇر](/.github/README_UG.md) Uyghur | [uz O'zbek](/.github/README_UZ.md) Uzbek | [vi Tiếng Việt](/.github/README_VI.md) Vietnamese | [cy Cymraeg](/.github/README_CY.md) Welsh | [xh isiXhosa](/.github/README_XH.md) Xhosa | [yi יידיש](/.github/README_YI.md) Yiddish | [yo Yoruba](/.github/README_YO.md) Yoruba | [zu Zulu](/.github/README_ZU.md) Zulu ) Available in 110 languages (108 when not counting English and North Korean, as North Korean has not been translated yet [Read about it here](/OldVersions/Korean(North)/README.md))
Translations in languages other than English are machine translated and are not yet accurate. No errors have been fixed yet as of March 21st 2021. Please report translation errors [here](https://github.com/<developerName>/<repoName>/issues/). Make sure to backup your correction with sources and guide me, as I don't know languages other than English well (I plan on getting a translator eventually) please cite [wiktionary](https://en.wiktionary.org) and other sources in your report. Failing to do so will result in a rejection of the correction being published.
Note: due to limitations with GitHub's interpretation of markdown (and pretty much every other web-based interpretation of markdown) clicking these links will redirect you to a separate file on a separate page that isn't the intended page. You will be redirected to the [.github folder](/.github/) of this project, where the README translations are hosted.
Translations are currently done with Bing translate and DeepL. Support for Google Translate translations is coming to a close due to privacy concerns.
***
# Index
[00.0 - Top](#Top)
> [00.1 - Title](#<projectName>)
> [00.2 - Read this article in a different language](#Read-this-article-in-a-different-language)
> [00.3 - Index](#Index)
[01.0 - Description](#RepositoryName)
[02.0 - About](#About)
[03.0 - Wiki](#Wiki)
[04.0 - History](#History)
> [04.1 - Pre-history](#Pre-history)
> [04.2 - Alpha History](#Alpha-history)
> [04.3 - Beta History](#Beta-history)
> [04.4 - Modern History](#Modern-history)
[05.0 - Copying](#Copying)
[06.0 - Credits](#Credits)
[07.0 - Installation](#Installation)
[08.0 - Version history](#Version-history)
[09.0 - Version history](#Version-history)
[10.0 - Software status](#Software-status)
[11.0 - Sponsor info](#Sponsor-info)
[12.0 - Contributers](#Contributers)
[13.0 - Issues](#Issues)
> [13.1 - Current issues](#Current-issues)
> [13.2 - Past issues](#Past-issues)
> [13.3 - Past pull requests](#Past-pull-requests)
> [13.4 - Active pull requests](#Active-pull-requests)
[14.0 - Resources](#Resources)
[15.0 - Contributing](#Contributing)
[16.0 - About README](#About-README)
[17.0 - README Version history](#README-version-history)
[18.0 - Footer](#You-have-reached-the-end-of-the-README-file)
> [18.9 - End of file](#EOF)
***
# <repoName>
<repo_description>
***
## About
See above. <extendedRepoDescription>
***
## Wiki
[Click/tap here to view this projects Wiki](https://github.com/<developerName>/<repoName>/wiki)
If the project has been forked, the Wiki was likely removed. Luckily, I include an embedded version. You can view it [here](/External/ProjectWiki/).
***
## History
Write about this projects history here.
### Pre-history
No pre-history to show for this project.
### Alpha history
No Alpha history to show for this project.
### Beta history
No Beta history to show for this project.
### Modern history
No Modern history to show for this project.
***
## Copying
View the copying license for this project [here](/COPYING) (if you haven't built the project yet with the makefile, here is the original link: [COPYINGL](/COPYINGL)
Please note that you also have to follow the rules of the GNU General Public License v3 (GPL3) which you can view [here](/LICENSE.txt)
***
## Credits
View the credits file for this project and see the people who got together to make this project by [clicking/tapping here](/CREDITS)
***
## Installation
View the installation instructions file for this project [here](/INSTALL)
Requirements: Read the instructions for more info, and get the latest up-to-date instructions [here](https://gist.github.com/seanpm2001/745564a46186888e829fdeb9cda584de)
***
## Sponsor info

You can sponsor this project if you like, but please specify what you want to donate to. [See the funds you can donate to here](https://github.com/seanpm2001/Sponsor-info/tree/main/For-sponsors/)
You can view other sponsor info [here](https://github.com/seanpm2001/Sponsor-info/)
Try it out! The sponsor button is right up next to the watch/unwatch button.
***
## Version history
**Version history currently unavailable**
**No other versions listed**
***
## Software status
All of my works are free some restrictions. DRM (**D**igital **R**estrictions **M**anagement) is not present in any of my works.

This sticker is supported by the Free Software Foundation. I never intend to include DRM in my works.
I am using the abbreviation "Digital Restrictions Management" instead of the more known "Digital Rights Management" as the common way of addressing it is false, there are no rights with DRM. The spelling "Digital Restrictions Management" is more accurate, and is supported by [Richard M. Stallman (RMS)](https://en.wikipedia.org/wiki/Richard_Stallman) and the [Free Software Foundation (FSF)](https://en.wikipedia.org/wiki/Free_Software_Foundation)
This section is used to raise awareness for the problems with DRM, and also to protest it. DRM is defective by design and is a major threat to all computer users and software freedom.
Image credit: [defectivebydesign.org/drm-free/...](https://www.defectivebydesign.org/drm-free/how-to-use-label/)
***
## Contributers
Currently, I am the only contributer. Contributing is allowed, as long as you follow the rules of the [CONTRIBUTING.md](/CONTRIBUTING.md) file.
> * 1. [seanpm2001](https://github.com/seanpm2001/) - x commits (As of Yr, DoW, Month, DoM, at ##:## a/pm)
> * 2. No other contributers.
***
## Issues
### Current issues
* None at the moment
* No other current issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past issues
* None at the moment
* No other past issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past pull requests
* None at the moment
* No other past pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Active pull requests
* None at the moment
* No other active pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
***
## Resources
Here are some other resources for this project:
[Project language file A](PROJECT_LANG_1.<fileExtensionForProgrammingLanguage>)
[Join the discussion on GitHub](https://github.com/<developerName>/<repoName>/discussions)
No other resources at the moment.
***
## Contributing
Contributing is allowed for this project, as long as you follow the rules of the `CONTRIBUTING.md` file.
[Click/tap here to view the contributing rules for this project](/CONTRIBUTING.md)
***
## About README
**File type:** `Markdown Document (*.md *.mkd *.markdown)`
**File version:** `0.1.6 (Monday, August 23rd 2021 at 6:37 pm)`
**Line count (including blank lines and compiler line):** `0,407`
***
## README version history
Version 0.1 (Sunday, March 21st 2021 at 7:50 pm)
> Changes:
> * Started the file
> * Added the title section
> * Added the index
> * Added the about section
> * Added the Wiki section
> * Added the version history section
> * Added the issues section.
> * Added the past issues section
> * Added the past pull requests section
> * Added the active pull requests section
> * Added the contributors section
> * Added the contributing section
> * Added the about README section
> * Added the README version history section
> * Added the resources section
> * Added a software status section, with a DRM free sticker and message
> * Added the sponsor info section
**ITERATION 5**
> * Updated the title section
> * Updated the index
> * Added the history section
> * Updated the file info section
> * Updated the file history section
**ITERATION 6**
> * Updated the title section
> * Fixed and update template links
> * Updated the index
> * Added the copying section
> * Added the credits section
> * Added the installation section
> * Updated the resources section
> * Updated the contributors section
> * Added the technical notes section
> * Updated the footer
> * Updated the file info section
> * Updated the file history section
> * No other changes in version 0.1
Version 1 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 1
Version 2 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 2
***
### You have reached the end of the README file
( [Back to top](#Top) | [Exit to GitHub](https://github.com) | [Exit to Bing](https://www.bing.com/) | [Exit to DuckDuckGo](https://duckduckgo.com/) | [Exit to Ecosia](https://www.ecosia.org) )
### EOF
***
| 🌫️9️⃣️💾️ The official source repository for Euphorium, an alternative to Cloud9/C9. Part of the UnSaaSS project. | blazeos,blazeos-development,blazeos-project,c9,cloud9,cloud9-ide,gpl3,gplv3,javascript,javascript-lang | 2023-09-30T00:30:31Z | 2023-09-30T01:26:14Z | null | 1 | 0 | 19 | 0 | 1 | 2 | null | GPL-3.0 | JavaScript |
razamsalem/Sixerr | main | # Sixerr - A Fullstack application based on Fiverr marketplace. 🛒
## In this team-effort project we implemented:
- A fullstack application that relies on React, State management w/ Redux, ExpressJS & MongoDB on the server-side. 🌟
- Sockets for real-time updates on ordering-system using SocketIO. 🌐
- A Fully responisve, beautiful app including Pixel perfect design. 📲
- Advanced SCSS usage such as container queries, mixins and advanced UI Techniques such as the Intersection Observer API 🤩.
- Usage of libraries such as Bootsrap, MUI, Sliders and more. 🧰
## [Take a look today 👀](https://sixerr.onrender.com)



| Sixerr - A Fullstack application end to end based on Fiverr marketplace. Backend : https://github.com/TzviaIzhakov/Sixerr-backend | javascript,marketplace,react,reactjs,scss,mogodb,redux,expressjs,socketio | 2023-10-03T20:34:02Z | 2023-12-11T08:21:46Z | null | 3 | 8 | 779 | 0 | 1 | 2 | null | null | JavaScript |
manjubhaskar02/Interactive-rating-component | main | # Frontend Mentor - Interactive rating component

# Interactive rating component solution
This is a solution to the [Interactive rating component challenge on Frontend Mentor](https://www.frontendmentor.io/challenges/interactive-rating-component-koxpeBUmI). Frontend Mentor challenges help you improve your coding skills by building realistic projects.
## Table of contents
- [Overview](#overview)
- [The challenge](#the-challenge)
- [Screenshot](#screenshot)
- [Links](#links)
- [My process](#my-process)
- [Built with](#built-with)
- [What I learned](#what-i-learned)
- [Useful resources](#useful-resources)
- [Author](#author)
- [Acknowledgments](#acknowledgments)
## Overview
### The challenge
Users should be able to:
- View the optimal layout for the app depending on their device's screen size
- See hover states for all interactive elements on the page
- Select and submit a number rating
- See the "Thank you" card state after submitting a rating
### Screenshot


### Links
- Solution URL: [https://github.com/manjubhaskar02/Interactive-rating-component](https://github.com/manjubhaskar02/Interactive-rating-component)
- Live Site URL: [https://manjubhaskar02.github.io/Interactive-rating-component/](https://manjubhaskar02.github.io/Interactive-rating-component/)
## My process
### Built with
- Semantic HTML5 markup
- Tailwind CSS
- CSS custom properties
- Mobile-first workflow
- Javascript
- Animate.css
### What I learned
This project helped me to learn Javascript and how to submit the number rating.
I had also done a star rating.
### Useful resources
- [Resource 1](https://safaldas.in/injecting-to-dom-exercise-with-js/) - This helped me for the star rating.
## Author
- Frontend Mentor - [@manjubhaskar02](https://www.frontendmentor.io/profile/manjubhaskar02)
## Acknowledgments
I want to thank my husband, Safaldas for helping me to do the javascript section in this project and my mentor Sneha. | Interactive-Rating-Component | css,html5,javascript,tailwind-css | 2023-09-28T06:50:21Z | 2024-01-04T06:46:51Z | null | 1 | 0 | 8 | 0 | 0 | 2 | null | null | HTML |
silentvow/dada-meemu-block | main | [](https://opensource.org/licenses/MIT)
# DaDa & Meemu's s Treasure Hunt
Play: https://dada-meemu-block.vercel.app/
This is a fan-made, derivative work of a brick-breaking game by React and Pixi.js.
## Development
```bash
$ pnpm install
$ pnpm run dev
```
## Build
```bash
$ pnpm run build
```
## Resource Licenses
- Images under public/img/dada
- Source: ReLive_灰妲 DaDa [![DadaRelive][2.1]][4] [![DadaRelive][1.1]][1]
- Images under public/img/meemu
- Source: ReLive_咪姆 MeeMu
[![MeeMuRelive][2.1]][5] [![MeeMuRelive][1.1]][2]
- Images under public/img/commission
- Source: 黑櫻焦阿巴 [![kuroo_sd][1.1]][3]
- Other image sources:
- [いらすとや](https://www.irasutoya.com/)
- [Rotting Pixels](https://rottingpixels.itch.io/four-seasons-platformer-tileset-16x16free)
- Sound effects
- [ZapSplat](https://www.zapsplat.com)
- [DOVA-SYNDROME](https://dova-s.jp/)
<!-- Please don't remove this: Grab your social icons from https://github.com/carlsednaoui/gitsocial -->
<!-- links to social media icons -->
<!-- no need to change these -->
[1.1]: https://img.shields.io/badge/Twitter-1DA1F2?style=for-the-badge&logo=twitter&logoColor=white (twitter)
[2.1]: https://img.shields.io/badge/YouTube-FF0000?style=for-the-badge&logo=youtube&logoColor=white (youtube)
<!-- links to your social media accounts -->
<!-- update these accordingly -->
[1]: https://twitter.com/DadaRelive
[2]: https://twitter.com/MeeMuRelive
[3]: https://twitter.com/kuroo_sd
[4]: https://www.youtube.com/@ReLiveDaDa
[5]: https://www.youtube.com/@relive_meemu4350
<!-- Please don't remove this: Grab your social icons from https://github.com/carlsednaoui/gitsocial -->
## Contributing
If you have any idea, feel free to file issues to me.
| This is a fan-made, derivative work of a brick-breaking game by React and Pixi.js. | fan-game,javascript,pixijs,react,derivatives | 2023-09-29T10:21:32Z | 2024-01-02T11:49:08Z | null | 1 | 0 | 168 | 0 | 0 | 2 | null | MIT | JavaScript |
ecryptoguru/fusionimage | master | # FusionImage
FusionImage is an innovative and cutting-edge AI Image Generation Application that leverages the power of computer vision and neural networks to create stunningly realistic and visually captivating images.
This Generative AI Image Generation App utilises OpenAI's APIs to create stunning images. With MongoDB and Cloudinary, We've built a community showcase for storing, downloading and sharing AI-generated images. The app features hundreds of built-in Image Generation Prompts, and you can also generate AI Images from any custom prompt.
# Tech Stack
This is Full-stack MERN app, our tech stack includes Vite, React, TailwindCSS, JavaScript, Expressjs, Nodejs, MongoDB, OpenAI APIs and Cloudinary. The client(frontend) is deployed on Netlify and the server(backend) is deployed on Render.
website: https://image.fusionwaveai.com
| FusionImage is an innovative and cutting-edge AI Image Generation Application that leverages the power of computer vision and neural networks to create stunningly realistic and visually captivating images. | ai,generative-ai,imagegeneration,mern-stack,openai,reactjs,javascript,tailwindcss,cloudinary,expressjs | 2023-10-09T20:50:44Z | 2023-11-13T13:08:03Z | null | 1 | 0 | 28 | 0 | 0 | 2 | null | null | JavaScript |
Marx-wrld/DDOS-Scripts | main | # DDOS-Scripts
Repo containing penetration testing DDOS scripts.
In implementing a DDOS script we need to send requests to a host on a specific port over and over again. This can be done with sockets. To speed the process up and make it more effective, we will use multi-threading as well.
We need the target’s IP address, the port we want to attack, and the fake IP address that we want to use. A fake IP - address doesn't necessarily make you anonymous.
A DDoS is never performed alone but with the help of botnets. In a botnet, one hacker infects many computers and servers of ordinary people, in order to use them as zombies. He uses them for a collective attack on a server. Instead of one DDOS script, he can now run thousands of them. Sooner or later the server will be overwhelmed with the amount of requests so that it is not even able to respond to an ordinary user. For smaller and weaker servers, sometimes one attacker is enough to get it down. However, usually, such an attack can be counteracted by blocking the IP addresses of the attackers.
### Clone the Repo
- To run, do:- Example
```
python script.py
```
| Repo containing penetration testing DDOS scripts. | javascript,perl5,python3 | 2023-09-30T16:24:53Z | 2023-10-03T10:43:03Z | null | 1 | 6 | 24 | 0 | 0 | 2 | null | CC0-1.0 | Python |
formysister/eth-price-notifier | main | # Ethereum Price Notifier
---> IN DEVELOPMENT <---
This is the simple bot which detect and monitoring ETH price per 1min.
This bot launch the system notification with the ETH price.
## Installation
1. `npm i`
2. `cp .env.example .env`
3. Edit the `.env` file by adding your desired values. | Simple nodejs app to make system notification displays current ETH price every 1min | blockchain,bot,cryptocurrency,ethereum,javascript,node-notifier,nodejs | 2023-09-28T13:18:35Z | 2023-09-28T12:19:08Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | JavaScript |
gdsc-jssstu/CipherBox | main | # CipherBox
CipherBox is an open-source web application designed to empower users with the ability to encrypt and decrypt strings using state-of-the-art cryptographic techniques. With an intuitive user interface, our application ensures data security and privacy by enabling users to safeguard their sensitive information effortlessly. Join us in advancing data security in the digital realm and contribute to this project.
## Project Structure
```
- /css
- styles.css # CSS styles for the application
- /js
- app.js # JavaScript logic for the application
- /assets # Image assets
- /crypto # Folder for cryptographic algorithm modules
- aes.js # Example: AES encryption module
- rsa.js # Example: RSA encryption module
- ...
- README.md # Project documentation
- /public
- index.html # Main HTML file for the web application
- LICENSE # License file
```
- **crypto**: Contains JavaScript files for each algorithm. Each file must contain a function for Encryption and Decryption each. For eg. aes.js contains aesEncrypt, aesDecrypt. Make 'n' number of files, The more the merrier :wink:. Refer the files for standard logic.
- **app.js**: imports each function from the respective JavaScript file in /crypto directory.
<hr>
#### Before contributing, please review the [CONTRIBUTING GUIDELINES](./CONTRIBUTING.md).
#### Our Code of Conduct: [CODE OF CONDUCT](./CODE_OF_CONDUCT.md)
#### Don't forget to register for [Hacktoberfest](https://hacktoberfest.com/) to get your rewards.
<hr>
## Resources:
- [Git Tutorial for Beginners](https://www.youtube.com/watch?v=DVRQoVRzMIY)
- [What is a Pull Request?](https://www.youtube.com/watch?v=8lGpZkjnkt4)
- [**CryptoJS Documentation**](https://cryptojs.gitbook.io/docs/#documentation)
## Project setup instructions:
- **Fork the repository** to your GitHub account by clicking the "Fork" button at the top-right corner of this page. This will create a copy of the repository under your account.
- **Clone your forked repository** to your local machine using Git. Replace `your-username` with your GitHub username:
```
git clone https://github.com/your-username/CipherBox.git
cd CipherBox
```
- **Create a new branch** for your contribution. Replace *'feature/your-feature-name'* with a descriptive branch name related to your contribution.
- Commit your changes with a descriptive commit message:
```
git commit -m "Add your descriptive message here"
```
- Push your changes to your forked repository on GitHub:
```
git push origin feature/your-feature-name
```
<hr>
## Getting started with contributions
- ### Create a Pull Request (PR)
Visit the [CipherBox](https://github.com/gdsc-jssstu/CipherBox) repository on GitHub.
Click the "Compare & pull request" button next to your recently pushed branch.
Follow the PR template and guidelines. Provide details about your changes.
Submit the PR.
- ### Review and Merge
The maintainers will review your PR and may request changes or provide feedback.
Once your PR is approved, it will be merged into the main repository.
<hr>
## Final version of the project
<!--- Place the link to the Figma file inside () --->
Click [here](https://www.figma.com/file/HRAxLh7LUXvFwDYZCaRf7H/Cybersec?type=design&node-id=0-1&mode=design&t=KYTiXyLrb9LlJSW9-0) for the UI design and prototype of the project.
<hr>
## Intended final project:
In its intended final version, **CipherBox** aspires to become a robust and versatile string encryption web application, offering users a secure and user-friendly experience. Here are the key features and goals we envision:
- **Comprehensive Cryptographic Suite**: CipherBox will offer a comprehensive suite of cryptographic algorithms, including industry-standard ciphers like AES, RSA, SHA-256 and DES, providing users with a wide range of encryption options to meet various security requirements.
- **User-Friendly Interface**: Our goal is to provide an intuitive and user-friendly interface, making it easy for both beginners and experts to use CipherBox effectively. We aim to ensure that users can encrypt and decrypt strings with minimal effort.
<hr>
## Thank You
Thank you for contributing to **CiphorBox**! Your contributions help make this project better for everyone.
If you have any questions or need further assistance, please don't hesitate to reach out to us.
<hr>
## Contributors
A big thank you to all the contributors who have helped improve and develop CipherBox. Your contributions are highly appreciated.
<a href="https://github.com/gdsc-jssstu/cipherbox/graphs/contributors">
<img src="https://contrib.rocks/image?repo=gdsc-jssstu/cipherbox" />
</a>
<hr>
### Maintainers
Any Doubts? Feel free to contact us.
- [Tushar Singh](https://github.com/theinit01)
| CipherBox is your go-to web application for securely encrypting and decrypting strings. Protect sensitive data effortlessly through our user-friendly interface. | hacktoberfest,hacktoberfest2023,opensource,cryptography,css,cyber-security,cybersecurity,html,html-css-javascript,javascript | 2023-09-30T09:11:52Z | 2023-10-21T09:29:10Z | null | 13 | 16 | 83 | 9 | 9 | 2 | null | BSD-2-Clause | JavaScript |
Pa1mekala37/ReactJs-Countries-Visit | main | The goal of this coding exam is to quickly get you off the ground with **Lists and Keys** in React JS.
### Refer to the image below:
<br/>
<div style="text-align: center;">
<img src="https://assets.ccbp.in/frontend/content/react-js/visit-countries-output.gif" alt="visit countries" style="max-width:70%;box-shadow:0 2.8px 2.2px rgba(0, 0, 0, 0.12)">
</div>
<br/>
### Design Files
<details>
<summary>Click to view</summary>
- [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px)](https://assets.ccbp.in/frontend/content/react-js/visit-countries-lg-output.png)
- [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px) - No Visited Countries View](https://assets.ccbp.in/frontend/content/react-js/visit-countries-no-visited-countries-lg-output.png)
</details>
### Set Up Instructions
<details>
<summary>Click to view</summary>
- Download dependencies by running `npm install`
- Start up the app using `npm start`
</details>
### Completion Instructions
<details>
<summary>Functionality to be added</summary>
<br/>
The app must have the following functionalities
- Initially, the list of given countries should be displayed.
- If the country is not visited, it should be displayed with the **Visit** button.
- If the country is visited, it should be displayed with the text **Visited** and also should be displayed in the visited countries.
- When a **Visit** button of the country is clicked,
- The country should be added in the visited countries.
- The **Visit** button of a respective country should be replaced with the text **Visited**.
- When a **Remove** button in one of the visited countries is clicked,
- The respective visited country should be removed from the visited countries.
- The **Visited** text of a respective visited country should be replaced with a **Visit** button.
- When all the visited countries are removed, then [No Visited Countries View](https://assets.ccbp.in/frontend/content/react-js/visit-countries-no-visited-countries-lg-output.png) should be displayed.
- The `App` component consists of the `initialCountriesList`. It consists of a list of countries with the following properties in each country object.
| key | DataType |
| :-------: | :------: |
| id | String |
| name | String |
| imageUrl | String |
| isVisited | Boolean |
</details>
### Important Note
<details>
<summary>Click to view</summary>
<br/>
**The following instruction is required for the tests to pass**
- The image of each visited country should have the `alt` attribute value as **thumbnail**.
</details>
### Resources
<details>
<summary>Colors</summary>
<br/>
<div style="background-color: #161624; width: 150px; padding: 10px; color: white">Hex: #161624</div>
<div style="background-color: #f8fafc; width: 150px; padding: 10px; color: black">Hex: #f8fafc</div>
<div style="background-color: #334155; width: 150px; padding: 10px; color: white">Hex: #334155</div>
<div style="background-color: #1f1f2f; width: 150px; padding: 10px; color: white">Hex: #1f1f2f</div>
<div style="background-color: #f1f5f9; width: 150px; padding: 10px; color: black">Hex: #f1f5f9</div>
<div style="background-color: #ffffff; width: 150px; padding: 10px; color: black">Hex: #ffffff</div>
<div style="background-color: #3b82f6; width: 150px; padding: 10px; color: black">Hex: #3b82f6</div>
<div style="background-color: #94a3b8; width: 150px; padding: 10px; color: white">Hex: #94a3b8</div>
<div style="background-color: #cbd5e1; width: 150px; padding: 10px; color: black">Hex: #cbd5e1</div>
</details>
<details>
<summary>Font-families</summary>
- Roboto
</details>
> ### _Things to Keep in Mind_
>
> - All components you implement should go in the `src/components` directory.
> - Don't change the component folder names as those are the files being imported into the tests.
> - **Do not remove the pre-filled code**
| null | javascript,jsx,reactjs | 2023-09-19T14:21:40Z | 2023-09-19T14:23:36Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | JavaScript |
Alexandrbig1/component-card | main | # React component(card)
<img align="right" src="https://media.giphy.com/media/du3J3cXyzhj75IOgvA/giphy.gif" width="100"/>
## Project Specifications:
React component planning card with steps by states.
### Practicing while studying on [Udemy learning courses](https://www.udemy.com/) <img style="margin: 10px" src="https://findlogovector.com/wp-content/uploads/2022/04/udemy-logo-vector-2022.png" alt="HTML5" height="30" />
### Languages and Tools:
<div align="center">
<a href="https://en.wikipedia.org/wiki/HTML5" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/html5-original-wordmark.svg" alt="HTML5" height="50" /></a>
<a href="https://www.w3schools.com/css/" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/css3-original-wordmark.svg" alt="CSS3" height="50" /></a>
<a href="https://www.javascript.com/" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/javascript-original.svg" alt="JavaScript" height="50" /></a>
<a href="https://git-scm.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/git-scm/git-scm-icon.svg" alt="git" width="40" height="40"/> </a>
<a href="https://reactjs.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/react/react-original-wordmark.svg" alt="react" width="40" height="40"/> </a>
</div>
### Connect with me:
<div align="center">
<a href="https://linkedin.com/in/alex-smagin29" target="_blank">
<img src=https://img.shields.io/badge/linkedin-%231E77B5.svg?&style=for-the-badge&logo=linkedin&logoColor=white alt=linkedin style="margin-bottom: 5px;" />
</a>
<a href="https://github.com/alexandrbig1" target="_blank">
<img src=https://img.shields.io/badge/github-%2324292e.svg?&style=for-the-badge&logo=github&logoColor=white alt=github style="margin-bottom: 5px;" />
</a>
<a href="https://stackoverflow.com/users/22484161/alex-smagin" target="_blank">
<img src=https://img.shields.io/badge/stackoverflow-%23F28032.svg?&style=for-the-badge&logo=stackoverflow&logoColor=white alt=stackoverflow style="margin-bottom: 5px;" />
</a>
<a href="https://dribbble.com/Alexandrbig1" target="_blank">
<img src=https://img.shields.io/badge/dribbble-%23E45285.svg?&style=for-the-badge&logo=dribbble&logoColor=white alt=dribbble style="margin-bottom: 5px;" />
</a>
<a href="https://www.behance.net/a1126" target="_blank">
<img src=https://img.shields.io/badge/behance-%23191919.svg?&style=for-the-badge&logo=behance&logoColor=white alt=behance style="margin-bottom: 5px;" />
</a>
</div>
| practicing coding(React components(card)) | css3,frontend,html-css-javascript,html5,javascript,js,react,reactjs,ux-ui,ux-ui-design | 2023-10-07T14:01:49Z | 2023-10-10T02:55:58Z | null | 1 | 0 | 6 | 0 | 0 | 2 | null | null | HTML |
oleksaYevtush/Base-Apparel-coming-soon-page | main | null | Frontend Mentor Challenge - Base Apparel coming soon page | email-validation,frontendmentor-challenge,html-css,javascript,landing-page,visual-studio-code | 2023-10-08T11:09:59Z | 2023-10-08T11:11:20Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | CSS |
boularbahsmail/E-commerce-Website | main | This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app).
## Getting Started
First, run the development server:
```bash
npm run dev
# or
yarn dev
# or
pnpm dev
```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
You can start editing the page by modifying `pages/index.tsx`. The page auto-updates as you edit the file.
[API routes](https://nextjs.org/docs/api-routes/introduction) can be accessed on [http://localhost:3000/api/hello](http://localhost:3000/api/hello). This endpoint can be edited in `pages/api/hello.ts`.
The `pages/api` directory is mapped to `/api/*`. Files in this directory are treated as [API routes](https://nextjs.org/docs/api-routes/introduction) instead of React pages.
This project uses [`next/font`](https://nextjs.org/docs/basic-features/font-optimization) to automatically optimize and load Inter, a custom Google Font.
## Learn More
To learn more about Next.js, take a look at the following resources:
- [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API.
- [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial.
You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js/) - your feedback and contributions are welcome!
## Deploy on Vercel
The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js.
Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details.
| A friendly zara fashion website built using NextJs, TypeScript, And Tailwind CSS in order to render ascetic user interfaces and dynamic interactions. | javascript,nextjs,reactjs,tailwindcss,typescript | 2023-09-17T16:29:42Z | 2023-09-28T15:47:25Z | null | 1 | 2 | 22 | 0 | 0 | 2 | null | null | TypeScript |
FelipeDuarteLuna/e-commerce | main | # Ecommerce
Aplicação de Ecommerce que está sendo desenvolvida durante a **Mentoria Angular Pro**.
<a alt="Nx logo" href="https://nx.dev" target="_blank" rel="noreferrer"><img src="https://raw.githubusercontent.com/nrwl/nx/master/images/nx-logo.png" width="45"></a>
✨ **Este workspace foi gerado pelo [Build System Nx.](https://nx.dev)** ✨
## Setup do projeto
```
git clone https://github.com/andrewarosario/ecommerce.git
cd ecommerce
npm install
```
## Servir o projeto localmente
```
npm start
```
Ou
```
npx nx serve
```
O projeto será servido por padrão em http://localhost:4200/.
## Executar tarefas independentes
```
npx nx <NOME_DA_TAREFA> <NOME_DO_MODULO>
```
Exemplos:
```
npx nx test ecommerce
npx nx lint modules-layout
```
## Visualizar Dependency Graph
```
npx nx graph
```
## Executar tarefas somente do que foi afetado
```
npx nx affected:<NOME_DA_TAREFA>
```
Exemplos:
```
npx nx affected:test
npx nx affected:graph
``` | Projeto criado para estudo e teste de novas Lib e Arquitetura da Mentoria "Jornada do Programador Angular Senior" | angular,angular-material,entreprise,javascript,nx,typescript,ui-components,html,nx-console,scss | 2023-09-21T00:35:52Z | 2024-03-04T12:12:45Z | null | 1 | 25 | 83 | 0 | 0 | 2 | null | null | TypeScript |
SuryaPratap2542/Testimonials-Page | main |
# React Testimonials Page
This is a simple React application that displays testimonials in a stylish way.
## Demo
You can see a live demo of this project.
<img width="819" alt="image" src="https://github.com/SuryaPratap2542/Testimonials-Page/assets/89827931/ddb35ac6-4784-4ab9-ab07-fe13242f2d72">
## Features
- Display testimonials with images, names, and job titles.
- Navigate through testimonials using left and right arrows.
- Surprise Me button to show a random testimonial.
## Getting Started
To get started with this project, you'll need to have Node.js and npm (Node Package Manager) installed on your computer.
1. Clone this repository:
```bash
git clone https://github.com/your-username/react-testimonials-page.git
```
2. Navigate to the project directory:
```bash
cd react-testimonials-page
```
3. Install the project dependencies:
```bash
npm install
```
4. Start the development server:
```bash
npm start
```
5. Open your browser and visit `http://localhost:3000` to see the app in action.
## Usage
Replace the content of the `reviews` array in the `Testimonials.js` file with your own testimonials data. Each testimonial should include the following information:
- `id` (unique identifier)
- `name` (name of the person)
- `job` (job title or role)
- `image` (URL of the person's image)
- `text` (testimonial text)
For example:
```javascript
{
id: 1,
name: "John Doe",
job: "Web Developer",
image: "https://example.com/john-doe.jpg",
text: "Lorem ipsum dolor sit amet, consectetur adipiscing elit."
}
```
You can add as many testimonials as you like.
## Customization
You can customize this project by:
- Modifying the testimonial data in `Testimonials.js`.
- Adjusting the styles in the CSS files to match your design preferences.
- Adding new features or functionality as needed.
## Contributing
Contributions are welcome! If you have any ideas, bug fixes, or improvements, please open an issue or create a pull request.
## License
This project is licensed under the MIT License - see the [LICENSE.md](LICENSE.md) file for details.
```
Feel free to add this section to your README file, and it explains how to add reviews with pictures to your project. Make sure to provide the necessary details for each testimonial in the `reviews` array as shown in the example.
| This is a simple React application that displays testimonials in a stylish way. | data,html,javascript,jsx,react,react-icons,tailwindcss,testimonials | 2023-09-13T10:09:08Z | 2023-09-13T10:15:06Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
jarasa03/Proyecto-AP-Web | main | null | Proyecto realizado durante la asignatura de Aplicaciones Web en el grado medio de Sistemas Microinformáticos y Redes utilizando HTML:5, CSS y JavaScript. | css,html5,javascript | 2023-09-25T18:33:26Z | 2023-09-25T18:33:45Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | CSS |
Mitsuki7485/formforge | master | null | This is an automatic form input generator. | css,form,html,input-type,javascript,js,front-end,frontend | 2023-09-26T10:10:07Z | 2023-09-26T10:02:30Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | JavaScript |
NeonNucleus/Bitwise_Calculator | main | <h1 align = "center"> 🚀 Simple Bitwise Calculator 🧮</h1>
The Simple Bitwise Calculator is a user-friendly tool that allows you to perform bitwise operations on two numbers. With just a few clicks, you can calculate the bitwise AND, OR, or XOR of the two input numbers, providing you with the result in real time.
## 🌟 Features
✨ **Bitwise AND**: Calculate the bitwise AND operation between two numbers.
✨ **Bitwise OR**: Compute the bitwise OR operation between two numbers.
✨ **Bitwise XOR**: Determine the bitwise XOR operation between two numbers.
✨ **Bitwise NOT**: Determine the bitwise NOT operation between two numbers.
✨ **Instant Results**: Get lightning-fast results in real-time.
✨ **User-Friendly Interface**: Designed for everyone, from beginners to experts.
## 💡 How to Use
1. Enter two numbers in the input fields.
2. Click on the "Calculate" button.
3. Get the desired operation: AND, OR, or XOR.
4. Watch the magic happen! ✨
## 🧰 Installation
No installation is needed! This calculator is entirely web-based, so you can access it from your favorite web browser. Simply visit [Bitwise Calculator](https://neonnucleus.github.io/Bitwise_Calculator/) to start crunching those bits!
## 🚀 Contribution
Feel like adding some extra sparkle to this calculator? We welcome contributions! Just fork the repository, make your improvements, and create a pull request. Together, we can make bitwise operations even more enjoyable! 🌈
## 📜 License
This Bitwise Calculator is licensed under the [MIT License](LICENSE), so feel free to use, modify, and share it to your heart's content.
## 🙏 Acknowledgments
We would like to express our gratitude to the open-source community and the amazing developers who make projects like this possible. Keep coding, and may your bits always be in your favor! 💻✨
Happy Bitwise Calculating! 🎈
| The Simple Bitwise Calculator is a user-friendly tool that allows you to perform bitwise operations on two numbers. With just a few clicks, you can calculate the bitwise AND, OR, or XOR of the two input numbers, providing you with the result in real-time. | hacktoberfest,hacktoberfest2023-accepted,css,html5,javascript,hacktoberfest2023,hactoberfest-accepted | 2023-10-01T05:54:23Z | 2023-10-04T05:37:29Z | null | 5 | 7 | 21 | 0 | 5 | 2 | null | MIT | HTML |
seanpm2001/EMAIL_-3.0_Stamps_Blockchain | EMAIL_-3.0_Stamps_Blockchain_Main-dev |
***
# <projectName>

# By:
<!--  !-->
## [Seanpm2001](https://github.com/seanpm2001/), [<developerName>](https://github.com/<developerName>/) Et; Al.
### Top
# `README.md`
***
## Read this article in a different language
**Sorted by:** `A-Z`
[Sorting options unavailable](https://github.com/<developerName>/<repoName>)
( [af Afrikaans](/.github/README_AF.md) Afrikaans | [sq Shqiptare](/.github/README_SQ.md) Albanian | [am አማርኛ](/.github/README_AM.md) Amharic | [ar عربى](/.github/README_AR.md) Arabic | [hy հայերեն](/.github/README_HY.md) Armenian | [az Azərbaycan dili](/.github/README_AZ.md) Azerbaijani | [eu Euskara](/.github/README_EU.md) Basque | [be Беларуская](/.github/README_BE.md) Belarusian | [bn বাংলা](/.github/README_BN.md) Bengali | [bs Bosanski](/.github/README_BS.md) Bosnian | [bg български](/.github/README_BG.md) Bulgarian | [ca Català](/.github/README_CA.md) Catalan | [ceb Sugbuanon](/.github/README_CEB.md) Cebuano | [ny Chichewa](/.github/README_NY.md) Chichewa | [zh-CN 简体中文](/.github/README_ZH-CN.md) Chinese (Simplified) | [zh-t 中國傳統的)](/.github/README_ZH-T.md) Chinese (Traditional) | [co Corsu](/.github/README_CO.md) Corsican | [hr Hrvatski](/.github/README_HR.md) Croatian | [cs čeština](/.github/README_CS.md) Czech | [da dansk](README_DA.md) Danish | [nl Nederlands](/.github/README_NL.md) Dutch | [**en-us English**](/.github/README.md) English | [EO Esperanto](/.github/README_EO.md) Esperanto | [et Eestlane](/.github/README_ET.md) Estonian | [tl Pilipino](/.github/README_TL.md) Filipino | [fi Suomalainen](/.github/README_FI.md) Finnish | [fr français](/.github/README_FR.md) French | [fy Frysk](/.github/README_FY.md) Frisian | [gl Galego](/.github/README_GL.md) Galician | [ka ქართველი](/.github/README_KA) Georgian | [de Deutsch](/.github/README_DE.md) German | [el Ελληνικά](/.github/README_EL.md) Greek | [gu ગુજરાતી](/.github/README_GU.md) Gujarati | [ht Kreyòl ayisyen](/.github/README_HT.md) Haitian Creole | [ha Hausa](/.github/README_HA.md) Hausa | [haw Ōlelo Hawaiʻi](/.github/README_HAW.md) Hawaiian | [he עִברִית](/.github/README_HE.md) Hebrew | [hi हिन्दी](/.github/README_HI.md) Hindi | [hmn Hmong](/.github/README_HMN.md) Hmong | [hu Magyar](/.github/README_HU.md) Hungarian | [is Íslenska](/.github/README_IS.md) Icelandic | [ig Igbo](/.github/README_IG.md) Igbo | [id bahasa Indonesia](/.github/README_ID.md) Icelandic | [ga Gaeilge](/.github/README_GA.md) Irish | [it Italiana/Italiano](/.github/README_IT.md) | [ja 日本語](/.github/README_JA.md) Japanese | [jw Wong jawa](/.github/README_JW.md) Javanese | [kn ಕನ್ನಡ](/.github/README_KN.md) Kannada | [kk Қазақ](/.github/README_KK.md) Kazakh | [km ខ្មែរ](/.github/README_KM.md) Khmer | [rw Kinyarwanda](/.github/README_RW.md) Kinyarwanda | [ko-south 韓國語](/.github/README_KO_SOUTH.md) Korean (South) | [ko-north 문화어](README_KO_NORTH.md) Korean (North) (NOT YET TRANSLATED) | [ku Kurdî](/.github/README_KU.md) Kurdish (Kurmanji) | [ky Кыргызча](/.github/README_KY.md) Kyrgyz | [lo ລາວ](/.github/README_LO.md) Lao | [la Latine](/.github/README_LA.md) Latin | [lt Lietuvis](/.github/README_LT.md) Lithuanian | [lb Lëtzebuergesch](/.github/README_LB.md) Luxembourgish | [mk Македонски](/.github/README_MK.md) Macedonian | [mg Malagasy](/.github/README_MG.md) Malagasy | [ms Bahasa Melayu](/.github/README_MS.md) Malay | [ml മലയാളം](/.github/README_ML.md) Malayalam | [mt Malti](/.github/README_MT.md) Maltese | [mi Maori](/.github/README_MI.md) Maori | [mr मराठी](/.github/README_MR.md) Marathi | [mn Монгол](/.github/README_MN.md) Mongolian | [my မြန်မာ](/.github/README_MY.md) Myanmar (Burmese) | [ne नेपाली](/.github/README_NE.md) Nepali | [no norsk](/.github/README_NO.md) Norwegian | [or ଓଡିଆ (ଓଡିଆ)](/.github/README_OR.md) Odia (Oriya) | [ps پښتو](/.github/README_PS.md) Pashto | [fa فارسی](/.github/README_FA.md) |Persian [pl polski](/.github/README_PL.md) Polish | [pt português](/.github/README_PT.md) Portuguese | [pa ਪੰਜਾਬੀ](/.github/README_PA.md) Punjabi | No languages available that start with the letter Q | [ro Română](/.github/README_RO.md) Romanian | [ru русский](/.github/README_RU.md) Russian | [sm Faasamoa](/.github/README_SM.md) Samoan | [gd Gàidhlig na h-Alba](/.github/README_GD.md) Scots Gaelic | [sr Српски](/.github/README_SR.md) Serbian | [st Sesotho](/.github/README_ST.md) Sesotho | [sn Shona](/.github/README_SN.md) Shona | [sd سنڌي](/.github/README_SD.md) Sindhi | [si සිංහල](/.github/README_SI.md) Sinhala | [sk Slovák](/.github/README_SK.md) Slovak | [sl Slovenščina](/.github/README_SL.md) Slovenian | [so Soomaali](/.github/README_SO.md) Somali | [[es en español](/.github/README_ES.md) Spanish | [su Sundanis](/.github/README_SU.md) Sundanese | [sw Kiswahili](/.github/README_SW.md) Swahili | [sv Svenska](/.github/README_SV.md) Swedish | [tg Тоҷикӣ](/.github/README_TG.md) Tajik | [ta தமிழ்](/.github/README_TA.md) Tamil | [tt Татар](/.github/README_TT.md) Tatar | [te తెలుగు](/.github/README_TE.md) Telugu | [th ไทย](/.github/README_TH.md) Thai | [tr Türk](/.github/README_TR.md) Turkish | [tk Türkmenler](/.github/README_TK.md) Turkmen | [uk Український](/.github/README_UK.md) Ukrainian | [ur اردو](/.github/README_UR.md) Urdu | [ug ئۇيغۇر](/.github/README_UG.md) Uyghur | [uz O'zbek](/.github/README_UZ.md) Uzbek | [vi Tiếng Việt](/.github/README_VI.md) Vietnamese | [cy Cymraeg](/.github/README_CY.md) Welsh | [xh isiXhosa](/.github/README_XH.md) Xhosa | [yi יידיש](/.github/README_YI.md) Yiddish | [yo Yoruba](/.github/README_YO.md) Yoruba | [zu Zulu](/.github/README_ZU.md) Zulu ) Available in 110 languages (108 when not counting English and North Korean, as North Korean has not been translated yet [Read about it here](/OldVersions/Korean(North)/README.md))
Translations in languages other than English are machine translated and are not yet accurate. No errors have been fixed yet as of March 21st 2021. Please report translation errors [here](https://github.com/<developerName>/<repoName>/issues/). Make sure to backup your correction with sources and guide me, as I don't know languages other than English well (I plan on getting a translator eventually) please cite [wiktionary](https://en.wiktionary.org) and other sources in your report. Failing to do so will result in a rejection of the correction being published.
Note: due to limitations with GitHub's interpretation of markdown (and pretty much every other web-based interpretation of markdown) clicking these links will redirect you to a separate file on a separate page that isn't the intended page. You will be redirected to the [.github folder](/.github/) of this project, where the README translations are hosted.
Translations are currently done with Bing translate and DeepL. Support for Google Translate translations is coming to a close due to privacy concerns.
***
# Index
[00.0 - Top](#Top)
> [00.1 - Title](#<projectName>)
> [00.2 - Read this article in a different language](#Read-this-article-in-a-different-language)
> [00.3 - Index](#Index)
[01.0 - Description](#RepositoryName)
[02.0 - About](#About)
[03.0 - Wiki](#Wiki)
[04.0 - History](#History)
> [04.1 - Pre-history](#Pre-history)
> [04.2 - Alpha History](#Alpha-history)
> [04.3 - Beta History](#Beta-history)
> [04.4 - Modern History](#Modern-history)
[05.0 - Copying](#Copying)
[06.0 - Credits](#Credits)
[07.0 - Installation](#Installation)
[08.0 - Version history](#Version-history)
[09.0 - Version history](#Version-history)
[10.0 - Software status](#Software-status)
[11.0 - Sponsor info](#Sponsor-info)
[12.0 - Contributers](#Contributers)
[13.0 - Issues](#Issues)
> [13.1 - Current issues](#Current-issues)
> [13.2 - Past issues](#Past-issues)
> [13.3 - Past pull requests](#Past-pull-requests)
> [13.4 - Active pull requests](#Active-pull-requests)
[14.0 - Resources](#Resources)
[15.0 - Contributing](#Contributing)
[16.0 - About README](#About-README)
[17.0 - README Version history](#README-version-history)
[18.0 - Footer](#You-have-reached-the-end-of-the-README-file)
> [18.9 - End of file](#EOF)
***
# <repoName>
<repo_description>
***
## About
See above. <extendedRepoDescription>
***
## Wiki
[Click/tap here to view this projects Wiki](https://github.com/<developerName>/<repoName>/wiki)
If the project has been forked, the Wiki was likely removed. Luckily, I include an embedded version. You can view it [here](/External/ProjectWiki/).
***
## History
Write about this projects history here.
### Pre-history
No pre-history to show for this project.
### Alpha history
No Alpha history to show for this project.
### Beta history
No Beta history to show for this project.
### Modern history
No Modern history to show for this project.
***
## Copying
View the copying license for this project [here](/COPYING) (if you haven't built the project yet with the makefile, here is the original link: [COPYINGL](/COPYINGL)
Please note that you also have to follow the rules of the GNU General Public License v3 (GPL3) which you can view [here](/LICENSE.txt)
***
## Credits
View the credits file for this project and see the people who got together to make this project by [clicking/tapping here](/CREDITS)
***
## Installation
View the installation instructions file for this project [here](/INSTALL)
Requirements: Read the instructions for more info, and get the latest up-to-date instructions [here](https://gist.github.com/seanpm2001/745564a46186888e829fdeb9cda584de)
***
## Sponsor info

You can sponsor this project if you like, but please specify what you want to donate to. [See the funds you can donate to here](https://github.com/seanpm2001/Sponsor-info/tree/main/For-sponsors/)
You can view other sponsor info [here](https://github.com/seanpm2001/Sponsor-info/)
Try it out! The sponsor button is right up next to the watch/unwatch button.
***
## Version history
**Version history currently unavailable**
**No other versions listed**
***
## Software status
All of my works are free some restrictions. DRM (**D**igital **R**estrictions **M**anagement) is not present in any of my works.

This sticker is supported by the Free Software Foundation. I never intend to include DRM in my works.
I am using the abbreviation "Digital Restrictions Management" instead of the more known "Digital Rights Management" as the common way of addressing it is false, there are no rights with DRM. The spelling "Digital Restrictions Management" is more accurate, and is supported by [Richard M. Stallman (RMS)](https://en.wikipedia.org/wiki/Richard_Stallman) and the [Free Software Foundation (FSF)](https://en.wikipedia.org/wiki/Free_Software_Foundation)
This section is used to raise awareness for the problems with DRM, and also to protest it. DRM is defective by design and is a major threat to all computer users and software freedom.
Image credit: [defectivebydesign.org/drm-free/...](https://www.defectivebydesign.org/drm-free/how-to-use-label/)
***
## Contributers
Currently, I am the only contributer. Contributing is allowed, as long as you follow the rules of the [CONTRIBUTING.md](/CONTRIBUTING.md) file.
> * 1. [seanpm2001](https://github.com/seanpm2001/) - x commits (As of Yr, DoW, Month, DoM, at ##:## a/pm)
> * 2. No other contributers.
***
## Issues
### Current issues
* None at the moment
* No other current issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past issues
* None at the moment
* No other past issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past pull requests
* None at the moment
* No other past pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Active pull requests
* None at the moment
* No other active pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
***
## Resources
Here are some other resources for this project:
[Project language file A](PROJECT_LANG_1.<fileExtensionForProgrammingLanguage>)
[Join the discussion on GitHub](https://github.com/<developerName>/<repoName>/discussions)
No other resources at the moment.
***
## Contributing
Contributing is allowed for this project, as long as you follow the rules of the `CONTRIBUTING.md` file.
[Click/tap here to view the contributing rules for this project](/CONTRIBUTING.md)
***
## About README
**File type:** `Markdown Document (*.md *.mkd *.markdown)`
**File version:** `0.1.6 (Monday, August 23rd 2021 at 6:37 pm)`
**Line count (including blank lines and compiler line):** `0,407`
***
## README version history
Version 0.1 (Sunday, March 21st 2021 at 7:50 pm)
> Changes:
> * Started the file
> * Added the title section
> * Added the index
> * Added the about section
> * Added the Wiki section
> * Added the version history section
> * Added the issues section.
> * Added the past issues section
> * Added the past pull requests section
> * Added the active pull requests section
> * Added the contributors section
> * Added the contributing section
> * Added the about README section
> * Added the README version history section
> * Added the resources section
> * Added a software status section, with a DRM free sticker and message
> * Added the sponsor info section
**ITERATION 5**
> * Updated the title section
> * Updated the index
> * Added the history section
> * Updated the file info section
> * Updated the file history section
**ITERATION 6**
> * Updated the title section
> * Fixed and update template links
> * Updated the index
> * Added the copying section
> * Added the credits section
> * Added the installation section
> * Updated the resources section
> * Updated the contributors section
> * Added the technical notes section
> * Updated the footer
> * Updated the file info section
> * Updated the file history section
> * No other changes in version 0.1
Version 1 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 1
Version 2 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 2
***
### You have reached the end of the README file
( [Back to top](#Top) | [Exit to GitHub](https://github.com) | [Exit to Bing](https://www.bing.com/) | [Exit to DuckDuckGo](https://duckduckgo.com/) | [Exit to Ecosia](https://www.ecosia.org) )
### EOF
***
| 🟫️❇️📧️✴️ The official EMAIL -3.0 Blockchain Email Stamp specification source repository. | blockchain,email-3,email-3-blockchain,email-3-development,email-3-project,email-blockchain,gpl3,gplv3,javascript,javascript-lang | 2023-10-09T02:04:39Z | 2023-10-09T06:48:49Z | null | 1 | 0 | 22 | 0 | 1 | 2 | null | GPL-3.0 | JavaScript |
macmiller87/API-Cadastro-Usuarios-E-Times-vs5-No-ORM-Framework | master | ## API-Cadastro-Usuarios-E-Times-vs5-No-ORM-Framework
## 🚀 **Tecnologias**
- Nodejs
- Express
- Postgres
### 💻 Projeto
- Projeto na versão 5 com integração ao BD postgres.
- Nesta aplicação está sendo feita uma API, que é possível cadastrar `usuário com (username, email e password)`, a aplicação gera um `user_id` único randômico para o usúario, também é possível cadastrar `times de futebol com (nome, cidade e pais)`,a aplicação gera um `team_id` único randômico para o time, desde que exista um `usuário` já cadastrado para poder fazer o cadastro dos times, essa verificação é feita pelo `user_id` do usuário, também é possível listar todos usuários criados, e seus respectivos times cadastrados, deletar usuários e times e etc.
## 🚀 Como executar
### Rotas da aplicação `users`
#### CreateUser: Post - `/createUser`.
- A rota deve receber `username` , `email` e `password` dentro do corpo da requisição. Ao cadastrar um novo usuário, ele deve ser armazenado dentro de um objeto no seguinte formato:
"user_id": "",
"username": "",
"email": "",
"password"
"createdat": "",
#### getUser: Get - `/getUser/:user_id`.
- A rota deve receber pelo parâmetro de consulta `query` o `user_id` do usuário a ser consultado, essa consulta só pode acontecer caso o parâmetro passado anteriormente seja válidado.
#### listUserAndTeams: Get - `/listUserAndTeams/:user_id`.
- A rota deve receber pelo parâmetro de consulta `query` o `user_id` do usuário a ser consultado, essa consulta só pode acontecer caso o parâmetro passado anteriormente seja válidado.
#### updateUserField: PATCH - `/updateUserField/:user_id`.
- A rota deve receber pelo parâmetro de consulta `query` o `user_id` do usuário a ter o campo `password` atualizado, e pelo corpo da requisição o parametro `password`, essa atualização só pode acontecer caso os parâmetros passados anteriormente seja válidados.
#### delete: Delete - `/delete/:user_id`.
- A rota deve receber pelo parâmetro de consulta `query` o `user_id` do usuário a ser deletado, essa consulta só pode acontecer caso o parâmetro passado anteriormente seja válidado.
### Rotas da aplicação `Teams`
#### createTeam: Post = `/createTeam`.
- A rota deve receber `teamName`, `city` e `country` dentro do corpo da requisição, e a rota deve receber pelo parâmetro de consulta `query` o `user_id` do usuário que está cadastrando esse time, cada time deverá estar no seguinte formato:
"team_id": "",
"user_id": "",
"teamName": "",
"city": "",
"country": "",
"createdat": ""
#### getTeam: Get = `/getTeam/:team_id`.
- A rota deve receber pelo parâmetro de consulta `query` o `team_id` do time a ser consultado , essa consulta só pode acontecer caso o parâmetro passado anteriormente sejam válidado.
#### deleteTeam: Delete = `/deleteTeam/:team_id`.
- A rota deve receber pelo parâmetro de consulta `query` o `team_id` do time a ser deletado, essa rota só pode concluir a exclusão com sucesso, caso o parâmetro passado anteriormente sejam válidado.
## Criação das Tabelas no DB Postgres Necessárias para rodar a aplicação.
- O Arquivo `tables.sql` contém o esquema das tabelas a serem criadas no DB Postgres, para poder rodar essa aplicação.
## Para rodar essa aplicação siga os seguintes passos:
- Copie a url do repositório na aba `CODE`.
- Com o git instalado, execute o seguinte comando => `git clone "Aqui vai a url copiada acima"`.
- Com o `Nodejs` e o `Yarn ou Npm` instalados, Na sua IDE preferida, abra o terminal do `git`, e execute o seguinte comando => `yarn ou npm i`, para baixar as dependências da aplicação.
- Para rodar o projeto execute o seguinte comando => `yarn start:dev`.
- Para testar o funcional da aplicação será necessário instalar o software `Insomnia ou Postman ou ainda a extensão ThunderClient no VsCode` e criar as rotas da aplicação citadas acima.
## Deploy Render
- Para utilizar o deploy, deve-se colocar /+ path da rota a fazer a requizição .... exemplo url/createUser .
https://api-cadastro-usuarios-e-times-vs5-no-orm.onrender.com
| Api vs5 feita com Nodejs e Express sem utilizar ORM framework para armazenamento, consultas e manipulações no BD Postgres | express,javascript,nodejs,postgresql | 2023-10-07T19:26:32Z | 2023-10-14T22:18:31Z | null | 1 | 0 | 19 | 0 | 0 | 2 | null | null | JavaScript |
akku27-cse/TechnoHack_InternShip | main | # InterShip at Technohack
# 1.Currency Converter:
# --------------------front view-------------------
#Link:- https://3v8zs8dbnehghyyxlljy7g.on.drv.tw/TechnoHack_Internship_Assignment/Currency Converter/CurrencyConverter.html

#2.Simple Calcluator
#--------------view Live Project-------------------
#link:-https://3v8zs8dbnehghyyxlljy7g.on.drv.tw/TechnoHack_Internship_Assignment/Calcluator/Cal.html
#3.CountDown Timer
#---------------view LIve Project-------------
#Link:- https://3v8zs8dbnehghyyxlljy7g.on.drv.tw/TechnoHack_Internship_Assignment/CountDown_Timer/

| null | css,firebase,html,javascript | 2023-10-07T15:19:34Z | 2023-10-07T22:56:54Z | null | 1 | 0 | 8 | 0 | 0 | 2 | null | null | JavaScript |
Akash1362000/Vehicle-Registration-Number-Recognition | main | # Vehicle Registration Number Recognition 🚙
A simple web application to detect the registration number of the vehicle from the uploaded image. The application uses the OpenALPR library to identify the registration number. Users can go to the application, upload any vehicle's image and get the registration number. Currently, the application can detect only US-based vehicle registration numbers. Support for other countries will be added to the application in the near future.
## Dashboard UI ✨

## Project Demo 📽
**Note** : Wait for about 5 seconds for it to load

## Features 🤩
✅ Upload images of vehicles
✅ Get the registration numbers of US-based vehicles
## Tech stack 👨💻
* Frontend
* HTML5
* CSS3
* MaterializeCSS
* Javascript
* Backend
* Python
* Django
* PostgreSQL
* OpenALPR
## Table of contents 📃
1. What is ALPR?
2. How to install ALPR?
3. Project Setup
4. Database Setup
5. Class Diagram
6. ER Diagram
7. Anticipated features
## What is ALPR? 🤔
[OpenALPR](https://github.com/openalpr/openalpr) is an open-source Automatic License Plate Recognition library written in C++ with bindings in C#, Java, Node.js, Go, and Python. The library analyzes images and video streams to identify license plates. The output is the text representation of any license plate characters.
## How to install ALPR? 🤔
**For Ubuntu:** Follow the steps mentioned [here](https://gist.github.com/braitsch/ee5434f91744026abb6c099f98e67613) to install the necessary packages and libraries required in order for ALPR to function smoothly
After doing that, go to `/openalpr/src/bindings/python` and run `python setup.py build` followed by `sudo python setup.py install`
This will install the OpenALPR library onto your system.
## Project Setup 🛠
**Note**: Make sure you have Python version 3.8+ and Postgres 14 or above
Environment Setup
`$ git clone https://github.com/Akash1362000/Vehicle-Registration-Number-Recognition.git`
`$ cd plate-detector/`
Create `.env` file (refer `.env.example` file)
Generate `SECRET_KEY` from [here](https://djecrety.ir/)
## Database Setup 💻
Install Postgres Latest version from [here](https://www.postgresql.org/download/)
Install pgAdmin from [here](https://www.pgadmin.org/download/)
Create a Database using pgAdmin by following the steps mentioned [here](https://www.tutorialsteacher.com/postgresql/create-database)
Update your `DATABASE_NAME`, `DATABASE_USER` and `DATABASE_PASSWORD` in `.env` with your DB details
Install requirements
`$ pip install -r requirements.txt`
`$ pre-commit install`
`$ python manage.py migrate`
Create superuser: `$ python manage.py createsuperuser`
That's it. You're all Set!
Run `python manage.py test` to check whether ALPR is properly installed on your system
To run the server: `$ python manage.py runserver`
Open your desired browser and head over to [http://127.0.0.1:8000/](http://127.0.0.1:8000/)
## Class Diagram ✍

## ER Diagram ✍

## Anticipated Features 🔥
* Add support to detect registration numbers of Indian Vehicles
* Add support to detect registration numbers from video files
* Add support to store the uploaded images safely on Amazon S3
* Dockerize the application
| A simple web application to detect the registration number of the vehicle from the uploaded image. The application uses the OpenALPR library to identify the registration number. Users can go to the application, upload any vehicle's image and get the registration number. | alpr,css3,django,html5,javascript,materializecss,openalpr,postgres,python3 | 2023-09-18T12:01:21Z | 2023-09-20T06:17:31Z | null | 1 | 3 | 29 | 0 | 0 | 2 | null | null | Python |
ronaldstoner/meepmeep | main | # meepmeep
A simple HTML and JavaScript based read only nostr chat client
## Installation
- Git clone this repo and open index.html in a browser
- Enter your preferred relay
- Enjoy the notes and content
## Features
- Kind 1 notes
- 500 message scrolling buffer
- Image parsing (most of the time)
- Link parsing (most of the time)
- Websocket session handling/reconnect
## Screenshot
<img src="https://github.com/ronaldstoner/meepmeep/blob/main/img/screenshot.png?raw=true" />
## Contributing
Please do!
| A simple HTML and JavaScript based read only nostr chat client | html,javascript,nostr | 2023-10-11T02:19:23Z | 2023-11-04T01:32:31Z | null | 1 | 0 | 25 | 0 | 0 | 2 | null | MIT | HTML |
solidsnk86/Portfolio-CG | master | 
- Este es mi portfolio personal, más bien mi currículum...
- En mi experiencia he agregado mis trabajos que nada tienen que ver con la programación pero me llevaron a ello.
- Herramientas que he usado:
HTML
CSS
Less
JavaScript
### Proyecto migrado a React con Nextjs y Supabase:
[Link](https://solidsnk86.netlify.app/)
| Portfolio CV personal (Actualizando y migrando a React-NextJS) | css,html,javascript,less | 2023-10-06T00:07:27Z | 2023-12-11T05:48:05Z | null | 1 | 0 | 18 | 0 | 0 | 2 | null | null | CSS |
corners2wall/Skyscraper | main | null | Build game 🌆 of focus and concentration 📈 | cannon-es,javascript,three-js,threejs,hactoberfest,typescript,hacktoberfest,hacktoberfest-accepted,hacktoberfest2023 | 2023-10-08T07:28:38Z | 2023-11-09T19:18:09Z | null | 7 | 12 | 51 | 1 | 8 | 2 | null | null | TypeScript |
GovTechSG/cbdc-purpose-bound-money | main | <h1 align="center">
<a href="https://www.pbm.money"><img src="docs/images/logo.png" alt="Purpose Bound Money (PBM)" /></a>
<p align="center">Project Orchid:<br/>Purpose Bound Money (PBM)</p>
</h1>
<p align="center">
🔗 Website: <a href="https://www.pbm.money" target="_blank">pbm.money</a>
</p>
## Introduction
The Purpose Bound Money (PBM) proposes a protocol for the use of digital money under specified conditions. As part of a wider pilot in <a href="https://www.mas.gov.sg/publications/monographs-or-information-paper/2022/project-orchid-whitepaper" target="_blank">Project Orchid</a>, this version of the protocol releases escrow payments automatically after a specified period. Visit <a href="https://www.pbm.money" target="_blank">pbm.money</a> for more information on the key features.
## Setup
```bash
yarn install
```
## Packages
This repository is a monorepo of the source files, including the smart contracts, implemented for the PBM protocol.
| Package | Description | Actual Site |
| ---------------- | ---------------------------------------------------------------------- | ----------------------------- |
| `@pbm/contracts` | Smart contracts used for the PBM token | – |
| `@pbm/app` | The Web3 application frontend for interacting with the smart contracts | [Link](https://app.pbm.money) |
| `@pbm/web` | The main website at pbm.money homepage | [Link](https://pbm.money) |
## Getting Started
### Smart Contract Deployments
The following tasks have been implemented using Hardhat for both deploying the smart contracts to the blockchain and verifying them.
| Task Name | Description |
| -------------------- | ----------------------------------------- |
| `deploy:pbm` | Deploy PBM token |
| `deploy:vault` | Deploy PBM vault |
| `dsgd:mint` | Mint underlying asset token (for testing) |
| `verify:pbm` | Verify PBM token |
| `verify:pbm:proxy` | Verify PBM token proxy |
| `verify:vault` | Verify PBM vault |
| `verify:vault:proxy` | Verify PBM vault proxy |
##### Usage
```bash
yarn hardhat <task-name> --network <network> --<arg-name> <arg-value>
```
### Start Application Frontend
#### Production mode
```bash
yarn build:app && yarn start:app
```
#### Development mode
```bash
yarn start:app:dev
```
### Start Main Website
#### Production mode
```bash
yarn build:web && yarn start:web
```
#### Development mode
```bash
yarn start:web:dev
```
### Run Smart Contract Tests
```bash
yarn test:contracts:coverage
```
### Continuous Integration/Deployment
The CI pipeline is setup to deploy to a staging and production environment based on their branches, `staging` and `main`, respectively.
#### Staging Environment
Please raise an issue on Github to request for access to the staging environment if needed.
| The monorepo for the Purpose Bound Money (PBM) smart contracts and websites. | blockchain,cbdc,defi,digital-money,ethereum,evm,pbm,polygon,smart-contracts,solidity | 2023-10-05T05:39:15Z | 2023-12-31T15:13:41Z | null | 24 | 44 | 160 | 0 | 0 | 2 | null | null | TypeScript |
hacimertgokhan/BadgePicker | master | <h1 align="center">Badge Picker</h1>
<p align="center">
<img alt="Github top language" src="https://img.shields.io/github/languages/top/hacimertgokhan/BadgePicker?color=4C8AFF">
<img alt="Github language count" src="https://img.shields.io/github/languages/count/hacimertgokhan/BadgePicker?color=4C8AFF">
<img alt="Repository size" src="https://img.shields.io/github/repo-size/hacimertgokhan/BadgePicker?color=4C8AFF">
<img alt="License" src="https://img.shields.io/github/license/hacimertgokhan/BadgePicker?color=4C8AFF">
<img alt="Github issues" src="https://img.shields.io/github/issues/hacimertgokhan/BadgePicker?color=4C8AFF" />
<img alt="Github forks" src="https://img.shields.io/github/forks/hacimertgokhan/BadgePicker?color=4C8AFF" />
<img alt="Github stars" src="https://img.shields.io/github/stars/hacimertgokhan/BadgePicker?color=4C8AFF" />
</p>
<br>
# Create your own Tech Stacks List
Easily select the languages you want with BadgePicker, and badgepicker will adapt the markdown file for you.
***Since it is mobile compatible, it can be used on phones, tablets, etc. You can also use BadgePicker from devices such as.***
### Sample photo
<div align="center"><img src="https://github.com/hacimertgokhan/BadgePicker/assets/64479768/bc74f7b7-8206-4d0b-bc2c-430984b8713a"/></div>
# An example created with BadgePicker
<div align='center'>
<img src="https://img.shields.io/badge/css3-%231572B6.svg?style=for-the-badge&logo=css3&logoColor=white"/> <img src="https://img.shields.io/badge/html5-%23E34F26.svg?style=for-the-badge&logo=html5&logoColor=white"/> <img src="https://img.shields.io/badge/java-%23ED8B00.svg?style=for-the-badge&logo=openjdk&logoColor=white"/> <img src="https://img.shields.io/badge/javascript-%23323330.svg?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E"/> <img src="https://img.shields.io/badge/mysql-%2300f.svg?style=for-the-badge&logo=mysql&logoColor=white"/> <img src="https://img.shields.io/badge/Electron-191970?style=for-the-badge&logo=Electron&logoColor=white"/> <img src="https://img.shields.io/badge/Next-black?style=for-the-badge&logo=next.js&logoColor=white"/> <img src="https://img.shields.io/badge/node.js-6DA55F?style=for-the-badge&logo=node.js&logoColor=white"/> <img src="https://img.shields.io/badge/react-%2320232a.svg?style=for-the-badge&logo=react&logoColor=%2361DAFB"/> <img src="https://img.shields.io/badge/SASS-hotpink.svg?style=for-the-badge&logo=SASS&logoColor=white"/></div>
# Languages
<div align="center">
<img src="https://github.com/hacimertgokhan/BadgePicker/assets/64479768/03e0d056-c1fa-4e05-a350-b3fe7aec1913"/>
</div>
# Databases
<div align="center">
<img src="https://github.com/hacimertgokhan/BadgePicker/assets/64479768/1a1915a5-cbf2-448b-b6b8-6ec350b2efde"/>
</div>
# Frameworks & Libs
<div align="center">
<img src="https://github.com/hacimertgokhan/BadgePicker/assets/64479768/88dd7275-dfe9-41af-a74a-3e872e7d8dd1"/>
</div>
| BadgePicker, Make your own TechStacks ! | badges,github-profile,github-profile-readme,markdown-generator,profile,profile-readme,readme-generator,readme-md,tech-stack,techstacks | 2023-09-20T06:16:49Z | 2024-03-14T17:25:14Z | null | 1 | 1 | 18 | 0 | 0 | 2 | null | GPL-3.0 | JavaScript |
joaovitor8/universo | main | # Universo
Projeto full-stack usando a API da NASA para pegar informações espaciais.
Tem duas coisas que eu gosto muito, tecnologia e os misterios do universo, fiquei muito feliz quando eu achei essa API, por mais que tenha coisa nela que eu não intenda nada.
## Stack utilizada
**Front-end:** React, Next, TailwindCSS, ShadcnUI
**Back-end:** Node, Fastify
## Referência
- [API da NASA](https://api.nasa.gov/)
| Site criado com a API da NASA | api,react,typescript,fastify,javascript,nextjs,tailwindcss,shadcn-ui | 2023-09-19T14:38:33Z | 2024-04-12T14:08:31Z | null | 1 | 0 | 44 | 0 | 0 | 2 | null | MIT | TypeScript |
anshumansinha18/q-estate-crio | master | # Q-Estate: Real-Estate Web Application
A react-based web app where we can browse through the different properties and get the contact details of the concerned real-estate agent.
## Demo
You can try out the Application by visiting the [live demo](https://q-estate-crio.vercel.app/).
Please wait for few moments before the data loads up. Backend usually takes some time to fetch the data.
Backend Repository: https://github.com/anshumansinha18/q-estate-backend
## Screenshot
**Landing Page:**

**Explore Page:**

**Listing Details Page:**

| A react-based web app where we can browse through the different properties and get the contact details of the concerned real-estate agent. | javascript,react,react-js,real-estate,real-estate-website | 2023-09-12T03:44:22Z | 2023-10-03T11:18:32Z | null | 1 | 0 | 9 | 0 | 1 | 2 | null | null | JavaScript |
hrithik-infinite/spotify-clone | master | This is a [Next.js](https://nextjs.org/) project.
Link : [Website](https://hrithik-spotify-clone.vercel.app/)
| null | javascript,nextjs,react,reactjs,supabase,tailwind | 2023-09-16T17:18:39Z | 2023-09-30T11:26:35Z | 2023-09-30T11:26:35Z | 1 | 0 | 52 | 0 | 0 | 2 | null | null | JavaScript |
EdnaldoLuiz/to-day-list | main | <h1 align=center>to-day-list</h1>
<div align=center>
<img width=120px src="https://github.com/EdnaldoLuiz/to-day-list/assets/112354693/b277580a-7c1f-4e4c-80b8-c30e758dfe15">
</div>
<h1>Índice 📚</h1>
<ol>
<li><a href="#front-end">Front-end</a></li>
<ul>
<li><a href="#tela-de-registro">Tela de Registro</a></li>
<li><a href="#tela-de-login">Tela de Login</a></li>
<li><a href="#tela-principal">Tela Principal</a></li>
</ul>
<li><a href="#back-end">Back-end</a></li>
<ul>
<li><a href="#api-rest">API Rest</a></li>
<li><a href="#registrar">Registrar</a></li>
<li><a href="#login">Login</a></li>
</ul>
<li><a href="#bcrypt">BCrypt</a></li>
<li><a href="#criacao-de-tasks">Criação de Tasks</a></li>
<li><a href="#diagrama-de-classes">Diagrama de Classes</a></li>
<li><a href="#chat-assistente">Chat Assistente</a></li>
<li><a href="#principais-bibliotecas">Principais Bibliotecas</a></li>
<li><a href="#tech-stack-utilizada">Tech Stack Utilizada</a></li>
<li><a href="#clonar-repositorio">Executar o Projeto</a></li>
</ol>
<h1 id="front-end">Front-end 💻</h1>
<h2 id="tela-de-registro">Tela de Registro ✏️</h2>
<p>Tela de registro aonde é necessario seu nome, e-mail e uma senha de 8 caracteres</p>
<div align=center>
<img width=100% src="https://github.com/EdnaldoLuiz/to-day-list/assets/112354693/643bfa19-ab87-4e8c-8187-876f3f9055ac">
</div>
<h2 id="tela-de-login">Tela de Login 🔒</h2>
<p>Tela aonde deve ser passada as informações de login previamente cadastradas</p>
<div align=center>
<img width=100% src="https://github.com/EdnaldoLuiz/to-day-list/assets/112354693/e2a72db1-fd94-49d2-873f-4660595745aa">
</div>
<h2 id="tela-principal">Tela Principal 🪟</h2>
<p>Tela principal com a criação, listagem, atualização e exclusão das tasks, e na barra da direita um ChatBot usando com tecnologia do ChatGPT 3.5</p>
<div align=center>
<img width=100% src="https://github.com/EdnaldoLuiz/to-day-list/assets/112354693/d426e75e-6d6c-42a2-ab23-84f05a14a9db">
</div>
<h1 id="back-end">Back-end ⚙️</h1>
<h2 id="api-rest">API Rest 🌐</h2>
<table align=center>
<thead>
<tr>
<th>Endpoint</th>
<th>Método</th>
<th>Body</th>
<th>Status</th>
<th>Response</th>
<th>Descrição</th>
</tr>
</thead>
<tbody align=center>
<tr>
<td>/auth/register</td>
<td>POST</td>
<td>UserRegister</td>
<td>201</td>
<td></td>
<td>Cadastrar o usuário.</td>
</tr>
<tr>
<td>/auth/login</td>
<td>POST</td>
<td>UserLogin</td>
<td>200</td>
<td>Token</td>
<td>Logar o usuário e gerar um Token.</td>
</tr>
<tr>
<td>/tasks/create</td>
<td>POST</td>
<td>TaskRequestData</td>
<td>201</td>
<td></td>
<td>Cria uma nova Task.</td>
</tr>
<tr>
<td>/tasks/list/{login}</td>
<td>GET</td>
<td></td>
<td>200</td>
<td>TaskResponseData[]</td>
<td>Lista de todas as tasks.</td>
</tr>
<tr>
<td>/tasks</td>
<td>PUT</td>
<td>TaskUpdateData</td>
<td>200</td>
<td>TaskResponseData</td>
<td>Atualiza uma Task existente.</td>
</tr>
<tr>
<td>/tasks/{taskId}</td>
<td>DELETE</td>
<td></td>
<td>204</td>
<td></td>
<td>Deleta a Task escolhida.</td>
</tr>
<tr>
<td>/chat</td>
<td>POST</td>
<td>ChatRequestData</td>
<td>200</td>
<td>String</td>
<td>Responde a pergunta solicitada.</td>
</tr>
</tbody>
</table>
<h2 id="registrar">Registrar ✏️</h2>
<p> É necessario passar o email e senha fornecidos durante o registro, caso seja valido, sera devolvido um Token JWT para autenticação.</p>
<h3>Dados necessarios:</h3>
<ul class=list>
<li>➡️ seu nome </li>
<li>➡️ seu login (email) </li>
<li>➡️ sua senha </li>
</ul>
<h3>Exemplo de request body: </h3>
```json
{
"username": "luiz",
"login": "luiz@gmail.com",
"password": "123456"
}
```
<h3>Exemplo de responsy body: </h3>
```json
{
"id": 1,
"username": "luiz",
"login": "luiz@gmail.com",
"password": "$2a$10$diT5bwmH91kdVQvNmmUAae.e8sIUgfkixdgfAJqWr17R.jjldSAsK",
"enabled": true,
"authorities": [
{
"authority": "Usuario"
}
],
"accountNonLocked": true,
"accountNonExpired": true,
"credentialsNonExpired": true
}
```
<h2 id="bcrypt">BCrypt 🔏</h2>
<p> Foi usado a criptografia do algoritimo HMAC256 para criptografar as senhas dos usuários e armazenalas no banco de dados da maneira correta seguindo os padrões estabelecidos pela <a href="https://www.planalto.gov.br/ccivil_03/_ato2015-2018/2018/lei/l13709.htm" target="_blank">LGPD</a>. </p>
<div>
<img width=100% src="https://github.com/EdnaldoLuiz/to-day-list/assets/112354693/02070440-542a-4812-9ea7-1d2d99fcfb83">
</div>
<h2 id="login">Login 🔒</h2>
<p> É necessario passar o email e senha fornecidos durante o registro, caso seja valido, sera devolvido um Token JWT para autenticação.</p>
<h3>Dados necessarios:</h3>
<ul class=list>
<li>➡️ seu login (email)</li>
<li>➡️ sua senha</li>
</ul>
<h3>Exemplo de request body:</h3>
```json
{
"login": "seuemail@gmail.com",
"password": "12345678"
}
```
<h3>Token JWT :key: </h3>
<p>Exemplo de Token JWT gerado caso a requisição de login seja bem sucedida, nele possui os dados relacionados ao usuario que o gerou e tem validade de 2 horas.</p>
<h3>Exemplo de response body:</h3>
```json
{
"token": "eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9. TyJzdWIiOiJlZG5hbGRvLmVsbjY4QGdtYWlsLmNvbSIsImlzcyI6IlRvLWRvIGxpc3QiLCJleHAiOjE2OegwODY1MTB9.gFolC6lmSqS9FiAdM1zIX0CftVAokc495pkMNnDYLaU"
}
```
<h3>Diagrama de sequencia 📝</h3>
<p>Esse diagrama ilustra o processo da requisição do usuário, aonde ela é enviada do Front-end até o servidor, aonde ela sera processada e se validada, retorna um Token JWT que será armazenado no localstorage do navegador.</p>
```mermaid
sequenceDiagram
participant User as Usuario
participant Application as Front-end
participant Server as Back-end
User->>Application: 1. Inicia o processo de login
Application->>Server: 2. Envia solicitação de login (POST /auth/login)
Server->>Server: 3. Verifica as credenciais no banco de dados
Server-->>Application: 4. Confirmação de sucesso (HTTP 200)
Server-->>Application: 5. Gera um token JWT
Application-->>User: 6. Logado com sucesso
```
<hr>
<h2 id="criacao-de-tasks">Criação de Tasks ☑️</h2>
<h3>Dados necessarios:</h3>
<ul class=list>
<li>➡️ titulo da tarefa </li>
<li>➡️ descrição da tarefa (opcional) </li>
<li>➡️ prioridade (BAIXA, MEDIA, ALTA) </li>
<li>➡️ data inicio da tarefa </li>
<li>➡️ data prevista para finalizar </li>
<li>➡️ email do usuario </li> <br>
</ul>
> ⚠️ OBS: no Front-end o email não é necessario, visto que ele é atribuido automaticamente atraves da decodificação do token JWT enviado
<h4>Exemplo:</h4>
```json
{
"title": "Estudar",
"description": "estudar orientação a objetos com Java",
"priority": "ALTA",
"startAt": "2023-11-06T12:30:00",
"endAt": "2023-11-08T12:30:30",
"userLogin": "ednaldo.eln68@gmail.com"
}
```
<h2 id="diagrama-de-classes">Diagrama de Classes 📝</h2>
<p>Diagrama ilustrativo do modelo orientado a objetos dando uma breve visão de como o sistema e as entidades do banco de dados estão ligadas usando um SGBD relacional</p>
```mermaid
classDiagram
direction RL
class UserModel {
-id: Long
-username: String
-login: String
-password: String
-tasks: List < TaskModel >
}
class TaskModel {
-id: Long
-description: String
-title: String
-startAt: LocalDateTime
-endAt: LocalDateTime
-priority: Priority
-userLogin: UserModel
-createdAt: LocalDateTime
}
class Priority {
<<enumeration>>
BAIXA
MEDIA
ALTA
}
UserModel "1" -- "0..*" TaskModel : Tem
TaskModel "1" -- "1" UserModel : Possui
```
<h2 id="chat-assistente">Chat Assistente 💬</h2>
<p> Caso envie uma mensagem, ela será validade pela Api do GPT 3.5, caso ele encontre uma solução, irá enviar uma resposta. </p>
<h3>Dados necessarios:</h3>
<ul class=list>
<li>➡️ pergunta/descrição da Task </li>
</ul>
<h3>Exemplo de request body:</h3>
```json
{
"prompt": "olá, bom dia!"
}
```
<h3>Exemplo de response body: </h3>
```json
{
"role": "assistant",
"content": "Olá! Bom dia! Como posso ajudar?"
}
```
<h2 id="principais-bibliotecas">Principais Bibliotecas 📚</h2>
<h3>OpenAI GPT 3.5 🤖</h3>
<p>biblioteca usada para realizar conexão com a API do ChatGPT</p>
```xml
<dependency>
<groupId>com.theokanning.openai-gpt3-java</groupId>
<artifactId>service</artifactId>
<version>0.16.0</version>
</dependency>
```
<h3>Spring Security 🔒</h3>
<p>biblioteca usada para filtrar as requisições e autenticar os usuários</p>
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-security</artifactId>
</dependency>
```
<h3>Auth0 JWT 🔏</h3>
<p>biblioteca usada para gerar o Token JWT</p>
```xml
<dependency>
<groupId>com.auth0</groupId>
<artifactId>java-jwt</artifactId>
<version>4.2.1</version>
</dependency>
```
<h3>Docker Compose 🐳</h3>
<p>biblioteca usada em conjunto com o docker-compose.yml para criação do container com a imagem do MySQL</p>
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-docker-compose</artifactId>
<version>3.1.0</version>
</dependency>
```
<h2 id="tech-stack-utilizada">Tech Stack Utilizada 🛠️</h2>
<table align="center" width=1000px>
<thead>
<tr>
<th><img src="https://skillicons.dev/icons?i=mysql" width=100px height=100px/></th>
<th><img src="https://skillicons.dev/icons?i=hibernate" width=100px height=100px/></th>
<th><img src="https://skillicons.dev/icons?i=spring" width=100px height=100px/></th>
<th><img src="https://skillicons.dev/icons?i=java" width=100px height=100px/></th>
<th><img src="https://skillicons.dev/icons?i=javascript" width=100px height=100px/></th>
<th><img src="https://skillicons.dev/icons?i=vscode" width=100px height=100px/></th>
<th><img src="https://skillicons.dev/icons?i=postman" width=100px height=100px/></th>
<th><img src="https://skillicons.dev/icons?i=docker" width=100px height=100px/></th>
</tr>
</thead>
<tbody align="center">
<tr>
<td>MySQL</td>
<td>Hibernate</td>
<td>Spring Boot</td>
<td>Java</td>
<td>Javascript</td>
<td>VSCode</td>
<td>Postman</td>
<td>Docker</td>
</tr>
<tr>
<td>🔖 8.1.0</td>
<td>🔖 6.3</td>
<td>🔖 3.1.4</td>
<td>🔖 17</td>
<td>🔖 ES6</td>
<td>🔖 1.83</td>
<td>🔖 10.19</td>
<td>🔖 24.0.6</td>
</tr>
</tbody>
</table>
<h2 id="clonar-repositorio">Executar o Projeto</h2>
```bash
git clone https://github.com/EdnaldoLuiz/to-day-list.git
cd to-day-list
```
<h3>Requisitos</h3>
<ul>
<li><a href="https://www.oracle.com/java/technologies/javase-downloads.html">Java Development Kit (JDK)</a></li>
<li><a href="https://nodejs.org/">Node.js</a></li>
<li><a href="https://www.npmjs.com/">npm</a></li>
<li><a href="https://www.docker.com/">Docker</a></li>
</ul>
<h3>Rodar o Back-end</h3>
```bash
./mvnw spring-boot:run
```
Back-end: http://localhost:8080
MySQL: http://localhost:3307
> ⚠️ OBS: o docker-compose é iniciado junto graças a biblioteca spring-boot-docker-compose
<h3>Rodar o Front-end</h3>
```bash
cd front-end
npm run start
```
Front-end: http://localhost:3333
| projeto Full-Stack utilizando SpringBoot, JPA, MySQL, Javascript, Docker e muito mais! To-Day list, uma forma prática e fácil de gerenciar suas tarefas diárias | docker,javascript,jwt-token,mysql,spring-boot,spring-security,todo-list | 2023-10-09T13:56:03Z | 2023-12-22T00:08:59Z | 2023-11-02T19:47:09Z | 1 | 0 | 56 | 0 | 0 | 2 | null | null | Java |
juliakahn1/nyt-noshing | main | # README
[Live NYT Noshing site](https://nytnoshing.onrender.com)
NYT Noshing is a clone of the NYT Cooking website. Upon visiting the former site, before they can interact with any recipes, users must either login, create an account, or log in using a demo account. Afterwards, they can access individual recipes, leave comments, or save them to their Recipe Box, which users can view and sort their saves by category.
## Jump to
1. [Features](#features)
2. [Technologies](#technologies)
3. [Dev environment setup](#dev-environment-setup)
4. [Featured code](#featured-code)
5. [Future features](#future-features)
# Features
## Sign in or create an account

## Recipe home index, save individual recipes to Recipe Box

## Search recipes

## View and comment on individual recipes to the Recipe Box


## View all or categorized saved recipes in Recipe Box

# Technologies
NYT Noshing was built with:
- [React](https://react.dev/)
- [Redux](https://redux.js.org/)
- [JavaScript](https://developer.mozilla.org/en-US/docs/Web/JavaScript)
- [Ruby](https://www.ruby-lang.org/en/)
- [Rails](https://rubyonrails.org/)
- [CSS](https://www.w3schools.com/css/) / [SCSS](https://sass-lang.com/)
- [HTML](https://www.w3schools.com/html/)
- [Postgresql](https://www.postgresql.org/)
- [Amazon Web Services](https://aws.amazon.com/free/?trk=fce796e8-4ceb-48e0-9767-89f7873fac3d&sc_channel=ps&ef_id=CjwKCAjwysipBhBXEiwApJOcu8p3w5r5euoPeg7Ka_X0mSE1K-Q3lOsbIBAQo3Ra0WvfJkZ6ko25GhoCqwkQAvD_BwE:G:s&s_kwcid=AL!4422!3!432339156147!e!!g!!amazon%20web%20services!1644045032!68366401812)
- [Render](https://render.com/)
# Dev environment setup
This project uses npm and nide. To run NYT Noshing locally, install [npm](https://docs.npmjs.com/downloading-and-installing-node-js-and-npm) and run `npm start` for frontend and `rails s` for backend.
# Featured code
## Search: Ensuring query result integrity
```
const re = new RegExp("^[a-zA-Z]+$");
if (query.length > 0 && re.test(query)) {
queriedRecipeNames = recipeNames.filter(recipe => {
return (recipe.toLowerCase()).match(query.toLowerCase())
})
recipeResults = queriedRecipeNames.map(name => {
return recipesArr.find(recipe => recipe.name === name)
})
} else {
queriedRecipeNames = []
}
```
**Challenge**
How might we ensure that we're only querying the store if users actually input a query in the search bar, and how might we protect the integrity of the search if the query involves unusual chracters?
**Solution**
Create conditional statements to check whether the query for the search result index (passed from the search bar component via parameters) is not empty and – using Regex – only contains A-Z capitalized and uncapitalized characters; if so, query store for appropriate results. If these conditions are not met, return an empty array for the query to trigger the "zero results" component treatment.
## Recipe Box: Generating recipe tag categories for navigation component
```
{recipeCategories.map((category) => {
const taggedRecipes = savedRecipes
.filter(sr => sr.recipe.tags.includes(category))
.map(sr => sr.recipe)
return (
<li
className="recipebox-nav-category-tab" key={Math.random()}
onClick={() => setCategory(category)}>
<RecipeBoxCategoryItem
category={category}
taggedRecipes={taggedRecipes}
/>
</li>
)
})}
```
**Challenge**
Efficiently, how might we render the Recipe Box navigation that pulls the cateogries of all recipes the user has saved and the number of recipes within each category, while allowing users to view recipes that fall under this category upon click?
**Solution**
1. Iterate through an array of all recipe categories and find the recipes that fall under this category that the user has saved, mapping to create an array of this subset.
2. Render a component representing a tab within the Recipe Box navigation component that takes in the category and the array of tagged recipes to calculate the number within each tab.
3. Create an event listener on the navigational tab that sets a local state variable to be the tab clicked, which filters the index to include only the recipes that call under the state variable.
# Future features
**Recipe category navigation**
Below the search bar, allow users to view recipe indexes based on categories (i.e. "easy" recipes, dinners, vegetarian, dessert).
**"Easy" recipe visual treatment**
Indicate that a recipe is easy to prepare based on a visual tag that appears on a recipe's individual tile in an index, both in on the home page, search, and Recipe Box features.
| A solo project to build a pixel-perfect replica of the NYT Cooking website from scratch with Ruby on Rails, React, and PostgreSQL. | css,html,javascript,react,redux,ruby-on-rails,sass | 2023-09-28T03:30:21Z | 2023-11-08T18:38:06Z | null | 2 | 29 | 223 | 7 | 0 | 2 | null | null | Ruby |
NunoPereiraSousa/Web-Technologies | main | # Web-Technologies: HTML, CSS, and JavaScript Exercises
Welcome to the "Web-Technologies: HTML, CSS, and JavaScript Exercises" repository! This repository is dedicated to providing a comprehensive set of exercises and solutions for students enrolled in our university class.
Whether you're an instructor looking for resources to enhance your curriculum or a student seeking practice and guidance, you've come to the right place.
## Features:
- Structured Learning: Our repository is organized into folders and subfolders, making it easy to navigate and find exercises by topic or difficulty level.
- Exercises: We offer a wide range of HTML, CSS, and JavaScript exercises, covering everything from the basics to advanced topics. Each exercise comes with clear instructions to help students understand the problem statement.
- Solutions: For each exercise, we provide detailed solutions written in a step-by-step format. These solutions are designed to help students understand the thought process behind solving the problem.
- Code Samples: In addition to exercise solutions, we include code samples and best practices to illustrate how to write clean, efficient, and maintainable HTML, CSS, and JavaScript code.
- Projects: For more comprehensive learning, we also include mini-projects and assignments that allow students to apply their skills to real-world scenarios.
## Mission
Our mission is to provide a valuable resource for both instructors and students, supporting the teaching and learning of HTML, CSS, and JavaScript. I hope that this repository helps you achieve success in your university class and fosters a deeper understanding of web development technologies.
Start exploring, practicing, and learning with the "University HTML, CSS, and JavaScript Exercises" repository today!
| This repository is dedicated to providing a comprehensive set of exercises and solutions for students enrolled in the Web Technologies university class. | css,exercises-solutions,front-end-development,html,javascript | 2023-10-05T20:05:36Z | 2023-12-21T09:48:03Z | null | 2 | 0 | 19 | 0 | 0 | 2 | null | MIT | HTML |
iamsahebgiri/lexica | main | <p align="center">
<a href="https://github.com/iamsahebgiri/add-readme">
<img alt="example" height="80" src="https://raw.githubusercontent.com/iamsahebgiri/add-readme/main/static/add-readme.png">
</a>
</p>
<h1 align="center">LEXICA</h1>
<div align="center">
Discover Proven Strategies and Techniques to Master a New Language Quickly and Effectively
</div>
<br />
<div align="center">
<a href="https://standardjs.com">
<img src="https://img.shields.io/badge/code%20style-standard-brightgreen.svg?style=flat-square"
alt="Standard" />
</a>
<img src="https://img.shields.io/github/languages/code-size/iamsahebgiri/lexica?style=flat-square" alt="Code size" />
<img src="https://img.shields.io/github/license/iamsahebgiri/lexica?style=flat-square" alt="License" />
<img alt="GitHub contributors" src="https://img.shields.io/github/contributors/iamsahebgiri/lexica?style=flat-square">
<img alt="GitHub Repo stars" src="https://img.shields.io/github/stars/iamsahebgiri/lexica?style=social">
</div>
## ⚡️ Introduction
The efficient method of learning a language!

## ⚙️ Installation
Make sure you have [Node.js](https://nodejs.org/en/download/) installed.
Run this followed commands:
```bash
# Copy environment variables
cp .env.example .env
# Install dependencies (only the first time)
npm install
# Create database tables synced with schema
npm run db:push
# Add some seed data
npx prisma db seed
# Run the local server at localhost:3000
npm run dev
# Build for production in the dist/ directory
npm run build
```
## 💻 Author
- [@iamsahebgiri](https://github.com/iamsahebgiri)
## ⭐️ Contribute
If you want to say thank you and/or support the active development of example:
1. Add a GitHub Star to the project.
2. Tweet about the project on your Twitter.
3. Write a review or tutorial on Medium, Dev.to or personal blog.
4. Support the project by donating a cup of coffee.
## 🧾 License
MIT License Copyright (c) 2023 [Saheb Giri](https://github.com/iamsahebgiri).
| Duolingo but better | duolingo,javascript,nextjs,react | 2023-09-26T08:54:56Z | 2023-09-27T05:34:34Z | null | 1 | 0 | 20 | 2 | 0 | 2 | null | null | TypeScript |
formysister/nft-generator | main |
# NFT COLLECTION GENERATOR
This tool generates generative NFT collection, based of all available traits.
It was made with the intention to make the generative art field more accessible to anyone.
With this tool you don't need to be a programmer to create generative art.
<img src="https://github.com/formysister/nft-generator/blob/main/screenshot/screenshot.png?raw=true" width="100%" />
**Features:**
* Generate Images of an infinite amount of traits
* Weight traits for different rarities
* Remove duplicated combinations
* Generate metadata for direct use on marketplaces
**Installation**
`npm install -g nft-collection-generator`
**Argument Description**
- `-b` Background image directory. Folder must include images that will be used for background of each collection. e.g: `-b traits/bg`
- `-t` Traits directory. Folder must include include sub folders that includes traits images. e.g: `-t traits`
- `-l` Layer(Traits) priority. List of trait folders in traits directory; They must be ordered by correct priority for precise image generation. e.g: `-l head body leg footer`
- `-n` Collection name e.g: `-n MyCollection`
- `-c` Generation amount e.g: `-c 2000`
**Example Usage**
`nft-gen -b traits/bg -t traits -l head body leg foot -c 2000 -n MyCollection`
**Documentation**
You should run the CLI, in the root directory of project.
Before you start, make sure your file structure looks something like this:
```
YOUR_PROJECT/
├─ traits/
│ ├─ trait1_name/
│ │ ├─ file1.png
│ │ ├─ file2.png
│ │ ├─ file3.png
│ │ ├─ ...
│ ├─ trait2_name/
│ │ ├─ file4.png
│ │ ├─ file5.png
│ │ ├─ ...
│ ├─ trait3_name/
│ │ ├─ file6.png
│ │ ├─ ...
│ ├─ ...
| ├─ bg/
│ │ ├─ background_image1.png
│ │ ├─ background_image2.png
│ │ ├─ ...
```
**Command Example**
`nft-gen -b traits/bg -t traits -l trait1_name trait2_name trait3_name -c 2000 -n MyCollection`
This is really important, since the scripts imports the traits based on the folder structure. | NFT generator Javascript CLI | cli,javascript,javascript-cli,nft,nodejs,npm,nfg-generator | 2023-10-03T12:52:14Z | 2023-10-05T19:36:03Z | 2023-10-05T19:36:03Z | 1 | 0 | 9 | 0 | 1 | 2 | null | null | JavaScript |
ikhsan3adi/forum-api | main | # Forum API
### Users & Authentications
- Registrasi pengguna
`POST /users`
- Login pengguna
`POST /authentications`
- Memperbarui autentikasi / refresh access token
`PUT /authentications`
- Logout pengguna
`DELETE /authentications`
### Threads
- Menambahkan thread
`POST /threads`
- Melihat Detail Thread
`GET /threads/{threadId}`
### Thread Comments
- Menambahkan Komentar pada Thread
`POST /threads/{threadId}/comments`
- Menghapus Komentar pada Thread
`DELETE /threads/{threadId}/comments/{commentId}`
- Menyukai atau batal menyukai Komentar pada Thread
`PUT /threads/{threadId}/comments/{commentId}/likes`
### Thread Comment Replies
- Menambahkan Balasan pada Komentar Thread
`POST /threads/{threadId}/comments/{commentId}/replies`
- Menghapus Balasan pada Komentar Thread
`DELETE /threads/{threadId}/comments/{commentId}/replies/{replyId}`
| Submission Dicoding Back-end Developer Expert - Forum API dengan menerapkan clean architecture, automation testing dan CI/CD | clean-architecture,hapi,javascript,jest,nodejs,tdd,aws,postgresql | 2023-09-26T03:01:42Z | 2023-11-09T02:53:29Z | 2023-11-09T02:53:29Z | 1 | 8 | 45 | 0 | 0 | 2 | null | MIT | JavaScript |
stefanoturcarelli/edupath-elearning | main | <div style="display:block; text-align:center">
# **Edupath**

</div>
## 📋 **Table of Contents**
- [**Edupath**](#edupath)
- [📋 **Table of Contents**](#-table-of-contents)
- [📖 **Introduction**](#-introduction)
- [📑 **Task Objectives**](#-task-objectives)
- [📌 **Our challenges**](#-our-challenges)
- [👾 **Code Snippets**](#-code-snippets)
- [📷 **Short Presentation of the Website**](#-short-presentation-of-the-website)
- [👊 **Challenges**](#-challenges)
- [🏗️ **Future Steps**](#️-future-steps)
- [👨💻 **Our Team**](#-our-team)
## 📖 **Introduction**
EduPath starts as an **_assignment_** for us to to create a website for a **_fake company_**, that we called **Edupath**. The company is a fake company that provides online courses for students. The website is a platform for students to register and enroll in courses.
## 📑 **Task Objectives**
> 1. Create a **_website_** for a **_fake company_**
> 2. Create a **_website_** that is **_responsive_** for **_different screen sizes_**
> 3. Create at least **_3 pages_** for the website **_(Home, About, Contact)_**
> 4. Create at least **_1 section_** with **_4 columns_** on the **_Home page_** to test media queries
## 📌 **Our challenges**
> 1. **_Communication_** between teammates
> 2. **_Time management_**
> 3. Implementing **_new things_** to our design and code
> 4. Adapting **_media queries_** for different screen sizes
> 5. Using **_Git_** and **_GitHub_** for the first time
## 👾 **Code Snippets**
There is a lot of code in this project. So I will show you some of the code that we used in this project. I will show you the **_HTML_** and **_CSS_** code for the **_navigation bar_** and the **_hero-banner_** section of the website.
- ## **_HTML_** and **_CSS_** code for the **_navigation bar_** of the website
One thing that was new to us and we implemented to the site was the dropdown menu. We used just **_HTML_** and **_CSS_** to create the dropdown menu. The code below is the **_HTML_** code for the dropdown menu.
```html
<header>
<div class="container container--flex">
<a href="./index.html" class="logo container--flex">
<img src="./assets/img/favicon.png" alt="logo" />
<h2>EduPath</h2>
</a>
<div class="nav-search container--flex">
<form class="nav-form">
<i class="fas fa-search"></i>
<input type="text" placeholder="Search" class="form-control" />
</form>
<nav>
<ul>
<li><a href="./index.html" class="active">Home</a></li>
<li><a href="./about-us.html">About Us</a></li>
<li><a href="./contact-us.html">Contact Us</a></li>
<li><a href="./products.html">Products</a></li>
<li><a href="./login.html">Login</a></li>
</ul>
</nav>
<div class="dropdown-container">
<div class="menu-button">
<svg
xmlns="http://www.w3.org/2000/svg"
width="32"
height="32"
viewBox="0 0 32 32"
>
<path
fill="none"
stroke="currentColor"
stroke-linecap="round"
stroke-linejoin="round"
stroke-width="2"
d="M4 8h24M4 16h24M4 24h24"
/>
</svg>
</div>
<div class="dropdown">
<ul>
<li><a href="./index.html" class="active">Home</a></li>
<li><a href="./about-us.html">About Us</a></li>
<li><a href="./contact-us.html">Contact Us</a></li>
<li><a href="./products.html">Products</a></li>
<li><a href="./login.html">Login</a></li>
</ul>
</div>
</div>
</div>
</div>
</header>
```
The dropdown menu is present in all pages and consist of a **_hamburger icon_** and a **_list of links_**. The **_hamburger icon_** is present on the **_mobile screen sizes_** and the **_list of links_** is present on the **_desktop screen sizes_**. The **_hamburger icon_** is a **_button_** that when clicked it will show the **_list of links_**. The **_list of links_** is a **_list_** of **_links_** that when clicked it will take the user to the page that the user wants to go.
And here below is the **_CSS_** code for the dropdown menu.
```css
header .dropdown-container {
position: relative;
}
header a.active {
background-color: var(--app-light-color-accent);
}
header .dropdown {
position: absolute;
top: 100%;
background-color: #fff;
box-shadow: rgba(149, 157, 165, 0.2) 0px 8px 24px;
width: 200px;
right: 0;
border-radius: 4px;
padding: 5px;
translate: 0 8px;
opacity: 0;
visibility: hidden;
pointer-events: none;
transition: 300ms ease;
z-index: 3;
}
header .dropdown a {
display: block;
color: var(--app-dark-background-color);
font-size: 0.8rem;
padding: 8px 10px;
margin-top: 5px;
border-radius: 4px;
font-weight: 500;
transition: 300ms ease-in-out;
}
header .dropdown a.active {
color: var(--white);
}
header .dropdown-container .menu-button {
background-color: transparent;
border-radius: 50%;
padding: 8px;
cursor: pointer;
}
header .menu-button svg {
--size: 1.4rem;
height: var(--size);
width: var(--size);
}
header .dropdown-container .menu-button:hover {
background-color: var(--app-light-color-accent);
}
header .dropdown-container:hover .dropdown {
translate: 0 0;
opacity: 1;
visibility: visible;
pointer-events: auto;
}
header .dropdown a:hover {
background-color: var(--app-dark-color-primary);
color: var(--white);
}
```
And here is an image of the result of the codes above. The image below is the **_mobile screen size_**. When the screen size reach a certain value we change properties on the navigation bar to hide the **_list of links_** and show the **_hamburger icon_**. And when the **_hamburger icon_** is clicked it will show the **_list of links_**. The **_hamburger icon_** is a **_button_** that when clicked it will show the **_list of links_**.

- ## **_HTML_** and **_CSS_** code for the **_hero-banner_** section of the website
This section of **_HTML_** is present in all pages of the website. This is the **_hero-banner_** section of the website. This section is the first thing that the user will see when they visit the website.
```html
<section class="hero">
<div class="bg-layer-image">
<img
src="https://images.pexels.com/photos/2041540/pexels-photo-2041540.jpeg?auto=compress&cs=tinysrgb&w=1260&h=750&dpr=2"
alt=""
class="img-fluid"
/>
</div>
<div class="hero-content">
<h1 class="title">A World of Possibilities</h1>
<span>
Login and Explore, Discover, and Create in a Learning Wonderland
</span>
<div class="links-container">
<a href="./products.html" class="links">Get Started</a>
</div>
</div>
</section>
```
The image below represents the hero-banner section above. This image is responsive for different screen sizes. But we started with the **_desktop first approach_** for the **_media queries_** on this website. So we face a lot of challenges to make this section **_responsive_** on the **_mobile screen sizes_**.

The **_CSS_** code below demonstrate the **_media queries_** for the website.The **_media queries_** in a simple way is the **_@media_** rule that is used to define different style rules for different media types/devices.
```css
@media (max-width: 900px) {
footer .container {
justify-content: center;
}
}
@media all and (min-width: 768px) {
main.has-auth {
display: grid;
grid-template-columns: 1fr 1fr;
}
main aside {
display: block;
}
.dropdown-container {
display: none;
}
.contact-container {
grid-template-columns: 0.8fr 1fr;
}
.grid-flow {
grid-template-columns: 1fr 1fr;
}
section .hero-content {
width: 50%;
}
section.about .grid-container {
grid-template-columns: 1fr 1fr;
}
.team .title-container {
width: 60%;
}
}
@media all and (max-width: 768px) {
.nav-search nav {
display: none;
}
.about-us-section .about-image-container {
order: 1;
}
.about-us-section .v-content {
order: 2;
}
.grid-flow .about-image-container {
aspect-ratio: 16/9;
}
}
@media all and (min-width: 640px) {
main.has-auth .container {
width: 80%;
}
}
@media all and (max-width: 640px) {
main.has-auth .container {
width: 80%;
}
header .nav-search {
flex-grow: 0;
}
.product .product-container {
width: 100%;
}
.product {
flex-direction: column;
align-items: center;
}
section.hero {
height: 40dvh;
}
}
@media all and (max-width: 501px) {
.logo h2 {
display: none;
}
.products-container {
grid-template-columns: 1fr;
}
.product-img-container {
width: 100%;
}
section.hero {
height: 30dvh;
}
}
@media all and (max-width: 400px) {
footer .container {
justify-content: center;
}
header .nav-form {
display: none;
}
}
```
As you see in the code above we use **_min-width_** and **_max-width_** to make the website **_responsive_** for different screen sizes and as the screen size gets smaller the **_CSS_** code gets more specific to make the sections **_responsive_** for the screen size.
If you start for the **_mobile first approach_** you will see that the **_CSS_** code will be more simple and you will have less code to make the website **_responsive_** for different screen sizes. But we started with the **_desktop first approach_** and we had to make a lot of changes to make the website **_responsive_** for different screen sizes.
I suggest you guys these links to learn more about **_media queries_**:
- [A Complete Guide to CSS Media Queries](https://css-tricks.com/a-complete-guide-to-css-media-queries/)
- [Using media queries](https://developer.mozilla.org/en-US/docs/Web/CSS/CSS_media_queries/Using_media_queries)
## 📷 **Short Presentation of the Website**
Here is a short video presenting the website.We have to consider the **_consistency_** and right use of **_colors_**, so we opted for a simple design using a few colors and a simple layout.
Fell free to explore the website and give us some feedback.
<video src="./assets/img/20231014-2058-21.0740414.mp4" controls title="Title"></video>
## 👊 **Challenges**
As I mentioned our challenges were **_communication_** between teammates, **_time management_**, implementing **_new things_** to our design and code, adapting **_media queries_** for different screen sizes and using **_Git_** and **_GitHub_** for the first time.
And the most challenge one was **_Git_** and **_GitHub_**. At the beginning of the project we had a lot of challenges with them. We had problems with **_merge conflicts_** and **_pull requests_** So we grab videos from **_YouTube_** to learn how to work with **_Git_** and **_GitHub_**.
- [Git & GitHub Crash Course For Beginners](https://www.youtube.com/watch?v=SWYqp7iY_Tc)
- [Git & GitHub Tutorial for Beginners](https://www.youtube.com/watch?v=8Dd7KRpKeaE&t=1s&ab_channel=CoderCoder)
## 🏗️ **Future Steps**
And here are some of the future steps for this project.
- [ ] Add a platform for teachers to create courses and manage their courses.
- [ ] Make possible website management for the admin.
- [ ] Add more features for the students.
- [ ] Add additional features with **_JavaScript_**.
## 👨💻 **Our Team**
Authors of this project:
- [Marcelo Lopes Fernandes](https://github.com/marcelolop)
- [Stefano Turcarelli](https://github.com/stefanoturcarelli)
- [Richard](https://github.com/TheNiyiRichard)
Readme created by [Marcelo Lopes Fernandes](https://github.com/marcelolop)
| null | css,html,javascript | 2023-09-25T19:13:24Z | 2023-10-16T01:11:07Z | null | 3 | 19 | 166 | 0 | 1 | 2 | null | null | HTML |
alvesjaov/APIdoadoresSangue | main | # API para gerenciamento de doadores de sangue
## Sobre o Projeto
Essa API é um sistema de gerenciamento de doações de sangue, com quatro componentes principais: Funcionário, Doador, Doação e Estoque de Sangue. Ela permite a manipulação de informações e facilita o controle e a organização do processo de doação de sangue.
## Tecnologias Empregadas
Este projeto emprega uma variedade de tecnologias e bibliotecas de ponta, incluindo:
- **Node.js**: Plataforma JavaScript que permite a execução de código JavaScript no lado do servidor, tornando o desenvolvimento de aplicações web rápido e eficiente.
- **Express.js**: Framework web para Node.js que facilita a criação de APIs web robustas e escaláveis.
- **MongoDB**: banco de dados NoSQL orientado a documentos que oferece alta performance, alta disponibilidade e fácil escalabilidade, tornando-o ideal para aplicações modernas.
- **Mongoose**: Biblioteca do MongoDB que proporciona uma solução direta baseada em esquemas para modelar os dados da sua aplicação, permitindo um controle mais rigoroso dos dados.
- **bcrypt**: Biblioteca que ajuda você a fazer hash das senhas de forma segura, protegendo as informações sensíveis dos usuários.
- **jsonwebtoken**: Implementação dos tokens JSON Web Token, que permite a criação de tokens de acesso seguros para autenticação de usuários.
- **passport**: Middleware de autenticação para Node.js extremamente flexível e modular, que suporta uma ampla gama de estratégias de autenticação.
- **Nodemon**: Utilitário que monitora quaisquer mudanças no seu código e automaticamente reinicia o seu servidor, economizando tempo de desenvolvimento e aumentando a eficiência.
Cada uma dessas tecnologias desempenha um papel crucial na funcionalidade e eficiência deste projeto.
## Como Instalar e Executar o Projeto
Para instalar e executar este projeto localmente, você precisará seguir estas etapas:
1. Clone este repositório para a sua máquina local:
```bash
git clone https://github.com/alvesjaov/APIdoadoresSangue.git
```
2. Instale as dependências do projeto, no terminal digite o comando:
```bash
npm install
```
3. Crie um arquivo `.env` e adicione as seguintes *Variáveis de Ambiente*
```bash
MONGODB_URI=
JWT_SECRET=
```
- *Observação: Você precisará de uma string de conexão mongoDB para fazer a comunicação entre o código e o banco de dados.*
```bash
mongodb+srv://<username>:<password>@cluster0.2ipfpim.mongodb.net/?retryWrites=true&w=majority
```
4. Dite o comando abaixo para gerar uma string na variável `JWT_SECRET` no arquivo `.env`, para o melhor funcionamento do token JWT.
```bash
node generateSecret.js
```
5. No terminal digite o comando abaixo para iniciar o servidor local:
```bash
npm run dev
```
## Documentação das Rotas da API
Este projeto inclui várias rotas que permitem aos usuários interagir com os recursos do sistema. A documentação completa das rotas está disponível [aqui](https://apidoadoressangue.vercel.app/api-docs/).
As rotas se dividem em:
### 1. **Login**
Esta rota é usada para autenticar um funcionário no sistema. Existem dois tipos de funcionários: administradores e padrão. Os administradores têm acesso a todas as rotas, enquanto os funcionários padrão só podem acessar as rotas de Doadores, Doações e Estoque.
### 2. **Logout**
Esta rota é usada para desautenticar um funcionário do sistema. Quando um funcionário realiza o logout, o token de autenticação atual é invalidado, impedindo que seja usado para futuras solicitações. Esta rota é acessível para todos os funcionários autenticados, sejam eles administradores ou padrão. Após o logout, o funcionário precisará fornecer suas credenciais novamente para acessar as rotas protegidas.
### 3. Funcionário
#### `POST /employees`
- **Descrição:** Cria um novo funcionário no sistema.
- **Permissões:** Apenas administradores.
- **Parâmetros:** Requer dados do funcionário, como nome de usuário, senha, etc.
- **Respostas:** Retorna os detalhes do funcionário recém-criado.
#### `GET /employees/`
- **Descrição:** Lista todos os funcionários registrados no sistema.
- **Permissões:** Apenas administradores.
- **Respostas:** Retorna uma lista de funcionários.
#### `GET /employees/{name}`
- **Descrição:** Busca um funcionário específico pelo nome.
- **Permissões:** Apenas administradores.
- **Parâmetros:** Requer o nome do funcionário.
- **Respostas:** Retorna os detalhes do funcionário correspondente.
#### `PATCH /employees/{employeeCode}`
- **Descrição:** Atualiza o nome e/ou senha de um funcionário.
- **Permissões:** Apenas administradores.
- **Parâmetros:** Requer o código do funcionário a ser atualizado e os novos dados.
- **Respostas:** Retorna os detalhes do funcionário atualizados.
#### `DELETE /employees/{employeeCode}`
- **Descrição:** Remove um funcionário do sistema.
- **Permissões:** Apenas administradores.
- **Parâmetros:** Requer o código do funcionário a ser removido.
- **Respostas:** Retorna uma mensagem indicando sucesso na remoção do funcionário.
### 4. Doador
#### `POST /donors`
- **Descrição:** Registra um novo doador no sistema.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer informações do doador, como nome, tipo sanguíneo, etc.
- **Respostas:** Retorna os detalhes do doador recém-registrado.
#### `GET /donors/`
- **Descrição:** Lista todos os doadores registrados no sistema.
- **Permissões:** Funcionários autenticados.
- **Respostas:** Retorna uma lista de doadores.
#### `GET /donors/{name}`
- **Descrição:** Busca um doador específico pelo nome.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer o nome do doador.
- **Respostas:** Retorna os detalhes do doador correspondente.
#### `PATCH /donors/{_id}`
- **Descrição:** Atualiza os dados de um doador.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer o ID do doador a ser atualizado e os novos dados.
- **Respostas:** Retorna os detalhes do doador atualizados.
#### `DELETE /donors/{_id}`
- **Descrição:** Remove um doador do sistema.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer o ID do doador a ser removido.
- **Respostas:** Retorna uma mensagem indicando sucesso na remoção do doador.
### 5. Doação
#### `POST /donations/{_id}`
- **Descrição:** Registra uma nova doação no sistema.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer o ID do doador associado à doação.
- **Respostas:** Retorna os detalhes da doação registrada.
#### `GET /donations/{_id}`
- **Descrição:** Busca uma doação específica pelo ID.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer o ID da doação.
- **Respostas:** Retorna os detalhes da doação correspondente.
#### `DELETE /donations/{_id}`
- **Descrição:** Remove uma doação do sistema.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer o ID da doação a ser removida.
- **Respostas:** Retorna uma mensagem indicando sucesso na remoção da doação.
### 6. Adicionar Exame
#### `POST /exams/{_id}`
- **Descrição:** Registra os resultados de exames relacionados às doações.
- **Permissões:** Funcionários autenticados.
- **Parâmetros:** Requer o ID da doação associada aos resultados dos exames.
- **Respostas:** Retorna confirmação da adição dos resultados dos exames.
#### `GET /exams`
- **Descrição**: Retorna todas as doações que ainda não têm resultados de exames associados.
- **Permissões**: Funcionários autenticados.
- **Respostas**: Retorna uma lista de doações pendentes de exames.
### 7. Estoque de Sangue
#### `GET /stock`
- **Descrição:** Visualiza o estoque de sangue atual.
- **Permissões:** Funcionários autenticados.
- **Respostas:** Retorna os detalhes do estoque de sangue.
Além disso, a documentação fornecida contém informações detalhadas sobre a estrutura dos dados esperados e retornados em cada rota, os parâmetros necessários, as possíveis respostas e os códigos de status HTTP correspondentes.
## Testando as rotas
Para testar as rotas de um jeito dinâmico você pode ultilizar plataformas que leiam os verbos HTTP como **Postman**; **Insomnia**; **Swagger**; **Thunder Client** entre outros. Após escolher a platarforma, importe o arquivo [postmanColection.json](https://github.com/alvesjaov/APIdoadoresSangue/blob/main/postmanColection.json) dentro da área de trabalho da plataforma.
Criada por @alvesjaov
| A API é um sistema de gerenciamento de doações de sangue, com quatro componentes principais: Doador, Doação, Estoque de Sangue e Funcionário. Ela permite a manipulação de informações e facilita o controle e a organização do processo de doação de sangue. | javascript,mongodb,nodejs | 2023-09-22T14:23:03Z | 2024-02-27T00:54:16Z | null | 4 | 1 | 257 | 0 | 1 | 2 | null | null | JavaScript |
Pa1mekala37/ReactJs-Task-Manager | main | The goal of this coding exam is to quickly get you off the ground with **Lists and Keys**.
### Refer to the image below:
<br>
<div style="text-align: center;">
<video style="max-width:80%;box-shadow:0 2.8px 2.2px rgba(0, 0, 0, 0.12);outline:none;" loop="true" autoplay="autoplay" controls="controls" muted>
<source src="https://assets.ccbp.in/frontend/content/react-js/my-tasks-output.mp4" type="video/mp4">
</video>
</div>
<br/>
### Design Files
<details>
<summary>Click to view</summary>
- [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px) - No Tasks View](https://assets.ccbp.in/frontend/content/react-js/my-tasks-output-no-tasks-view.png)
- [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px)](https://assets.ccbp.in/frontend/content/react-js/my-tasks-output.png)
- [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px) - Filter View](https://assets.ccbp.in/frontend/content/react-js/my-tasks-output-filter-view.png)
</details>
### Set Up Instructions
<details>
<summary>Click to view</summary>
- Download dependencies by running `npm install`
- Start up the app using `npm start`
</details>
### Completion Instructions
<details>
<summary>Functionality to be added</summary>
<br/>
The app must have the following functionalities
- Initially, the list of tasks and `Task` input should be empty and the active option in the `Tags` select element should be the first item of the given tagsList.
- When non-empty values are provided for Tasks, Tags and the **Add Task** button is clicked,
- A new task should be added to the list of tasks.
- The value inside the `Task` input and `Tag` select elements should be updated to their initial values.
- When a single tag is clicked it should be changed to an active state and filtered tasks should be displayed accordingly.
- When no tag in the list of tags is active, then all the tasks should be displayed.
- The `App` component consists of the `tagsList`. It consists of a list of tag details objects with the following properties in each object.
| key | DataType |
| :---------: | :------: |
| optionId | String |
| displayText | String |
</details>
### Important Note
<details>
<summary>Click to view</summary>
<br/>
**The following instruction is required for the tests to pass**
- Use the `uuid` package to generate the unique id.
</details>
<details>
<summary>Colors</summary>
<br/>
<div style="background-color: #131213; width: 150px; padding: 10px; color: white">Hex: #131213</div>
<div style="background-color: #f3aa4e; width: 150px; padding: 10px; color: black">Hex: #f3aa4e</div>
<div style="background-color: #f1f5f9; width: 150px; padding: 10px; color: black">Hex: #f1f5f9</div>
<div style="background-color: #64748b; width: 150px; padding: 10px; color: black">Hex: #64748b</div>
<div style="background-color: #f8f8f8; width: 150px; padding: 10px; color: black">Hex: #f8f8f8</div>
<div style="background-color: #475569; width: 150px; padding: 10px; color: black">Hex: #475569</div>
<div style="background-color: #323f4b; width: 150px; padding: 10px; color: white">Hex: #323f4b</div>
<div style="background-color: #000000; width: 150px; padding: 10px; color: white">Hex: #000000</div>
<div style="background-color: #ffffff; width: 150px; padding: 10px; color: black">Hex: #ffffff</div>
<div style="background-color: #f1f5f9; width: 150px; padding: 10px; color: black">Hex: #f1f5f9</div>
<div style="background-color: #1a171d; width: 150px; padding: 10px; color: white">Hex: #1a171d</div>
<div style="background-color: #f8fafc; width: 150px; padding: 10px; color: black">Hex: #f8fafc</div>
</details>
<details>
<summary>Font-families</summary>
- Roboto
</details>
> ### _Things to Keep in Mind_
>
> - All components you implement should go in the `src/components` directory.
> - Don't change the component folder names as those are the files being imported into the tests.
| null | javascript,jsx,reactjs | 2023-09-19T14:55:55Z | 2023-09-19T14:57:37Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | JavaScript |
sushanthreddy009/Food_Delivery_Application | main | # Food Delivery Application Using MERN Stack
Welcome to the Food Delivery Application project! This application is a comprehensive solution for online food ordering and delivery, built using the modern MERN stack (MongoDB, Express.js, React.js, Node.js). Designed with both end-users and restaurant administrators in mind, this platform offers a seamless and intuitive experience for browsing menus, placing orders, and managing the delivery process.
## Application Screenshots
### Home Page

This screenshot shows the home page of the Food Delivery Application, featuring a user-friendly interface and easy navigation options.
### Registration Page

This image shows the registration page of the Food Delivery Application, featuring a user-friendly form for new users to sign up.
### Add to Cart and Confirm Order Features

This screenshot highlights the application's "Add to Cart" functionality, allowing users to select their desired food items, and the "Confirm Order" feature, where users review and finalize their orders. These intuitive features enhance the user experience by streamlining the order process.
### Payment Details Interface

This screenshot displays the Payment Details interface of the Food Delivery Application. It showcases the seamless and secure process users experience when entering payment information to complete their food orders.
### Order Successful Confirmation

This image captures the "Order Successful" page, reassuring customers that their food order has been successfully placed and is being processed. It's a critical part of the user experience, providing immediate feedback and confirmation after an order is made.
### Order Details History

This screenshot shows the final output of the 'Order Details History' feature in the Food Delivery Application. It provides users with a comprehensive view of their past orders, including details such as order dates, items purchased, and total amounts, enhancing the user's ability to track and manage their orders efficiently.
## Key Features
- User Registration and Authentication: Secure sign-up and login processes, complete with user profile management.
- Menu Browsing: An interactive interface to browse through various restaurant menus and select delicious items.
- Online Ordering System: A streamlined process for placing and managing food orders.
- Location-Based Services: Integration of location services to identify nearby restaurants and available delivery options.
- Payment Integration: Secure payment gateway to handle transactions.
- Real-Time Order Tracking: Live updates on order status for customers.
- Ratings and Reviews: A feedback system for customers to rate and review their dining experiences.
- Admin Panel: A comprehensive dashboard for restaurant owners to manage menus, orders, and view insights.
- Responsive Design: Compatible with various devices for an optimal viewing experience.
# Technology Stack
## Frontend:
- HTML, CSS, JavaScript: The core building blocks of the web interface.
- React.js: A JavaScript library for building dynamic and interactive user interfaces.
- Redux: Used for state management in React applications.
## Backend:
- JavaScript: The primary programming language for backend development.
- Node.js: The JavaScript runtime environment for building the server-side of the application.
- Express.js: A web application framework for Node.js, used for building APIs and web applications.
## Database:
- MongoDB: A NoSQL database used for storing application data.
## Additional Libraries & Tools:
JSON Web Tokens (JWT): For secure user authentication.
Mongoose: An Object Data Modeling (ODM) library for MongoDB and Node.js.
React Router: For handling navigation in React applications.
This comprehensive stack ensures a robust, scalable, and interactive web application, catering to the needs of an online food delivery service.
## Getting Started
Prerequisites
Node.js and npm (Node Package Manager)
MongoDB (Local setup or MongoDB Atlas)
# Installation
1. Clone the Repository:
git clone https://github.com/sushanthreddy009/Food_Delivery_Application.git
cd Food_Delivery_Application
2. Install Backend Dependencies:
cd backend
npm install
3. Install Frontend Dependencies:
cd frontend
npm install
4. Set Environment Variables:
- Create a '.env' file in the backend directory.
- Add necessary configurations (e.g., MongoDB URI, JWT Secret).
5. Run the Application:
- Run the backend server:
cd backend nodemon run server
Ensure Nodemon is Installed.
If Nodemon is not installed globally, install it using npm:
npm install -g nodemon
- Run the frontend:
cd frontend npm start
## Running the Application
- Access the application at localhost:3000 (or your configured port) in your web browser.
| Explore our dynamic Food Delivery Application, a comprehensive platform for online food ordering and delivery services. Utilizing the MERN Stack, this app offers a user-friendly interface, efficient order processing, and real-time tracking. Delve into our code to see how we blend modern web technologies for an enhanced food delivery experience. | css,expressjs,html,javascript,mongodb,nodejs,reactjs | 2023-10-11T10:47:11Z | 2024-03-05T08:38:54Z | null | 1 | 0 | 176 | 0 | 0 | 2 | null | null | JavaScript |
GuilhermeVideira/Projeto-Aplicativo-da-Marvel | master | # 📱 Projeto Aplicativo da Marvel 📱
💻 Este seguinte projeto é uma atividade prática de programação de aplicativos mobile, do curso de desenvolvimento de sistemas que estou cursando atualmente. 💻
#
### 💎 Funcionalidades do Aplicativo💎
💻 A proposta da atividade prática era de desenvolver uma aplicação de um aplicativo da Marvel utilizando uma api de pesquisa. 💻
-> O aplicativo desenvolvido, possue uma tela inicial para escolha do cadastro ou login do aplicativo, com o armazenamento dos dados e até mesmo a verificação dos dados válidos.
-> Ao acessar o aplicativo na tela de home possui três escolhas do aplicativo: Consultar e pesquisar uma Enciclopédia dos Filmes da Marvel, Consultar e pesquisar uma Enciclopédia dos personagens da Marvel, e um Quiz Interativo para teste de conhecimento dos fans da Marvel.
#
### 💎 O projeto foi desenvolvido em equipe, juntamente com: 💎
👧🏻 Eduarda Belles: @heeybelles
🧑🏻 Guilherme Videira: @GuilhermeVideira
👩🏽🦱 João Paulo: @JoaoBSV
🧑🏻 Takeshi Bezerra: @Tak3sh1
#
### 💎 Imagens do Aplicativo 💎
<img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela01.png?raw=true"> <img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela02.png?raw=true"> <img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela03.png?raw=true">
<img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela04.png?raw=true"><img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela10.png?raw=true"><img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela07.png?raw=true">
<img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela06.png?raw=true"> <img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela08.png?raw=true"> <img align="center" alt="TELA" height="570" width="250" src="https://github.com/GuilhermeVideira/Projeto-Aplicativo-da-Marvel/blob/master/Imagens%20das%20Telas/Tela09.png?raw=true">
#
### Linguagens de programação que utilizei no projeto:
<img align="center" alt="HTML" height="30" width="40" src="https://raw.githubusercontent.com/devicons/devicon/master/icons/html5/html5-original.svg"> <img align="center" alt="CSS" height="30" width="40" src="https://raw.githubusercontent.com/devicons/devicon/master/icons/css3/css3-original.svg"> <img align="center" alt="Js" height="30" width="40" src="https://raw.githubusercontent.com/devicons/devicon/master/icons/javascript/javascript-plain.svg">
Html / Css / JavaScript
| Aplicação mobile de um aplicativo da Marvel. / Desenvolvido em equipe: @heeybelles, @Tak3sh1, e @JoaoBSV | api,css,html,javascript,marvel,marvel-api,monaca-cloud-ide,app,mobile-app,enciclopedia | 2023-10-01T18:39:53Z | 2023-10-10T18:19:48Z | null | 1 | 0 | 8 | 0 | 1 | 2 | null | MIT | HTML |
Alexandrbig1/counting-date | main | # React component(counting Date)
<img align="right" src="https://media.giphy.com/media/du3J3cXyzhj75IOgvA/giphy.gif" width="100"/>
## Project Specifications:
React component counting card, you can choose the step and calculate the date of past and future as well.
### Practicing while studying on [Udemy learning courses](https://www.udemy.com/) <img style="margin: 10px" src="https://findlogovector.com/wp-content/uploads/2022/04/udemy-logo-vector-2022.png" alt="HTML5" height="30" />
### Languages and Tools:
<div align="center">
<a href="https://en.wikipedia.org/wiki/HTML5" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/html5-original-wordmark.svg" alt="HTML5" height="50" /></a>
<a href="https://www.w3schools.com/css/" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/css3-original-wordmark.svg" alt="CSS3" height="50" /></a>
<a href="https://www.javascript.com/" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/javascript-original.svg" alt="JavaScript" height="50" /></a>
<a href="https://git-scm.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/git-scm/git-scm-icon.svg" alt="git" width="40" height="40"/> </a>
<a href="https://reactjs.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/react/react-original-wordmark.svg" alt="react" width="40" height="40"/> </a>
</div>
### Connect with me:
<div align="center">
<a href="https://linkedin.com/in/alex-smagin29" target="_blank">
<img src=https://img.shields.io/badge/linkedin-%231E77B5.svg?&style=for-the-badge&logo=linkedin&logoColor=white alt=linkedin style="margin-bottom: 5px;" />
</a>
<a href="https://github.com/alexandrbig1" target="_blank">
<img src=https://img.shields.io/badge/github-%2324292e.svg?&style=for-the-badge&logo=github&logoColor=white alt=github style="margin-bottom: 5px;" />
</a>
<a href="https://stackoverflow.com/users/22484161/alex-smagin" target="_blank">
<img src=https://img.shields.io/badge/stackoverflow-%23F28032.svg?&style=for-the-badge&logo=stackoverflow&logoColor=white alt=stackoverflow style="margin-bottom: 5px;" />
</a>
<a href="https://dribbble.com/Alexandrbig1" target="_blank">
<img src=https://img.shields.io/badge/dribbble-%23E45285.svg?&style=for-the-badge&logo=dribbble&logoColor=white alt=dribbble style="margin-bottom: 5px;" />
</a>
<a href="https://www.behance.net/a1126" target="_blank">
<img src=https://img.shields.io/badge/behance-%23191919.svg?&style=for-the-badge&logo=behance&logoColor=white alt=behance style="margin-bottom: 5px;" />
</a>
</div>
| React component(counting-date/states/hooks/events) | css3,frontend,hooks,html-css-javascript,html5,javascript,js,react,reactevents,reacthooks | 2023-10-10T05:57:00Z | 2023-10-10T06:03:21Z | null | 1 | 0 | 6 | 0 | 0 | 2 | null | null | JavaScript |
Alexandrbig1/card-component | main | # React component(card)
<img align="right" src="https://media.giphy.com/media/du3J3cXyzhj75IOgvA/giphy.gif" width="100"/>
## Project Specifications:
React component card for profile with pictures, name, intro and skills.
### Practicing while studying on [Udemy learning courses](https://www.udemy.com/) <img style="margin: 10px" src="https://findlogovector.com/wp-content/uploads/2022/04/udemy-logo-vector-2022.png" alt="HTML5" height="30" />
### Languages and Tools:
<div align="center">
<a href="https://en.wikipedia.org/wiki/HTML5" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/html5-original-wordmark.svg" alt="HTML5" height="50" /></a>
<a href="https://www.w3schools.com/css/" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/css3-original-wordmark.svg" alt="CSS3" height="50" /></a>
<a href="https://www.javascript.com/" target="_blank"><img style="margin: 10px" src="https://profilinator.rishav.dev/skills-assets/javascript-original.svg" alt="JavaScript" height="50" /></a>
<a href="https://git-scm.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/git-scm/git-scm-icon.svg" alt="git" width="40" height="40"/> </a>
<a href="https://reactjs.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/react/react-original-wordmark.svg" alt="react" width="40" height="40"/> </a>
</div>
### Connect with me:
<div align="center">
<a href="https://linkedin.com/in/alex-smagin29" target="_blank">
<img src=https://img.shields.io/badge/linkedin-%231E77B5.svg?&style=for-the-badge&logo=linkedin&logoColor=white alt=linkedin style="margin-bottom: 5px;" />
</a>
<a href="https://github.com/alexandrbig1" target="_blank">
<img src=https://img.shields.io/badge/github-%2324292e.svg?&style=for-the-badge&logo=github&logoColor=white alt=github style="margin-bottom: 5px;" />
</a>
<a href="https://stackoverflow.com/users/22484161/alex-smagin" target="_blank">
<img src=https://img.shields.io/badge/stackoverflow-%23F28032.svg?&style=for-the-badge&logo=stackoverflow&logoColor=white alt=stackoverflow style="margin-bottom: 5px;" />
</a>
<a href="https://dribbble.com/Alexandrbig1" target="_blank">
<img src=https://img.shields.io/badge/dribbble-%23E45285.svg?&style=for-the-badge&logo=dribbble&logoColor=white alt=dribbble style="margin-bottom: 5px;" />
</a>
<a href="https://www.behance.net/a1126" target="_blank">
<img src=https://img.shields.io/badge/behance-%23191919.svg?&style=for-the-badge&logo=behance&logoColor=white alt=behance style="margin-bottom: 5px;" />
</a>
</div>
| practicing coding(React components(card)) | css3,frontend,html-css-javascript,html5,javascript,js,jsx,react,reactjs,webdevelopment | 2023-09-29T16:54:46Z | 2023-10-02T01:24:46Z | null | 1 | 0 | 8 | 0 | 0 | 2 | null | null | HTML |
seanpm2001/EMAIL_2.0_VMail | EMAIL_2.0_VMail_Main-dev |
***
# <projectName>

# By:
<!--  !-->
## [Seanpm2001](https://github.com/seanpm2001/), [<developerName>](https://github.com/<developerName>/) Et; Al.
### Top
# `README.md`
***
## Read this article in a different language
**Sorted by:** `A-Z`
[Sorting options unavailable](https://github.com/<developerName>/<repoName>)
( [af Afrikaans](/.github/README_AF.md) Afrikaans | [sq Shqiptare](/.github/README_SQ.md) Albanian | [am አማርኛ](/.github/README_AM.md) Amharic | [ar عربى](/.github/README_AR.md) Arabic | [hy հայերեն](/.github/README_HY.md) Armenian | [az Azərbaycan dili](/.github/README_AZ.md) Azerbaijani | [eu Euskara](/.github/README_EU.md) Basque | [be Беларуская](/.github/README_BE.md) Belarusian | [bn বাংলা](/.github/README_BN.md) Bengali | [bs Bosanski](/.github/README_BS.md) Bosnian | [bg български](/.github/README_BG.md) Bulgarian | [ca Català](/.github/README_CA.md) Catalan | [ceb Sugbuanon](/.github/README_CEB.md) Cebuano | [ny Chichewa](/.github/README_NY.md) Chichewa | [zh-CN 简体中文](/.github/README_ZH-CN.md) Chinese (Simplified) | [zh-t 中國傳統的)](/.github/README_ZH-T.md) Chinese (Traditional) | [co Corsu](/.github/README_CO.md) Corsican | [hr Hrvatski](/.github/README_HR.md) Croatian | [cs čeština](/.github/README_CS.md) Czech | [da dansk](README_DA.md) Danish | [nl Nederlands](/.github/README_NL.md) Dutch | [**en-us English**](/.github/README.md) English | [EO Esperanto](/.github/README_EO.md) Esperanto | [et Eestlane](/.github/README_ET.md) Estonian | [tl Pilipino](/.github/README_TL.md) Filipino | [fi Suomalainen](/.github/README_FI.md) Finnish | [fr français](/.github/README_FR.md) French | [fy Frysk](/.github/README_FY.md) Frisian | [gl Galego](/.github/README_GL.md) Galician | [ka ქართველი](/.github/README_KA) Georgian | [de Deutsch](/.github/README_DE.md) German | [el Ελληνικά](/.github/README_EL.md) Greek | [gu ગુજરાતી](/.github/README_GU.md) Gujarati | [ht Kreyòl ayisyen](/.github/README_HT.md) Haitian Creole | [ha Hausa](/.github/README_HA.md) Hausa | [haw Ōlelo Hawaiʻi](/.github/README_HAW.md) Hawaiian | [he עִברִית](/.github/README_HE.md) Hebrew | [hi हिन्दी](/.github/README_HI.md) Hindi | [hmn Hmong](/.github/README_HMN.md) Hmong | [hu Magyar](/.github/README_HU.md) Hungarian | [is Íslenska](/.github/README_IS.md) Icelandic | [ig Igbo](/.github/README_IG.md) Igbo | [id bahasa Indonesia](/.github/README_ID.md) Icelandic | [ga Gaeilge](/.github/README_GA.md) Irish | [it Italiana/Italiano](/.github/README_IT.md) | [ja 日本語](/.github/README_JA.md) Japanese | [jw Wong jawa](/.github/README_JW.md) Javanese | [kn ಕನ್ನಡ](/.github/README_KN.md) Kannada | [kk Қазақ](/.github/README_KK.md) Kazakh | [km ខ្មែរ](/.github/README_KM.md) Khmer | [rw Kinyarwanda](/.github/README_RW.md) Kinyarwanda | [ko-south 韓國語](/.github/README_KO_SOUTH.md) Korean (South) | [ko-north 문화어](README_KO_NORTH.md) Korean (North) (NOT YET TRANSLATED) | [ku Kurdî](/.github/README_KU.md) Kurdish (Kurmanji) | [ky Кыргызча](/.github/README_KY.md) Kyrgyz | [lo ລາວ](/.github/README_LO.md) Lao | [la Latine](/.github/README_LA.md) Latin | [lt Lietuvis](/.github/README_LT.md) Lithuanian | [lb Lëtzebuergesch](/.github/README_LB.md) Luxembourgish | [mk Македонски](/.github/README_MK.md) Macedonian | [mg Malagasy](/.github/README_MG.md) Malagasy | [ms Bahasa Melayu](/.github/README_MS.md) Malay | [ml മലയാളം](/.github/README_ML.md) Malayalam | [mt Malti](/.github/README_MT.md) Maltese | [mi Maori](/.github/README_MI.md) Maori | [mr मराठी](/.github/README_MR.md) Marathi | [mn Монгол](/.github/README_MN.md) Mongolian | [my မြန်မာ](/.github/README_MY.md) Myanmar (Burmese) | [ne नेपाली](/.github/README_NE.md) Nepali | [no norsk](/.github/README_NO.md) Norwegian | [or ଓଡିଆ (ଓଡିଆ)](/.github/README_OR.md) Odia (Oriya) | [ps پښتو](/.github/README_PS.md) Pashto | [fa فارسی](/.github/README_FA.md) |Persian [pl polski](/.github/README_PL.md) Polish | [pt português](/.github/README_PT.md) Portuguese | [pa ਪੰਜਾਬੀ](/.github/README_PA.md) Punjabi | No languages available that start with the letter Q | [ro Română](/.github/README_RO.md) Romanian | [ru русский](/.github/README_RU.md) Russian | [sm Faasamoa](/.github/README_SM.md) Samoan | [gd Gàidhlig na h-Alba](/.github/README_GD.md) Scots Gaelic | [sr Српски](/.github/README_SR.md) Serbian | [st Sesotho](/.github/README_ST.md) Sesotho | [sn Shona](/.github/README_SN.md) Shona | [sd سنڌي](/.github/README_SD.md) Sindhi | [si සිංහල](/.github/README_SI.md) Sinhala | [sk Slovák](/.github/README_SK.md) Slovak | [sl Slovenščina](/.github/README_SL.md) Slovenian | [so Soomaali](/.github/README_SO.md) Somali | [[es en español](/.github/README_ES.md) Spanish | [su Sundanis](/.github/README_SU.md) Sundanese | [sw Kiswahili](/.github/README_SW.md) Swahili | [sv Svenska](/.github/README_SV.md) Swedish | [tg Тоҷикӣ](/.github/README_TG.md) Tajik | [ta தமிழ்](/.github/README_TA.md) Tamil | [tt Татар](/.github/README_TT.md) Tatar | [te తెలుగు](/.github/README_TE.md) Telugu | [th ไทย](/.github/README_TH.md) Thai | [tr Türk](/.github/README_TR.md) Turkish | [tk Türkmenler](/.github/README_TK.md) Turkmen | [uk Український](/.github/README_UK.md) Ukrainian | [ur اردو](/.github/README_UR.md) Urdu | [ug ئۇيغۇر](/.github/README_UG.md) Uyghur | [uz O'zbek](/.github/README_UZ.md) Uzbek | [vi Tiếng Việt](/.github/README_VI.md) Vietnamese | [cy Cymraeg](/.github/README_CY.md) Welsh | [xh isiXhosa](/.github/README_XH.md) Xhosa | [yi יידיש](/.github/README_YI.md) Yiddish | [yo Yoruba](/.github/README_YO.md) Yoruba | [zu Zulu](/.github/README_ZU.md) Zulu ) Available in 110 languages (108 when not counting English and North Korean, as North Korean has not been translated yet [Read about it here](/OldVersions/Korean(North)/README.md))
Translations in languages other than English are machine translated and are not yet accurate. No errors have been fixed yet as of March 21st 2021. Please report translation errors [here](https://github.com/<developerName>/<repoName>/issues/). Make sure to backup your correction with sources and guide me, as I don't know languages other than English well (I plan on getting a translator eventually) please cite [wiktionary](https://en.wiktionary.org) and other sources in your report. Failing to do so will result in a rejection of the correction being published.
Note: due to limitations with GitHub's interpretation of markdown (and pretty much every other web-based interpretation of markdown) clicking these links will redirect you to a separate file on a separate page that isn't the intended page. You will be redirected to the [.github folder](/.github/) of this project, where the README translations are hosted.
Translations are currently done with Bing translate and DeepL. Support for Google Translate translations is coming to a close due to privacy concerns.
***
# Index
[00.0 - Top](#Top)
> [00.1 - Title](#<projectName>)
> [00.2 - Read this article in a different language](#Read-this-article-in-a-different-language)
> [00.3 - Index](#Index)
[01.0 - Description](#RepositoryName)
[02.0 - About](#About)
[03.0 - Wiki](#Wiki)
[04.0 - History](#History)
> [04.1 - Pre-history](#Pre-history)
> [04.2 - Alpha History](#Alpha-history)
> [04.3 - Beta History](#Beta-history)
> [04.4 - Modern History](#Modern-history)
[05.0 - Copying](#Copying)
[06.0 - Credits](#Credits)
[07.0 - Installation](#Installation)
[08.0 - Version history](#Version-history)
[09.0 - Version history](#Version-history)
[10.0 - Software status](#Software-status)
[11.0 - Sponsor info](#Sponsor-info)
[12.0 - Contributers](#Contributers)
[13.0 - Issues](#Issues)
> [13.1 - Current issues](#Current-issues)
> [13.2 - Past issues](#Past-issues)
> [13.3 - Past pull requests](#Past-pull-requests)
> [13.4 - Active pull requests](#Active-pull-requests)
[14.0 - Resources](#Resources)
[15.0 - Contributing](#Contributing)
[16.0 - About README](#About-README)
[17.0 - README Version history](#README-version-history)
[18.0 - Footer](#You-have-reached-the-end-of-the-README-file)
> [18.9 - End of file](#EOF)
***
# <repoName>
<repo_description>
***
## About
See above. <extendedRepoDescription>
***
## Wiki
[Click/tap here to view this projects Wiki](https://github.com/<developerName>/<repoName>/wiki)
If the project has been forked, the Wiki was likely removed. Luckily, I include an embedded version. You can view it [here](/External/ProjectWiki/).
***
## History
Write about this projects history here.
### Pre-history
No pre-history to show for this project.
### Alpha history
No Alpha history to show for this project.
### Beta history
No Beta history to show for this project.
### Modern history
No Modern history to show for this project.
***
## Copying
View the copying license for this project [here](/COPYING) (if you haven't built the project yet with the makefile, here is the original link: [COPYINGL](/COPYINGL)
Please note that you also have to follow the rules of the GNU General Public License v3 (GPL3) which you can view [here](/LICENSE.txt)
***
## Credits
View the credits file for this project and see the people who got together to make this project by [clicking/tapping here](/CREDITS)
***
## Installation
View the installation instructions file for this project [here](/INSTALL)
Requirements: Read the instructions for more info, and get the latest up-to-date instructions [here](https://gist.github.com/seanpm2001/745564a46186888e829fdeb9cda584de)
***
## Sponsor info

You can sponsor this project if you like, but please specify what you want to donate to. [See the funds you can donate to here](https://github.com/seanpm2001/Sponsor-info/tree/main/For-sponsors/)
You can view other sponsor info [here](https://github.com/seanpm2001/Sponsor-info/)
Try it out! The sponsor button is right up next to the watch/unwatch button.
***
## Version history
**Version history currently unavailable**
**No other versions listed**
***
## Software status
All of my works are free some restrictions. DRM (**D**igital **R**estrictions **M**anagement) is not present in any of my works.

This sticker is supported by the Free Software Foundation. I never intend to include DRM in my works.
I am using the abbreviation "Digital Restrictions Management" instead of the more known "Digital Rights Management" as the common way of addressing it is false, there are no rights with DRM. The spelling "Digital Restrictions Management" is more accurate, and is supported by [Richard M. Stallman (RMS)](https://en.wikipedia.org/wiki/Richard_Stallman) and the [Free Software Foundation (FSF)](https://en.wikipedia.org/wiki/Free_Software_Foundation)
This section is used to raise awareness for the problems with DRM, and also to protest it. DRM is defective by design and is a major threat to all computer users and software freedom.
Image credit: [defectivebydesign.org/drm-free/...](https://www.defectivebydesign.org/drm-free/how-to-use-label/)
***
## Contributers
Currently, I am the only contributer. Contributing is allowed, as long as you follow the rules of the [CONTRIBUTING.md](/CONTRIBUTING.md) file.
> * 1. [seanpm2001](https://github.com/seanpm2001/) - x commits (As of Yr, DoW, Month, DoM, at ##:## a/pm)
> * 2. No other contributers.
***
## Issues
### Current issues
* None at the moment
* No other current issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past issues
* None at the moment
* No other past issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past pull requests
* None at the moment
* No other past pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Active pull requests
* None at the moment
* No other active pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
***
## Resources
Here are some other resources for this project:
[Project language file A](PROJECT_LANG_1.<fileExtensionForProgrammingLanguage>)
[Join the discussion on GitHub](https://github.com/<developerName>/<repoName>/discussions)
No other resources at the moment.
***
## Contributing
Contributing is allowed for this project, as long as you follow the rules of the `CONTRIBUTING.md` file.
[Click/tap here to view the contributing rules for this project](/CONTRIBUTING.md)
***
## About README
**File type:** `Markdown Document (*.md *.mkd *.markdown)`
**File version:** `0.1.6 (Monday, August 23rd 2021 at 6:37 pm)`
**Line count (including blank lines and compiler line):** `0,407`
***
## README version history
Version 0.1 (Sunday, March 21st 2021 at 7:50 pm)
> Changes:
> * Started the file
> * Added the title section
> * Added the index
> * Added the about section
> * Added the Wiki section
> * Added the version history section
> * Added the issues section.
> * Added the past issues section
> * Added the past pull requests section
> * Added the active pull requests section
> * Added the contributors section
> * Added the contributing section
> * Added the about README section
> * Added the README version history section
> * Added the resources section
> * Added a software status section, with a DRM free sticker and message
> * Added the sponsor info section
**ITERATION 5**
> * Updated the title section
> * Updated the index
> * Added the history section
> * Updated the file info section
> * Updated the file history section
**ITERATION 6**
> * Updated the title section
> * Fixed and update template links
> * Updated the index
> * Added the copying section
> * Added the credits section
> * Added the installation section
> * Updated the resources section
> * Updated the contributors section
> * Added the technical notes section
> * Updated the footer
> * Updated the file info section
> * Updated the file history section
> * No other changes in version 0.1
Version 1 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 1
Version 2 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 2
***
### You have reached the end of the README file
( [Back to top](#Top) | [Exit to GitHub](https://github.com) | [Exit to Bing](https://www.bing.com/) | [Exit to DuckDuckGo](https://duckduckgo.com/) | [Exit to Ecosia](https://www.ecosia.org) )
### EOF
***
| 📥️🗣️🎙️📧️💾️ The official source repository for the EMAIL 2.0 VMail (VoiceMAIL) specification | email-2,email-2-development,email-2-project,email2,email2-development,email2-project,gpl3,gplv3,javascript,md | 2023-09-24T01:37:13Z | 2023-09-24T02:39:58Z | null | 1 | 0 | 18 | 0 | 1 | 2 | null | GPL-3.0 | JavaScript |
Per4atku/coffee-react | main | # Cotask Coffee
Cotask Coffee is a fictional e-commerce website that sells coffee drinks, accessories, coffee beans, also owns coffee shops around the world. This project shows what a website for such a company might look like.
## Explore the website
https://cotask-coffee-shop.web.app/
or
1. `git clone https://github.com/Per4atku/coffee-react.git`
2. `cd coffee-react`
3. `npm i` or `yarn`
4. `npm run dev` or `yarn dev`
## Technologies Used
- React
- Vitejs
- Redux Toolkit (+redux-persist)
- React Router
- Tailwind CSS
- React Lazy
- [react-slick](https://react-slick.neostack.com/ "react-slick")
- [Material UI](https://mui.com/ "Material UI")
## Features
### Menu page & Cart
The site has a page with products (Menu/Our Products). On this page user can add a product to cart, increase/decrease the number of products in cart. And also select [Hot], [Cold] or default product (if supported).
The cart is made with *Redux Toolit + redux-persist*


Product items json: `/src/data/products.json`
### Coffee Build Your Base - Slider
Used *react-slick* to create slider.

Slider items: `/src/pages/elements/Base.items.js`
### MUI Components
#### Reservation Components
Used custom styled *mui* components in Reservation element:
- TextField
- DatePicker
- TimeField
- Select

#### Product item Skeleton
Used custom *mui* Skeleton component and *React Lazy* for not loaded Product Cards

| (React front-end) Coffee shop website | front-end,html,javascript,jsx,mui,react,tailwindcss | 2023-09-28T07:50:35Z | 2023-10-30T12:58:11Z | 2023-10-30T12:58:11Z | 1 | 1 | 47 | 0 | 0 | 2 | null | null | JavaScript |
Sermuns/undervisningsnummer | main | # Undervisningsnummer
Webbapplikation för att se antalet föreläsningar, lektioner, etc som har passerat i en kurs på Linköping universitet.
## Exempel på användning
Jag läser kursen Datorkonstruktion, TSEA83, och vill veta hur många föreläsningar jag har missat. Jag går till [un.samake.se](https://un.samake.se) och skriver in kurskoden TSEA83. Jag ser att den senaste föreläsningen var föreläsning 9, och nästa föreläsning är på onsdag.

## Teknisk information
Hemsidans design är rent HTML och CSS. Funktionaliteten i hemsidan åstadkomms genom en kombination av backend-skript på [Lysator](https://www.lysator.liu.se)s server, och frontend-skript i JavaScript. Backend-skriptet ```fetch_object_id.py``` omvandlar en fritextsökning på kurskod till deras proprietära "object-id"-format från [TimeEdit](https://cloud.timeedit.net/liu/web/schema/ri1Q7.html). Frontend-skriptet använder sig av detta object-id för att hämta schemainformation från TimeEdit, och räkna ut hur många föreläsningar som har passerat.
## För att köra lokalt
1. Klona detta repository
2. Starta skriptet ```run_local_server.py```, vilket startar en lokal server på port 3000.
3. Gå till [localhost:3000](http://localhost:3000) i din webbläsare för att se hemsidan.
> Skapa gärna en pull request om du vill förbättra hemsidan! | Se antalet föreläsningar, lektioner, etc som har passerat i en kurs på Linköping universitet. | css,html,html-css-javascript,javascript,python,scraper,scraping-websites | 2023-10-06T14:24:37Z | 2024-04-15T17:30:13Z | 2024-02-24T16:13:05Z | 1 | 0 | 83 | 1 | 0 | 2 | null | null | JavaScript |
mstrlc/itu-project | main | # itu-project
FIT VUT – ITU – team project
## Team
- [Ondřej Seidl](https://github.com/Seidly) `xseidl06`
- [Matyáš Strelec](https://github.com/mstrlc) `xstrel03`
- [Maxmilián Nový](https://github.com/Volvundur) `xnovym00`
## Usage
```
cd caloricalc
npm install
npm run dev
``` | FIT VUT – ITU – JS + Svelte calories tracker team project | activity,backend,calorie,fit,frontend,itu,javascript,js,svelte,sveltekit | 2023-09-19T13:04:09Z | 2024-01-23T23:42:45Z | null | 3 | 2 | 72 | 0 | 0 | 2 | null | GPL-3.0 | Svelte |
bryanhuangg/gcal-hue | main |

## Hue: More Colors for Google Calendar
Welcome to Hue, the open-source Chrome extension created for Google Calendar enthusiasts who desire a richer and more vibrant user experience. This thoughtfully designed extension empowers you to infuse more color into your calendar interface, offering a personalized and elevated scheduling experience. Enhance your productivity with advanced customization options that grant you unparalleled control over your workflow.
[](https://chromewebstore.google.com/detail/hue-more-colors-for-googl/gglmljnnfgfkajefpbgjaeobelpokhbn)
[](https://opensource.org/licenses/)
## Run Locally
Clone the project
```bash
git clone https://github.com/bryanhuangg/gcal-hue.git
```
Go to the project directory
```bash
cd gcal-hue
```
Install dependencies
```bash
npm install
```
Run in development
```bash
npm run dev
```
**To load dev extension in Chrome:**
1. Open Chrome and navigate to chrome://extensions/.
2. Enable "Developer mode" in the top right corner.
3. Click on "Load unpacked" and select the dist directory from the project.
## Authors
- [@bryanhuangg](https://github.com/bryanhuangg)
| Hue: More Colors for a Google Calendar | chrome-extension,extension-chrome,gcal,gcalendar,google-calendar,html,javascript,open-source,productivity | 2023-10-03T02:55:58Z | 2024-05-03T07:45:31Z | 2024-05-03T07:45:31Z | 1 | 0 | 35 | 0 | 0 | 2 | null | GPL-3.0 | JavaScript |
AitorMelero/arduino-project | main | <h1 align="center">Arduino Project</h1>
<div align="center">
por <a href="https://github.com/AitorMelero" target="_blank">Aitor Melero</a> y <a href="https://github.com/mg-Ben" target="_blank">Benjamín Martín</a>.
</div>
</br>
<div align="center">
[](https://astro.build/)
[](https://nodejs.org/)
[](https://es.react.dev/)
[](https://www.arduino.cc/)
---
</div>
<!-- INDICE -->
## Índice
- [Objetivo](#objetivo)
- [Tecnologías](#tecnologías)
- [Instalación y ejecución](#instalación-y-ejecución)
- [Esribir artículos](#escribir-artículos)
- [Contacto](#contacto)
<!-- OBJETIVO -->
## Objetivo
El objetivo de este proyecto es el desarrollo de una web donde se publicarán cada cierto tiempo artículos en los que se explicarán diferentes proyectos realizados con Arduino.
Con respecto a la web, la motivación principal es ganar experiencia con diferentes tecnologías como [Astro](https://astro.build/), [React](https://es.react.dev/) o [Tailwind](https://tailwindcss.com/). En cuanto a los proyectos de [Arduino](https://www.arduino.cc/), el objetivo es aprender y ganar experiencia con la realización de trabajos enfocados en hardware.
La web ha sido desarrollada por [@AitorMelero](https://github.com/AitorMelero) y los proyectos y artículos de Arduino están hechos por [@mg-Ben](https://github.com/mg-Ben).
## Tecnologías
[](https://astro.build/)
[](https://nodejs.org/)
[](https://www.arduino.cc/)
[](https://developer.mozilla.org/es/docs/Web/HTML)
[](https://developer.mozilla.org/es/docs/Web/CSS)
[](https://developer.mozilla.org/es/docs/Web/JavaScript)
[](https://es.react.dev/)
[](https://tailwindcss.com/)
[](https://https://mdxjs.com/)
<!-- INSTALACION Y EJECUCION -->
## Instalación y ejecución
### Instalar dependencias:
```bash
npm install
```
### Ejecutar la web en modo desarrollador:
```bash
npm run dev
```
### Ejecutar la web en modo desarrollador en una red local:
```bash
npm run dev -- --host
```
### Creación de ejecutable
```bash
npm run build
```
## Escribir artículos
El desarrollo de la web está preparado para que se puedan añadir artículos de Arduino de una forma sencilla y rápida. Se deben seguir los siguiente pasos:
### 1. Crear y movernos a una nueva rama:
- Sin la extensión de git-flow
```bash
git checkout develop
git checkout -b feature_branch
```
- Con la extensión de git-flow
```bash
git flow feature start feature_branch
```
### 2. Crear artículo
Para incluir un artículo en la web, debemos crear un fichero _.mdx_ dentro del directorio _./src/pages/posts/nombre-articulo.mdx_.
```bash
src
├───pages
│ ├───about
│ └───posts
│ │ ├───articulo-1.mdx
│ │ ├───articulo-2.mdx
│ │ ├───articulo-3.mdx
```
### 3. Rellenar artículo
- Cabecera
```javascript
---
mdxOptions: { format: "md" }
layout: "../../layouts/MarkdownProjectLayout.astro"
title: "Título del artículo"
pubDate: aaaa-mm-dd
description: "Descripción del artículo."
author: "Nombre del autor"
sections:
[
{ url: "nombre-fichero#id-apartado-1", title: "Titulo apartado 1" },
{ url: "nombre-fichero#id-apartado-2", title: "Titulo apartado 2" },
{ url: "nombre-fichero#id-apartado-3", title: "Titulo apartado 3" },
{ url: "nombre-fichero#id-apartado-4", title: "Titulo apartado 4" },
...
]
---
```
- Resumen e índice
```html
<div id="id-apartado-1">
# {frontmatter.title}
Aquí aparecerá un resumen del proyecto con el índice correspondiente.
- [Componentes requeridos](#componentes-requeridos)
- [Introducción de componentes](#introduccion-de-componentes)
- [Componente 1](#componente-1)
- [Componente 2](#componente-2)
- [Componente 3](#componente-3)
- [Conexión](#conexion)
- [Esquema](#esquema)
- [Diagrama de cableados](#diagrama-de-cableado)
- [Código](#codigo)
- [Imagen de ejemplo](#imagen-de-ejemplo)
---
</div>
```
- Lista de componentes requeridos
```html
<div id="componentes-requeridos">
## Componentes requeridos
- (1) Componente 1
- (3) Componente 2
- (1) Componente 3
---
</div>
```
- Introducción de componentes
```html
<div id="introduccion-de-componentes">
## Introducción de componentes
</div>
<div id="componente-1">
### Componente 1
</div>
<div id="componente-2">
### Componente 2
</div>
<div id="componente-3">
### Componente 3
---
</div>
```
- Incluir imágenes
```html
<!-- Las imagenes deben estar guardadas en ./public/posts/ -->

```
- Incluir código
```javascript
// Incluir el siguiente componente despues de la cabecera del fichero
import CodeContainer from "../../components/CodeContainer.astro";
export const components = { code: CodeContainer };
```
````html
<div id="codigo">
## Código
```
void setup() {
// put your setup code here, to run once:
pinMode(13, OUTPUT);
}
void loop() {
// put your main code here, to run repeatedly:
digitalWrite(13, HIGH); // write 1 (5V) in 13 pin
delay(1000); // wait 1 second
digitalWrite(13, LOW); // write 0 (0V) in 13 pin
delay(1000); // wait 1 second
}
```
---
</div>
````
### 4. Mergear artículo:
- Sin la extensión de git-flow
```bash
git checkout develop
git merge feature_branch
```
- Con la extensión de git-flow
```bash
git flow feature finish feature_branch
```
## Contacto
### Aitor
[](https://github.com/AitorMelero)
[](https://www.linkedin.com/in/aitor-melero-pic%C3%B3n-678105293/)
### Ben
[](https://github.com/mg-Ben)
[](https://www.linkedin.com/in/benjam%C3%ADn-mart%C3%ADn-g%C3%B3mez-60a8ab271/)
| Arduino Project | arduino,astro,css,html,javascript,react,web,mdx,tailwind | 2023-09-15T16:45:00Z | 2023-11-17T14:08:51Z | 2023-10-31T10:15:00Z | 2 | 5 | 163 | 0 | 1 | 2 | null | null | MDX |
Biswajit-13/ballers-wardrobe | main | # ballers-wardrobe
A jersey shopping web app
**For Client:**
**step 1**: cd client
**step 2**: npm install
**step 3**: npm run dev
**for server**:
**step 1**: cd server
**step 2**: npm install
**step 3**: npm start
make sure you have the environment variables set up correctly!
Happy Coding
| A jersey shopping web app | hacktoberfest,exprees,javascript,mongodb,nodejs | 2023-09-21T17:04:12Z | 2023-10-06T10:57:13Z | 2023-09-21T17:12:04Z | 1 | 2 | 6 | 0 | 0 | 2 | null | null | JavaScript |
seanpm2001/EMAIL_2.0_MailManager | EMAIL_2.0_MailManager_Main-dev |
***
# <projectName>

# By:
<!--  !-->
## [Seanpm2001](https://github.com/seanpm2001/), [<developerName>](https://github.com/<developerName>/) Et; Al.
### Top
# `README.md`
***
## Read this article in a different language
**Sorted by:** `A-Z`
[Sorting options unavailable](https://github.com/<developerName>/<repoName>)
( [af Afrikaans](/.github/README_AF.md) Afrikaans | [sq Shqiptare](/.github/README_SQ.md) Albanian | [am አማርኛ](/.github/README_AM.md) Amharic | [ar عربى](/.github/README_AR.md) Arabic | [hy հայերեն](/.github/README_HY.md) Armenian | [az Azərbaycan dili](/.github/README_AZ.md) Azerbaijani | [eu Euskara](/.github/README_EU.md) Basque | [be Беларуская](/.github/README_BE.md) Belarusian | [bn বাংলা](/.github/README_BN.md) Bengali | [bs Bosanski](/.github/README_BS.md) Bosnian | [bg български](/.github/README_BG.md) Bulgarian | [ca Català](/.github/README_CA.md) Catalan | [ceb Sugbuanon](/.github/README_CEB.md) Cebuano | [ny Chichewa](/.github/README_NY.md) Chichewa | [zh-CN 简体中文](/.github/README_ZH-CN.md) Chinese (Simplified) | [zh-t 中國傳統的)](/.github/README_ZH-T.md) Chinese (Traditional) | [co Corsu](/.github/README_CO.md) Corsican | [hr Hrvatski](/.github/README_HR.md) Croatian | [cs čeština](/.github/README_CS.md) Czech | [da dansk](README_DA.md) Danish | [nl Nederlands](/.github/README_NL.md) Dutch | [**en-us English**](/.github/README.md) English | [EO Esperanto](/.github/README_EO.md) Esperanto | [et Eestlane](/.github/README_ET.md) Estonian | [tl Pilipino](/.github/README_TL.md) Filipino | [fi Suomalainen](/.github/README_FI.md) Finnish | [fr français](/.github/README_FR.md) French | [fy Frysk](/.github/README_FY.md) Frisian | [gl Galego](/.github/README_GL.md) Galician | [ka ქართველი](/.github/README_KA) Georgian | [de Deutsch](/.github/README_DE.md) German | [el Ελληνικά](/.github/README_EL.md) Greek | [gu ગુજરાતી](/.github/README_GU.md) Gujarati | [ht Kreyòl ayisyen](/.github/README_HT.md) Haitian Creole | [ha Hausa](/.github/README_HA.md) Hausa | [haw Ōlelo Hawaiʻi](/.github/README_HAW.md) Hawaiian | [he עִברִית](/.github/README_HE.md) Hebrew | [hi हिन्दी](/.github/README_HI.md) Hindi | [hmn Hmong](/.github/README_HMN.md) Hmong | [hu Magyar](/.github/README_HU.md) Hungarian | [is Íslenska](/.github/README_IS.md) Icelandic | [ig Igbo](/.github/README_IG.md) Igbo | [id bahasa Indonesia](/.github/README_ID.md) Icelandic | [ga Gaeilge](/.github/README_GA.md) Irish | [it Italiana/Italiano](/.github/README_IT.md) | [ja 日本語](/.github/README_JA.md) Japanese | [jw Wong jawa](/.github/README_JW.md) Javanese | [kn ಕನ್ನಡ](/.github/README_KN.md) Kannada | [kk Қазақ](/.github/README_KK.md) Kazakh | [km ខ្មែរ](/.github/README_KM.md) Khmer | [rw Kinyarwanda](/.github/README_RW.md) Kinyarwanda | [ko-south 韓國語](/.github/README_KO_SOUTH.md) Korean (South) | [ko-north 문화어](README_KO_NORTH.md) Korean (North) (NOT YET TRANSLATED) | [ku Kurdî](/.github/README_KU.md) Kurdish (Kurmanji) | [ky Кыргызча](/.github/README_KY.md) Kyrgyz | [lo ລາວ](/.github/README_LO.md) Lao | [la Latine](/.github/README_LA.md) Latin | [lt Lietuvis](/.github/README_LT.md) Lithuanian | [lb Lëtzebuergesch](/.github/README_LB.md) Luxembourgish | [mk Македонски](/.github/README_MK.md) Macedonian | [mg Malagasy](/.github/README_MG.md) Malagasy | [ms Bahasa Melayu](/.github/README_MS.md) Malay | [ml മലയാളം](/.github/README_ML.md) Malayalam | [mt Malti](/.github/README_MT.md) Maltese | [mi Maori](/.github/README_MI.md) Maori | [mr मराठी](/.github/README_MR.md) Marathi | [mn Монгол](/.github/README_MN.md) Mongolian | [my မြန်မာ](/.github/README_MY.md) Myanmar (Burmese) | [ne नेपाली](/.github/README_NE.md) Nepali | [no norsk](/.github/README_NO.md) Norwegian | [or ଓଡିଆ (ଓଡିଆ)](/.github/README_OR.md) Odia (Oriya) | [ps پښتو](/.github/README_PS.md) Pashto | [fa فارسی](/.github/README_FA.md) |Persian [pl polski](/.github/README_PL.md) Polish | [pt português](/.github/README_PT.md) Portuguese | [pa ਪੰਜਾਬੀ](/.github/README_PA.md) Punjabi | No languages available that start with the letter Q | [ro Română](/.github/README_RO.md) Romanian | [ru русский](/.github/README_RU.md) Russian | [sm Faasamoa](/.github/README_SM.md) Samoan | [gd Gàidhlig na h-Alba](/.github/README_GD.md) Scots Gaelic | [sr Српски](/.github/README_SR.md) Serbian | [st Sesotho](/.github/README_ST.md) Sesotho | [sn Shona](/.github/README_SN.md) Shona | [sd سنڌي](/.github/README_SD.md) Sindhi | [si සිංහල](/.github/README_SI.md) Sinhala | [sk Slovák](/.github/README_SK.md) Slovak | [sl Slovenščina](/.github/README_SL.md) Slovenian | [so Soomaali](/.github/README_SO.md) Somali | [[es en español](/.github/README_ES.md) Spanish | [su Sundanis](/.github/README_SU.md) Sundanese | [sw Kiswahili](/.github/README_SW.md) Swahili | [sv Svenska](/.github/README_SV.md) Swedish | [tg Тоҷикӣ](/.github/README_TG.md) Tajik | [ta தமிழ்](/.github/README_TA.md) Tamil | [tt Татар](/.github/README_TT.md) Tatar | [te తెలుగు](/.github/README_TE.md) Telugu | [th ไทย](/.github/README_TH.md) Thai | [tr Türk](/.github/README_TR.md) Turkish | [tk Türkmenler](/.github/README_TK.md) Turkmen | [uk Український](/.github/README_UK.md) Ukrainian | [ur اردو](/.github/README_UR.md) Urdu | [ug ئۇيغۇر](/.github/README_UG.md) Uyghur | [uz O'zbek](/.github/README_UZ.md) Uzbek | [vi Tiếng Việt](/.github/README_VI.md) Vietnamese | [cy Cymraeg](/.github/README_CY.md) Welsh | [xh isiXhosa](/.github/README_XH.md) Xhosa | [yi יידיש](/.github/README_YI.md) Yiddish | [yo Yoruba](/.github/README_YO.md) Yoruba | [zu Zulu](/.github/README_ZU.md) Zulu ) Available in 110 languages (108 when not counting English and North Korean, as North Korean has not been translated yet [Read about it here](/OldVersions/Korean(North)/README.md))
Translations in languages other than English are machine translated and are not yet accurate. No errors have been fixed yet as of March 21st 2021. Please report translation errors [here](https://github.com/<developerName>/<repoName>/issues/). Make sure to backup your correction with sources and guide me, as I don't know languages other than English well (I plan on getting a translator eventually) please cite [wiktionary](https://en.wiktionary.org) and other sources in your report. Failing to do so will result in a rejection of the correction being published.
Note: due to limitations with GitHub's interpretation of markdown (and pretty much every other web-based interpretation of markdown) clicking these links will redirect you to a separate file on a separate page that isn't the intended page. You will be redirected to the [.github folder](/.github/) of this project, where the README translations are hosted.
Translations are currently done with Bing translate and DeepL. Support for Google Translate translations is coming to a close due to privacy concerns.
***
# Index
[00.0 - Top](#Top)
> [00.1 - Title](#<projectName>)
> [00.2 - Read this article in a different language](#Read-this-article-in-a-different-language)
> [00.3 - Index](#Index)
[01.0 - Description](#RepositoryName)
[02.0 - About](#About)
[03.0 - Wiki](#Wiki)
[04.0 - History](#History)
> [04.1 - Pre-history](#Pre-history)
> [04.2 - Alpha History](#Alpha-history)
> [04.3 - Beta History](#Beta-history)
> [04.4 - Modern History](#Modern-history)
[05.0 - Copying](#Copying)
[06.0 - Credits](#Credits)
[07.0 - Installation](#Installation)
[08.0 - Version history](#Version-history)
[09.0 - Version history](#Version-history)
[10.0 - Software status](#Software-status)
[11.0 - Sponsor info](#Sponsor-info)
[12.0 - Contributers](#Contributers)
[13.0 - Issues](#Issues)
> [13.1 - Current issues](#Current-issues)
> [13.2 - Past issues](#Past-issues)
> [13.3 - Past pull requests](#Past-pull-requests)
> [13.4 - Active pull requests](#Active-pull-requests)
[14.0 - Resources](#Resources)
[15.0 - Contributing](#Contributing)
[16.0 - About README](#About-README)
[17.0 - README Version history](#README-version-history)
[18.0 - Footer](#You-have-reached-the-end-of-the-README-file)
> [18.9 - End of file](#EOF)
***
# <repoName>
<repo_description>
***
## About
See above. <extendedRepoDescription>
***
## Wiki
[Click/tap here to view this projects Wiki](https://github.com/<developerName>/<repoName>/wiki)
If the project has been forked, the Wiki was likely removed. Luckily, I include an embedded version. You can view it [here](/External/ProjectWiki/).
***
## History
Write about this projects history here.
### Pre-history
No pre-history to show for this project.
### Alpha history
No Alpha history to show for this project.
### Beta history
No Beta history to show for this project.
### Modern history
No Modern history to show for this project.
***
## Copying
View the copying license for this project [here](/COPYING) (if you haven't built the project yet with the makefile, here is the original link: [COPYINGL](/COPYINGL)
Please note that you also have to follow the rules of the GNU General Public License v3 (GPL3) which you can view [here](/LICENSE.txt)
***
## Credits
View the credits file for this project and see the people who got together to make this project by [clicking/tapping here](/CREDITS)
***
## Installation
View the installation instructions file for this project [here](/INSTALL)
Requirements: Read the instructions for more info, and get the latest up-to-date instructions [here](https://gist.github.com/seanpm2001/745564a46186888e829fdeb9cda584de)
***
## Sponsor info

You can sponsor this project if you like, but please specify what you want to donate to. [See the funds you can donate to here](https://github.com/seanpm2001/Sponsor-info/tree/main/For-sponsors/)
You can view other sponsor info [here](https://github.com/seanpm2001/Sponsor-info/)
Try it out! The sponsor button is right up next to the watch/unwatch button.
***
## Version history
**Version history currently unavailable**
**No other versions listed**
***
## Software status
All of my works are free some restrictions. DRM (**D**igital **R**estrictions **M**anagement) is not present in any of my works.

This sticker is supported by the Free Software Foundation. I never intend to include DRM in my works.
I am using the abbreviation "Digital Restrictions Management" instead of the more known "Digital Rights Management" as the common way of addressing it is false, there are no rights with DRM. The spelling "Digital Restrictions Management" is more accurate, and is supported by [Richard M. Stallman (RMS)](https://en.wikipedia.org/wiki/Richard_Stallman) and the [Free Software Foundation (FSF)](https://en.wikipedia.org/wiki/Free_Software_Foundation)
This section is used to raise awareness for the problems with DRM, and also to protest it. DRM is defective by design and is a major threat to all computer users and software freedom.
Image credit: [defectivebydesign.org/drm-free/...](https://www.defectivebydesign.org/drm-free/how-to-use-label/)
***
## Contributers
Currently, I am the only contributer. Contributing is allowed, as long as you follow the rules of the [CONTRIBUTING.md](/CONTRIBUTING.md) file.
> * 1. [seanpm2001](https://github.com/seanpm2001/) - x commits (As of Yr, DoW, Month, DoM, at ##:## a/pm)
> * 2. No other contributers.
***
## Issues
### Current issues
* None at the moment
* No other current issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past issues
* None at the moment
* No other past issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past pull requests
* None at the moment
* No other past pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Active pull requests
* None at the moment
* No other active pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
***
## Resources
Here are some other resources for this project:
[Project language file A](PROJECT_LANG_1.<fileExtensionForProgrammingLanguage>)
[Join the discussion on GitHub](https://github.com/<developerName>/<repoName>/discussions)
No other resources at the moment.
***
## Contributing
Contributing is allowed for this project, as long as you follow the rules of the `CONTRIBUTING.md` file.
[Click/tap here to view the contributing rules for this project](/CONTRIBUTING.md)
***
## About README
**File type:** `Markdown Document (*.md *.mkd *.markdown)`
**File version:** `0.1.6 (Monday, August 23rd 2021 at 6:37 pm)`
**Line count (including blank lines and compiler line):** `0,407`
***
## README version history
Version 0.1 (Sunday, March 21st 2021 at 7:50 pm)
> Changes:
> * Started the file
> * Added the title section
> * Added the index
> * Added the about section
> * Added the Wiki section
> * Added the version history section
> * Added the issues section.
> * Added the past issues section
> * Added the past pull requests section
> * Added the active pull requests section
> * Added the contributors section
> * Added the contributing section
> * Added the about README section
> * Added the README version history section
> * Added the resources section
> * Added a software status section, with a DRM free sticker and message
> * Added the sponsor info section
**ITERATION 5**
> * Updated the title section
> * Updated the index
> * Added the history section
> * Updated the file info section
> * Updated the file history section
**ITERATION 6**
> * Updated the title section
> * Fixed and update template links
> * Updated the index
> * Added the copying section
> * Added the credits section
> * Added the installation section
> * Updated the resources section
> * Updated the contributors section
> * Added the technical notes section
> * Updated the footer
> * Updated the file info section
> * Updated the file history section
> * No other changes in version 0.1
Version 1 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 1
Version 2 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 2
***
### You have reached the end of the README file
( [Back to top](#Top) | [Exit to GitHub](https://github.com) | [Exit to Bing](https://www.bing.com/) | [Exit to DuckDuckGo](https://duckduckgo.com/) | [Exit to Ecosia](https://www.ecosia.org) )
### EOF
***
| 📫️📪️📬️📭️💾️ The official source repository for the Mail Manager component of the EMAIL 2.0 specification. | email,email-2,email-revolution,email-upgrade,email2,email2-development,email2-project,gpl3,gplv3,javascript | 2023-10-01T01:44:57Z | 2023-10-01T02:40:41Z | null | 1 | 0 | 18 | 0 | 1 | 2 | null | GPL-3.0 | JavaScript |
kishanrajput23/JavaScript-By-CWH | main | # JavaScript-By-CWH
Compilation of all codes, notes and study materials.
| Compilation of all codes, notes and study materials. | codewithharry,codewithharry-javascript,javascript,javascript-library,javascript-project,javascript-tutorial,javascript-tutorial-series,javascript-tutorials,javascript30,js | 2023-10-11T09:15:03Z | 2023-10-31T06:16:52Z | null | 1 | 0 | 43 | 0 | 1 | 2 | null | MIT | JavaScript |
seanpm2001/EMAIL_2.0_SpamCan | EMAIL_2.0_SpamCan_Main-dev |
***
# <projectName>

# By:
<!--  !-->
## [Seanpm2001](https://github.com/seanpm2001/), [<developerName>](https://github.com/<developerName>/) Et; Al.
### Top
# `README.md`
***
## Read this article in a different language
**Sorted by:** `A-Z`
[Sorting options unavailable](https://github.com/<developerName>/<repoName>)
( [af Afrikaans](/.github/README_AF.md) Afrikaans | [sq Shqiptare](/.github/README_SQ.md) Albanian | [am አማርኛ](/.github/README_AM.md) Amharic | [ar عربى](/.github/README_AR.md) Arabic | [hy հայերեն](/.github/README_HY.md) Armenian | [az Azərbaycan dili](/.github/README_AZ.md) Azerbaijani | [eu Euskara](/.github/README_EU.md) Basque | [be Беларуская](/.github/README_BE.md) Belarusian | [bn বাংলা](/.github/README_BN.md) Bengali | [bs Bosanski](/.github/README_BS.md) Bosnian | [bg български](/.github/README_BG.md) Bulgarian | [ca Català](/.github/README_CA.md) Catalan | [ceb Sugbuanon](/.github/README_CEB.md) Cebuano | [ny Chichewa](/.github/README_NY.md) Chichewa | [zh-CN 简体中文](/.github/README_ZH-CN.md) Chinese (Simplified) | [zh-t 中國傳統的)](/.github/README_ZH-T.md) Chinese (Traditional) | [co Corsu](/.github/README_CO.md) Corsican | [hr Hrvatski](/.github/README_HR.md) Croatian | [cs čeština](/.github/README_CS.md) Czech | [da dansk](README_DA.md) Danish | [nl Nederlands](/.github/README_NL.md) Dutch | [**en-us English**](/.github/README.md) English | [EO Esperanto](/.github/README_EO.md) Esperanto | [et Eestlane](/.github/README_ET.md) Estonian | [tl Pilipino](/.github/README_TL.md) Filipino | [fi Suomalainen](/.github/README_FI.md) Finnish | [fr français](/.github/README_FR.md) French | [fy Frysk](/.github/README_FY.md) Frisian | [gl Galego](/.github/README_GL.md) Galician | [ka ქართველი](/.github/README_KA) Georgian | [de Deutsch](/.github/README_DE.md) German | [el Ελληνικά](/.github/README_EL.md) Greek | [gu ગુજરાતી](/.github/README_GU.md) Gujarati | [ht Kreyòl ayisyen](/.github/README_HT.md) Haitian Creole | [ha Hausa](/.github/README_HA.md) Hausa | [haw Ōlelo Hawaiʻi](/.github/README_HAW.md) Hawaiian | [he עִברִית](/.github/README_HE.md) Hebrew | [hi हिन्दी](/.github/README_HI.md) Hindi | [hmn Hmong](/.github/README_HMN.md) Hmong | [hu Magyar](/.github/README_HU.md) Hungarian | [is Íslenska](/.github/README_IS.md) Icelandic | [ig Igbo](/.github/README_IG.md) Igbo | [id bahasa Indonesia](/.github/README_ID.md) Icelandic | [ga Gaeilge](/.github/README_GA.md) Irish | [it Italiana/Italiano](/.github/README_IT.md) | [ja 日本語](/.github/README_JA.md) Japanese | [jw Wong jawa](/.github/README_JW.md) Javanese | [kn ಕನ್ನಡ](/.github/README_KN.md) Kannada | [kk Қазақ](/.github/README_KK.md) Kazakh | [km ខ្មែរ](/.github/README_KM.md) Khmer | [rw Kinyarwanda](/.github/README_RW.md) Kinyarwanda | [ko-south 韓國語](/.github/README_KO_SOUTH.md) Korean (South) | [ko-north 문화어](README_KO_NORTH.md) Korean (North) (NOT YET TRANSLATED) | [ku Kurdî](/.github/README_KU.md) Kurdish (Kurmanji) | [ky Кыргызча](/.github/README_KY.md) Kyrgyz | [lo ລາວ](/.github/README_LO.md) Lao | [la Latine](/.github/README_LA.md) Latin | [lt Lietuvis](/.github/README_LT.md) Lithuanian | [lb Lëtzebuergesch](/.github/README_LB.md) Luxembourgish | [mk Македонски](/.github/README_MK.md) Macedonian | [mg Malagasy](/.github/README_MG.md) Malagasy | [ms Bahasa Melayu](/.github/README_MS.md) Malay | [ml മലയാളം](/.github/README_ML.md) Malayalam | [mt Malti](/.github/README_MT.md) Maltese | [mi Maori](/.github/README_MI.md) Maori | [mr मराठी](/.github/README_MR.md) Marathi | [mn Монгол](/.github/README_MN.md) Mongolian | [my မြန်မာ](/.github/README_MY.md) Myanmar (Burmese) | [ne नेपाली](/.github/README_NE.md) Nepali | [no norsk](/.github/README_NO.md) Norwegian | [or ଓଡିଆ (ଓଡିଆ)](/.github/README_OR.md) Odia (Oriya) | [ps پښتو](/.github/README_PS.md) Pashto | [fa فارسی](/.github/README_FA.md) |Persian [pl polski](/.github/README_PL.md) Polish | [pt português](/.github/README_PT.md) Portuguese | [pa ਪੰਜਾਬੀ](/.github/README_PA.md) Punjabi | No languages available that start with the letter Q | [ro Română](/.github/README_RO.md) Romanian | [ru русский](/.github/README_RU.md) Russian | [sm Faasamoa](/.github/README_SM.md) Samoan | [gd Gàidhlig na h-Alba](/.github/README_GD.md) Scots Gaelic | [sr Српски](/.github/README_SR.md) Serbian | [st Sesotho](/.github/README_ST.md) Sesotho | [sn Shona](/.github/README_SN.md) Shona | [sd سنڌي](/.github/README_SD.md) Sindhi | [si සිංහල](/.github/README_SI.md) Sinhala | [sk Slovák](/.github/README_SK.md) Slovak | [sl Slovenščina](/.github/README_SL.md) Slovenian | [so Soomaali](/.github/README_SO.md) Somali | [[es en español](/.github/README_ES.md) Spanish | [su Sundanis](/.github/README_SU.md) Sundanese | [sw Kiswahili](/.github/README_SW.md) Swahili | [sv Svenska](/.github/README_SV.md) Swedish | [tg Тоҷикӣ](/.github/README_TG.md) Tajik | [ta தமிழ்](/.github/README_TA.md) Tamil | [tt Татар](/.github/README_TT.md) Tatar | [te తెలుగు](/.github/README_TE.md) Telugu | [th ไทย](/.github/README_TH.md) Thai | [tr Türk](/.github/README_TR.md) Turkish | [tk Türkmenler](/.github/README_TK.md) Turkmen | [uk Український](/.github/README_UK.md) Ukrainian | [ur اردو](/.github/README_UR.md) Urdu | [ug ئۇيغۇر](/.github/README_UG.md) Uyghur | [uz O'zbek](/.github/README_UZ.md) Uzbek | [vi Tiếng Việt](/.github/README_VI.md) Vietnamese | [cy Cymraeg](/.github/README_CY.md) Welsh | [xh isiXhosa](/.github/README_XH.md) Xhosa | [yi יידיש](/.github/README_YI.md) Yiddish | [yo Yoruba](/.github/README_YO.md) Yoruba | [zu Zulu](/.github/README_ZU.md) Zulu ) Available in 110 languages (108 when not counting English and North Korean, as North Korean has not been translated yet [Read about it here](/OldVersions/Korean(North)/README.md))
Translations in languages other than English are machine translated and are not yet accurate. No errors have been fixed yet as of March 21st 2021. Please report translation errors [here](https://github.com/<developerName>/<repoName>/issues/). Make sure to backup your correction with sources and guide me, as I don't know languages other than English well (I plan on getting a translator eventually) please cite [wiktionary](https://en.wiktionary.org) and other sources in your report. Failing to do so will result in a rejection of the correction being published.
Note: due to limitations with GitHub's interpretation of markdown (and pretty much every other web-based interpretation of markdown) clicking these links will redirect you to a separate file on a separate page that isn't the intended page. You will be redirected to the [.github folder](/.github/) of this project, where the README translations are hosted.
Translations are currently done with Bing translate and DeepL. Support for Google Translate translations is coming to a close due to privacy concerns.
***
# Index
[00.0 - Top](#Top)
> [00.1 - Title](#<projectName>)
> [00.2 - Read this article in a different language](#Read-this-article-in-a-different-language)
> [00.3 - Index](#Index)
[01.0 - Description](#RepositoryName)
[02.0 - About](#About)
[03.0 - Wiki](#Wiki)
[04.0 - History](#History)
> [04.1 - Pre-history](#Pre-history)
> [04.2 - Alpha History](#Alpha-history)
> [04.3 - Beta History](#Beta-history)
> [04.4 - Modern History](#Modern-history)
[05.0 - Copying](#Copying)
[06.0 - Credits](#Credits)
[07.0 - Installation](#Installation)
[08.0 - Version history](#Version-history)
[09.0 - Version history](#Version-history)
[10.0 - Software status](#Software-status)
[11.0 - Sponsor info](#Sponsor-info)
[12.0 - Contributers](#Contributers)
[13.0 - Issues](#Issues)
> [13.1 - Current issues](#Current-issues)
> [13.2 - Past issues](#Past-issues)
> [13.3 - Past pull requests](#Past-pull-requests)
> [13.4 - Active pull requests](#Active-pull-requests)
[14.0 - Resources](#Resources)
[15.0 - Contributing](#Contributing)
[16.0 - About README](#About-README)
[17.0 - README Version history](#README-version-history)
[18.0 - Footer](#You-have-reached-the-end-of-the-README-file)
> [18.9 - End of file](#EOF)
***
# <repoName>
<repo_description>
***
## About
See above. <extendedRepoDescription>
***
## Wiki
[Click/tap here to view this projects Wiki](https://github.com/<developerName>/<repoName>/wiki)
If the project has been forked, the Wiki was likely removed. Luckily, I include an embedded version. You can view it [here](/External/ProjectWiki/).
***
## History
Write about this projects history here.
### Pre-history
No pre-history to show for this project.
### Alpha history
No Alpha history to show for this project.
### Beta history
No Beta history to show for this project.
### Modern history
No Modern history to show for this project.
***
## Copying
View the copying license for this project [here](/COPYING) (if you haven't built the project yet with the makefile, here is the original link: [COPYINGL](/COPYINGL)
Please note that you also have to follow the rules of the GNU General Public License v3 (GPL3) which you can view [here](/LICENSE.txt)
***
## Credits
View the credits file for this project and see the people who got together to make this project by [clicking/tapping here](/CREDITS)
***
## Installation
View the installation instructions file for this project [here](/INSTALL)
Requirements: Read the instructions for more info, and get the latest up-to-date instructions [here](https://gist.github.com/seanpm2001/745564a46186888e829fdeb9cda584de)
***
## Sponsor info

You can sponsor this project if you like, but please specify what you want to donate to. [See the funds you can donate to here](https://github.com/seanpm2001/Sponsor-info/tree/main/For-sponsors/)
You can view other sponsor info [here](https://github.com/seanpm2001/Sponsor-info/)
Try it out! The sponsor button is right up next to the watch/unwatch button.
***
## Version history
**Version history currently unavailable**
**No other versions listed**
***
## Software status
All of my works are free some restrictions. DRM (**D**igital **R**estrictions **M**anagement) is not present in any of my works.

This sticker is supported by the Free Software Foundation. I never intend to include DRM in my works.
I am using the abbreviation "Digital Restrictions Management" instead of the more known "Digital Rights Management" as the common way of addressing it is false, there are no rights with DRM. The spelling "Digital Restrictions Management" is more accurate, and is supported by [Richard M. Stallman (RMS)](https://en.wikipedia.org/wiki/Richard_Stallman) and the [Free Software Foundation (FSF)](https://en.wikipedia.org/wiki/Free_Software_Foundation)
This section is used to raise awareness for the problems with DRM, and also to protest it. DRM is defective by design and is a major threat to all computer users and software freedom.
Image credit: [defectivebydesign.org/drm-free/...](https://www.defectivebydesign.org/drm-free/how-to-use-label/)
***
## Contributers
Currently, I am the only contributer. Contributing is allowed, as long as you follow the rules of the [CONTRIBUTING.md](/CONTRIBUTING.md) file.
> * 1. [seanpm2001](https://github.com/seanpm2001/) - x commits (As of Yr, DoW, Month, DoM, at ##:## a/pm)
> * 2. No other contributers.
***
## Issues
### Current issues
* None at the moment
* No other current issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past issues
* None at the moment
* No other past issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past pull requests
* None at the moment
* No other past pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Active pull requests
* None at the moment
* No other active pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
***
## Resources
Here are some other resources for this project:
[Project language file A](PROJECT_LANG_1.<fileExtensionForProgrammingLanguage>)
[Join the discussion on GitHub](https://github.com/<developerName>/<repoName>/discussions)
No other resources at the moment.
***
## Contributing
Contributing is allowed for this project, as long as you follow the rules of the `CONTRIBUTING.md` file.
[Click/tap here to view the contributing rules for this project](/CONTRIBUTING.md)
***
## About README
**File type:** `Markdown Document (*.md *.mkd *.markdown)`
**File version:** `0.1.6 (Monday, August 23rd 2021 at 6:37 pm)`
**Line count (including blank lines and compiler line):** `0,407`
***
## README version history
Version 0.1 (Sunday, March 21st 2021 at 7:50 pm)
> Changes:
> * Started the file
> * Added the title section
> * Added the index
> * Added the about section
> * Added the Wiki section
> * Added the version history section
> * Added the issues section.
> * Added the past issues section
> * Added the past pull requests section
> * Added the active pull requests section
> * Added the contributors section
> * Added the contributing section
> * Added the about README section
> * Added the README version history section
> * Added the resources section
> * Added a software status section, with a DRM free sticker and message
> * Added the sponsor info section
**ITERATION 5**
> * Updated the title section
> * Updated the index
> * Added the history section
> * Updated the file info section
> * Updated the file history section
**ITERATION 6**
> * Updated the title section
> * Fixed and update template links
> * Updated the index
> * Added the copying section
> * Added the credits section
> * Added the installation section
> * Updated the resources section
> * Updated the contributors section
> * Added the technical notes section
> * Updated the footer
> * Updated the file info section
> * Updated the file history section
> * No other changes in version 0.1
Version 1 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 1
Version 2 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 2
***
### You have reached the end of the README file
( [Back to top](#Top) | [Exit to GitHub](https://github.com) | [Exit to Bing](https://www.bing.com/) | [Exit to DuckDuckGo](https://duckduckgo.com/) | [Exit to Ecosia](https://www.ecosia.org) )
### EOF
***
| 📥️🛢️📧️📖️ The official source repository for the EMAIL 2.0 SpamCan (Spam folder) specification | docs,documentation,email2,email2-development,email2-project,gpl3,gplv3,javascript,javascript-lang,javascript-language | 2023-09-18T01:10:43Z | 2023-09-18T02:06:58Z | null | 1 | 0 | 18 | 0 | 1 | 2 | null | GPL-3.0 | JavaScript |
seanpm2001/EMAIL_2.0_TackleBox | EMAIL_2.0_TackleBox_Main-dev |
***
# <projectName>

# By:
<!--  !-->
## [Seanpm2001](https://github.com/seanpm2001/), [<developerName>](https://github.com/<developerName>/) Et; Al.
### Top
# `README.md`
***
## Read this article in a different language
**Sorted by:** `A-Z`
[Sorting options unavailable](https://github.com/<developerName>/<repoName>)
( [af Afrikaans](/.github/README_AF.md) Afrikaans | [sq Shqiptare](/.github/README_SQ.md) Albanian | [am አማርኛ](/.github/README_AM.md) Amharic | [ar عربى](/.github/README_AR.md) Arabic | [hy հայերեն](/.github/README_HY.md) Armenian | [az Azərbaycan dili](/.github/README_AZ.md) Azerbaijani | [eu Euskara](/.github/README_EU.md) Basque | [be Беларуская](/.github/README_BE.md) Belarusian | [bn বাংলা](/.github/README_BN.md) Bengali | [bs Bosanski](/.github/README_BS.md) Bosnian | [bg български](/.github/README_BG.md) Bulgarian | [ca Català](/.github/README_CA.md) Catalan | [ceb Sugbuanon](/.github/README_CEB.md) Cebuano | [ny Chichewa](/.github/README_NY.md) Chichewa | [zh-CN 简体中文](/.github/README_ZH-CN.md) Chinese (Simplified) | [zh-t 中國傳統的)](/.github/README_ZH-T.md) Chinese (Traditional) | [co Corsu](/.github/README_CO.md) Corsican | [hr Hrvatski](/.github/README_HR.md) Croatian | [cs čeština](/.github/README_CS.md) Czech | [da dansk](README_DA.md) Danish | [nl Nederlands](/.github/README_NL.md) Dutch | [**en-us English**](/.github/README.md) English | [EO Esperanto](/.github/README_EO.md) Esperanto | [et Eestlane](/.github/README_ET.md) Estonian | [tl Pilipino](/.github/README_TL.md) Filipino | [fi Suomalainen](/.github/README_FI.md) Finnish | [fr français](/.github/README_FR.md) French | [fy Frysk](/.github/README_FY.md) Frisian | [gl Galego](/.github/README_GL.md) Galician | [ka ქართველი](/.github/README_KA) Georgian | [de Deutsch](/.github/README_DE.md) German | [el Ελληνικά](/.github/README_EL.md) Greek | [gu ગુજરાતી](/.github/README_GU.md) Gujarati | [ht Kreyòl ayisyen](/.github/README_HT.md) Haitian Creole | [ha Hausa](/.github/README_HA.md) Hausa | [haw Ōlelo Hawaiʻi](/.github/README_HAW.md) Hawaiian | [he עִברִית](/.github/README_HE.md) Hebrew | [hi हिन्दी](/.github/README_HI.md) Hindi | [hmn Hmong](/.github/README_HMN.md) Hmong | [hu Magyar](/.github/README_HU.md) Hungarian | [is Íslenska](/.github/README_IS.md) Icelandic | [ig Igbo](/.github/README_IG.md) Igbo | [id bahasa Indonesia](/.github/README_ID.md) Icelandic | [ga Gaeilge](/.github/README_GA.md) Irish | [it Italiana/Italiano](/.github/README_IT.md) | [ja 日本語](/.github/README_JA.md) Japanese | [jw Wong jawa](/.github/README_JW.md) Javanese | [kn ಕನ್ನಡ](/.github/README_KN.md) Kannada | [kk Қазақ](/.github/README_KK.md) Kazakh | [km ខ្មែរ](/.github/README_KM.md) Khmer | [rw Kinyarwanda](/.github/README_RW.md) Kinyarwanda | [ko-south 韓國語](/.github/README_KO_SOUTH.md) Korean (South) | [ko-north 문화어](README_KO_NORTH.md) Korean (North) (NOT YET TRANSLATED) | [ku Kurdî](/.github/README_KU.md) Kurdish (Kurmanji) | [ky Кыргызча](/.github/README_KY.md) Kyrgyz | [lo ລາວ](/.github/README_LO.md) Lao | [la Latine](/.github/README_LA.md) Latin | [lt Lietuvis](/.github/README_LT.md) Lithuanian | [lb Lëtzebuergesch](/.github/README_LB.md) Luxembourgish | [mk Македонски](/.github/README_MK.md) Macedonian | [mg Malagasy](/.github/README_MG.md) Malagasy | [ms Bahasa Melayu](/.github/README_MS.md) Malay | [ml മലയാളം](/.github/README_ML.md) Malayalam | [mt Malti](/.github/README_MT.md) Maltese | [mi Maori](/.github/README_MI.md) Maori | [mr मराठी](/.github/README_MR.md) Marathi | [mn Монгол](/.github/README_MN.md) Mongolian | [my မြန်မာ](/.github/README_MY.md) Myanmar (Burmese) | [ne नेपाली](/.github/README_NE.md) Nepali | [no norsk](/.github/README_NO.md) Norwegian | [or ଓଡିଆ (ଓଡିଆ)](/.github/README_OR.md) Odia (Oriya) | [ps پښتو](/.github/README_PS.md) Pashto | [fa فارسی](/.github/README_FA.md) |Persian [pl polski](/.github/README_PL.md) Polish | [pt português](/.github/README_PT.md) Portuguese | [pa ਪੰਜਾਬੀ](/.github/README_PA.md) Punjabi | No languages available that start with the letter Q | [ro Română](/.github/README_RO.md) Romanian | [ru русский](/.github/README_RU.md) Russian | [sm Faasamoa](/.github/README_SM.md) Samoan | [gd Gàidhlig na h-Alba](/.github/README_GD.md) Scots Gaelic | [sr Српски](/.github/README_SR.md) Serbian | [st Sesotho](/.github/README_ST.md) Sesotho | [sn Shona](/.github/README_SN.md) Shona | [sd سنڌي](/.github/README_SD.md) Sindhi | [si සිංහල](/.github/README_SI.md) Sinhala | [sk Slovák](/.github/README_SK.md) Slovak | [sl Slovenščina](/.github/README_SL.md) Slovenian | [so Soomaali](/.github/README_SO.md) Somali | [[es en español](/.github/README_ES.md) Spanish | [su Sundanis](/.github/README_SU.md) Sundanese | [sw Kiswahili](/.github/README_SW.md) Swahili | [sv Svenska](/.github/README_SV.md) Swedish | [tg Тоҷикӣ](/.github/README_TG.md) Tajik | [ta தமிழ்](/.github/README_TA.md) Tamil | [tt Татар](/.github/README_TT.md) Tatar | [te తెలుగు](/.github/README_TE.md) Telugu | [th ไทย](/.github/README_TH.md) Thai | [tr Türk](/.github/README_TR.md) Turkish | [tk Türkmenler](/.github/README_TK.md) Turkmen | [uk Український](/.github/README_UK.md) Ukrainian | [ur اردو](/.github/README_UR.md) Urdu | [ug ئۇيغۇر](/.github/README_UG.md) Uyghur | [uz O'zbek](/.github/README_UZ.md) Uzbek | [vi Tiếng Việt](/.github/README_VI.md) Vietnamese | [cy Cymraeg](/.github/README_CY.md) Welsh | [xh isiXhosa](/.github/README_XH.md) Xhosa | [yi יידיש](/.github/README_YI.md) Yiddish | [yo Yoruba](/.github/README_YO.md) Yoruba | [zu Zulu](/.github/README_ZU.md) Zulu ) Available in 110 languages (108 when not counting English and North Korean, as North Korean has not been translated yet [Read about it here](/OldVersions/Korean(North)/README.md))
Translations in languages other than English are machine translated and are not yet accurate. No errors have been fixed yet as of March 21st 2021. Please report translation errors [here](https://github.com/<developerName>/<repoName>/issues/). Make sure to backup your correction with sources and guide me, as I don't know languages other than English well (I plan on getting a translator eventually) please cite [wiktionary](https://en.wiktionary.org) and other sources in your report. Failing to do so will result in a rejection of the correction being published.
Note: due to limitations with GitHub's interpretation of markdown (and pretty much every other web-based interpretation of markdown) clicking these links will redirect you to a separate file on a separate page that isn't the intended page. You will be redirected to the [.github folder](/.github/) of this project, where the README translations are hosted.
Translations are currently done with Bing translate and DeepL. Support for Google Translate translations is coming to a close due to privacy concerns.
***
# Index
[00.0 - Top](#Top)
> [00.1 - Title](#<projectName>)
> [00.2 - Read this article in a different language](#Read-this-article-in-a-different-language)
> [00.3 - Index](#Index)
[01.0 - Description](#RepositoryName)
[02.0 - About](#About)
[03.0 - Wiki](#Wiki)
[04.0 - History](#History)
> [04.1 - Pre-history](#Pre-history)
> [04.2 - Alpha History](#Alpha-history)
> [04.3 - Beta History](#Beta-history)
> [04.4 - Modern History](#Modern-history)
[05.0 - Copying](#Copying)
[06.0 - Credits](#Credits)
[07.0 - Installation](#Installation)
[08.0 - Version history](#Version-history)
[09.0 - Version history](#Version-history)
[10.0 - Software status](#Software-status)
[11.0 - Sponsor info](#Sponsor-info)
[12.0 - Contributers](#Contributers)
[13.0 - Issues](#Issues)
> [13.1 - Current issues](#Current-issues)
> [13.2 - Past issues](#Past-issues)
> [13.3 - Past pull requests](#Past-pull-requests)
> [13.4 - Active pull requests](#Active-pull-requests)
[14.0 - Resources](#Resources)
[15.0 - Contributing](#Contributing)
[16.0 - About README](#About-README)
[17.0 - README Version history](#README-version-history)
[18.0 - Footer](#You-have-reached-the-end-of-the-README-file)
> [18.9 - End of file](#EOF)
***
# <repoName>
<repo_description>
***
## About
See above. <extendedRepoDescription>
***
## Wiki
[Click/tap here to view this projects Wiki](https://github.com/<developerName>/<repoName>/wiki)
If the project has been forked, the Wiki was likely removed. Luckily, I include an embedded version. You can view it [here](/External/ProjectWiki/).
***
## History
Write about this projects history here.
### Pre-history
No pre-history to show for this project.
### Alpha history
No Alpha history to show for this project.
### Beta history
No Beta history to show for this project.
### Modern history
No Modern history to show for this project.
***
## Copying
View the copying license for this project [here](/COPYING) (if you haven't built the project yet with the makefile, here is the original link: [COPYINGL](/COPYINGL)
Please note that you also have to follow the rules of the GNU General Public License v3 (GPL3) which you can view [here](/LICENSE.txt)
***
## Credits
View the credits file for this project and see the people who got together to make this project by [clicking/tapping here](/CREDITS)
***
## Installation
View the installation instructions file for this project [here](/INSTALL)
Requirements: Read the instructions for more info, and get the latest up-to-date instructions [here](https://gist.github.com/seanpm2001/745564a46186888e829fdeb9cda584de)
***
## Sponsor info

You can sponsor this project if you like, but please specify what you want to donate to. [See the funds you can donate to here](https://github.com/seanpm2001/Sponsor-info/tree/main/For-sponsors/)
You can view other sponsor info [here](https://github.com/seanpm2001/Sponsor-info/)
Try it out! The sponsor button is right up next to the watch/unwatch button.
***
## Version history
**Version history currently unavailable**
**No other versions listed**
***
## Software status
All of my works are free some restrictions. DRM (**D**igital **R**estrictions **M**anagement) is not present in any of my works.

This sticker is supported by the Free Software Foundation. I never intend to include DRM in my works.
I am using the abbreviation "Digital Restrictions Management" instead of the more known "Digital Rights Management" as the common way of addressing it is false, there are no rights with DRM. The spelling "Digital Restrictions Management" is more accurate, and is supported by [Richard M. Stallman (RMS)](https://en.wikipedia.org/wiki/Richard_Stallman) and the [Free Software Foundation (FSF)](https://en.wikipedia.org/wiki/Free_Software_Foundation)
This section is used to raise awareness for the problems with DRM, and also to protest it. DRM is defective by design and is a major threat to all computer users and software freedom.
Image credit: [defectivebydesign.org/drm-free/...](https://www.defectivebydesign.org/drm-free/how-to-use-label/)
***
## Contributers
Currently, I am the only contributer. Contributing is allowed, as long as you follow the rules of the [CONTRIBUTING.md](/CONTRIBUTING.md) file.
> * 1. [seanpm2001](https://github.com/seanpm2001/) - x commits (As of Yr, DoW, Month, DoM, at ##:## a/pm)
> * 2. No other contributers.
***
## Issues
### Current issues
* None at the moment
* No other current issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past issues
* None at the moment
* No other past issues
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Past pull requests
* None at the moment
* No other past pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
### Active pull requests
* None at the moment
* No other active pull requests
If the repository has been forked, issues likely have been removed. Luckily I keep an archive of certain images [here](/.github/Issues/)
[Read the privacy policy on issue archival here](/.github/Issues/README.md)
**TL;DR**
I archive my own issues. Your issue won't be archived unless you request it to be archived.
***
## Resources
Here are some other resources for this project:
[Project language file A](PROJECT_LANG_1.<fileExtensionForProgrammingLanguage>)
[Join the discussion on GitHub](https://github.com/<developerName>/<repoName>/discussions)
No other resources at the moment.
***
## Contributing
Contributing is allowed for this project, as long as you follow the rules of the `CONTRIBUTING.md` file.
[Click/tap here to view the contributing rules for this project](/CONTRIBUTING.md)
***
## About README
**File type:** `Markdown Document (*.md *.mkd *.markdown)`
**File version:** `0.1.6 (Monday, August 23rd 2021 at 6:37 pm)`
**Line count (including blank lines and compiler line):** `0,407`
***
## README version history
Version 0.1 (Sunday, March 21st 2021 at 7:50 pm)
> Changes:
> * Started the file
> * Added the title section
> * Added the index
> * Added the about section
> * Added the Wiki section
> * Added the version history section
> * Added the issues section.
> * Added the past issues section
> * Added the past pull requests section
> * Added the active pull requests section
> * Added the contributors section
> * Added the contributing section
> * Added the about README section
> * Added the README version history section
> * Added the resources section
> * Added a software status section, with a DRM free sticker and message
> * Added the sponsor info section
**ITERATION 5**
> * Updated the title section
> * Updated the index
> * Added the history section
> * Updated the file info section
> * Updated the file history section
**ITERATION 6**
> * Updated the title section
> * Fixed and update template links
> * Updated the index
> * Added the copying section
> * Added the credits section
> * Added the installation section
> * Updated the resources section
> * Updated the contributors section
> * Added the technical notes section
> * Updated the footer
> * Updated the file info section
> * Updated the file history section
> * No other changes in version 0.1
Version 1 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 1
Version 2 (Coming soon)
> Changes:
> * Coming soon
> * No other changes in version 2
***
### You have reached the end of the README file
( [Back to top](#Top) | [Exit to GitHub](https://github.com) | [Exit to Bing](https://www.bing.com/) | [Exit to DuckDuckGo](https://duckduckgo.com/) | [Exit to Ecosia](https://www.ecosia.org) )
### EOF
***
| 📥️🧰️📧️ The official source repository for the EMAIL 2.0 TackleBox (Phishing containment box) specification. | email-revolution,email-update,email2,email2-development,email2-project,gpl3,gplv3,javascript,javascript-lang,javascript-language | 2023-09-17T02:32:13Z | 2023-09-17T03:17:30Z | null | 1 | 0 | 18 | 0 | 1 | 2 | null | GPL-3.0 | JavaScript |
Vidhi2604/Meditation-App | main | # Meditation-App | null | css,html,javascript | 2023-10-04T16:52:10Z | 2023-10-05T13:46:43Z | null | 1 | 0 | 15 | 0 | 0 | 2 | null | null | JavaScript |
Kumardinesh1908/Tic-Tac-Toe | main | # Tic-Tac-Toe :video_game:
A simple JavaScript implementation of the classic Tic-Tac-Toe game.
<img src="/tic-tac.png">
## Features:fire:
:tv: Play Tic-Tac-Toe on a 3x3 grid.<br>
:tv: Two players take turns placing 'X' and 'O' symbols.<br>
:tv: The game detects winning combinations.<br>
:tv: It handles draws when all cells are filled.<br>
:tv: Provides a reset option to start a new game.<br>
:tv: Simple and responsive web interface.<br>
:tv: Easy-to-understand code structure.<br>
## Tech Stack :computer:
:clapper: **HTML** <br>
:clapper: **CSS** <br>
:clapper: **JavaScript** <br>
## What I Learned
This project helped me to understand the practical use cases of JavaScript and build a strong foundation in JavaScript development.
## Installation :notebook:
To install the Tic-Tac-Toe, use git:
```
git clone https://github.com/Kumardinesh1908/Tic-Tac-Toe.git
```
To deploy this project, simply open the index.html file in your browser.
## Enjoy playing Tic-Tac-Toe! :smiley:
#### `https://kumardinesh1908.github.io/Tic-Tac-Toe/`
| This is a simple JavaScript implementation of the classic Tic-Tac-Toe game. | css3,html5,javascript | 2023-09-26T17:31:39Z | 2023-10-09T23:24:32Z | null | 1 | 0 | 7 | 0 | 0 | 2 | null | null | JavaScript |
Alexandrbig1/e-book | main | null | Responsive landing page (E-book) | bootstrap5,css3,frontend,html-css-javascript,html5,javascript,sass,webdevelopment | 2023-09-12T20:18:01Z | 2023-09-13T01:22:59Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | HTML |
daniel-oliv3/reactjs_search-cards-pagination | main | null | Projeto desenvolvido com ReactJS, paginação de cards com pesquisa na lista de cards | reactjs,javascript,typescript | 2023-10-04T13:21:30Z | 2023-10-04T13:33:57Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
sonyarianto/webscrapingjs | main | # webscrapingjs
Scraping the web with confident.
## Introduction
`webscrapingjs` goals is to create as many as scraper scripts from various topics/categories and web sources. It's like a collection of scraper scripts targeting various web.
## How to run
On this directory, run the following command:
```bash
npm install
```
This will install all the dependencies needed to run the project and create a `node_modules` directory.
We provide quick example `example.ts` and you can try that by running this command.
```js
npx jiti example.ts
```
Note: jiti is my favorite runtime TypeScript and ESM support for Node.
Here is the sample of the results.
```json
[
{
"_internal_page": 1,
"title": "Bertemu PM Azerbaijan, MenPAN-RB: Kita Akan Terus Perkuat Kolaborasi",
"link": "https://news.detik.com/berita/d-6975988/bertemu-pm-azerbaijan-menpan-rb-kita-akan-terus-perkuat-kolaborasi",
"image_url_on_list": "https://awsimages.detik.net.id/community/media/visual/2023/10/11/kemenpan-rb-1_43.jpeg?w=210&q=90",
"image_url_on_list_2": "https://awsimages.detik.net.id/community/media/visual/2023/10/11/kemenpan-rb-1_43.jpeg",
"image_url_on_detail": "https://awsimages.detik.net.id/api/wm/2023/10/11/kemenpan-rb-1_169.jpeg?wid=54&w=650&v=1&t=jpeg",
"image_url_on_detail_2": "https://awsimages.detik.net.id/api/wm/2023/10/11/kemenpan-rb-1_169.jpeg",
"local_category": "Berita",
"local_tags": [
"kemenpanrb",
"kemenpan rb"
],
"authors": [
"Hana Nushratu Uzma"
],
"short_description": "Menteri Pendayagunaan Aparatur Negara dan Reformasi Birokrasi (MenPAN-RB) Abdullah Azwar Anas bertemu Perdana Menteri (PM) Azerbaijan Ali Asadov di Baku.",
"published_datetime": "2023-10-11T09:15:30+07:00",
"published_datetime_utc": "2023-10-11T02:15:30.000Z",
"_internal_index": 8
}
]
```
As you can see the script basically call the `scrape()` function on the imported module. You can extend the logic by saving the results to database or any further processing logic.
## Testing
We are using Vitest for running test. The test purpose is very crucial here to detect any possible problem on each scraper script. If there are failed tests means we have to pay attention to that problem because maybe there are changes on the source website (DOM structure, class name changes, selector ID changes etc).
```bash
npm run test
# or target specific directory that contains phrase
# npm run test -- detik_com
```
## Scraping techniques
Each script usually will use various technique to do the scraping. Here are the list of techniques that we use:
- [x] Scraping using fetch API and JSDOM (for non JavaScript rendered website)
## Questions and professional services
If you have any questions, please drop an issue on this repository. Professional support and consulting is also available, please contact me at <<sony@sony-ak.com>>.
## Sponsor
If you like this project, please consider to sponsor me on this repository. Your sponsorship will help us to maintain this project and create more open source projects in the future. Thank you.
## License
MIT
Maintained by Sony Arianto Kurniawan <<sony@sony-ak.com>> and contributors.
| Scraping the web with confident. | javascript,playwright,scraper,scraping,typescript,web-scraping | 2023-10-04T14:30:50Z | 2023-10-11T15:06:25Z | null | 1 | 0 | 20 | 0 | 0 | 2 | null | MIT | TypeScript |
kailashchoudhary11/LeetConnect | main | # LeetConnect

## Ever wished you could do this on LeetCode?
- Follow someone on LeetCode but couldn't find a way?
- Keep an eye on your friends' LeetCode progress without hassle?
- Follow LeetCode experts and unravel their secret coding techniques?
If you've ever pondered these questions, the solution is here! Introducing LeetConnect, a powerful browser extension tailored for LeetCode enthusiasts. LeetConnect empowers you to effortlessly follow other LeetCode users, explore their profiles, and unlock valuable insights into their coding strategies. Whether you want to stay connected with friends, track your favorite experts, or tap into a vibrant coding community, LeetConnect is your gateway to a richer LeetCode experience.
## Features
- **Follow Users:** Stay in the loop with your friends' achievements and track LeetCode wizards.
- **User Profiles:** Dive deep into user profiles, uncovering their solved problems and ingenious solutions.
- **Search Solutions:** Seek out specific problems and dissect diverse coding approaches for inspiration.
- **Continuous Improvements:** We're dedicated to enhancing LeetConnect with exciting new features that will make your LeetCode journey even more captivating and insightful.
<!-- ## Installation
1. Download the LeetConnect extension from the [Chrome Web Store](link-to-chrome-web-store).
2. Install the extension in your Chrome browser.
## Usage
1. After installation, click on the LeetConnect extension icon in your browser.
2. Log in to your LeetCode account (if not already logged in).
3. Start following other users and exploring their profiles and solutions. -->
## Contributing
We welcome contributions from the open-source community! If you have ingenious ideas for new features, clever improvements, or pesky bugs to squash, please [open an issue](https://github.com/kailashchoudhary11/leetconnect/issues) and discuss with us.
Before contributing, please review our [Contribution Guidelines](CONTRIBUTING.md) for detailed instructions on how to get started with development, set up your local environment, and submit your contributions.
Your contributions are valuable, and we appreciate your help in making LeetConnect even better!
## License
This project is licensed under the MIT License - see the [LICENSE](LICENSE.md) file for all the nitty-gritty details.
## Contact
Got questions or ideas to share? Don't hesitate to reach out to us at [Discord](https://discordapp.com/users/844025480687386695).
---
Ready to elevate your LeetCode experience? Dive into LeetConnect and unlock a world of coding possibilities. Happy coding!
| A powerful browser extension tailored for LeetCode enthusiasts | browser-extension,django,hacktoberfest,javascript,python,react,ui,ux | 2023-10-01T21:04:13Z | 2023-10-18T05:10:41Z | null | 3 | 13 | 64 | 1 | 5 | 2 | null | MIT | Python |
Muhammad-Rebaal/NASA-App-Habitable-Planets | main | # NASA-App-Habitable-Planets
It's built on top of Node.js
I used Keppler's formula to avaluate Equilibrium Temprature | null | hacktoberfest,javascript | 2023-10-01T12:10:46Z | 2023-10-03T14:51:46Z | null | 2 | 5 | 13 | 0 | 1 | 2 | null | null | JavaScript |
daniel-oliv3/React_js-e-Next_js | main | ##
### ReactJS & NextJS - (Intermediário e Avançado)
##
<p align="center">
<img alt="...." src="./1 Seção - Introdução/pngwing.com.png" width="60%">
</p>
**Seção 1: Introdução**
**Seção 2: React (O Básico)**
**Seção 3: Mock Service Worker e Testes para < Home /> (Testes Avançados)**
**Seção 4: React Hooks (Teoria e hooks avançados)**
**Seção 5: Roteamento com React Router Dom v5 (Básico)**
**Seção 6: React Router Dom v6**
**Seção 7: Projeto 1: Landing pages com Strapi e PostgreSQL (Back-end)**
**Seção 8: Projeto 1: Landing pages com React (Front-end)**
**Seção 9: Projeto 1: Landing pages - Deploy (Strapi v4)**
**Seção 10: Next.Js com SSR, SSG e ISR (ou ISG)**
**Seção 11: Migrando o Next.js para TypeScript**
**Seção 12: Usando create-next-app --example**
**Seção 13: Projeto 2: Blog - Back-End com Strapi**
**Seção 14: GraphQL Queries com Strapi**
**Seção 15: Projeto 2: Blog - Front-End com Next.js (e React.js)**
**Seção 16: Autenticação de usuários com Strapi**
**Seção 17: GraphQL Mutations com Strapi**
**Seção 18: Autenticação de usuário com Next.js e NextAuth.js**
**Seção 19: HTML5 e CSS3 (Para iniciantes)**
**Seção 20: Landing Page com HTML5 e CSS3**
**Seção 21: JavaScript Essencial**
**Seção 22: TypeScript Essencial**
**Seção 23: Comandos Linus/Unix mais usados - Aprenda a nevegar pelo terminal**
**Seção 24: Conclusão e certificado**
| ReactJS & NextJS - (Intermediário e Avançado) - Aprenda ReactJS, NextJS, Styled-Components, Testes com Jest , Storybook, Strapi, HTML e CSS com TypeScript e JavaScript. | javascript,nextjs,reactjs,css,html,typescript | 2023-09-22T13:40:02Z | 2023-10-30T14:17:59Z | null | 1 | 0 | 88 | 0 | 0 | 2 | null | null | JavaScript |
PascalZagarolo/Udemy-Clone | 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
# or
bun 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.
| Udemy-Clone | classroom,clerkauth,javascript,mux,mysql,shadcn-ui,tailwindcss,typescript,udemy | 2023-10-10T13:05:20Z | 2024-02-12T14:07:31Z | null | 1 | 0 | 259 | 0 | 0 | 2 | null | null | TypeScript |
nidhish-nayak/nidhish-blog | main | # Personal Blog
This is a personal blog website built using the Astro MPA (Multi Page Application) framework. This project is designed to help me create and manage my blog content efficiently, with a clean and minimalistic design. Whether you're a writer, blogger, or content creator, you can use this as a template.

## Features
- **Astro MPA Framework:** Nidhish Blog is built on top of the Astro MPA framework, which allows for fast loading times and optimal performance.
- **Modular Components:** The project is structured with reusable and modular components, making it easy to add, edit, or customize the content.
- **Responsive Design:** The blog is designed to be responsive, ensuring a great user experience on various devices and screen sizes.
- **Markdown Support:** Write your blog posts using Markdown, a popular and easy-to-use markup language.
- **Tailwind CSS** Customize the styling of your blog with tailwindcss.
## Project Structure
Here's an overview of the project's directory structure:
```
nidhish-blog/
│
├── public/
│ ├── robots.txt
│ ├── favicon.svg
│ ├── social-image.png
│
├── src/
│ ├── components/
│ │ ├── Header.astro
│ │ ├── Button.jsx
│ │
│ ├── layouts/
│ │ ├── PostLayout.astro
│ │
│ ├── pages/
│ │ ├── posts/
│ │ │ ├── post1.md
│ │ │ ├── post2.md
│ │ │ ├── post3.md
│ │ ├── index.astro
│ │
│ ├── styles/
│ │ ├── global.css
│
├── astro.config.mjs
├── package.json
├── tsconfig.json
```
## Getting Started
To get started with Nidhish Blog, follow these steps:
1. **Clone the Repository:**
```bash
git clone https://github.com/nidhish-nayak/nidhish-blog.git
cd nidhish-blog
```
2. **Install Dependencies:**
```bash
pnpm install
```
3. **Run the Development Server:**
```bash
pnpm run dev
```
4. **Start Writing:**
- Add your blog posts as Markdown files inside the `src/pages/posts` directory.
- Customize the look and feel of your blog by editing the `global.css` file in the `src/styles` directory.
- Modify or create components to suit your needs in the `src/components` directory.
5. **Build for Production:**
When you're ready to deploy your blog, run the following command to build the project for production:
```bash
pnpm run build
```
## Customization
Feel free to customize this project to your liking. Here are a few areas you can consider customizing:
- **Styling:** Edit the `global.css` file to change the colors, typography, and overall appearance of your blog.
- **Layout:** Modify the `PostLayout.astro` file to change the layout of individual blog posts.
- **Components:** Create new components or customize existing ones in the `src/components` directory.
## Feedback and Contributions
If you have any feedback, bug reports, or feature requests, please feel free to open an issue on this GitHub repository. Contributions are also welcome, so if you have ideas for improvements, don't hesitate to submit a pull request.
## License
This project is licensed under the MIT License - see the [LICENSE.md](LICENSE.md) file for details.
## Astro Starter Kit: Minimal
You can also use Astro starter kit to get a minimal blog template to start with.
```sh
npm create astro@latest -- --template minimal
```
[](https://stackblitz.com/github/withastro/astro/tree/latest/examples/minimal)
[](https://codesandbox.io/p/sandbox/github/withastro/astro/tree/latest/examples/minimal)
[](https://codespaces.new/withastro/astro?devcontainer_path=.devcontainer/minimal/devcontainer.json)
> 🧑🚀 **Seasoned astronaut?** Delete this file. Have fun!
## 🚀 Project Structure
Inside of your Astro project, you'll see the following folders and files:
```text
/
├── public/
├── src/
│ └── 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:4321` |
| `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).
| My personal blog using Astro framework. Integrated with typescript & preact. A better way of lazy loading images is also implemented for faster render times. | astro,blog,markdown,preact,ssr,typescript,javascript,lazyload-images | 2023-09-29T23:16:59Z | 2023-12-29T11:49:55Z | null | 1 | 6 | 92 | 0 | 0 | 2 | null | null | Astro |
Refloow/Steam-Script-Auth | main | # Steam-Script-Auth
❤️ Steam Desktop Authenticator in a script format allowing SDA accounts that have maFile secret codes to confirm all pending confirmation trade offers on run built by @Refloow
### `Read this page before asking any questions`
> **[Setup-Guide](https://github.com/Refloow/Steam-Script-Auth#how-to-setup)**<br>
> **[Join our DISCORD](discord.gg/4enDY8yhuS)**<br>
<p align="center">
<img width="264.6" height="154" src="https://i.imgur.com/PUCBfA6.png">
</p>
<br>
<br>
<p align= "center">
<img src="https://img.shields.io/github/package-json/v/Refloow/Steam-Script-Auth.svg" alt="GitHub package version">
</a>
<a href="https://github.com/Refloow/Steam-Script-Auth/network" target="_blank">
<img src="https://img.shields.io/github/forks/Refloow/Steam-Script-Auth.svg?style=plastic" alt="GitHub forks">
</a>
<a href="https://github.com/Refloow/Steam-Script-Auth/stargazers" target="_blank">
<img src="https://img.shields.io/github/stars/Refloow/Steam-Script-Auth.svg?style=plastic" alt="GitHub stars">
</a>
<a href="https://raw.githubusercontent.com/Refloow/Steam-Script-Auth/master/LICENSE">
<img src="https://img.shields.io/badge/license-MIT-blue.svg?style=plastic" alt="GitHub license">
</a>
<a href="https://discord.gg/XxvjjPs" target="_blank">
<img src="https://img.shields.io/discord/690327113039085600" alt="Support">
</a>
<a href="https://en.wikipedia.org/wiki/Node.js" target="_blank">
<img src="https://img.shields.io/badge/Uses-Node.js-green" alt="Language">
</a>
<a href="https://en.wikipedia.org/wiki/JavaScript" target="_blank">
<img src="https://img.shields.io/badge/language-JavaScript-yellow.svg" alt="Language">
</a>
<a href="https://steamcommunity.com/tradeoffer/new/?partner=392773011&token=CncehZti" target="_blank">
<img src="https://img.shields.io/badge/steam-donate-yellow.svg" alt="Steam">
</a>
</p>
<p align= "center">
<a href="https://refloow.com/cdonate" target="_blank">
<img src="https://img.shields.io/badge/-CRYPTO%20Donations-red">
</a>
</p>
<h3 align= "center"> Leave a star, we push updates based on activity, join official discord: https://discord.gg/XZtwJ4WW6T </h3>
# Note:
<hr>
**To everyone who plan to sell our project by stating that they coded it or that they sell edited version.**<br>
**Project is licensed under the MIT license**<br>
### "`The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.`"<br>
<br>
This means that if you plan to sell our project to make quick buck please keep the copyright notice and copy of original license. <br>
**In case of breaking licensing terms we may take legal charges against you.**
Project is made open source and **free for all.**<br>
**We cant prohibit reselling of our project but if you do please follow the licensing terms.**<br>
<br>
<hr>
# How to setup
> **[Setup-Guide](https://github.com/Refloow/Steam-Script-Auth/wiki)**<br>
# DISCORD Support Server
**https://discord.gg/XxvjjPs**
<hr>
# Support the project
- **If you like the project and the fact that is free you can support us by giving an donation.**
- We are accepting donations:
1. Crypto: https://refloow.com/cdonate
2. Steam: https://steamcommunity.com/tradeoffer/new/?partner=994828078&token=XEUdbqp6
<hr>
# Want Improvements ?
If you have some private requests feel free to contact main dev : https://steamcommunity.com/id/MajokingGames/<br>
**Note that we wont add any platform breaking TOS Modifications to any of our existing or requested projects**
<hr>
# Stars over time
[](https://starchart.cc/Refloow/Steam-Script-Auth)
| ❤️ Steam Desktop Authenticator in a script format allowing SDA accounts that have maFile secret codes to confirm all pending confirmation trade offers on run built by @Refloow | authenticator,bot,free,javascript,node,nodejs,refloow,steam-desktop-authenticator,steambot | 2023-09-12T13:37:00Z | 2023-10-18T20:11:07Z | null | 1 | 0 | 20 | 0 | 0 | 2 | null | MIT | JavaScript |
ElPediatra/2-DAW | main | # 2-DAW
Curso Programación 2º DAW IES Murgi
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣀⣀⣀⣀⣀⣀⣀⣀⣀⣀⣀⣀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣀⣀⣤⣴⣶⣶⣾⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⣶⣦⣤⣀⡀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⢀⣠⣴⣶⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⣦⣄⡀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣀⣴⣾⣻⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⣦⣀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⢀⣴⣾⣻⣷⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⣤⡀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⢀⣴⣿⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣦⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⢠⣾⣿⣻⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠛⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⡀⠀⠀⠀⠀⠀
⠀⠀⠀⢰⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣇⠘⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⡀⠀⠀⠀⠀
⠀⠀⢠⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣍⠙⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣇⠸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣇⠀⠀⠀⠀
⠀⠀⣼⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⡄⠹⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡄⢻⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠀⠀⠀⠀
⠀⢠⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣆⠙⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡟⢿⣿⡇⢸⣿⡟⢙⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠀⠀⠀⠀
⠀⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡆⢹⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣧⠈⢿⣿⣾⡟⢠⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠀⠀⠀⠀
⠀⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡟⢁⣾⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡇⢸⣿⣿⠇⣾⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣦⡀⠀⠀
⠀⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠏⣠⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⠀⣿⣿⡀⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡄⠀
⠀⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡇⢰⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠀⣿⣿⡇⠹⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡇⠀
⠀⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡇⠸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠿⣫⣽⣿⣿⣿⡟⢸⣿⣿⣿⣶⣿⡟⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠇⠀
⠀⠘⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡄⢹⣿⣿⣿⣿⣿⣿⠿⡿⠿⠿⢟⣛⣯⣥⣶⣷⣮⡛⢿⣿⣿⣿⣿⣿⣿⢻⣿⣿⠟⣊⣙⠿⣿⣿⣿⣿⣿⣿⡿⠋⠀⠀
⠀⠀⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡿⣿⣿⣿⣿⣿⣿⢋⣾⣿⣿⣿⣿⣿⣿⣿⣿⣿⣦⢻⣿⣿⣿⣿⢧⠟⣫⣶⣿⣿⣿⣿⣶⣦⣭⢡⣾⡿⠁⠀⠀⠀
⠀⠀⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⣮⣽⣛⣛⣿⡏⢚⣯⣭⣴⡀⠀⠀⠀⠀⠀⣦⣭⡅⣿⣿⣿⣿⡠⣾⠿⢟⣛⡛⠛⠛⠛⠛⠻⢧⢻⡇⠀⠀⠀⠀
⠀⠀⠀⢻⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠟⣛⣿⣿⣷⠻⣿⣿⣿⣷⣮⣄⣈⣤⣾⣿⡟⣼⣿⣿⣿⣿⣷⡺⣿⣿⣿⣧⠀⡀⠂⠐⣸⢇⣖⡂⠀⠀⠀⠀
⠀⠀⠀⠈⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡿⢻⣿⣿⣿⣿⣷⣾⣿⣿⣿⣿⣷⣍⡻⢿⣿⣿⣿⣿⣿⠟⣫⢞⣿⣿⣿⣿⣿⣿⣿⣮⠻⣿⣿⣿⣶⣶⡿⢫⣾⣿⣿⡄⠀⠀⠀
⠀⠀⠀⠀⠈⢻⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡟⢁⣼⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣶⣶⣷⣶⣶⢟⣵⣿⣿⣿⣿⣿⣿⣿⣿⣿⣇⠩⣭⣭⣭⣵⣾⣿⣿⣿⣿⣇⠀⠀⠀
⠀⠀⠀⠀⠀⠈⠻⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠇⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠿⣛⣭⣾⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡿⣶⣭⣿⣿⣿⣿⣿⣿⣿⣿⣿⡄⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠙⢿⣿⣿⣿⣿⣿⣿⣿⣿⠀⢼⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⣾⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⢇⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣧⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠉⠻⣿⣿⣿⣿⣿⣿⡇⠸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⢸⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠃⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠙⠛⠿⣿⣿⣿⡄⠹⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡿⢫⣽⣿⣿⣿⣿⣿⣿⣿⣿⣿⠸⢿⣿⣿⣿⣿⣿⣿⣿⠿⠋⠁⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⢀⣨⣦⡈⠛⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡟⣵⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡌⣷⢹⣿⣿⣿⣿⠟⠁⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣼⣿⣿⣿⡆⢠⣈⠙⠛⠿⠿⠿⠿⢻⣿⣿⣿⣿⣿⠟⡆⢿⣟⢤⣍⡻⣿⣿⣿⣿⣿⣿⣿⡇⡏⣿⣿⣿⡟⠁⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⢠⣿⣿⣿⣿⠁⣾⣿⣿⣿⣶⣶⣶⡆⢸⣿⣿⣿⣿⡟⣾⣿⣼⣿⣦⣿⣿⣎⠻⣿⣿⣿⣿⣿⢇⣿⡸⣿⡿⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⢀⣿⣿⣿⣿⣿⠀⣿⣿⣿⣿⣿⣿⣿⡇⢸⣿⣿⣿⡿⣼⣿⣿⣿⣿⣿⣿⣿⣿⣷⣌⣛⣛⣩⣵⣿⣿⣷⢿⡇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣾⣿⣿⣿⣿⣿⠀⣿⣿⣿⣿⣿⣿⣿⣿⠀⣿⣿⣿⢱⣿⣿⣿⣿⣿⣿⣿⣿⠿⠿⢿⣿⠿⠿⣿⣿⣿⣿⢸⡇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣼⣿⣿⣿⣿⣿⡏⠀⣿⣿⣿⣿⣿⣿⣿⣿⣤⣿⣿⠏⣿⣿⣿⣿⣿⣿⡿⣫⣵⣾⣿⣶⣦⣾⣷⣌⢻⣿⣿⣾⡇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣴⣿⣿⣿⣿⣿⣿⡇⠀⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣸⣿⣿⣿⣿⡿⣫⣾⣿⣿⠟⢩⢿⣿⡿⠋⣿⣆⣿⣿⣿⡇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣴⣿⣿⣿⣿⣿⣿⣿⡇⠀⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣄⢭⣽⣭⣴⣾⣮⣬⣥⣶⣷⣶⠆⣾⣿⣿⡇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⣴⣿⣿⣿⣿⣿⣿⣿⣿⡇⠀⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣧⣝⠿⣿⣿⣿⣿⣿⣿⡿⢋⣾⣿⣿⣿⡇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠼⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⠀⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⣮⣝⣛⣛⣋⣥⣾⣿⣿⣿⣿⣿⡇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠈⠙⠻⣿⣿⣿⣿⣿⣿⠀⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣟⠻⢿⣿⠟⣻⣿⣿⣿⣿⣿⣿⣇⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠈⠛⠿⣿⣿⠀⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣾⣿⣿⣿⣿⣿⣿⣿⣿⣿⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠈⠀⠻⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣉⣉⣉⡉⠛⠻⢿⣿⣿⣿⣿⣷⣄⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠈⠻⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⡀⢻⣿⣿⣿⣿⣿⣦⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠉⠻⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣷⢸⣿⣿⣿⣿⣿⣿⡆⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠈⠙⠻⠿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⣿⡇⢸⣿⣿⣿⣿⣿⠟⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠉⠉⠛⠻⠿⢿⣿⣿⣿⣿⣿⣿⣿⣿⣿⠿⠁⠈⠉⠉⠉⠁⠀⠀⠀⠀⠀⠀⠀⠀⠀
⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠉⠉⠉⠛⠉⠉⠉⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀⠀
| Curso Programación 2º DAW IES Murgi | html,javascript,js,sql,css,xml,php,apache,java,proxmox | 2023-09-18T08:14:11Z | 2024-03-12T08:31:46Z | null | 2 | 0 | 678 | 0 | 0 | 2 | null | null | CSS |
Pa1mekala37/ReactJs-Projects-Showcase-Page | main | The goal of this coding exam is to quickly get you off the ground with **setState Callback Function**.
### Refer to the video and image below:
<div style="text-align: center;">
<video style="max-width:70%;box-shadow:0 2.8px 2.2px rgba(0, 0, 0, 0.12);outline:none;" loop="true" autoplay="autoplay" controls="controls" muted>
<source src="https://assets.ccbp.in/frontend/content/react-js/projects-showcase-success-output.mp4" type="video/mp4">
</video>
</div>
<br/>
**Failure View**
<div style="text-align: center;">
<img src="https://assets.ccbp.in/frontend/content/react-js/projects-showcase-failure-output.gif" alt="failure view" style="max-width:70%;box-shadow:0 2.8px 2.2px rgba(0, 0, 0, 0.12)">
</div>
<br/>
### Design Files
<details>
<summary>Click to view</summary>
- [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px) - Success](https://assets.ccbp.in/frontend/content/react-js/projects-showcase-success-lg-output.png)
- [Medium (Size >= 768px), Large (Size >= 992px) and Extra Large (Size >= 1200px) - Failure](https://assets.ccbp.in/frontend/content/react-js/projects-showcase-failure-lg-output.png)
</details>
### Set Up Instructions
<details>
<summary>Click to view</summary>
- Download dependencies by running `npm install`
- Start up the app using `npm start`
</details>
### Completion Instructions
<details>
<summary>Functionality to be added</summary>
<br/>
The app must have the following functionalities
- When the app is opened initially,
- An HTTP GET request should be made to **projectsApiUrl** with query parameter as `category` and its initial value as `ALL`
- The **_loader_** should be displayed while fetching the data
- After the data is fetched successfully, display the projects list received in the API response
- When a category option is selected,
- An HTTP GET request should be made to the **projectsApiUrl** with the query parameter as `category` and its value as the `id` of the active category option
- The **_loader_** should be displayed while fetching the data
- After the data is fetched successfully, display the projects list received in the API response
- The `App` component is provided with `categoriesList`. It consists of a list of category objects with the following properties in each category object
| Key | Data Type |
| :---------: | :-------: |
| id | String |
| displayText | String |
</details>
<details>
<summary>API Requests & Responses</summary>
<br/>
**projectsApiUrl**
#### API: `https://apis.ccbp.in/ps/projects`
#### Example: `https://apis.ccbp.in/ps/projects?category=ALL`
#### Method: `GET`
#### Description:
Returns a response containing the list of all projects
#### Response:
```json
{
"projects": [
{
"id": "f680c5fb-a4d0-4f43-b356-785d920208df",
"name": "Music Page",
"image_url": "https://assets.ccbp.in/frontend/react-js/projects-showcase/music-page-img.png"
},
...
],
"total": 34
}
```
</details>
### Important Note
<details>
<summary>Click to view</summary>
<br/>
**The following instructions are required for the tests to pass**
- Each category option in the HTML `select` element should have the value attribute as the value of key `id` and text content as the value of the key `displayText` from the `categoriesList` provided
- Wrap the `Loader` component with an HTML container element and add the `data-testid` attribute value as **loader** to it
- The project image in each project item should have the alt as the value of the key `name` from each project object in the projects API response
</details>
### Resources
<details>
<summary>Image URLs</summary>
- https://assets.ccbp.in/frontend/react-js/projects-showcase/website-logo-img.png alt should be **website logo**
- https://assets.ccbp.in/frontend/react-js/projects-showcase/failure-img.png alt should be **failure view**
</details>
<details>
<summary>Colors</summary>
<br/>
<div style="background-color:#f1f5f9; width: 150px; padding: 10px; color: black">Hex: #f1f5f9</div>
<div style="background-color:#cbd5e1; width: 150px; padding: 10px; color: black">Hex: #cbd5e1</div>
<div style="background-color:#475569; width: 150px; padding: 10px; color: white">Hex: #475569</div>
<div style="background-color:#ffffff; width: 150px; padding: 10px; color: black">Hex: #ffffff</div>
<div style="background-color:#328af2; width: 150px; padding: 10px; color: white">Hex: #328af2</div>
<div style="background-color:#e2e8f0; width: 150px; padding: 10px; color: black">Hex: #e2e8f0</div>
<div style="background-color:#e6e9ec; width: 150px; padding: 10px; color: black">Hex: #e6e9ec</div>
</details>
<details>
<summary>Font-families</summary>
- Roboto
</details>
> ### _Things to Keep in Mind_
>
> - All components you implement should go in the `src/components` directory.
> - Don't change the component folder names as those are the files being imported into the tests.
| null | css,html,javascript,jsx,reactjs | 2023-09-27T14:40:31Z | 2023-09-27T14:40:51Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | JavaScript |
MSTC-DA-IICT/Hacktoberfest23-Real-time-Chat-app-Nodejs | main | # Hacktoberfest23-Real-time-Chat-app-Nodejs
NodeJs-ExpressJs-MongodB project to promote open source contribution for hacktoberfest'23
This project is a sincere attempt by MSTC, DA-IICT to encourage Open Source contribution. Make the best out of the ongoing Hacktoberfest 2023 by contributing to for-the-community projects. This project participates in Hacktoberest 2023 and all successful PRs made here will be counted among the at least 4 successful pull requests that you'd need to make in order to be eligible for the Hacktoberfest appreciation (plant a tree / get a tee).
## Requirements
For development, you will need Node.js, Expressjs, MongodB, installed in your environement.
### Node
- #### Node installation on Windows
Just go on [official Node.js website](https://nodejs.org/) and download the installer.
Also, be sure to have `git` available in your PATH, `npm` might need it (You can find git [here](https://git-scm.com/)).
- #### Node installation on Ubuntu
You can install nodejs and npm easily with apt install, just run the following commands.
$ sudo apt install nodejs
$ sudo apt install npm
- #### Other Operating Systems
You can find more information about the installation on the [official Node.js website](https://nodejs.org/) and the [official NPM website](https://npmjs.org/).
If the installation was successful, you should be able to run the following command.
$ node --version
v18.17.1
$ npm --version
9.6.7
If you need to update `npm`, you can make it using `npm`! Cool right? After running the following command, just open again the command line and be happy.
$ npm install npm -g
###
### ExpressJS installation
$ npm install express
You can find more information about the installation on the [official Express website](https://expressjs.com/en/starter/installing.html)
### MongodB
$ npm install mongodb
You can find more information about the installation on the [official MongodB website](https://www.mongodb.com/languages/javascript/mongodb-and-npm-tutorial)
---
## Running the project
$ npm install
## Simple build for production
$ npm run server
---
## Mentors
- [Devang Vaghani](https://github.com/devangsvaghani)
- [Harsh Mungara](https://github.com/Harsh62004)
| NodeJs-ExpressJs-MongodB project to promote open source contribution for hactoberfest'23 | express,expressjs,hacktoberfest,hacktoberfest-accepted,javascript,mongodb,nodejs,hacktoberfest2023 | 2023-09-21T10:47:56Z | 2023-10-24T16:59:15Z | null | 4 | 6 | 35 | 4 | 8 | 2 | null | null | JavaScript |
n8io/ghin | main | # `ghin`
⛳ An unofficial wrapper for the GHIN api

[](https://github.com/n8io/ghin/actions/workflows/publish.yml?query=branch%3Amain)
[](https://github.com/n8io/ghin/issues)
[](https://github.com/n8io/ghin/blob/main/LICENSE)
This TypeScript library provides a convenient and easy-to-use API wrapper for accessing the Golfer Handicap Index Network (GHIN) api unofficially. It allows you to interact with GHIN data, retrieve golfer handicaps, scores, and perform various operations related to golf handicaps.
## Features
- Retrieve golfer handicap information.
- Calculate course handicaps for golfers.
- Search for golfers by name, ID, or other criteria.
- Access golfer scoring history.
- And more!
## Installation
To use this library in your TypeScript project, you can install it via npm:
```shell
npm install ghin
```
## Usage
Here's a quick example of how to use this library:
```typescript
import { GhinClient } from 'ghin';
// Initialize the client
const ghin = new GhinClient({
password: process.env.PASSWORD,
username: process.env.USERNAME,
});
// Get a golfer's handicap
const ghinNumber = '1234567';
const { handicap_index } = await ghin.handicaps.getOne(ghinNumber);
console.log(`Golfer ${ghinNumber} has a handicap of ${handicap_index}`);
```
## TODOs
- [x] 🔑 Add client authentication
- [x] ♻️ Add client token auto-refresh
- [x] 💸 Add configurable cache client
- [x] ✨ Add golfer search
- [x] ✨ Add golfer scores fetching
- [x] ✨ Add course handicap fetching
- [x] 💄 Enforce code style for consistency
- [ ] ✨ Add course search
- [ ] ✨ Add course fetching
- [ ] 📘 Autogenerated documentation
- [ ] 🧪 Test coverage all the things
## Contributing
We welcome contributions from the community. 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 write tests if applicable.
4. Commit your changes and push them to your fork.
5. Open a pull request to the main repository.
## License
MIT License
Copyright (c) 2023 Nate Clark
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
| ⛳ An unofficial wrapper for the GHIN api | api,ghin,golf,handicap,javascript,nodejs,typescript,wrapper | 2023-09-17T00:23:56Z | 2024-04-18T22:26:26Z | 2023-12-08T16:34:26Z | 1 | 27 | 24 | 0 | 2 | 2 | null | MIT | TypeScript |
thehaizoen/playground | main | 
<div align="middle">

[](https://img.shields.io/github/commit-activity/t/thehaizoen/playground/main?style=flat-square&labelColor=401F71&color=F8E559)



</div>
<div align="middle">
<strong><a href="https://playground.haizoen.com/">Playground</a></strong> is a collaborative repository of coding challenges that we have collectively solved across all levels. These challenges are meticulously curated to assist us in enhancing our programming skills, acquiring new concepts, and honing our problem-solving abilities through consistent practice.
</div>
<br />
<br />
<br />
<div align="middle">

</div>
| Playground is a collaborative repository of coding challenges that we have collectively solved across all levels. These challenges are meticulously curated to assist us in enhancing our programming skills, acquiring new concepts, and honing our problem-solving abilities through consistent practice. | coding-challenges,cplusplus,javascript,mysql,postgresql,python,sql,typescript,csharp,java | 2023-09-27T09:40:52Z | 2024-05-02T02:55:13Z | null | 3 | 75 | 358 | 0 | 1 | 2 | null | MIT | Python |
karlinarayberinger/KARLINA_OBJECT_autumn_2023_starter_pack | main | null | This repository contains web page source code and media files which constitute (some of (if not all of)) the intellectual property encapsulated by the website named Karlina Object dot WordPress dot Com. | c-plus-plus,css,html,images,javascript,karlina,object,website,wordpress | 2023-09-22T00:35:10Z | 2023-09-23T22:06:10Z | null | 1 | 0 | 95 | 0 | 1 | 2 | null | Unlicense | HTML |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.