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 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
Akbaroke/Ecommerce-MERN | main | null | null | expressjs,javascript,reactjs,typescript,mysql-database | 2023-02-21T15:52:08Z | 2023-02-23T15:46:34Z | null | 2 | 6 | 13 | 8 | 0 | 2 | null | null | JavaScript |
EvillDeadSpace/Online-shop-for-sneakers | master | Hello everyone
This is my first REACT project that I will be working on
I'm just learning REACT technology, so the code itself is not clean
The site still has bugs, so feel free to try it, all data is saved on firebass
https://site-tuba-shop.netlify.app/


| My first React project | firebase,firebase-auth,html,javascript,react,reactjs,tailwind | 2023-02-21T02:53:54Z | 2023-03-24T23:31:10Z | null | 1 | 0 | 10 | 0 | 0 | 2 | null | null | JavaScript |
ut-code/postput | main | # PostPut
送信したメッセージを後からチャンネル(タグ)に割り振ることができるチャットツールです。
Slackの代替として使えるようにすることを目指しています。<!-- ほんまか...? -->

## Features
* slackのチャンネル機能の代わりとして、タグでメッセージを振り分けることができます
* 1つのメッセージに複数のタグをつける(=複数のチャンネルに送信する)ことができます
* すでに送ったメッセージのタグをつけ直すことができます (間違ったチャンネルに話題を送ってしまっても訂正できる)
* タグを検索し、選んだタグのついたメッセージのみ表示できます
* ユーザーごとに頻繁に見るタグをサイドバーに登録しておくことができます(=チャンネルにスターをつける機能)
* ユーザーごとに後で確認したいメッセージを保存しておくことができます(=ブックマーク機能)
## Try
* https://postput-test-server.onrender.com/ にデプロイしてあります
* 一度も使われていないユーザー名であれば任意のパスワードでログイン(サインアップ)できます
## 環境構築
まずは Git で管理するためのディレクトリを作成し、VSCode で開きます。ターミナルを開き、次のコマンドを実行しましょう。
```bash
git init
git remote add origin git@github.com:ut-code/ut-communication.git
git switch -c main
git pull origin main
npm install
```
作業するときは作業用のブランチを作りましょう
```bash
git switch -c ブランチ名
```
作業をしたら、
```bash
git add -A
git commit -m コミットメッセージ
git push origin ブランチ名
```
(VSCodeなどでやってもよい)でpushをし、GitHubでPull Requestを作成しましょう
## フロントエンド
```bash
npm run dev
```
をして、表示されるurl(http://localhost:5173/ など)をブラウザで開く
src/ 以下のファイルを編集しましょう
## バックエンド
`.env`というファイルを作成し、以下の内容にしてください
```
DATABASE_URL="postgres://..."
```
実際のurlはここには書かないのでslackを見て
その後
```bash
npm run update-db
npm run server
```
で起動します
## WebSocket
App.jsxを編集するとき以下を参考にしてください
フロントエンド側はsocket.jsxに実装されている。App.jsxからは
```js
const socket = useSocket();
```
で使える(すでに書いてあるのでok)
(サーバー側はsocket.jsに実装されており、データベースとのやり取りはdatabase.js)
* (ログイン)
* login.jsx に実装
* http: http://localhost:3000/login/password にjsonで
```json
{"username": "a", "password": "a"}
```
をPOST -> `{"status": "success", "sid": sid}`を取得
* (WebSocketに接続する)
* App.jsx: `socket.setSid(sid);` & `socket.connect();`
* WebSocket: `ws://localhost:3000/?sid=${sid}`に接続
* 自分のユーザー名, ユーザーid
* App.jsx: `socket.username` -> `"a"`, `socket.userId` -> 0
* WebSocket: `{type: "user", userId: 0, username: "a"}`
* database.js: `getUser("a");`, `getUserById(0);`
* メッセージの送信
* App.jsx: `socket.send({text: "a", tags["a", "b"]});`
* WebSocket: `{type: "createMessage", text: "a", tags:["a", "b"]}`
* database.js: `createMessage({userId: 0, text: "a", tags: ["a", "b"]}, onError);`
* メッセージの取得
* 現在見ているタグをsubscribeするとそのタグのメッセージが得られる、という形になっている
* 1. subscribe
* App.jsx: `socket.subscribe(["a", "b", ...]);`
* useEffectで`currentTags`が更新されたとき自動で`subscribe`するようにしてあるのであまり気にする必要はない
* WebSocket: `{type: "subscribe", tags: ["a", "b", ...]}`
* 2. メッセージ取得
* App.jsx: `socket.messages` -> subscribeしたタグに該当するメッセージのみが以下の形で得られる
```json
[
{
"id": 0,
"user": {"username": "a"},
"text": "a",
"sendTime": "date",
"updateTime": "date",
"tags": ["a", "b"],
"replyNum": 5,
},
]
```
* WebSocket:
* 初回 `{type: "messageAll", messages: [...]}`
* 新規メッセージ追加時 `{type:"messageAdd", message: {...}}`
* database.js:
* 初回 `getMessageAll(onError);`
* 新規メッセージ追加時 `createMessage`の戻り値
* メッセージにタグを追加・削除
* App.jsx: `socket.updateMessage(メッセージid, ["a", ...]);`
* WebSocket: `{type: "updateMessage", mid: メッセージid, tags: ["a", ...]}`
* database.js: `updateMessage(mid, tags, onError);`
* 全タグの一覧
* 消しました
* 全タグを最近更新された順に一覧
* App.jsx: `socket.recentTags` -> `[{id: 0, name: "a", createTime: "date", updateTime: "date"}, ...]`
* WebSocket: `{type: "tagRecentUpdate", tags: [...]}`
* database.js: `getTagRecentUpdate(onError);`
* ユーザーの固定タグ
* App.jsx: `socket.favoriteTags` -> `[{name: "a"}, ...]`
* WebSocket: `{type: "tagFavorite", favoriteTags: [...]}`
* database.js: userと同じ
* 固定タグを設定
* App.jsx: `socket.setFavoriteTags(["a", "b", ...])` または `socket.setFavoriteTags([{name: "a"}, {name: "b"}, ...])`
* なんでfavoriteTagsの取得と仕様違うんだ
* ちなみにsocket.jsx内では名前被りを解決するためfavoriteTagsのセッター関数が`setFavoriteTagsLocal`になっているのもややこしい
* WebSocket: `{type: "setFavoriteTags", favoriteTags: [...]}`
* なんでこっちはsetTagFavoriteじゃないんだ
* database.js: `updateFavoriteTags(userId, favoriteTags);`
* なんでこれだけsetじゃなくてupdateなんだ
* 保留メッセージの数(`#.keep-${userId}`のメッセージ数)
* App.jsx: `socket.keepNum` -> 0
* WebSocket: `{type: "keepNum", keepNum: 0}`
* database.js: getMessageAllからfilterする
* 保留メッセージの設定
* updateMessageでやる
## タグ
* 各メッセージに1つまたは複数のタグがつく
* タグは #aaa のような形式
* `#`を除いた部分がタグ名
* `.`で始まるタグ名(`#.`ではじまるタグ)は使用できない&非表示
* `#.keep-${userId}`: そのユーザーの保留メッセージ
* 他のユーザーは見れない
* `#.reply-${messageId}`: そのメッセージへの返信スレッド
| 送信したメッセージに後からタグ付けできるチャットツール | javascript,websocket,expressjs,nodejs,passportjs,prisma,react | 2023-02-12T06:54:38Z | 2023-04-04T08:39:01Z | null | 4 | 26 | 111 | 0 | 0 | 2 | null | null | JavaScript |
lucas-dos-santos-gomes/decodificador-alura | main | 
<h1 align="center"> Decodificador de Textos - Alura </h1>



Primeiro desafio da trilha de lógica de programação da Alura no programa Oracle Next Education.
Esse projeto consiste em uma aplicação que faz uma criptografia simples de mensagens, além de conseguir fazer a descriptografia depois.
A aplicação foi modelada para ser utilizada em qualquer dispositivo, seja desktop's, laptop's, tablet's, smartphone's e etc.
## Technologies
Aqui estão as tecnologias utilizadas nesse projeto:
<table>
<tr>
<th>HTML</th>
<th>CSS</th>
<th>JavaScript</th>
<th>Git</th>
<th>Figma</th>
</tr>
<tr align="center">
<td>5</td>
<td>3</td>
<td>ECMAScript 6</td>
<td>v2.39.1</td>
<td>v116.4.2</td>
</tr>
</table>
## Features
Principais características da aplicação:
* Criptografar mensagens
* Decodificar mensagens criptografadas por essa aplicação
* Copiar a mensagem
<img src="https://user-images.githubusercontent.com/106649118/220262550-706f775d-2ccf-4d00-a4e0-7170c9ff78a8.gif">
## UI Mobile
Interface da aplicação em smartphones
<div style="display: flex" align="center">
<img src="https://user-images.githubusercontent.com/106649118/220264586-f11b80bd-0b4b-41c7-8a0a-fd7fcf416342.jpg" width="30%">
<img src="https://user-images.githubusercontent.com/106649118/220264583-ee5aa342-c645-4065-a1da-3ebc09334116.jpg" width="30%">
<img src="https://user-images.githubusercontent.com/106649118/220264578-b7e839d5-1e00-487a-8faa-fbbbedffe263.jpg" width="30%">
</div>
## Links
* `GitHub:` <https://github.com/lucas-dos-santos-gomes>
- `Repositório do projeto:` <https://github.com/lucas-dos-santos-gomes/decodificador-alura>
- `Deploy:` <https://lucas-dos-santos-gomes.github.io/decodificador-alura/>
* `LinkedIn:` <https://www.linkedin.com/in/lucas-santos-gomes/>
* `Instagram:` <https://www.instagram.com/lukinhaxdlc/>
* `E-mail:` <lucasdev.programador@gmail.com>
> Caso encontre qualquer bug, erros ou tenha alguma sujestão para o projeto, entre em contato pelo Instagram, E-mail ou pelo LinkedIn, todos citados acima.
## Version
* v1.0.1
## License
[MIT](https://github.com/lucas-dos-santos-gomes/decodificador-alura/blob/main/LICENSE)
## Authors
* **Lucas dos Santos Gomes**
> <p> Me siga nas redes sociais e favorite esse projeto. <br>
> Obrigado pela sua visita! </p>
. <br>
. <br>
. <br><br>
#alura #oracle #oraclenexteducation #challengeonedecodificador4
| Primeiro desafio da trilha de lógica de programação da Alura no programa ONE. | alura,challengedecodificador4,css,html,javascript,oraclenexteducation | 2023-02-12T05:30:03Z | 2023-06-25T02:11:13Z | null | 1 | 0 | 20 | 0 | 1 | 2 | null | MIT | JavaScript |
Inna-Mykytiuk/Parallax-waves | main | # Paralax-effect with 3D text

| Simple mini java script project | Paralax wave animation with 3D Title | html5,sas,javascript,paralax-effect,3d-text,animation | 2023-02-19T19:17:54Z | 2023-02-19T21:09:01Z | null | 1 | 0 | 8 | 0 | 0 | 2 | null | null | HTML |
gavandivya/DSAinJS | main | ### Searching Algorithms
1. [Linear search](https://github.com/gavandivya/DSAinJS/blob/main/SearchingAlgo)
2. [Binary search](https://github.com/gavandivya/DSAinJS/blob/main/SearchingAlgo)
### Sorting Algorithms
1. [Bubble Sort](https://github.com/gavandivya/DSAinJS/tree/main/SortingAlgo)
2. [Insertion Sort](https://github.com/gavandivya/DSAinJS/tree/main/SortingAlgo)
3. [Selection Sort](https://github.com/gavandivya/DSAinJS/tree/main/SortingAlgo)
### Array Questions
Basic
1. Largest Element in an Array
2. Second Largest Element in an Array without sorting
3. Check if the array is sorted
4. Remove duplicates from Sorted array
5. Left Rotate an array by one place
6. Left rotate an array by D places
7. Move Zeros to end
8. Linear Search
9. Find the Union and intersection of two sorted arrays
10. Find missing number in an array
11. Maximum Consecutive Ones
### Patterns
### Recursion
| Learning and Implementing DSA in JS (LearnersBucket,FreeCodecamp and Kunal Kushwaha | algorithm,dsa-practice,javascript | 2023-02-16T20:33:46Z | 2024-02-12T19:28:10Z | null | 1 | 0 | 229 | 0 | 0 | 2 | null | null | JavaScript |
ValiantWind/Device-Details | main | # Device Details
Basically my [Location Details](https://valiantwind.github.io/Location-Details) website except it shows your Device and Browser Details
Although I try to make the information as accurate as possible, all information is not guaranteed to be accurate.
This website is not necessesarily meant to have strong use cases. I am just exploring my abilities to see what's possible. I'm entirely self-taught, and making websites like this is one of the many methods I use to gather programming experience.
## I do NOT store your Device Details. They are only shown
I previously made the repository for my API open source as proof, but due to certain concerns that arose, I decided to private the repository.
| Basically my Location Details website except it shows your Device Details instead | css,device,device-details,html,javascript | 2023-02-14T18:40:47Z | 2024-02-17T22:43:11Z | null | 1 | 0 | 29 | 0 | 0 | 2 | null | MPL-2.0 | JavaScript |
EuJinnLucaShow/goit-js-hw-09 | main |
# Критерії приймання
- Створено репозиторій `goit-js-hw-09`.
- Домашня робота містить два посилання для кожного проекту: на вихідні файли і
робочу сторінку на `GitHub Pages`.
- В консолі відсутні помилки і попередження під час відкриття живої сторінки
завдання.
- Проект зібраний за допомогою
[parcel-project-template](https://github.com/goitacademy/parcel-project-template).
- Код відформатований за допомогою `Prettier`.
## Стартові файли
У [папці src](./src) знайдеш стартові файли з готовою розміткою, стилями і
підключеними файлами скриптів для кожного завдання. Скопіюй їх собі у проект,
повністю замінивши папку `src` в
[parcel-project-template](https://github.com/goitacademy/parcel-project-template).
Для цього завантаж увесь цей репозиторій як архів або використовуй
[сервіс DownGit](https://downgit.github.io/) для завантаження окремої папки з
репозиторія.
## Завдання 1 - перемикач кольорів
Виконуй це завдання у файлах `01-color-switcher.html` і `01-color-switcher.js`.
Подивися демо-відео роботи перемикача.
https://user-images.githubusercontent.com/17479434/127716753-fabd276f-6a7d-411b-bfa2-01c818f4ea66.mp4
HTML містить кнопки «Start» і «Stop».
```html
<button type="button" data-start>Start</button>
<button type="button" data-stop>Stop</button>
```
Напиши скрипт, який після натискання кнопки «Start», раз на секунду змінює колір
фону `<body>` на випадкове значення, використовуючи інлайн стиль. Натисканням на
кнопку «Stop» зміна кольору фону повинна зупинятися.
> ⚠️ Враховуй, що на кнопку «Start» можна натиснути нескінченну кількість разів.
> Зроби так, щоб доки зміна теми запущена, кнопка «Start» була неактивною
> (disabled).
Для генерування випадкового кольору використовуй функцію `getRandomHexColor`.
```js
function getRandomHexColor() {
return `#${Math.floor(Math.random() * 16777215).toString(16)}`;
}
```
## Завдання 2 - таймер зворотного відліку
Виконуй це завдання у файлах `02-timer.html` і `02-timer.js`. Напиши скрипт
таймера, який здійснює зворотний відлік до певної дати. Такий таймер може
використовуватися у блогах та інтернет-магазинах, сторінках реєстрації подій,
під час технічного обслуговування тощо. Подивися демо-відео роботи таймера.
https://user-images.githubusercontent.com/17479434/127672390-2a51efe1-06fb-41dd-86dd-8542393d3043.mp4
### Елементи інтефрейсу
HTML містить готову розмітку таймера, поля вибору кінцевої дати і кнопку, по
кліку на яку, таймер повинен запускатися. Додай мінімальне оформлення елементів
інтерфейсу.
```html
<input type="text" id="datetime-picker" />
<button type="button" data-start>Start</button>
<div class="timer">
<div class="field">
<span class="value" data-days>00</span>
<span class="label">Days</span>
</div>
<div class="field">
<span class="value" data-hours>00</span>
<span class="label">Hours</span>
</div>
<div class="field">
<span class="value" data-minutes>00</span>
<span class="label">Minutes</span>
</div>
<div class="field">
<span class="value" data-seconds>00</span>
<span class="label">Seconds</span>
</div>
</div>
```
### Бібліотека `flatpickr`
Використовуй бібліотеку [flatpickr](https://flatpickr.js.org/) для того, щоб
дозволити користувачеві кросбраузерно вибрати кінцеву дату і час в одному
елементі інтерфейсу. Для того щоб підключити CSS код бібліотеки в проект,
необхідно додати ще один імпорт, крім того, що описаний в документації.
```js
// Описаний в документації
import flatpickr from 'flatpickr';
// Додатковий імпорт стилів
import 'flatpickr/dist/flatpickr.min.css';
```
Бібліотека очікує, що її ініціалізують на елементі `input[type="text"]`, тому ми
додали до HTML документу поле `input#datetime-picker`.
```html
<input type="text" id="datetime-picker" />
```
Другим аргументом функції `flatpickr(selector, options)` можна передати
необов'язковий об'єкт параметрів. Ми підготували для тебе об'єкт, який потрібен
для виконання завдання. Розберися, за що відповідає кожна властивість в
[документації «Options»](https://flatpickr.js.org/options/), і використовуй його
у своєму коді.
```js
const options = {
enableTime: true,
time_24hr: true,
defaultDate: new Date(),
minuteIncrement: 1,
onClose(selectedDates) {
console.log(selectedDates[0]);
},
};
```
### Вибір дати
Метод `onClose()` з об'єкта параметрів викликається щоразу під час закриття
елемента інтерфейсу, який створює `flatpickr`. Саме у ньому варто обробляти
дату, обрану користувачем. Параметр `selectedDates` - це масив обраних дат, тому
ми беремо перший елемент.
- Якщо користувач вибрав дату в минулому, покажи `window.alert()` з текстом
`"Please choose a date in the future"`.
- Якщо користувач вибрав валідну дату (в майбутньому), кнопка «Start» стає
активною.
- Кнопка «Start» повинна бути неактивною доти, доки користувач не вибрав дату в
майбутньому.
- Натисканням на кнопку «Start» починається відлік часу до обраної дати з
моменту натискання.
### Відлік часу
Натисканням на кнопку «Start» скрипт повинен обчислювати раз на секунду, скільки
часу залишилось до вказаної дати, і оновлювати інтерфейс таймера, показуючи
чотири цифри: дні, години, хвилини і секунди у форматі `xx:xx:xx:xx`.
- Кількість днів може складатися з більше, ніж двох цифр.
- Таймер повинен зупинятися, коли дійшов до кінцевої дати, тобто `00:00:00:00`.
> 💡 Не будемо ускладнювати. Якщо таймер запущений, для того щоб вибрати нову
> дату і перезапустити його - необхідно перезавантажити сторінку.
Для підрахунку значень використовуй готову функцію `convertMs`, де `ms` -
різниця між кінцевою і поточною датою в мілісекундах.
```js
function convertMs(ms) {
// Number of milliseconds per unit of time
const second = 1000;
const minute = second * 60;
const hour = minute * 60;
const day = hour * 24;
// Remaining days
const days = Math.floor(ms / day);
// Remaining hours
const hours = Math.floor((ms % day) / hour);
// Remaining minutes
const minutes = Math.floor(((ms % day) % hour) / minute);
// Remaining seconds
const seconds = Math.floor((((ms % day) % hour) % minute) / second);
return { days, hours, minutes, seconds };
}
console.log(convertMs(2000)); // {days: 0, hours: 0, minutes: 0, seconds: 2}
console.log(convertMs(140000)); // {days: 0, hours: 0, minutes: 2, seconds: 20}
console.log(convertMs(24140000)); // {days: 0, hours: 6 minutes: 42, seconds: 20}
```
### Форматування часу
Функція `convertMs()` повертає об'єкт з розрахованим часом, що залишився до
кінцевої дати. Зверни увагу, що вона не форматує результат. Тобто, якщо
залишилося 4 хвилини або будь-якої іншої складової часу, то функція поверне `4`,
а не `04`. В інтерфейсі таймера необхідно додавати `0`, якщо в числі менше двох
символів. Напиши функцію `addLeadingZero(value)`, яка використовує метод
`padStart()` і перед рендерингом інтефрейсу форматує значення.
### Бібліотека повідомлень
> ⚠️ Наступний функціонал не обов'язковий для здавання завдання, але буде
> хорошою додатковою практикою.
ДДля відображення повідомлень користувачеві, замість `window.alert()`,
використовуй бібліотеку [notiflix](https://github.com/notiflix/Notiflix#readme).
## Завдання 3 - генератор промісів
Виконуй це завдання у файлах `03-promises.html` і `03-promises.js`. Подивися
демо-відео роботи генератора промісів.
https://user-images.githubusercontent.com/17479434/127932183-42232f26-4db2-4614-86bc-6bec54b1d6a4.mp4
HTML містить розмітку форми, в поля якої користувач буде вводити першу затримку
в мілісекундах, крок збільшення затримки для кожного промісу після першого і
кількість промісів, яку необхідно створити.
```html
<form class="form">
<label>
First delay (ms)
<input type="number" name="delay" required />
</label>
<label>
Delay step (ms)
<input type="number" name="step" required />
</label>
<label>
Amount
<input type="number" name="amount" required />
</label>
<button type="submit">Create promises</button>
</form>
```
Напиши скрипт, який на момент сабміту форми викликає функцію
`createPromise(position, delay)` стільки разів, скільки ввели в поле `amount`.
Під час кожного виклику передай їй номер промісу (`position`), що створюється, і
затримку, враховуючи першу затримку (`delay`), введену користувачем, і крок
(`step`).
```js
function createPromise(position, delay) {
const shouldResolve = Math.random() > 0.3;
if (shouldResolve) {
// Fulfill
} else {
// Reject
}
}
```
Доповни код функції `createPromise` таким чином, щоб вона повертала **один
проміс**, який виконується або відхиляється через `delay` часу. Значенням
промісу повинен бути об'єкт, в якому будуть властивості `position` і `delay` зі
значеннями однойменних параметрів. Використовуй початковий код функції для
вибору того, що потрібно зробити з промісом - виконати або відхилити.
```js
createPromise(2, 1500)
.then(({ position, delay }) => {
console.log(`✅ Fulfilled promise ${position} in ${delay}ms`);
})
.catch(({ position, delay }) => {
console.log(`❌ Rejected promise ${position} in ${delay}ms`);
});
```
### Бібліотека повідомлень
> ⚠️ Наступний функціонал не обов'язковий для здавання завдання, але буде
> хорошою додатковою практикою.
Для відображення повідомлень користувачеві, замість `console.log()`,
використовуй бібліотеку [notiflix](https://github.com/notiflix/Notiflix#readme).
| Educational tasks 📒 JS-HW-09 | Asynchronous Promises | asynchronous,javascript,js,json,node,npm,promises | 2023-02-22T20:59:25Z | 2023-06-04T16:13:14Z | null | 1 | 0 | 21 | 0 | 0 | 2 | null | null | CSS |
tysonwu/vscode-dvd-bouncer | main | <div align='center'>
# 📀 VSCode DVD Bouncer 📀
Bringing the classic DVD logo bouncing screensaver to VSCode.

</div>
## Features
This extension brings the famous DVD logo bouncing screensaver to VSCode by adding a panel under Explorer.
- [x] Customizable text
- [x] Option to show screensaver on main panel
- [x] Customizable move speed
- [x] Option to enable/disable color changes
### **TODO**
- [ ] Customizable font
- [ ] Customizable font style
- [ ] Customizable list of colors
- [ ] Option to use the actual DVD logo
- [ ] To work well with light themes by tuning colors.
## Using VSCode DVD Bouncer
This extension automatically adds the DVD Bounce panel upon installation.
### Customization
Various options of customization can be done in the settings. Open settings with `Ctrl+,` on Windows/Linux or `Cmd(⌘)+Shift+,` on MacOS. Search for "DVD Bouncer" configurations under Extensions.
#### Show in main panel
A separate DVD Bouncer can be created by toggling "DVD Bouncer: Show DVD Bouncer" in the main panel by opening the command palette with `Ctrl+Shift+P` on Windows/Linux or `Cmd(⌘)+Shift+P` on MacOS.
### Disabling VSCode DVD Bouncer
To hide the panel, simply right click on the panel title bar and uncheck *DVD Bouncer*. Enjoy and have fun!
## Credits
This extension is individually developed by [tysonwu](https://github.com/tysonwu) for fun.
Main bouncing Javascript code is referenced from [this CodePen snippet](https://codepen.io/Mobius1/pen/wGVveZ). | Bringing the classic DVD logo bouncing screensaver to VSCode. | extension,fun,javascript,screensaver,typescript,vscode,vscode-extension | 2023-02-12T09:11:37Z | 2023-03-15T13:52:03Z | 2023-03-15T13:52:03Z | 1 | 1 | 18 | 0 | 0 | 2 | null | MIT | TypeScript |
deflexable/react-summernote-lite | main | # react-summernote-lite
[Summernote lite](https://github.com/summernote/summernote) without bootstrap for react with fast setup
[](https://www.npmjs.com/package/react-summernote-lite)
### Getting Started
#### Install
react-summernote-lite is built upon jquery
```
npm install react-summernote-lite jquery --save
```
or using yarn
```
yarn add react-summernote-lite jquery
```
No additional setup needed
### Example
```js
import SummernoteLite from "react-summernote-lite";
// to see the default props for SummernoteLite
import { DEFAULT_PROPS } from "react-summernote-lite";
// you need to iport the css style yourself
import 'react-summernote-lite/dist/esm/dist/summernote-lite.min.css';
// only import if you want to add some languages
import 'react-summernote-lite/dist/dist/lang/summernote-zh-CN.min';
// only import if you want to add some fonts
import 'react-summernote-lite/dist/dist/font/summernote.ttf';
const App = () => {
const [imageFiles, setImageFiles] = useState([]);
const noteRef = useRef();
return (
<div>
<SummernoteLite
ref={noteRef}
defaultCodeValue={'<p>This is the default html value</p>'}
placeholder={"Write something here..."}
tabsize={2}
lang="zh-CN" // only if you want to change the default language
height={350 || "50vh"}
dialogsInBody={true}
blockquoteBreakingLevel={0}
toolbar={[
['style', ['style']],
['font', ['bold', 'underline', 'clear', 'strikethrough', 'superscript', 'subscript']],
['fontsize', ['fontsize']],
['fontname', ['fontname']],
['color', ['color']],
['para', ['ul', 'ol', 'paragraph']],
['table', ['table']],
['insert', ['link', 'picture', 'video', 'hr']],
['view', ['fullscreen', 'codeview', 'help']]
]}
fontNames={[
"Arial",
"Georgia",
"Verdana",
"e.t.c..."
]}
callbacks={
onImageUpload: function (files){
setImageFiles(files);
},
onKeyup: function (e){},
onKeyDown: function (e){},
onPaste: function (e){}
}
/>
<button
style={{ marginTop: 9 }}
onClick={() => {
noteRef.current.summernote('fullscreen.toggle');
}}>
Fullscreen
</button>
</div>
);
};
export default App;
```
### PropTypes
| Property | Type | Description |
| ----------------- | ---------- | ------------------------------------------------------------------------------ |
| defaultCodeValue | `string` | The default html value of summernote |
| callbacks | `Object` | Keys that emits event [Callbacks](https://summernote.org/deep-dive/#callbacks) |
| useDiv | `boolean` | By default summernote is mounted using <textarea>, set this to true for <div> |
Additional props are gotten from [summernote.org](http://summernote.org/deep-dive)
### Ref methods
```js
// please visit https://summernote.org/deep-dive/#basic-api for available commands
summernote(...[arguments]);
// get the react reference of the <textarea> or <div> if useDiv={true}
getNoteRef(): React.LegacyRef;
// get the react reference of the <form> </form>
// please note this will be undefined if useDiv={true}
getFormRef(): React.LegacyRef;
```
##### Example
```js
// You can toggle editable/codable view by. (https://summernote.org/deep-dive/#codeview);
noteRef.current.summernote("codeview.toggle");
// You can toggle Fullscreen view by. (https://summernote.org/deep-dive/#fullscreen);
noteRef.current.summernote("fullscreen.toggle");
// Insert an image. (https://summernote.org/deep-dive/#insertimage);
noteRef.current.summernote("insertImage", url, filename);
// Insert an image. (https://summernote.org/deep-dive/#insertimage);
noteRef.current.summernote("insertImage", url, function ($image) {});
// Insert an element or textnode. (https://summernote.org/deep-dive/#insertnode);
noteRef.current.summernote("insertNode", node);
// please visit https://summernote.org/deep-dive/#basic-api to discover more of this apis
```
##### Contribution
Pull requests and contributions are welcome
| Summernote lite without bootstrap for react (Super simple WYSIWYG editor) | javascript,react,summernote,summernote-lite,wysiwyg,wysiwyg-editor,react-summernote-lite | 2023-02-14T11:27:41Z | 2024-05-08T23:30:50Z | 2023-02-24T11:06:33Z | 1 | 1 | 17 | 1 | 1 | 2 | null | MIT | JavaScript |
akshaychavan010101/Souled-Store-Clone | main | # Bagelly - The clone of "The Souled Store"
Bagelly fashions-website This was a Solo project Executed in 5 days.
This project was completed within 5 days in unit-3 construct week at Masai School. Bagelly is a ecommerce company based in India that allows customers to shop the chlothes online. The objective of the project was to clone the Souled store app and to implement the knowledge that unit and the units prior to that.
Contributor
Akshay Chavan
Tech Stack Used : - Languages HTML CSS JavaScript, Node.js, Express, Mongoose
Packages : - Jsonwebtoken, Bcrypt, Dotenv, Cors
### This documentation provides an overview of the routes available in the project. It includes the user routes, product routes, and cart routes.
## User Routes
GET /users
This route is used to fetch all the users.
POST /register
This route is used to register a new user.
POST /login
This route is used for user authentication and login.
PATCH /update/:id
This route is used to update user information based on the provided id.
DELETE /delete/:id
This route is used to delete a user based on the provided id.
GET /validatetoken
This route is used to validate a user's token.
GET /auth/google
This route is used for authentication using Google OAuth.
## Product Routes
GET /products
This route is used to fetch all products.
GET /products/singleproduct/:id
This route is used to fetch a specific product based on the provided id.
GET /products/women
This route is used to fetch products specifically for women.
GET /products/men
This route is used to fetch products specifically for men.
GET /products/kids
This route is used to fetch products specifically for kids.
POST /products/add
This route is used to add a new product.
PATCH /products/update/:id
This route is used to update a product based on the provided id.
DELETE /products/delete/:id
This route is used to delete a product based on the provided id.
## Cart Routes
GET /user/getcart
This route is used to fetch the cart items for a specific user.
POST /user/addtocart
This route is used to add an item to the user's cart.
DELETE /user/remove/:id
This route is used to remove an item from the user's cart based on the provided id.
### Followings are the screenshots of the pages of the website
<br>
<h1>Home Page</h1>
<a href="https://ibb.co/7rnjZj0"><img src="https://i.ibb.co/5srGSGJ/Screenshot-2023-02-27-140728.png" alt="Screenshot-2023-02-27-140728" border="0"></a>
<a href="https://ibb.co/wR8JdZc"><img src="https://i.ibb.co/DtmG1Pr/Screenshot-2023-02-27-140812.png" alt="Screenshot-2023-02-27-140812" border="0"></a>
<h1>Product Page</h1>
<a href="https://ibb.co/5cBvZsK"><img src="https://i.ibb.co/GPckmCH/Screenshot-2023-02-27-140850.png" alt="Screenshot-2023-02-27-140850" border="0"></a>
<h1>Cart Page</h1>
<a href="https://ibb.co/LhjL9Ww"><img src="https://i.ibb.co/93KFyLX/Screenshot-2023-02-27-140934.png" alt="Screenshot-2023-02-27-140934" border="0"></a>
| An ecommerce websie for buying the clothes online | css,expressjs,html,javascript,mongoose,nodejs | 2023-02-21T17:15:27Z | 2023-06-07T12:39:04Z | null | 2 | 5 | 26 | 0 | 1 | 2 | null | null | HTML |
profandersonvanin01/curso_iot | main | 
Sobre O Cubo - http://ocubo.cpscetec.com.br/
# Bem vindos ao curso introdutório de IoT do projeto O Cubo - CPS
Termo introduzido pelo professor Kevin Ashton (MIT) em uma apresentação realizada na Procter & Gamble em 1999, o qual concebeu um sistema de sensores onipresentes conectando o mundo físico à Internet, enquanto trabalhava em identificação por rádio frequência (RFID).
A Internet das Coisas emergiu dos avanços de várias áreas como sistemas embarcados, microeletrônica, comunicação e sensoriamento.
Conhecimentos desejáveis (mas não obrigatórios para este curso :sunglasses:)
=================
<!--ts-->
* [Lógica de Programação]
* [Linguagens de Programação]
* [Noções de Eletrônica]
* [Protocolos de Comunicação Web]
* [Cloud]
<!--te-->
Tópicos do curso
=================
<!--ts-->
* [Introdução ao mundo IoT]
* [Introdução à Eletrônica Básica]
* [Conhecendo Sensores e Atuadores]
* [Automação]
* [Parte 01 - Criando um protótipo de IoT com Arduino + Javascript + Firebase]
* [Parte 02 - Criando um protótipo de IoT com Arduino + Javascript + Firebase]
* [Parte 03 - Criando um protótipo de IoT com Arduino + Javascript + Firebase]
* [Parte 04 - Criando um protótipo de IoT com Arduino + Javascript + Firebase]
<!--te-->
### Professor
---
<img style="border-radius: 50%;" src="https://avatars.githubusercontent.com/u/101676959?v=4" width="100px;" alt=""/>
<br />
<sub><b>Anderson Vanin</b></sub>🚀
Feito com ❤️ por Anderson Vanin
[](https://br.linkedin.com/in/anderson-vanin)
[](mailto:profandersonvanin01@gmail.com)
| Repositório para o curso de IoT - O Cubo - CPS | arduino,firebase,iot,javascript,etecmcm,ocubo | 2023-02-23T14:51:24Z | 2023-06-22T16:46:48Z | null | 1 | 0 | 20 | 0 | 0 | 2 | null | null | null |
Shivamm10/sensitive-government-8954- | main | # sensitive-government-8954-
# Gent's Hub
-----
### For Educational And Learning Purpose*
Project: Make a clone of charlestyrwhitt.com website.
Original-Website: https://www.charlestyrwhitt.com/
Cloned-Website: https://effulgent-begonia-1f2a49.netlify.app/
## Landing Page

## Admin Page

This is an E-Commerce website which speciaizes in selling Shirts for all age groups. The website provides 33,000 products of different types Shirts, Suits, Pants, Sweaters, Jackets&Coat , Shoes, Accessories.
In this project we have tried to manipulate dom elements, styling using css and tried to make website more dynamic and responsive. With our efforts and the technology stack, that we have learned till Unit-3 in the Masai School, we were able to clone the whole website with same looking & features.
# Technology Stack Used 🌟
* HTML
* CSS
* JavaScript
For storing user data we also used localStorage , JSON-Server.
## How to run the Project
* Open pages directory.
* Open index.html using live server.
## End Notes 📑
In this project we were tried to achieve a near to perfect clone of the original website as much as possible. This entire journey of this construct week has given us experiences and we have learned lots of things by applying to the real website and it gave us a lot of confidence. Most of the features are added and functionality of the website is achieved.
## Limitations
Some pages are not responsive yet , those pages are might not be properly visible on small screen devices.
| This project is made during the construct week of unit-3 at masai school. Team members: Shivam G Gautam(Team lead), Shivansh Soni, Prem Chandra Das, K Kalyan Kumar, Kumar Rohan. | api-rest,css3,html5,javascript,json-server | 2023-02-21T06:01:20Z | 2023-02-27T06:47:51Z | null | 6 | 14 | 44 | 4 | 2 | 2 | null | null | HTML |
Mnv17/balmy-health-8092 | main | # balmy-health-8092
Rentomojo Clone Project
This project is a clone of Rentomojo, an online rental platform. The project is built using React JS and CSS.
Project Description
The Rentomojo Clone project is a web application that allows users to rent furniture and appliances online. The project includes various features such as browsing through a collection of products, adding products to the cart, and placing orders. The project also includes a search bar, which allows users to search for products by keywords.
The Rentomojo Clone project is built using React JS, a popular JavaScript library for building user interfaces. The project also uses CSS for styling the web pages.
Project Setup
To run the project on your local machine, you need to follow the steps below:
Clone the project repository to your local machine.
Install the required dependencies using the npm install command.
Start the development server using the npm start command.
bash
Project Structure
The project's source code is located in the src folder. The src folder contains the following directories:
components: This folder contains all the React components used in the project.
pages: This folder contains the main pages of the project, such as the home page, product page, cart page, and checkout page.
assets: This folder contains all the static assets used in the project, such as images and icons.
Conclusion
The Rentomojo Clone project is a great example of how React JS can be used to build complex user interfaces. The project includes various features and functionality that are similar to the original Rentomojo platform. The project's source code is available on GitHub, and you can use it as a reference for your own projects or contribute to the project by submitting pull requests.
| rentomojo is a Furniture Rental website. It is an indivisual project completed in 5 days, using React.JS mostly. | axios-react,css,html,javascript,react-hooks,react-router-dom,reactjs | 2023-02-22T14:28:49Z | 2023-02-26T18:36:56Z | null | 2 | 5 | 12 | 0 | 0 | 2 | null | null | JavaScript |
Ravinder1310/nifty-silk-2629 | main |
<h1>Ajio Clone</h1>
<h3>Description :</h3>
AJIO, a fashion and lifestyle brand, is Reliance Retail's digital commerce initiative and is the ultimate fashion destination for styles that are handpicked, on trend and at prices that are the best you'll find anywhere.
<h2>Deployed Link</h2>
https://jolly-genie-b512cd.netlify.app/
<h2>Team Members</h2>
1.Ravinder Kumar(Leader) <br>
2.Rajesh Ranjan <br>
3.Mohammad Zeeshan Salim <br>
4.Deepak Soni<br>
5.Sumit Badri <br>
---
<h3>Tech Stack Used :</h3>
<h5>⚡React</h5>
<h5>⚡React Router</h5>
<h5>⚡Redux</h5>
<h5>⚡Chakra-Ui</h5>
<h5>⚡Axios</h5>
<h5>⚡JavaScript</h5>
<h5>⚡HTML</h5>
<h5>⚡CSS</h5>
---
<h3>Features :</h3>
<h5>✨Home Page with Navbar and Footer</h5>
<h5>✨Authentication</h5>
<h5>✨Filter and sort products by rating and price</h5>
<h5>✨Single Product Page</h5>
<h5>✨Cart page</h5>
<h5>✨Add address details and make payment </h5>
---
<!-- <h3>Some Glimps of Project :</h3>
<h5>✨Home Page with Navbar and Footer</h5>




-->
<h5>✨Landing Page</h5>
<img src="https://user-images.githubusercontent.com/107463246/221790803-c6cb63be-82b9-4b29-8cdf-ef995426d91d.png"/>
<h5>✨Product Page</h5>
<img src="https://user-images.githubusercontent.com/107463246/221790980-c818b310-2a3f-468b-ae77-c3ecabd16c5a.png"/>
<h5>✨Login Page</h5>
<img src="https://user-images.githubusercontent.com/107463246/221791280-6b7369e0-b370-404e-81c3-e95f252593b4.png"/>
<h5>✨Payment Page</h5>
<img src="https://user-images.githubusercontent.com/107463246/221791130-28022bf9-e6bb-4e2e-8623-38acf36cc7ce.png"/>
| AJIO, a fashion and lifestyle brand, is Reliance Retail's digital commerce initiative and is the ultimate fashion destination for styles that are handpicked, on trend and at prices that are the best you'll find anywhere. | chakra-ui,css,html,javascript,jwt,mongodb,mongoose,react,react-dom,react-router | 2023-02-20T12:42:45Z | 2023-04-24T15:24:21Z | null | 5 | 25 | 68 | 2 | 1 | 2 | null | null | JavaScript |
CMOISDEAD/notes-app | master | 

| Notes app, based on markdown | electron,javascript,markdown,notes-app | 2023-02-19T02:49:39Z | 2023-02-19T02:52:14Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | JavaScript |
TahiR-ManzooR-110/Lifestylestores-Clone- | main |
# LifeStyleStore - Clone
We have tried cloning the LifeStyleStore app as a construct week project in the tjird unit of our Masai Journey. We, a team of 4 people have completed this project in a span of 5 days using our knowledge of HTML, CSS and JavaScript.
## About the website
Lifestyle stores is an e-commerce website where all types of clothes and styling products are available for men, women, and kids.
## Technology
**Client** - HTML, CSS, JavaScript
**Server** - LocalStorage, Netlify
## Features
- Navbar
- Signup and Login
- Product Page
- Cart Functionality Page
- Payment Gateway Page
## More info the Project (LifeStyleStore - Clone)

This is the Landing Page of our project.
It contains the **Navabar** which houses the Lifestyle logo a search menu bar, quick link buttons that are linked to their respective pages along with signup and login functionality. Mainly created using html, css flex, buttons has animations using the hover effect. and sticky effect given as to keep the navbar in place even on scroll.
The home page has several information about the Products along with offers.
***********************************************************************************************************************************************************************
](https://user-images.githubusercontent.com/105916310/206892069-59f48ec4-95d3-4f39-bfbb-76e61b86afce.png)
)
One Clicking on the login and signup button you will be redirected to the login and signup prompt which is same as the original website. You need to enter your mobile number then a dummy OTP (Precoded) "1234" and upon validation you will be logged in into the website.
***********************************************************************************************************************************************************************

]
Products page contains all the products bifercated into different genres. On selecting one you will be shown all the products of the particular type. This Page in particular Kutas page. Clicking add to cart the item will be stored in the local Storage that will used to update cart and finializing the total amount to be paid. Also will get a pop up saying so.
***********************************************************************************************************************************************************************
![cartPage]
Cart Page will show the number the products in the cart, Your Individual products as well as along with the total amount. Discounted value is also calculated if applicable and in the proced to buy button you will be taken to multiple payment options.
***********************************************************************************************************************************************************************
You can Just click on Pay now For Your Order

| Lifestyle stores is an e-commerce website where all types of clothes and styling products are available for men, women, and kids. | css,html,javascript,localstorage,netlify | 2023-02-13T15:13:36Z | 2022-12-11T10:28:51Z | null | 3 | 0 | 61 | 0 | 0 | 2 | null | null | HTML |
ihor-kutsenko/Barbershop-UA | main | # Barbershop-UA | Barbershop site | html5,javascript,sass | 2023-02-19T21:41:21Z | 2023-06-06T09:27:56Z | null | 1 | 0 | 18 | 0 | 0 | 2 | null | null | HTML |
Dare-marvel/Hackerrank-Solutions | main | <img src="https://raw.githubusercontent.com/Dare-marvel/Hackerrank-Solutions/main/Images/Hackerrank%20Solutions.png" >
<hr>
<p align="center" >
<img src="https://img.shields.io/github/downloads/Dare-marvel/Hackerrank-Solutions/total" alt="Downloads" />
<img src="https://img.shields.io/github/contributors/Dare-marvel/Hackerrank-Solutions?color=dark-green" alt="Contributors" />
<img src="https://img.shields.io/github/issues/Dare-marvel/Hackerrank-Solutions" alt="Issues" />
<img src="https://img.shields.io/github/license/Dare-marvel/Hackerrank-Solutions" alt="License" />
</p>
<hr>
| 🚀 Welcome to the Hackerrank Problem Solutions Repository! 📚✨ Unlock a treasure trove of well-commented code, meticulously organized by topic and difficulty. 🧠💻 Level up your algorithmic skills with best-practice implementations! 🌐🛠️ Dive into this developer's haven for a journey of learning and skill enhancement. Happy coding! 👩💻🔍 | hackerrank-solutions-c,hackerrank-solutions-java,hackerrank-solutions-python,hackerrank-solutions-github,hackerrank-solutions,hackerrank,competitive-programming,10daysofjavascript,30daysofcode,algorithms | 2023-02-20T14:09:39Z | 2024-02-25T14:15:44Z | null | 1 | 1 | 356 | 0 | 0 | 2 | null | MIT | HTML |
animesh-0041/zara.com_clone | main | null | Shopinistis a retail clothing chain that sells clothing, accessories, shoes, beauty products, and perfumes. | chakraui,css,html5,javascript,reactjs | 2023-02-21T13:42:55Z | 2023-09-06T14:17:48Z | null | 2 | 5 | 16 | 0 | 0 | 2 | null | null | JavaScript |
oleksaYevtush/react-namelist | main | null | 📲App for sending invitations to your contacts | css3,fetch,front-end-development,javascript,react,react-hooks,pet-project | 2023-02-17T14:42:59Z | 2023-02-17T15:19:15Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
lamasters/simplifeed | main | # SimpliFeed
## An RSS reader without distractions
## Live at [simplifeed.org](https://simplifeed.org)
### Contributing
If you would like to contribute to SimpliFeed, please follow these steps:
1. Fork the repository
2. Create a new branch for your feature or bug fix
3. Make your changes and commit them
4. Push your changes to your forked repository
5. Open a pull request to the main repository
We appreciate all contributions to the project and will review your pull request as soon as possible.
## Self Hosting
### Backend
SimpliFeed uses [appwrite](https://appwrite.io/) as the backend.
In order to self host, you will have to sign up for an appwrite account or self host the appwrite backend.
Set up for self hosting appwrite is fairly simple and documentation can be [found here](https://appwrite.io/docs/advanced/self-hosting).
SimpliFeed uses 2 databases with the following schemas:
```
Feeds Database
|_
News Collection
|_
Feed Record
|_ (String) user_id
|_ (URL) url
```
```
Users Database
|_
Pro Users Collection
|_
User Record
|_ (String) user_id
```
It also uses 2 serverless functions, the code for each can be found in `functions`.
The AI summary function requires an appwrite API key and an OpenAI API key.
The appwrite API key can be generated from the project dashboard. You will need to
create an OpenAI account and then [generate a key here](https://platform.openai.com/api-keys).
These can then be entered as environment variables in the settings page for the serverless
function.
### Frontend
Once appwrite is correctly configured you will need to update the file `util/constants.js`.
The values should be assigned as follows:
```
export const APPWRITE_CONFIG = {
ENDPOINT: The API URL where your appwrite backend is hosted (typically https://cloud.appwrite.io/v1,
PROJECT: Your appwrite project ID,
FEEDS_DB: Your feeds database ID,
USERS_DB: Your users database ID,
NEWS: Your news collection ID,
FETCH_ARTICLES: Your get_articles serverless function ID,
PRO_USERS: Your pro users collection ID,
SUMMARIZE_ARTICLE: Your summarize_article serverless function ID,
};
```
### Hosting
With the application configured, you can now host your frontend however you prefer.
An easy option is [vercel](https://vercel.com). Once you've chosen your hosting
option, you will need to add it as a platform in you appwrite project. From your
project dashboard, under "Integrations" select "Add Platform" and enter the URL
where your frontend is hosted (eg. your-app.vercel.app or *.yourwebsite.com).
The wildcard is useful if you're using a custom domain and use multiple subdomains.
### You're done!
You should now be self hosting SimpliFeed! This guide is a work in progress, so if
you hit any snags in the process feel free to create an issue here in GitHub.
| An RSS reader service without distractions. | appwrite,rss,javascript | 2023-02-11T21:12:36Z | 2024-05-23T14:06:38Z | null | 1 | 32 | 136 | 1 | 1 | 2 | null | MIT | JavaScript |
aamirkhan9420/wobot.ai | master | # Wobot.ai
Live link https://wobot-tau.vercel.app
<div width="100%">

</div>
# Wobot.ai
wobot assignment
## Features
- Home page
# Tech Stacks
-js
-Reactjs
-Chakra-ui
# Authors
- @Aamir Khan
| wobot.ai assignment | chakra-ui,javascript,reactjs | 2023-02-10T14:06:30Z | 2023-02-11T07:25:11Z | null | 1 | 0 | 8 | 0 | 0 | 2 | null | null | JavaScript |
TruptimayeePanigrahy/Mall_Adda | main |
Description:This project is a clone of the website E-bay.We have given it the name of MallAdda.This is a n E-commerce website.The user can buy products related to health,Electronics,clothes etc.This was a collaborative project made by three people.This project is completed ina span of five days.The project is divided into parts, there is a sepearte section for cart page,product page,hoepage,checkout page etc.
Tech stack :1.HTML
2.CSS
3.JAVASCRIPT
Contributors:1.TruptimayeePanigrahy
2.Nagaratnap
3.Shudhanshu shekhar123
Netlify link : https://glistening-lolly-63c2e1.netlify.app/
Name of website:MallAdda


| It is an n E-commerce website.The user can buy products related to health,electronics,clothes etc. | css,html,javascript,json,json-server,webapi | 2023-02-20T16:01:36Z | 2023-04-07T08:05:03Z | null | 4 | 14 | 88 | 0 | 0 | 2 | null | null | HTML |
lack21/Phelx | main | # Phelx
Website Project!
Tools Used:
• HTML
• SCSS
• Javascript

Link : https://lack21.github.io/Phelx/
| Website Project | html5,javascript,scss,website | 2023-02-22T19:03:01Z | 2023-02-22T19:06:46Z | null | 1 | 0 | 2 | 0 | 0 | 2 | null | null | SCSS |
bathinamahesh/Classroom_Management_System | master | # ClassRoom_Management_System
# FACULTY DASHBOARD







# STUDENT DASHBOARD







| "CLASSROOM MANAGEMENT SYSTEM" Classroom Management System built with Python and the Django framework offers a comprehensive solution. With a user-friendly interface designed using Bootstrap and HTML/CSS, teachers can easily manage students' attendance, grades, and assignments. The system's back-end, built with Django, ensures data security. | bootstrap5,css3,django,html5,javascript,python,sqlite3 | 2023-02-22T10:46:38Z | 2023-04-11T14:30:10Z | null | 2 | 1 | 6 | 0 | 0 | 2 | null | MIT | HTML |
yusufheri/github-users | main | # github-users
Using Github Api to get Profiles Users
### List of Users

### User profile

| Using Github Api to get Profiles Users | github-api,javascript,reactjs,tailwindcss | 2023-02-23T18:04:14Z | 2023-02-23T18:29:33Z | null | 1 | 0 | 2 | 0 | 0 | 2 | null | null | JavaScript |
Sammy3000/Javascript-capstone-project | master | <a name="readme-top"></a>
<!--
HOW TO USE:
This is an example of how you may give instructions on setting up your project locally.
Modify this file to match your project and remove sections that don't apply.
REQUIRED SECTIONS:
- Table of Contents
- About the Project
- Built With
- Live Demo
- Getting Started
- Authors
- Future Features
- Contributing
- Show your support
- Acknowledgements
- License
OPTIONAL SECTIONS:
- FAQ
After you're finished please remove all the comments and instructions!
-->
<div align="center">
<!-- You are encouraged to replace this logo with your own! Otherwise you can also remove it. -->
<img src="murple_logo.png" alt="logo" width="140" height="auto" />
<br/>
<h3><b>Microverse README Template</b></h3>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 [Latest Meal App] <a name="about-project"></a>
-Latest Meals app displays several different meals offered in local restaurants. User can comment about the mean and can even leave a like if impressed with the meal.
## 🛠 Built With <a name="built-with"></a>
- HTML
- CSS
- Javascript
## 🚀 VIDEO WALKTHROUGH <a name="live-demo"></a>
- [Walkthrough link](https://drive.google.com/file/d/1htfMwT_eBf42EtfQewOEaoj4mQ-4HOjg/view?usp=share_link)
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
1. Clone the Repo or Download the Zip file or `https://github.com/MarkoKermi/javascript_capstone_project.git`
2. cd /leaderboard
3. Open it with the live server
### Prerequisites
In order to run this project you need:
- Git/Github
- HTML and CSS knowledge
- VS code or any other equivalent tool.
<!-- LIVE DEMO -->
### LIVE DEMO
- See it live by clicking [Live Demo Link](https://markokermi.github.io/javascript_capstone_project/dist/)
### Setup
Clone this repository to your desired folder:
<!--
Example commands:
```sh
cd my-folder
git clone git@github.com:myaccount/my-project.git
```
--->
### Install
Install this project with:
- to install locally run git clone https://github.com/MarkoKermi/javascript_capstone_project.git
- open the cloned directory with VSCode
- Install live server extension for VSCode
- Right click on the index.html and select open with live servers
### Run tests
To run tests, run the following command:
For tracking linter errors locally you need to follow these steps:
After cloning the project you need to run these commands
`npm install` `This command will download all the dependancies of the project`
For tracking linter errors in HTML files run:
`npx hint .`
For tracking linter errors in CSS or SASS files run:
`npx stylelint "**/*.{css,scss}`
And For tracking linter errors in JavaScript files run:
`npx eslint .`
### Usage
- Feel free to use this project.
<!-- AUTHORS -->
## 👥 Author <a name="author"></a>
> This is a collaborative project.
👤 **Towett Sammy**
- GitHub: [@sam](https://github.com/Sammy3000)
- Twitter: [@towettsam](https://twitter.com/sammy15375658)
- LinkedIn: [@towettSammy](https://www.linkedin.com/in/towett-sammy-43476024a/)
👤 **Marko Kermi**
- GitHub: [@MarkoKerm](https://github.com/MarkoKermi)
- Twitter: [@MarkoKermi](https://twitter.com/MarkoKerm)
- LinkedIn: [@MarkoKermichiev](https://www.linkedin.com/in/marko-kermichiev-78b1bb110/)
<!-- CONTRIBUTING -->
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](../../issues/).
<!-- SUPPORT -->
## ⭐️ Show your support <a name="support"></a>
Give a ⭐️ if you like this project!
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
- I would like to thank Microverse for granting me the knowledge to do this.
- Thanks to My coding Partner.
- Thanks to My Morning-session-group and Standup-team Partners.
- Thanks to Code Reviewers
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ Loaders] **[I will add loaders as we await data from API]**
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
| Latest Meals app displays several different meals offered in local restaurants. User can comment about the mean and can even leave a like if impressed with the meal. | css3,html5,javascript,jest-test,webpack | 2023-02-11T06:18:20Z | 2023-02-10T15:22:32Z | null | 2 | 0 | 49 | 0 | 0 | 2 | null | null | JavaScript |
MohdAnas07/pixtures | master | # image-gallery
Morder Ui & high quality images gallery using unslpash API
<h2>If you want to a quick try</h2>
```shell
git clone git@github.com:MohdAnas07/image-gallery.git
cd image-gallery
npm install
npm run dev
```
|reactjs | Javascript | Sass|
|--------|------------|-----|
| Morder Ui & high quality images gallery using unslpash API | context-api,javascript,reactjs,sass,unsplash-api | 2023-02-24T17:01:23Z | 2023-03-12T07:16:46Z | null | 1 | 0 | 27 | 0 | 0 | 2 | null | null | JavaScript |
dmr4eg/web-development | master | <h1>Here are files, where i tried to use some web tricks while working on my semestral project</h1>
| Repository for practising web development :D | css,html5,javascript,json-api,mysql,php | 2023-02-24T22:53:59Z | 2023-02-24T22:58:46Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | PHP |
josi-lima/trybewarts | main | # Trybewarts Wizarding School 🧙
⚡[ HTML / CSS / JavaScript ] --- https://josi-lima.github.io/trybewarts/
[por] Page content - in PORTUGUESE.
<br>
<strong>[EN]</strong>
<br>
[Trybe](https://www.betrybe.com/) Project | A page with the theme of the movie saga Harry Potter, displaying an evaluation form. On this page, the user is able to evaluate his or her experience in the fictious wizarding development school "Trybewarts".
<br>
<strong>[POR]</strong>
<br>
Projeto [Trybe](https://www.betrybe.com/) | Uma página com o tema do filme saga Harry Potter, exibindo uma ficha de avaliação. Nesta página, a pessoa usuária pode avaliar sua experiência na escola fictícia de desenvolvimento de magia "Trybewarts".
<br>

| 🧙[ HTML / CSS / JavaScript ] Page content - in PORTUGUESE. Trybe Project | A page with the theme of the movie saga Harry Potter, displaying an evaluation form. Through this form, the user is able to evaluate his or her experience in the fictious wizarding development school "Trybewarts". | css-flexbox,css3,harry-potter,html5,javascript,responsive-layout,responsive-web-design | 2023-02-19T17:22:02Z | 2024-01-28T21:42:23Z | null | 1 | 0 | 66 | 0 | 0 | 2 | null | MIT | CSS |
Tsaihemanth150/hackersite | master | # hackersite
This Django project that useful for the cyber security learners.
# About this project
This is django based web application, Which has 2 modules and wide varity of functionality. </br>
<b> 1. Fond end </b> :- Html, CSS, JavaSctipt. </br>
<b> 2. Backend </b> :- Sqlite. </br>
<b> 3. Middleware </b> :- Djnago framework. </br>
# Modules:-
There are modules in this webiste </br>
1. Admin named as polls </br>
2. Cutsomer named as hackersite </br>
# Functionality :-
1. <b> General</b> :<br>
i. home page <br>
ii. About page <br>
iii. Contact us <br>
iv. Login page <br>
v. singnup page <br>
vi. certification page <br>
vii. Tools page <br>
viii. Topics <br>
2. <b> Admin </b> : <br>
i. admin-dashboard <br>
ii. admin-instructor <br>
iii. admin-view-customer <br>
iv. admin-course <br>
v. admin-question <br>
3. <b> Customer </b> : <br>
i. customer-dashboard <br>
ii. myprofile page <br>
iii. apply-course <br>
iv. history <br>
v. price page <br>
vi. ask-question <br>
vii. question-history <br>
viii. phone ( to get basic mobile details) <br>
# HOW TO RUN THIS PROJECT
step 1:-Install Python(3.7.6) (Dont Forget to Tick Add to Path while installing Python)<br>
step 2: - Open Terminal and Execute Following Commands : <br>
--> python -m pip install -r requirements.txt <br>
step 3:- Download This Project Zip Folder and Extract it <br>
step 4:- Move to project folder in Terminal. Then run following Commands : <br>
--> py manage.py makemigrations <br>
--> py manage.py migrate <br>
--> py manage.py runserver <br>
# Disclaimer
This project is developed for demo purpose and it's not supposed to be used in real application.
# Screenshots (few only )
1. home page :-

2. Customer Option page :-

3.Signup page :-

4. Login page :-

5. About us page :-

6. admin dashbord page :-

| This Django project that useful for the cyber security learners. | cyber,cybersecurity-education,admin-panel,bootstarp4,css,django,django-project,full-stack,full-stack-web-development,html5 | 2023-02-13T04:32:00Z | 2024-01-20T10:59:34Z | null | 1 | 11 | 8 | 0 | 0 | 2 | null | null | HTML |
stdlib-js/random-array-mt19937 | main | <!--
@license Apache-2.0
Copyright (c) 2023 The Stdlib Authors.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->
<details>
<summary>
About stdlib...
</summary>
<p>We believe in a future in which the web is a preferred environment for numerical computation. To help realize this future, we've built stdlib. stdlib is a standard library, with an emphasis on numerical and scientific computation, written in JavaScript (and C) for execution in browsers and in Node.js.</p>
<p>The library is fully decomposable, being architected in such a way that you can swap out and mix and match APIs and functionality to cater to your exact preferences and use cases.</p>
<p>When you use stdlib, you can be absolutely certain that you are using the most thorough, rigorous, well-written, studied, documented, tested, measured, and high-quality code out there.</p>
<p>To join us in bringing numerical computing to the web, get started by checking us out on <a href="https://github.com/stdlib-js/stdlib">GitHub</a>, and please consider <a href="https://opencollective.com/stdlib">financially supporting stdlib</a>. We greatly appreciate your continued support!</p>
</details>
# mt19937
[![NPM version][npm-image]][npm-url] [![Build Status][test-image]][test-url] [![Coverage Status][coverage-image]][coverage-url] <!-- [![dependencies][dependencies-image]][dependencies-url] -->
> Create an array containing pseudorandom numbers generated using a 32-bit [Mersenne Twister][@stdlib/random/base/mt19937] pseudorandom number generator.
<section class="installation">
## Installation
```bash
npm install @stdlib/random-array-mt19937
```
Alternatively,
- To load the package in a website via a `script` tag without installation and bundlers, use the [ES Module][es-module] available on the [`esm`][esm-url] branch (see [README][esm-readme]).
- If you are using Deno, visit the [`deno`][deno-url] branch (see [README][deno-readme] for usage intructions).
- For use in Observable, or in browser/node environments, use the [Universal Module Definition (UMD)][umd] build available on the [`umd`][umd-url] branch (see [README][umd-readme]).
The [branches.md][branches-url] file summarizes the available branches and displays a diagram illustrating their relationships.
To view installation and usage instructions specific to each branch build, be sure to explicitly navigate to the respective README files on each branch, as linked to above.
</section>
<section class="usage">
## Usage
```javascript
var mt19937 = require( '@stdlib/random-array-mt19937' );
```
#### mt19937( len\[, options] )
Returns an array containing pseudorandom integers on the interval `[0, 4294967295]`.
```javascript
var out = mt19937( 10 );
// returns <Float64Array>
```
The function has the following parameters:
- **len**: output array length.
- **options**: function options.
The function accepts the following `options`:
- **dtype**: output array data type. Must be a [real-valued data type][@stdlib/array/typed-real-dtypes] or "generic". Default: `'float64'`.
By default, the function returns a [`Float64Array`][@stdlib/array/float64]. To return an array having a different data type, set the `dtype` option.
```javascript
var opts = {
'dtype': 'generic'
};
var out = mt19937( 10, opts );
// returns [...]
```
#### mt19937.normalized( len\[, options] )
Returns an array containing pseudorandom numbers on the interval `[0, 1)` with 53-bit precision.
```javascript
var out = mt19937.normalized( 10 );
// returns <Float64Array>
```
The function has the following parameters:
- **len**: output array length.
- **options**: function options.
The function accepts the following `options`:
- **dtype**: output array data type. Must be a [real-valued floating-point data type][@stdlib/array/typed-real-float-dtypes] or "generic". Default: `'float64'`.
By default, the function returns a [`Float64Array`][@stdlib/array/float64]. To return an array having a different data type, set the `dtype` option.
```javascript
var opts = {
'dtype': 'generic'
};
var out = mt19937.normalized( 10, opts );
// returns [...]
```
#### mt19937.factory( \[options] )
Returns a function for creating arrays containing pseudorandom numbers generated using a 32-bit [Mersenne Twister][@stdlib/random/base/mt19937] pseudorandom number generator.
```javascript
var random = mt19937.factory();
var out = random( 10 );
// returns <Float64Array>
var len = out.length;
// returns 10
out = random.normalized( 10 );
// returns <Float64Array>
len = out.length;
// returns 10
```
The function accepts the following `options`:
- **seed**: pseudorandom number generator seed.
- **state**: a [`Uint32Array`][@stdlib/array/uint32] containing pseudorandom number generator state. If provided, the function ignores the `seed` option.
- **copy**: `boolean` indicating whether to copy a provided pseudorandom number generator state. Setting this option to `false` allows sharing state between two or more pseudorandom number generators. Setting this option to `true` ensures that a returned generator has exclusive control over its internal state. Default: `true`.
- **idtype**: default output array data type when generating integers. Must be a [real-valued data type][@stdlib/array/typed-real-dtypes] or "generic". Default: `'float64'`.
- **ndtype**: default output array data type when generating normalized numbers. Must be a [real-valued floating-point data type][@stdlib/array/typed-real-float-dtypes] or "generic". Default: `'float64'`.
To seed the underlying pseudorandom number generator, set the `seed` option.
```javascript
var opts = {
'seed': 12345
};
var random = mt19937.factory( opts );
var out = random( 10, opts );
// returns <Float64Array>
```
The returned function accepts the following `options`:
- **dtype**: output array data type. Must be a [real-valued data type][@stdlib/array/typed-real-dtypes] or "generic". This overrides the default output array data type.
The returned function has a `normalized` method which accepts the following `options`:
- **dtype**: output array data type. Must be a [real-valued floating-point data type][@stdlib/array/typed-real-float-dtypes] or "generic". This overrides the default output array data type.
To override the default output array data type, set the `dtype` option.
```javascript
var random = mt19937.factory();
var out = random( 10 );
// returns <Float64Array>
var opts = {
'dtype': 'generic'
};
out = random( 10, opts );
// returns [...]
```
#### mt19937.PRNG
The underlying pseudorandom number generator.
```javascript
var prng = mt19937.PRNG;
// returns <Function>
```
#### mt19937.seed
The value used to seed the underlying pseudorandom number generator.
```javascript
var seed = mt19937.seed;
// returns <Uint32Array>
```
#### mt19937.seedLength
Length of underlying pseudorandom number generator seed.
```javascript
var len = mt19937.seedLength;
// returns <number>
```
#### mt19937.state
Writable property for getting and setting the underlying pseudorandom number generator state.
```javascript
var state = mt19937.state;
// returns <Uint32Array>
```
#### mt19937.stateLength
Length of underlying pseudorandom number generator state.
```javascript
var len = mt19937.stateLength;
// returns <number>
```
#### mt19937.byteLength
Size (in bytes) of underlying pseudorandom number generator state.
```javascript
var sz = mt19937.byteLength;
// returns <number>
```
</section>
<!-- /.usage -->
<section class="notes">
## Notes
- [Mersenne Twister][@stdlib/random/base/mt19937] is **not** a cryptographically secure PRNG, as the PRNG is based on a linear recursion. Any pseudorandom number sequence generated by a linear recursion is **insecure**, due to the fact that one can predict future generated outputs by observing a sufficiently long subsequence of generated values.
- Compared to other PRNGs, [Mersenne Twister][@stdlib/random/base/mt19937] has a large state size (`~2.5kB`). Because of the large state size, beware of increased memory consumption when using the `factory()` method to create many [Mersenne Twister][@stdlib/random/base/mt19937] PRNGs. When appropriate (e.g., when external state mutation is not a concern), consider sharing PRNG state.
- A seed array of length `1` is considered **equivalent** to an integer seed equal to the lone seed array element and vice versa.
- If PRNG state is "shared" (meaning a state array was provided during function creation and **not** copied) and one sets the underlying generator state to a state array having a different length, the function returned by the `factory` method does **not** update the existing shared state and, instead, points to the newly provided state array. In order to synchronize the output of the underlying generator according to the new shared state array, the state array for **each** relevant creation function and/or PRNG must be **explicitly** set.
- If PRNG state is "shared" and one sets the underlying generator state to a state array of the same length, the PRNG state is updated (along with the state of all other creation functions and/or PRNGs sharing the PRNG's state array).
</section>
<!-- /.notes -->
<section class="examples">
## Examples
<!-- eslint no-undef: "error" -->
```javascript
var logEach = require( '@stdlib/console-log-each' );
var mt19937 = require( '@stdlib/random-array-mt19937' );
// Create a function for generating random arrays originating from the same state:
var random = mt19937.factory({
'state': mt19937.state,
'copy': true
});
// Generate 3 arrays:
var x1 = random.normalized( 5 );
var x2 = random.normalized( 5 );
var x3 = random.normalized( 5 );
// Print the contents:
logEach( '%f, %f, %f', x1, x2, x3 );
// Create another function for generating random arrays with the original state:
random = mt19937.factory({
'state': mt19937.state,
'copy': true
});
// Generate a single array which replicates the above pseudorandom number generation sequence:
var x4 = random.normalized( 15 );
// Print the contents:
logEach( '%f', x4 );
```
</section>
<!-- /.examples -->
<!-- Section for related `stdlib` packages. Do not manually edit this section, as it is automatically populated. -->
<section class="related">
* * *
## See Also
- <span class="package-name">[`@stdlib/random-array/randu`][@stdlib/random/array/randu]</span><span class="delimiter">: </span><span class="description">create an array containing uniformly distributed pseudorandom numbers between 0 and 1.</span>
- <span class="package-name">[`@stdlib/random-base/mt19937`][@stdlib/random/base/mt19937]</span><span class="delimiter">: </span><span class="description">A 32-bit Mersenne Twister pseudorandom number generator.</span>
- <span class="package-name">[`@stdlib/random-strided/mt19937`][@stdlib/random/strided/mt19937]</span><span class="delimiter">: </span><span class="description">fill a strided array with pseudorandom numbers generated using a 32-bit Mersenne Twister pseudorandom number generator.</span>
</section>
<!-- /.related -->
<!-- Section for all links. Make sure to keep an empty line after the `section` element and another before the `/section` close. -->
<section class="main-repo" >
* * *
## Notice
This package is part of [stdlib][stdlib], a standard library for JavaScript and Node.js, with an emphasis on numerical and scientific computing. The library provides a collection of robust, high performance libraries for mathematics, statistics, streams, utilities, and more.
For more information on the project, filing bug reports and feature requests, and guidance on how to develop [stdlib][stdlib], see the main project [repository][stdlib].
#### Community
[![Chat][chat-image]][chat-url]
---
## License
See [LICENSE][stdlib-license].
## Copyright
Copyright © 2016-2024. The Stdlib [Authors][stdlib-authors].
</section>
<!-- /.stdlib -->
<!-- Section for all links. Make sure to keep an empty line after the `section` element and another before the `/section` close. -->
<section class="links">
[npm-image]: http://img.shields.io/npm/v/@stdlib/random-array-mt19937.svg
[npm-url]: https://npmjs.org/package/@stdlib/random-array-mt19937
[test-image]: https://github.com/stdlib-js/random-array-mt19937/actions/workflows/test.yml/badge.svg?branch=main
[test-url]: https://github.com/stdlib-js/random-array-mt19937/actions/workflows/test.yml?query=branch:main
[coverage-image]: https://img.shields.io/codecov/c/github/stdlib-js/random-array-mt19937/main.svg
[coverage-url]: https://codecov.io/github/stdlib-js/random-array-mt19937?branch=main
<!--
[dependencies-image]: https://img.shields.io/david/stdlib-js/random-array-mt19937.svg
[dependencies-url]: https://david-dm.org/stdlib-js/random-array-mt19937/main
-->
[chat-image]: https://img.shields.io/gitter/room/stdlib-js/stdlib.svg
[chat-url]: https://app.gitter.im/#/room/#stdlib-js_stdlib:gitter.im
[stdlib]: https://github.com/stdlib-js/stdlib
[stdlib-authors]: https://github.com/stdlib-js/stdlib/graphs/contributors
[umd]: https://github.com/umdjs/umd
[es-module]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Modules
[deno-url]: https://github.com/stdlib-js/random-array-mt19937/tree/deno
[deno-readme]: https://github.com/stdlib-js/random-array-mt19937/blob/deno/README.md
[umd-url]: https://github.com/stdlib-js/random-array-mt19937/tree/umd
[umd-readme]: https://github.com/stdlib-js/random-array-mt19937/blob/umd/README.md
[esm-url]: https://github.com/stdlib-js/random-array-mt19937/tree/esm
[esm-readme]: https://github.com/stdlib-js/random-array-mt19937/blob/esm/README.md
[branches-url]: https://github.com/stdlib-js/random-array-mt19937/blob/main/branches.md
[stdlib-license]: https://raw.githubusercontent.com/stdlib-js/random-array-mt19937/main/LICENSE
[@stdlib/random/base/mt19937]: https://github.com/stdlib-js/random-base-mt19937
[@stdlib/array/typed-real-float-dtypes]: https://github.com/stdlib-js/array-typed-real-float-dtypes
[@stdlib/array/typed-real-dtypes]: https://github.com/stdlib-js/array-typed-real-dtypes
[@stdlib/array/float64]: https://github.com/stdlib-js/array-float64
[@stdlib/array/uint32]: https://github.com/stdlib-js/array-uint32
<!-- <related-links> -->
[@stdlib/random/array/randu]: https://github.com/stdlib-js/random-array-randu
[@stdlib/random/strided/mt19937]: https://github.com/stdlib-js/random-strided-mt19937
<!-- </related-links> -->
</section>
<!-- /.links -->
| Create an array containing pseudorandom numbers generated using a 32-bit Mersenne Twister pseudorandom number generator. | javascript,math,mathematics,mersenne,mt19937,node,node-js,nodejs,prng,pseudorandom | 2023-02-15T10:16:24Z | 2024-04-12T01:39:58Z | null | 5 | 0 | 19 | 0 | 0 | 2 | null | Apache-2.0 | JavaScript |
fobabs/dsa-scripts | main | # Data Structures and Algorithms Solutions
[](https://choosealicense.com/licenses/mit/)
This contains solutions to some DSA problems in JavaScript and Typescript.
- If you like the project, kindly give it a star. It means a lot to me.
## Contributing
Contributions are always welcome!
- If you want to help us improve, take a minute to read the [Contribution Guidelines](/CONTRIBUTING.md) first.
- If you find a problem with a specific code, please [open an issue](https://github.com/fobabs/data-structures-and-algorithms-solutions/issues/new).
- If you want to get your hands dirty by fixing issues and bugs, fork the project.
- Please adhere to this project's `code of conduct`.
## Feedback
If you have any feedback, please reach out to us at [hi@fobabs.co](mailto:hi@fobabs.co).
| This contains solutions to some data structures and algorithms problems. | javascript,algorithms,algorithms-and-data-structures,data-structures,python,hacktoberfest,hacktoberfest2023 | 2023-02-18T00:19:13Z | 2024-05-03T02:31:09Z | null | 1 | 44 | 185 | 0 | 0 | 2 | null | MIT | TypeScript |
akshay123332/Lenscart-Clone | main | # Ainak
# Ainak_website_photos
This is the photos of the Ainak website. Ainak is an online Ecommerce Website which is providing high quality eyewear. From this website, users can Order Computer Glasses,Sun Glasses,Kids Glasses and much more across the world.
**To see the live site click the below link.**
https://ainak-five.vercel.app/
## Built with
<ul>
<li>React js</li>
<li>Redux</li>
<li>HTML</li>
<li>CSS</li>
<li>JavaScript</li>
</ul>
## Used libraries
<ul>
<li>node modules</li>
<li>Styled-Components</li>
<li>axios</li>
<li>React Js</li>
<li>Redux</li>
<li>React-router-dom</li>
<li>Chakra-UI</li>
<li>Chakra-UI-Icons</li>
<li>React Icons</li>
</ul>
## Features
<ul>
<li>Signup</li>
<li>Login</li>
<li>Sorting</li>
<li>Individual Item Pages</li>
<li>Filtering glasses by their Type and category including Men,Women and Kids</li>
</ul>
## Some screenshots of the project
<img src="./Screenshots/Ainak logo.jpg">
<img src="./Screenshots/Screenshot (449).png">
<img src="./Screenshots/Screenshot (451).png">
<img src="./Screenshots/Screenshot (452).png">
<img src="./Screenshots/Screenshot (453).png">
<img src="./Screenshots/Screenshot (454).png">
<img src="./Screenshots/Screenshot (455).png">
<img src="./Screenshots/Screenshot (456).png">
### Thanks for reading
| Ainak is a clone of lenscart website. Ainak is an online Ecommerce Website which is providing high quality eyewear. From this website, users can Order Computer Glasses,Sun Glasses,Kids Glasses and much more across the world. | chakra-ui,javascript,react,react-router-dom,reactjs,redux,redux-thunk | 2023-02-19T06:07:10Z | 2023-05-09T18:06:35Z | null | 4 | 17 | 70 | 0 | 3 | 2 | null | null | JavaScript |
workwithhim/quixotic-frontend | main | The Quix frontend is built on [Next.js](https://nextjs.org/).
## Getting Started
First, configure the frontend to connect to the [Quix backend](https://github.com/workwithhim/quix-backend). All configuration settings are stored in `/shared/config.ts`.
Initially, the only settings that need to be updated are the `BACKEND_URL` and `BACKEND_TOKEN`, though you'll likely want to eventually configure the frontend to use the shared Seaport deployment (or your own deployment).
The `BACKEND_URL` should point to where you are running the Quix backend. The `BACKEND_TOKEN` can be generated using the Django admin under `AUTH TOKEN` (not to be confused with `API KEY`).
Lastly, the frontend is configured to run on Optimism Mainnet by default. To instead run on Optimism Goerli, update the environment variable `NEXT_PUBLIC_NETWORK` from `opt-mainnet` to `opt-goerli`.
## Running the Code
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.
## 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.
| null | interface,javascript,next,nextjs,react,reactjs,toast,toastify,typescript,web3 | 2023-02-21T11:00:29Z | 2023-02-21T11:04:57Z | null | 1 | 0 | 1 | 0 | 1 | 2 | null | null | TypeScript |
Christiangsn/domain-driver-design-FinancialAPI | main | null | Projeto financeiro usando domain driven design, tdd, arquitetura hexagonal e solid | ddd,domain-driven-design,finance,hexagonal-architecture,javascript,jest,oriented-object-programming,solidity,tdd,test | 2023-02-19T04:41:15Z | 2023-02-19T04:47:49Z | null | 1 | 2 | 2 | 16 | 0 | 2 | null | null | TypeScript |
mouralisandra/JEI-Shop | main | null | A JEI FullStack Mini Ecommerce Project built with NestJs and ReactJs | nestjs,reactjs,css,html,nestjs-backend,react-js-hooks,javascript,scss | 2023-02-21T20:30:57Z | 2023-03-30T02:30:23Z | null | 2 | 2 | 3 | 0 | 0 | 2 | null | null | JavaScript |
seanpm2001/SeansLifeArchive_Images_Mastodon | SeansLifeArchive_Images_Mastodon_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 module for my life story project that contains my Mastodon images. | git-image,gpl3,gplv3,images,javascript,mastodon,md,photos,pictures,ruby | 2023-02-14T21:57:41Z | 2023-02-15T05:00:48Z | null | 1 | 0 | 68 | 0 | 1 | 2 | null | GPL-3.0 | Ruby |
kauamoreno/estudos_react | main | <h1 align="center">Meu Repositório de Estudos em React JS ⚛️</h1>
<div>
Este é um repositório que criei para organizar e documentar meus estudos em React JS.
A intenção é manter um registro organizado de todos os exercícios que eu tenho feito ao longo do tempo para aprimorar meus conhecimentos na biblioteca.
<br><br>
## Contribuindo
Sinta-se à vontade para contribuir com novos projetos ou melhorias nos projetos existentes! Basta fazer um fork deste repositório, fazer as alterações necessárias e enviar um pull request. Eu ficarei feliz em revisar suas contribuições e incorporá-las ao repositório principal.
## Licença
Este projeto está sob a licença MIT, para mais informações consulte o arquivo [LICENSE](LICENSE) .
<br><br>
> Feito por Kauã Moreno
[](https://www.linkedin.com/in/kauamoreno/)
[](mailto:kaua.moreno2005@gmail.com)
</div>
| Repositório para armazenar meus estudos em React JS. O objetivo deste espaço é guardar os exercícios que desenvolvi ao longo do tempo para praticar e aprimorar minhas habilidades com a biblioteca. | estudos,javascript,react,reactjs | 2023-02-18T03:38:27Z | 2023-07-19T21:25:13Z | null | 1 | 0 | 11 | 0 | 1 | 2 | null | MIT | TypeScript |
YubaC/HTML-Tabs-Frame | master | # HTML Tabs Frame

[简体中文](./README_CN.md)
A web page tab switcher with accessibility.
Preview(We suggest Google Chrome): [Github Pages](https://yubac.github.io/HTML-Tabs-Frame)
## Introduce
HTML Tabs Frame is a web page tab switcher with accessibility. It allows you to create multiple tabs in a web page, each of which can contain any content, including images, videos, audios, tables, forms, etc.
The intent of this project is to provide an accessible in-page multi-tab switcher for desktop applications such as QT, as QT's QWebEngineView does not support accessibility very well, so it can only be implemented via the web. However, this project can be used in any other scenario where an accessible in-page multi-tab switcher is needed.
HTML Tabs Frame can create a multi-tab switcher in a web page, allowing users to switch between different tabs within the web page without leaving the current web page.
We provide two types of tabs:
1. inner: internal tab, whose content is inside the web page, that is, its content is in the HTML code of the web page;
2. iframe: external tab, whose content is outside the web page, that is, its content is outside the HTML code of the web page.
## Usage
Use `index.html` to start.
### Project Structure
```
├── index.html
├── assets
│ ├── css // the folder of stylesheets, where the file names match the HTML file names.
│ │ ├── high-contrast.css // high contrast mode style, currently used for newTab.html night mode.
│ │ ├── tabnav.css // stylesheet for the tab navigation bar.
│ │ ├── tabnav-night.css // stylesheet for the night mode of the tab navigation bar.
│ │ ├── theme.css // theme style, responsible for loading the light theme.
│ │ ├── theme-night.css // theme style, responsible for loading the night theme.
│ │ └── ...
│ │
│ ├── data // the folder of data files that store page information and settings.
│ │ ├── pages.json // page information, which will be loaded when the page is loaded.
│ │ └── settings.json // settings, which will be loaded when the page is loaded.
│ │
│ ├── images // the folder of image files.
│ │ └── ...
│ │
│ ├── js // the folder of scripts, where the file names match the HTML file names.
│ │ ├── accessibility.js // accessibility script, also responsible for keyboard shortcuts.
│ │ ├── autoload.js // responsible for loading all other files.
│ │ ├── cookies.js // responsible for reading and writing cookies.
│ │ ├── languages.js // responsible for loading language packs.
│ │ ├── load-settings.js // responsible for loading settings and resources.
│ │ ├── nav.js // script for the tab navigation bar.
│ │ ├── reload-settings.js // Reload the settings item when changing settings or adding new content div or iframe in the settings page.
│ │ ├── theme.js // script for loading themes (light/night).
│ │ └── ...
│ │
│ ├── lang // the folder of language pack files.
│ │ ├── languages.json // stores global language pack information.
│ │ └── ...
│ │
│ ├── lib // the folder of some library files.
│ │
│ ├── scss // the folder of SCSS files, where the file names match the HTML file names. These files will be compiled into CSS files, and can be deleted if not used.
│ │
│ └── ...
│
├── LICENSE // license
├── LICENSE_CN // license
├── index.html // homepage
├── newTab.html // new tab page
└── README.md // documentation
```
## License
We follow the [Anti-996 License](https://github.com/996icu/996.ICU/blob/master/LICENSE) to open source this project.
[](https://github.com/996icu/996.ICU/blob/master/LICENSE)
| A multi-tab switcher within an accessible webpage. | bootstrap,bootstrap5,css,css3,font-awesome,font-awesome-5,fontawesome5,html,html-css,html-css-javascript | 2023-02-16T03:00:43Z | 2023-05-20T09:38:51Z | null | 1 | 0 | 61 | 0 | 0 | 2 | null | NOASSERTION | SCSS |
Dct-tcd/Textutils | main | # Getting Started with Create React App
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
## Available Scripts
In the project directory, you can run:
### `npm start`
Runs the app in the development mode.\
Open [http://localhost:3000](http://localhost:3000) to view it in your browser.
The page will reload when you make changes.\
You may also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can't go back!**
If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own.
You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
### Code Splitting
This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting)
### Analyzing the Bundle Size
This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size)
### Making a Progressive Web App
This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app)
### Advanced Configuration
This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration)
### Deployment
This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment)
### `npm run build` fails to minify
This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
# Textutils
| This app helps to manipulate texts entered like modify them to uppercase or lowercase or clear it and has functionalities like dark modes and others | html,javascript,react,reactjs | 2023-02-10T14:06:17Z | 2023-02-10T14:05:08Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | JavaScript |
gabriel-nascimento-sousa/calculadora | main | null | calculadora - apenas versão teste | html,css,git,javascript | 2023-02-24T14:45:43Z | 2023-02-24T15:08:49Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | HTML |
mithintv/job-scraper | master | # Getting Started with Create React App
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
## Available Scripts
In the project directory, you can run:
### `npm start`
Runs the app in the development mode.\
Open [http://localhost:3000](http://localhost:3000) to view it in the browser.
The page will reload if you make edits.\
You will also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can’t go back!**
If you aren’t satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you’re on your own.
You don’t have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn’t feel obligated to use this feature. However we understand that this tool wouldn’t be useful if you couldn’t customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
| A browser extension to scrape job details from different platforms and insert them to Google Sheets | api,browser-extension,chrome-extension,django,javascript,python,react,typescript | 2023-02-17T05:55:13Z | 2023-03-24T20:51:37Z | null | 1 | 10 | 37 | 1 | 0 | 2 | null | null | JavaScript |
1he03/canvas-form-deno | main | # Version 1.0.5:
```
1- Fix some mistakes
```
# Install
```typescript
import { Forms } from "https://deno.land/x/canvas_form@v1.0.5/mod.ts";
const form = new Forms(1920, 1080);
```
# Values
Key | Type
--- | ----
createCircle | method
createText | method
createImages | method
createLine | method
createRect | method
createRhombus | method
createStar | method
createTriangle | method
setCanvasSize | method
toBuffer | method
toSave | method
addFontFamily | method
canvas | prototype
ctx | prototype
# Rect
```typecript
const rect = form.createRect(/* options: RectOptions */);
rect.draw({x:200, y:100, color:"blue", drawType:"stroke"})
rect.draw({x:500, y:100, height:110, width:110});
```

# Circle
```typecript
const circle = form.createCircle(/* options: CircleOptions */);
circle.draw({x:200, y:100, color:"blue", drawType:"stroke"});
circle.draw({x:500, y:100, radius:60});
```

# Text
```typecript
const text = form.createText(/* options: TextOptions */);
text.draw({x:200, y:100, color:"blue", drawType:"stroke", text:"Hello"});
text.draw({x:500, y:100, text:"Hi", fontFamily:"Impact", size:60, textAlign:"left", width:70});
```

# Line
```typecript
const line = form.createLine(/* options: LineOptions */);
line.draw({x:200, y:100, endX:450, endY:100, color:"blue", lineWidth:3});
line.draw({x:200, y:150, endX:450, endY:150, lineWidth:5});
```

# Rhombus
```typecript
const rhombus = form.createRhombus(/* options: RhombusOptions */);
rhombus.draw({x:200, y:200, color:"blue", drawType:"stroke"});
rhombus.draw({x:500, y:200, height:80 ,width:90});
```

# Star
```typecript
const star = form.createStar(/* options: StarOptions */);
star.draw({x:200, y:100, color:"blue", drawType:"stroke"});
star.draw({x:500, y:100, spikes:9, innerRadius:20, outerRadius:30});
```

# Image
```typecript
const image = form.createImage(/* options: ImageOptions */);
image.draw({x:200, y:500, height:120, width:120, path:"https://cdn.discordapp.com/attachments/716228498825412690/987695097107873792/unknown.png"}).then(async img=>
{
await image.draw({x:400, y:500, isCircle:true, radius:60, path:"https://cdn.discordapp.com/attachments/716228498825412690/987695097107873792/unknown.png"});
await img.draw({x:600, y:500, height:100, width:100, path:"https://cdn.discordapp.com/attachments/716228498825412690/987695097107873792/unknown.png"});
await img.draw({x:800, y:500, isCircle:true, radius:50, path:"https://cdn.discordapp.com/attachments/716228498825412690/987695097107873792/unknown.png"});
});
```

# Triangle
```typecript
const triangle = form.createTriangle(/* options: TriangleOptions */);
triangle.draw({x:200, y:100, color:"red"});
triangle.draw({x:300, y:100, color:"blue", drawType:"stroke"});
triangle.draw({x:400, y:100, color:"green", rotate:70});
triangle.draw({x:200, y:200, color:"yellow", sideAB: 20, sideAC: 10});
triangle.draw({x:300, y:200, color:"pink", sideBC: 50, rotate:20});
```

# Font Family
`Warning` If you use windows os you must add font family in your windows before use `addFontFamily`
```typecript
// Add new Font Family
form.addFontFamily(/* path: string, setName: string) // You can add any name in setName
```
for examlpe:
```typecript
form.addFontFamily("./Halimun.ttf","Halimun");
const text = form.createText();
text.draw({x:200, y:100, text:"Hello", fontFamily:"Halimun"});
text.draw({x:500, y:100, text:"Hello", fontFamily:"Impact"});
```

# Other method
```typecript
// save Image
form.toSave(/*path: string, mimeType?: "jpeg" | "png" | "webp"*/); // path = "save local device without ."
// convert to Buffer
form.toBuffer(/*mimeType?: "jpeg" | "png" | "webp", quality?: number*/)
```
# One example in detail
```typecript
form.createRect(/*options*/).draw({x:500, y:100, color:"red"}).draw({x:700, y:100, color:"red"}).draw({x:900, y:100, color:"red"});
```
OR
```typecript
form.createRect({y:100, color:"red"}).draw({x:500}).draw({x:700}).draw({x:900});
```
OR
```typecript
const rect = form.createRect(/*options*/);
rect.draw({x:500, y:100, color:"red"});
rect.draw({x:700, y:100, color:"red"});
rect.draw({x:900, y:100, color:"red"});
```
OR
```typecript
const rect = form.createRect({color:"red", y:100});
rect.draw({x:500});
rect.draw({x:700});
rect.draw({x:900});
```

# Options
## RectOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
drawType `draw` | String | fill
width | Number | 100
height | Number | 100
## CircleOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
drawType `draw` | String | fill
radius | Number | 50
## TextOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
drawType `draw` | String | fill
width | Number | 100
text | String | null
size | Number | 50
fontFamily | String | Arial
textAlign | String | left
## LineOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
lineWidth | Number | 1
endX | Number | 50
endY | Number | 50
## RhombusOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
drawType `draw` | String | fill
width | Number | 100
height | Number | 100
lineWidth | Number | 1
## StarOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
drawType `draw` | String | fill
lineWidth | Number | 1
spikes | Number | 5
outerRadius | Number | 30
innerRadius | Number | 15
## ImageOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
width | Number | 100
height | Number | 100
path | String | null
## TriangleOptions
Key | Type | Default
--- | ---- | -----
x | Number | 0
y | Number | 0
color | String | black
drawType `draw` | String | fill
sideAB?| number | 0
sideAC?| number | 0
sideBC?| number | 0
rotate?| number | 0
| You can choose some forms by canvas-form | deno,javascript,js,ts,canvas,typescript,form,forms | 2023-02-10T11:54:12Z | 2023-05-02T12:58:38Z | 2023-05-02T12:58:38Z | 1 | 0 | 31 | 0 | 0 | 2 | null | null | TypeScript |
eladjmc/vote-app-react | main | # ✋ React Voting App
I was given a task @AppleSeeds Bootcamp to make a React App with two type of users - admin and regular user. in the app all users can vote for one of the dragon ball series characters and the admin users can view statistics and data graph.
### Instructions:
<a href="instructions.pdf" target="_blank">Instructions-PDF</a>
<br />
## My design was simple and I made sure to include 3 pages:
### `Login Page`
In this page you need to insert a valid email and password (that is already in the data) in order to login.
once you are logged in you can logout using the logout option. however the state for logged users is saved, so refreshing the page will not log you out.

<br>

### `Vote Page`
In this page all users can vote, once a vote was made you will be asked if you are sure about your vote, even after finish voting you can still take your vote back.
All the candidates have the total number of vote showed to the user.

<br>
### `Admin panel`
In this page admin users can view a table of all registered users and if they voted or not, moreover there is a graph in the page that visualize the state of the votes

<hr>
<br>
### `Navbar`
All pages can be rendered as long as you have the suited type of user to display them.
the navbar have a dropdown window that have all the pages, moreover it has a logout button.
<br>
## `App responsiveness`
I made sure that the app is useable for smaller screens.


<br />
## Demo site link
https://elad-vote-app.netlify.app/
<br />
## Deployment
in order to run the app locally you will need to install all the dependencies from the package.json file.
run the command ``` npm install ``` to install all the dependencies, after it's done you can run ``` npm start``` to start the app locally in ```localhost:3000```
## More 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.
## Some Valid Emails+Passwords to play around with the app
Mail: ```tomas19@aol.com``` Password: ```1234``` type: ```User```
Mail: ```alicelee@gmail.com``` Password: ```2NDJYFL``` type: ```Admin```
# Conclusion:
after running the ```npm install``` and ```npm start``` commands you should have the project running locally.
If you liked it, feel free to fork/clone and play around with the code.
| Small app in react with two types of users - admin and user | app,chartjs,chartjs-2,css,dragonball-z,fun,javascript,npm,project,react | 2023-02-17T10:25:24Z | 2023-02-18T18:31:36Z | null | 1 | 0 | 11 | 0 | 3 | 2 | null | null | JavaScript |
Daffabot/dps-calc | main | # DPS Calculator Javascript
App Damage Per Second Calculator Javascript created and developed by Daffa Ahmad Ibrahim

## Demo
You can <a href="https://www.daffabot.my.id/dps-calc">Click here</a> for demo.
## How to install
1. Clone repository
```bash
git clone https://github.com/Daffabot/dps-calc.git
```
2. Open dps-calc/index.html file in your browser
## Example Usage
```javascript
function count(){
//Variable declaration
let magazine = document.getElementById("magazine").value;
let rps = document.getElementById("rps").value;
let reload = document.getElementById("reload").value;
let damagebasic = document.getElementById("damagebasic").value;
let projectiles = document.getElementById("projectiles").value;
let chan = document.getElementById("chan").value;
let multi = document.getElementById("multi").value;
let effvalue = document.getElementById("effvalue").value;
let period = document.getElementById("period").value;
let eleper = document.getElementById("eleper").value;
let elevalue = document.getElementById("elevalue").value;
//Counting process
let crit = (Number(magazine) * (Number(chan) / Number(100))) * ((Number(damagebasic) * Number(multi)) - Number(damagebasic));
let effect = Number(effvalue) / Number(period);
let element = Number(elevalue) * (Number(magazine) * (Number(eleper) / Number(100)));
let total = (((Number(magazine) * Number(damagebasic)) + Number(crit) + Number(element)) / ((Number(magazine) / Number(rps)) + Number(reload))) * Number(projectiles);
let dps = Number(total) + Number(effect);
if (dps){
//Use code to output results
}
}
```
## Collaborators
Feel free to contribute! You can collaborate with us.
| DPS Calculator use for general shooter game By Daffabot | calculator,dps,dps-calculator,game,javascript | 2023-02-18T23:22:15Z | 2024-05-18T07:03:31Z | null | 2 | 2 | 38 | 0 | 0 | 2 | null | Apache-2.0 | JavaScript |
Tiangfuu23/My-Mini-Project | main | # Mini-Project Lists
## Game:
- [Guess My Number](https://github.com/Tiangfuu23/My-Mini-Project#guess-my-number)
- [Pig Game](https://github.com/Tiangfuu23/My-Mini-Project/#pig-game)
- [Tic Tac Toe](https://github.com/Tiangfuu23/My-Mini-Project/#tic-tac-toe)
## App:
- [Mini Calculator](https://github.com/Tiangfuu23/My-Mini-Project/#mini-calculator)
### Guess My Number
#### This project was built with
- **HTML**
- **CSS**
- **Javascript**
#### See Demo at :
- [Guess My Number](https://guessmynumber-tiangfuu23.netlify.app/)
#### Reference
- [The Complete javascript course](https://www.udemy.com/course/the-complete-javascript-course/)
### Pig Game
#### This project was built with
- **HTML**
- **CSS**
- **Javascript**
#### See Demo at :
- [Pig game](https://pig-game-t23.netlify.app/)
#### Reference
- [The Complete javascript course](https://www.udemy.com/course/the-complete-javascript-course/)
### Tic Tac Toe
#### This project was built with
- **HTML**
- **CSS**
- **Javascript**
#### See Demo at :
- [Tic Tac Toe](https://tic-tac-toe-t23.netlify.app/)
#### Reference
- [Simple Tic-Tac-Toe JavaScript game for beginners](https://www.codebrainer.com/blog/tic-tac-toe-javascript-game)
### Mini Calculator
#### This project was built with
- **HTML**
- **CSS**
- **Javascript**
#### See Demo at :
- [Mini Calculator](https://mini-calculator-t23.netlify.app/)
#### Reference
- [How to build an HTML calculator app from scratch using JavaScrip](https://www.freecodecamp.org/news/how-to-build-an-html-calculator-app-from-scratch-using-javascript-4454b8714b98/)
##### :warning: : Those Websites above might not work properly in safari browser :worried:
| Hallo, I'm Tiang, this is my mini-project lists. | css,html,javascript | 2023-02-17T19:24:55Z | 2023-05-18T14:47:15Z | null | 1 | 0 | 20 | 0 | 0 | 2 | null | null | Assembly |
iamlorddop/sorting-methods | main | # Sorting methods
<div>
<img src="https://github.com/iamlorddop/sorting-methods/blob/main/assets/img/bigo.jpg" alt="big O notation">
</div>
## What is «Sorting methods» repository
This repository was created to study sorting methods, their complexity in big O notation.
Task: to solve one sorting method every day.
## Days
- First day [Bubble sort](https://github.com/iamlorddop/sorting-methods/tree/main/bubble-sort)
- Second day [Selection sort](https://github.com/iamlorddop/sorting-methods/tree/main/selection-sort)
- Third day [Insertion sort](https://github.com/iamlorddop/sorting-methods/tree/main/insertion-sort)
- Fourth day [Quick sort](https://github.com/iamlorddop/sorting-methods/tree/main/quick-sort)
- Fifth day [Bucket sort](https://github.com/iamlorddop/sorting-methods/tree/main/bucket-sort)
- Sixth day [Merge sort](https://github.com/iamlorddop/sorting-methods/tree/main/merge-sort)
- Seventh day [Heap sort](https://github.com/iamlorddop/sorting-methods/tree/main/heap-sort)
- Eighth day [Radix sort](https://github.com/iamlorddop/sorting-methods/tree/main/radix-sort)
- Nineth day [Counting sort](https://github.com/iamlorddop/sorting-methods/tree/main/counting-sort)
- Tenth day [Shell sort](https://github.com/iamlorddop/sorting-methods/tree/main/shell-sort)
## For contributors
You can fork this repository and add a sorting method folder in another programming language.
Structure:
- `/name-of-sorting-method/name-of-programming-language/your-file-is-in-another-programming-language`
---
Yulia Khavaeva
| This repository was created to study sorting methods, their complexity in big O notation. Task: to solve one sorting method every day. | algorithms,javascript,python,sorting-algorithms | 2023-02-24T11:52:57Z | 2023-03-14T12:50:30Z | null | 4 | 6 | 117 | 0 | 1 | 2 | null | null | JavaScript |
lack21/Phelx_V2 | main | # Phelx_V2
Made In React!
This is the version 2 of Phelx Website!

Link : https://lack21.github.io/Phelx_V2/
| React Project | javascript,reactjs,scss,website,shell | 2023-02-24T13:16:01Z | 2023-02-24T13:57:11Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
Devambience/Codeditor | main | # CodEditor
| This a awesome code editor. You can write HTML, CSS and JavaScript code without downloading anything! Try It Out | A Dev Ambience Product | code,codeeditor,codehighlight,css,html,html-css-javascript,javascript,js,typescript,vue | 2023-02-22T14:25:59Z | 2023-02-28T13:18:46Z | null | 1 | 0 | 7 | 0 | 0 | 2 | null | null | Vue |
szymooneq/Navigation-App | master | # Navigation App

Web navigation app that allows users to input a desired route and instantly view it on the map, complete with estimated distance and time of travel.
https://navigation-sd.vercel.app/map
## Main technologies








## Stack
- [Heroicons](https://heroicons.com/) - beautiful hand-crafted SVG icons, by the makers of Tailwind CSS
- [Leaflet](https://leafletjs.com) - an open-source JavaScript library for mobile-friendly interactive maps
- [Leaflet Locate Control](https://github.com/domoritz/leaflet-locatecontrol) - useful control to geolocate the user with many options. Official Leaflet and MapBox plugin
- [Leaflet Routing Machine](https://www.liedman.net/leaflet-routing-machine) - an easy, flexible and extensible way to add routing to a Leaflet map
- [React Leaflet](https://react-leaflet.js.org) - React components for Leaflet maps
- [React Router](https://reactrouter.com/en/main) - a standard library for routing in React
- [ReactToPrint](https://github.com/gregnb/react-to-print) - library with ability to print React components in the browser
- [Vite](https://vitejs.dev) - a new breed of frontend build tooling that significantly improves the frontend development experience
- [vite-plugin-rewrite-all](https://github.com/ivesia/vite-plugin-rewrite-all) - plugin that fix dev server not rewriting the path includes a dot vite#2190
## Details
- created with React (Vite) and TypeScript
- context and reducer for managing global state
- locating your current location
- map tiles provided by Mapbox
- finding addresses and coordinates with the Here API
- create routes with the accuracy of the house number
- create routes by dragging markers on the map
- loading a route from a URL search params
- loading recently saved routes
- calculation of travel costs
- printing route details with ReactToPrint
- routing with React Router
- unit testing with Jest
- responsive website design
- styling with Tailwind CSS
## Tutorial and project structure
Inside the project you'll see the following folders and files:
```
PROJECT_ROOT
├── public # static assets
└── src
├── assets # images
├── components # React components
├── lib
│ ├── api # API functions
│ ├── context # React context and reducer files
│ ├── helpers # helpful functions
│ ├── interfaces # TypeScript interfaces
│ └── test # Jest test functions
├── pages # page files
└── styles # style files
```
Download the repository to your local machine and run to download all missing dependencies:
```
yarn install
```
After that you can run this project with:
```
yarn dev
```
To build your application use:
```
yarn build
```
**The application requires a connection to Here API. To do this, you need to create an account on https://platform.here.com, create a new project, add _Autocomplete, Forward Geocoder, Reverse Geocoder_ services and generate a token that will enable communication with the API.**
**In addition to this, you will need a link to a Leaflet-supported map tiles (e.g. Mapbox).**
After these operations, create a `.env.local` file with the following data in the main folder and restart your application:
```
VITE_HERE_API_KEY = YOUR_HERE_API_TOKEN
VITE_MAP_TILES = YOUR_MAP_TILES_LINK
```
| Web navigation app that allows users to input a desired route and instantly view it on the map, complete with estimated distance and time of travel. | javascript,jest,leaflet,react,tailwindcss,typescript | 2023-02-22T17:20:33Z | 2023-03-11T16:35:21Z | null | 1 | 0 | 16 | 0 | 0 | 2 | null | null | TypeScript |
fersilva362/AerolabChallenge | main | ## Aerolab challenge
This is a coding challenge proposed by [Aerolab](https://aerolab.us/coding-challenge-instructions?utm_campaign=Coding%20Challenge) where I used [React](https://reactjs.org/) frameworks and [chakra-ui](https://chakra-ui.com/) to style the components.
In this app, after fetching two api to get users and products' data, I showed the preice of each product. The user is able to sort products by price (from highest to lowest price, and vice-versa) and the user can see how many points they have in their account distinguish those products that they can redeem from those they cannot.
A *“Redeem now”* option should appear when the user interacts with a product that they have enough points to claim, and after clicking the system should automatically deduct the item’s price from the users’ points and stored them.
I builded the following link that allow you to access to my app:
### Link: [AerolabLayout](https://sweet-fox-1a3fe1.netlify.app)

| This is a coding challenge proposed by Aerolab to sort and shop products | chackra-ui,e-commerce-platform,javascript,reactjs | 2023-02-13T10:02:04Z | 2023-02-24T16:56:02Z | null | 1 | 0 | 8 | 0 | 0 | 2 | null | null | JavaScript |
3dharmadev/ONLINE-SWEET-MART | main | # ONLINE SWEET MART REST API

## Introduction
The "ONLINE SWEET MART" REST API is designed to provide backend functionality for managing a delightful shopping experience for a wide variety of sweets and confectionery items. This project was collaboratively developed by a team of four individuals in just four days. The API is intended to be used by front-end applications to offer essential features for a seamless shopping and management experience.
## Features
### Customer Features
- **User Registration and Authentication:** Customers can sign up and log in to access the platform securely.
- **Product Catalog:** Browse an extensive catalog of sweets and confectionery items, including traditional and modern delicacies.
- **Add to Cart:** Select desired sweets and add them to the shopping cart for a convenient shopping experience.
- **Online Ordering:** Place orders for sweets and confectionery items directly through the website.
- **Order History:** Keep track of past orders and order details for reference.
- **Search Functionality:** Easily search for specific sweets or browse by category.
### Admin Features
- **Admin Dashboard:** Access a dedicated dashboard for managing products and orders.
- **Product Management:** Add, update, and delete products from the product list.
- **Order Management:** View and manage customer orders, including order processing and status updates.
### Tech Stack
The REST API is built using the following technologies:
- Java
- Spring Boot
- Hibernate
- MySQL
- Swagger UI
## Setup and Deployment
1. Clone this repository to your local machine.
```bash
git clone https://github.com/3dharmadev/ONLINE-SWEET-MART.git
| This is a full stack application , Where a customer can signup/login then he/she can add products to cart and place an order on otherside admin can add product to product list and other features present as well. | css,hibernate,html,java,javascript,lombok,maven,mysql,rest-api,spring-boot | 2023-02-21T05:50:09Z | 2024-02-25T15:11:57Z | null | 5 | 13 | 56 | 0 | 1 | 2 | null | null | Java |
suongfiori/react-quiz-app | master | <h1>React Quiz App</h1>
This is a quiz application built with React.js that allows users to test their knowledge on a variety of topics. The app features multiple-choice questions with feedback on correct and incorrect answers, as well as a score points counter that tracks the user's progress throughout the quiz.
### Features
:heavy_check_mark: Multiple-choice questions with randomized answers being called from Trivia API
:heavy_check_mark: Feedback on correct and incorrect answers
:heavy_check_mark: Score points counter that tracks the user's progress throughout the quiz
:heavy_check_mark: Option to restart the quiz after completion
### Technologies Used
  
<br>
### Libraries Used
:arrow_right: React Router: https://reactrouter.com/
:arrow_right: Material UI: https://material-ui.com/
### API Used
API: https://opentdb.com/api.php?amount=10
### Installation
React Router: npm install react-router-dom
### Usage
To use the app, simply click on the **`Start Quiz`** :arrow_forward: button on the home page to begin. The quiz will consist of multiple-choice questions with randomized answers. Select your answer and click **`Next`** :fast_forward: to proceed to the next question. Once the quiz is complete, you will see your **score** and have the option to **restart** the quiz.
### Screenshots
<h4>Home Page</h4>
<img src="https://raw.githubusercontent.com/suongfiori/react-quiz-app/master/public/Quiz_1.png" width="60%"> <br>
<h4>Page Loading...</h4>
<img src="https://raw.githubusercontent.com/suongfiori/react-quiz-app/master/public/Page_loading.png" width="60%"> <br>
<h4>Quiz Page</h4>
<img src="https://raw.githubusercontent.com/suongfiori/react-quiz-app/master/public/Quiz_2.png" width="60%"> <br>
<h4>Correct answer</h4>
<img src="https://raw.githubusercontent.com/suongfiori/react-quiz-app/master/public/Correct.png" width="60%"> <br>
<h4>Incorrect selected answer</h4>
<img src="https://raw.githubusercontent.com/suongfiori/react-quiz-app/master/public/Incorrect.png" width="60%"> <br>
| React base Quiz application built with Material-UI and Trivia API, allows users to test their knowledge on a variety of topics. | api,javascript,mui,mui-material,quiz,quizapp,react,react-router,reactjs,trivia-api | 2023-02-23T14:09:01Z | 2023-06-22T09:38:44Z | null | 1 | 0 | 26 | 0 | 0 | 2 | null | null | JavaScript |
akunopaka/leetcode | master |  \
https://leetcode.com/akunopaka
### My Solution to Problems from Leetcode.com <img src="https://media.giphy.com/media/ZECV5BL5Y6aM1M4Szj/giphy.gif" width="50">
<sup>Leetcode.com is a website that provides programming challenges to help developers improve their coding skills. I
have
been using this site to help me improve my coding skills, and I have come up with my own solutions to some of the
problems. My approach is to first break down the problem into smaller pieces. Then, I look up the different methods and
algorithms that can be used to solve the problem. Once I have a better understanding of the problem and the available
solutions, I try to find the most efficient way to solve the problem.
</sup><sup>
I often use the divide and conquer approach, where I break down the problem into smaller subproblems and solve them
individually. This helps reduce the complexity of the problem, making it easier to understand and solve. I also use the
brute force method to solve the problem, which involves trying every possible solution until the correct one is found.
</sup><sup>
To test my solutions, I use the in-built test cases provided by Leetcode.com. This allows me to quickly check if my code
is doing what it's supposed to do. I also use the debugging feature to check for errors in my code.
</sup><sup>
Overall, my approach to solving problems from Leetcode.com has **helped me improve my coding skills and become a better
programmer**. I am constantly improving my coding skills by trying out different solutions and learning from my
mistakes.</sup>
__<br/>
<sup>*Sincerely, <br/>
Andrii Sokol*</sup>
### My Solutions for Study Plans:
* [LeetCode 75 / Level 1](https://github.com/akunopaka/leetcode/blob/master/Study-Plan--LeetCode-75--Level-1.md) [Achieved]
* [LeetCode 75 / Level 2](https://github.com/akunopaka/leetcode/blob/master/Study-Plan--LeetCode-75--Level-2.md) [In Progress]
* [LeetCode SQL I](https://github.com/akunopaka/leetcode/blob/master/Study-Plan--SQL-I--Level-1.md) [Achieved]
### My LeetCode Solutions
<!-- LeetCode Solutions Table -->
My LeetCode Stats:
| Difficulty | All | Easy | Medium | Hard |
|-------|-------|-------|-------|-------|
| Count | 182 | 77 | 85 | 20 |
| # | Name | Difficulty | Solutions | JS | PHP |
|-------|-------|-------|------|------|------|
|<sup>0001</sup>|<sup>[Two Sum](https://leetcode.com/problems/two-sum/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0001--two-sum.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0001--two-sum.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0001--two-sum.php)</sup>|
|<sup>0007</sup>|<sup>[Reverse Integer](https://leetcode.com/problems/reverse-integer/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0007--reverse-integer.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0007--reverse-integer.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0007--reverse-integer.php)</sup>|
|<sup>0014</sup>|<sup>[Longest Common Prefix](https://leetcode.com/problems/longest-common-prefix/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0014--longest-common-prefix.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0014--longest-common-prefix.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0014--longest-common-prefix.php)</sup>|
|<sup>0020</sup>|<sup>[Valid Parentheses](https://leetcode.com/problems/valid-parentheses/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0020--valid-parentheses.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0020--valid-parentheses.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0020--valid-parentheses.php)</sup>|
|<sup>0021</sup>|<sup>[Merge Two Sorted Lists](https://leetcode.com/problems/merge-two-sorted-lists/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0021--merge-two-sorted-lists.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0021--merge-two-sorted-lists.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0021--merge-two-sorted-lists.php)</sup>|
|<sup>0023</sup>|<sup>[Merge k Sorted Lists](https://leetcode.com/problems/merge-k-sorted-lists/)</sup>|<sup>`Hard`</sup>|<sup></sup>|<sup>x</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0023--merge-k-sorted-lists.php)</sup>|
|<sup>0024</sup>|<sup>[Swap Nodes in Pairs](https://leetcode.com/problems/swap-nodes-in-pairs/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0024--swap-nodes-in-pairs.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0024--swap-nodes-in-pairs.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0024--swap-nodes-in-pairs.php)</sup>|
|<sup>0028</sup>|<sup>[Find the Index of the First Occurrence in a String](https://leetcode.com/problems/find-the-index-of-the-first-occurrence-in-a-string/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0028--find-the-index-of-the-first-occurrence-in-a-string.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0028--find-the-index-of-the-first-occurrence-in-a-string.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0028--find-the-index-of-the-first-occurrence-in-a-string.php)</sup>|
|<sup>0054</sup>|<sup>[Spiral Matrix](https://leetcode.com/problems/spiral-matrix/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0054--spiral-matrix.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0054--spiral-matrix.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0054--spiral-matrix.php)</sup>|
|<sup>0059</sup>|<sup>[Spiral Matrix II](https://leetcode.com/problems/spiral-matrix-ii/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0059--spiral-matrix-ii.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0059--spiral-matrix-ii.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0059--spiral-matrix-ii.php)</sup>|
|<sup>0062</sup>|<sup>[Unique Paths](https://leetcode.com/problems/unique-paths/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0062--unique-paths.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0062--unique-paths.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0062--unique-paths.php)</sup>|
|<sup>0064</sup>|<sup>[Minimum Path Sum](https://leetcode.com/problems/minimum-path-sum/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0064--minimum-path-sum.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0064--minimum-path-sum.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0064--minimum-path-sum.php)</sup>|
|<sup>0070</sup>|<sup>[Climbing Stairs](https://leetcode.com/problems/climbing-stairs/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0070--climbing-stairs.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0070--climbing-stairs.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0070--climbing-stairs.php)</sup>|
|<sup>0071</sup>|<sup>[Simplify Path](https://leetcode.com/problems/simplify-path/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0071--simplify-path.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0071--simplify-path.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0071--simplify-path.php)</sup>|
|<sup>0098</sup>|<sup>[Validate Binary Search Tree](https://leetcode.com/problems/validate-binary-search-tree/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0098--validate-binary-search-tree.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0098--validate-binary-search-tree.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0098--validate-binary-search-tree.php)</sup>|
|<sup>0101</sup>|<sup>[Symmetric Tree](https://leetcode.com/problems/symmetric-tree/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0101--symmetric-tree.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0101--symmetric-tree.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0101--symmetric-tree.php)</sup>|
|<sup>0102</sup>|<sup>[Binary Tree Level Order Traversal](https://leetcode.com/problems/binary-tree-level-order-traversal/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0102--binary-tree-level-order-traversal.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0102--binary-tree-level-order-traversal.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0102--binary-tree-level-order-traversal.php)</sup>|
|<sup>0106</sup>|<sup>[Construct Binary Tree from Inorder and Postorder Traversal](https://leetcode.com/problems/construct-binary-tree-from-inorder-and-postorder-traversal/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0106--construct-binary-tree-from-inorder-and-postorder-traversal.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0106--construct-binary-tree-from-inorder-and-postorder-traversal.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0106--construct-binary-tree-from-inorder-and-postorder-traversal.php)</sup>|
|<sup>0109</sup>|<sup>[Convert Sorted List to Binary Search Tree](https://leetcode.com/problems/convert-sorted-list-to-binary-search-tree/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0109--convert-sorted-list-to-binary-search-tree.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0109--convert-sorted-list-to-binary-search-tree.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0109--convert-sorted-list-to-binary-search-tree.php)</sup>|
|<sup>0121</sup>|<sup>[Best Time to Buy and Sell Stock](https://leetcode.com/problems/best-time-to-buy-and-sell-stock/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0121--best-time-to-buy-and-sell-stock.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0121--best-time-to-buy-and-sell-stock.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0121--best-time-to-buy-and-sell-stock.php)</sup>|
|<sup>0129</sup>|<sup>[Sum Root to Leaf Numbers](https://leetcode.com/problems/sum-root-to-leaf-numbers/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0129--sum-root-to-leaf-numbers.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0129--sum-root-to-leaf-numbers.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0129--sum-root-to-leaf-numbers.php)</sup>|
|<sup>0133</sup>|<sup>[Clone Graph](https://leetcode.com/problems/clone-graph/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0133--clone-graph.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0133--clone-graph.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0133--clone-graph.php)</sup>|
|<sup>0142</sup>|<sup>[Linked List Cycle II](https://leetcode.com/problems/linked-list-cycle-ii/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0142--linked-list-cycle-ii.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0142--linked-list-cycle-ii.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0142--linked-list-cycle-ii.php)</sup>|
|<sup>0200</sup>|<sup>[Number of Islands](https://leetcode.com/problems/number-of-islands/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0200--number-of-islands.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0200--number-of-islands.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0200--number-of-islands.php)</sup>|
|<sup>0202</sup>|<sup>[Happy Number](https://leetcode.com/problems/happy-number/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0202--happy-number.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0202--happy-number.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0202--happy-number.php)</sup>|
|<sup>0205</sup>|<sup>[Isomorphic Strings](https://leetcode.com/problems/isomorphic-strings/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0205--isomorphic-strings.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0205--isomorphic-strings.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0205--isomorphic-strings.php)</sup>|
|<sup>0206</sup>|<sup>[Reverse Linked List](https://leetcode.com/problems/reverse-linked-list/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0206--reverse-linked-list.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0206--reverse-linked-list.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0206--reverse-linked-list.php)</sup>|
|<sup>0208</sup>|<sup>[Implement Trie (Prefix Tree)](https://leetcode.com/problems/implement-trie-prefix-tree/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0208--implement-trie-prefix-tree.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0208--implement-trie-prefix-tree.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0208--implement-trie-prefix-tree.php)</sup>|
|<sup>0211</sup>|<sup>[Design Add and Search Words Data Structure](https://leetcode.com/problems/design-add-and-search-words-data-structure/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0211--design-add-and-search-words-data-structure.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0211--design-add-and-search-words-data-structure.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0211--design-add-and-search-words-data-structure.php)</sup>|
|<sup>0235</sup>|<sup>[Lowest Common Ancestor of a Binary Search Tree](https://leetcode.com/problems/lowest-common-ancestor-of-a-binary-search-tree/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0235--lowest-common-ancestor-of-a-binary-search-tree.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0235--lowest-common-ancestor-of-a-binary-search-tree.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0235--lowest-common-ancestor-of-a-binary-search-tree.php)</sup>|
|<sup>0278</sup>|<sup>[First Bad Version](https://leetcode.com/problems/first-bad-version/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0278--first-bad-version.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0278--first-bad-version.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0278--first-bad-version.php)</sup>|
|<sup>0299</sup>|<sup>[Bulls and Cows](https://leetcode.com/problems/bulls-and-cows/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0299--bulls-and-cows.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0299--bulls-and-cows.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0299--bulls-and-cows.php)</sup>|
|<sup>0319</sup>|<sup>[Bulb Switcher](https://leetcode.com/problems/bulb-switcher/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0319--bulb-switcher.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0319--bulb-switcher.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0319--bulb-switcher.php)</sup>|
|<sup>0347</sup>|<sup>[Top K Frequent Elements](https://leetcode.com/problems/top-k-frequent-elements/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0347--top-k-frequent-elements.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0347--top-k-frequent-elements.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0347--top-k-frequent-elements.php)</sup>|
|<sup>0382</sup>|<sup>[Linked List Random Node](https://leetcode.com/problems/linked-list-random-node/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0382--linked-list-random-node.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0382--linked-list-random-node.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0382--linked-list-random-node.php)</sup>|
|<sup>0392</sup>|<sup>[Is Subsequence](https://leetcode.com/problems/is-subsequence/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0392--is-subsequence.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0392--is-subsequence.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0392--is-subsequence.php)</sup>|
|<sup>0394</sup>|<sup>[Decode String](https://leetcode.com/problems/decode-string/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0394--decode-string.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0394--decode-string.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0394--decode-string.php)</sup>|
|<sup>0399</sup>|<sup>[Evaluate Division](https://leetcode.com/problems/evaluate-division/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0399--evaluate-division.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0399--evaluate-division.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0399--evaluate-division.php)</sup>|
|<sup>0409</sup>|<sup>[Longest Palindrome](https://leetcode.com/problems/longest-palindrome/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0409--longest-palindrome.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0409--longest-palindrome.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0409--longest-palindrome.php)</sup>|
|<sup>0424</sup>|<sup>[Longest Repeating Character Replacement](https://leetcode.com/problems/longest-repeating-character-replacement/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0424--longest-repeating-character-replacement.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0424--longest-repeating-character-replacement.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0424--longest-repeating-character-replacement.php)</sup>|
|<sup>0438</sup>|<sup>[Find All Anagrams in a String](https://leetcode.com/problems/find-all-anagrams-in-a-string/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0438--find-all-anagrams-in-a-string.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0438--find-all-anagrams-in-a-string.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0438--find-all-anagrams-in-a-string.php)</sup>|
|<sup>0443</sup>|<sup>[String Compression](https://leetcode.com/problems/string-compression/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0443--string-compression.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0443--string-compression.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0443--string-compression.php)</sup>|
|<sup>0509</sup>|<sup>[Fibonacci Number](https://leetcode.com/problems/fibonacci-number/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0509--fibonacci-number.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0509--fibonacci-number.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0509--fibonacci-number.php)</sup>|
|<sup>0589</sup>|<sup>[N-ary Tree Preorder Traversal](https://leetcode.com/problems/n-ary-tree-preorder-traversal/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0589--n-ary-tree-preorder-traversal.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0589--n-ary-tree-preorder-traversal.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0589--n-ary-tree-preorder-traversal.php)</sup>|
|<sup>0605</sup>|<sup>[Can Place Flowers](https://leetcode.com/problems/can-place-flowers/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0605--can-place-flowers.txt)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0605--can-place-flowers.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0605--can-place-flowers.php)</sup>|
|<sup>0649</sup>|<sup>[Dota2 Senate](https://leetcode.com/problems/dota2-senate/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0649--dota2-senate.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0649--dota2-senate.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0649--dota2-senate.php)</sup>|
|<sup>0684</sup>|<sup>[Redundant Connection](https://leetcode.com/problems/redundant-connection/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0684--redundant-connection.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0684--redundant-connection.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0684--redundant-connection.php)</sup>|
|<sup>0692</sup>|<sup>[Top K Frequent Words](https://leetcode.com/problems/top-k-frequent-words/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0692--top-k-frequent-words.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0692--top-k-frequent-words.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0692--top-k-frequent-words.php)</sup>|
|<sup>0703</sup>|<sup>[Kth Largest Element in a Stream](https://leetcode.com/problems/kth-largest-element-in-a-stream/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0703--kth-largest-element-in-a-stream.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0703--kth-largest-element-in-a-stream.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0703--kth-largest-element-in-a-stream.php)</sup>|
|<sup>0704</sup>|<sup>[Binary Search](https://leetcode.com/problems/binary-search/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0704--binary-search.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0704--binary-search.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0704--binary-search.php)</sup>|
|<sup>0724</sup>|<sup>[Find Pivot Index](https://leetcode.com/problems/find-pivot-index/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0724--find-pivot-index.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0724--find-pivot-index.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0724--find-pivot-index.php)</sup>|
|<sup>0733</sup>|<sup>[Flood Fill](https://leetcode.com/problems/flood-fill/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0733--flood-fill.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0733--flood-fill.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0733--flood-fill.php)</sup>|
|<sup>0746</sup>|<sup>[Min Cost Climbing Stairs](https://leetcode.com/problems/min-cost-climbing-stairs/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0746--min-cost-climbing-stairs.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0746--min-cost-climbing-stairs.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0746--min-cost-climbing-stairs.php)</sup>|
|<sup>0815</sup>|<sup>[Bus Routes](https://leetcode.com/problems/bus-routes/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0815--bus-routes.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0815--bus-routes.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0815--bus-routes.php)</sup>|
|<sup>0844</sup>|<sup>[Backspace String Compare](https://leetcode.com/problems/backspace-string-compare/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0844--backspace-string-compare.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0844--backspace-string-compare.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0844--backspace-string-compare.php)</sup>|
|<sup>0875</sup>|<sup>[Koko Eating Bananas](https://leetcode.com/problems/koko-eating-bananas/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/875--koko-eating-bananas.txt)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/875--koko-eating-bananas.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/875--koko-eating-bananas.php)</sup>|
|<sup>0876</sup>|<sup>[Middle of the Linked List](https://leetcode.com/problems/middle-of-the-linked-list/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0876--middle-of-the-linked-list.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0876--middle-of-the-linked-list.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0876--middle-of-the-linked-list.php)</sup>|
|<sup>0881</sup>|<sup>[Boats to Save People](https://leetcode.com/problems/boats-to-save-people/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0881--boats-to-save-people.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0881--boats-to-save-people.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0881--boats-to-save-people.php)</sup>|
|<sup>0912</sup>|<sup>[Sort an Array](https://leetcode.com/problems/sort-an-array/)</sup>|<sup>`Medium`</sup>|<sup></sup>|<sup>x</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/912--sort-an-array.php)</sup>|
|<sup>0946</sup>|<sup>[Validate Stack Sequences](https://leetcode.com/problems/validate-stack-sequences/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/0946--validate-stack-sequences.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/0946--validate-stack-sequences.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/0946--validate-stack-sequences.php)</sup>|
|<sup>0958</sup>|<sup>[Check Completeness of a Binary Tree](https://leetcode.com/problems/check-completeness-of-a-binary-tree/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/958--check-completeness-of-a-binary-tree.txt)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/958--check-completeness-of-a-binary-tree.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/958--check-completeness-of-a-binary-tree.php)</sup>|
|<sup>1020</sup>|<sup>[Number of Enclaves](https://leetcode.com/problems/number-of-enclaves/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1020--number-of-enclaves.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1020--number-of-enclaves.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1020--number-of-enclaves.php)</sup>|
|<sup>1035</sup>|<sup>[Uncrossed Lines](https://leetcode.com/problems/uncrossed-lines/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1035--uncrossed-lines.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1035--uncrossed-lines.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1035--uncrossed-lines.php)</sup>|
|<sup>1046</sup>|<sup>[Last Stone Weight](https://leetcode.com/problems/last-stone-weight/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1046--last-stone-weight.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1046--last-stone-weight.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1046--last-stone-weight.php)</sup>|
|<sup>1254</sup>|<sup>[Number of Closed Islands](https://leetcode.com/problems/number-of-closed-islands/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1254--number-of-closed-islands.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1254--number-of-closed-islands.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1254--number-of-closed-islands.php)</sup>|
|<sup>1345</sup>|<sup>[Jump Game IV](https://leetcode.com/problems/jump-game-iv/)</sup>|<sup>`Hard`</sup>|<sup></sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1345--jump-game-iv.js)</sup>|<sup>x</sup>|
|<sup>1372</sup>|<sup>[Longest ZigZag Path in a Binary Tree](https://leetcode.com/problems/longest-zigzag-path-in-a-binary-tree/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1372--longest-zigzag-path-in-a-binary-tree.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1372--longest-zigzag-path-in-a-binary-tree.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1372--longest-zigzag-path-in-a-binary-tree.php)</sup>|
|<sup>1396</sup>|<sup>[Design Underground System](https://leetcode.com/problems/design-underground-system/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1396--design-underground-system.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1396--design-underground-system.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1396--design-underground-system.php)</sup>|
|<sup>1406</sup>|<sup>[Stone Game III](https://leetcode.com/problems/stone-game-iii/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1406--stone-game-iii.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1406--stone-game-iii.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1406--stone-game-iii.php)</sup>|
|<sup>1431</sup>|<sup>[Kids With the Greatest Number of Candies](https://leetcode.com/problems/kids-with-the-greatest-number-of-candies/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1431--kids-with-the-greatest-number-of-candies.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1431--kids-with-the-greatest-number-of-candies.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1431--kids-with-the-greatest-number-of-candies.php)</sup>|
|<sup>1456</sup>|<sup>[Maximum Number of Vowels in a Substring of Given Length](https://leetcode.com/problems/maximum-number-of-vowels-in-a-substring-of-given-length/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1456--maximum-number-of-vowels-in-a-substring-of-given-length.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1456--maximum-number-of-vowels-in-a-substring-of-given-length.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1456--maximum-number-of-vowels-in-a-substring-of-given-length.php)</sup>|
|<sup>1472</sup>|<sup>[Design Browser History](https://leetcode.com/problems/design-browser-history/)</sup>|<sup>`Medium`</sup>|<sup></sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1472--design-browser-history.js)</sup>|<sup>x</sup>|
|<sup>1480</sup>|<sup>[Running Sum of 1d Array](https://leetcode.com/problems/running-sum-of-1d-array/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1480--running-sum-of-1d-array.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1480--running-sum-of-1d-array.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1480--running-sum-of-1d-array.php)</sup>|
|<sup>1498</sup>|<sup>[Number of Subsequences That Satisfy the Given Sum Condition](https://leetcode.com/problems/number-of-subsequences-that-satisfy-the-given-sum-condition/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1498--number-of-subsequences-that-satisfy-the-given-sum-condition.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1498--number-of-subsequences-that-satisfy-the-given-sum-condition.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1498--number-of-subsequences-that-satisfy-the-given-sum-condition.php)</sup>|
|<sup>1539</sup>|<sup>[Kth Missing Positive Number](https://leetcode.com/problems/kth-missing-positive-number/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1539--kth-missing-positive-number.txt)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1539--kth-missing-positive-number.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1539--kth-missing-positive-number.php)</sup>|
|<sup>1547</sup>|<sup>[Minimum Cost to Cut a Stick](https://leetcode.com/problems/minimum-cost-to-cut-a-stick/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1547--minimum-cost-to-cut-a-stick.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1547--minimum-cost-to-cut-a-stick.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1547--minimum-cost-to-cut-a-stick.php)</sup>|
|<sup>1572</sup>|<sup>[Matrix Diagonal Sum](https://leetcode.com/problems/matrix-diagonal-sum/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1572--matrix-diagonal-sum.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1572--matrix-diagonal-sum.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1572--matrix-diagonal-sum.php)</sup>|
|<sup>1579</sup>|<sup>[Remove Max Number of Edges to Keep Graph Fully Traversable](https://leetcode.com/problems/remove-max-number-of-edges-to-keep-graph-fully-traversable/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1579--remove-max-number-of-edges-to-keep-graph-fully-traversable.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1579--remove-max-number-of-edges-to-keep-graph-fully-traversable.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1579--remove-max-number-of-edges-to-keep-graph-fully-traversable.php)</sup>|
|<sup>1603</sup>|<sup>[Design Parking System](https://leetcode.com/problems/design-parking-system/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1603--design-parking-system.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1603--design-parking-system.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1603--design-parking-system.php)</sup>|
|<sup>1639</sup>|<sup>[Number of Ways to Form a Target String Given a Dictionary](https://leetcode.com/problems/number-of-ways-to-form-a-target-string-given-a-dictionary/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1639--number-of-ways-to-form-a-target-string-given-a-dictionary.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1639--number-of-ways-to-form-a-target-string-given-a-dictionary.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1639--number-of-ways-to-form-a-target-string-given-a-dictionary.php)</sup>|
|<sup>1697</sup>|<sup>[Checking Existence of Edge Length Limited Paths](https://leetcode.com/problems/checking-existence-of-edge-length-limited-paths/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1697--checking-existence-of-edge-length-limited-paths.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1697--checking-existence-of-edge-length-limited-paths.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1697--checking-existence-of-edge-length-limited-paths.php)</sup>|
|<sup>1706</sup>|<sup>[Where Will the Ball Fall](https://leetcode.com/problems/where-will-the-ball-fall/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1706--where-will-the-ball-fall.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1706--where-will-the-ball-fall.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1706--where-will-the-ball-fall.php)</sup>|
|<sup>1768</sup>|<sup>[Merge Strings Alternately](https://leetcode.com/problems/merge-strings-alternately/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1768--merge-strings-alternately.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1768--merge-strings-alternately.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1768--merge-strings-alternately.php)</sup>|
|<sup>1822</sup>|<sup>[Sign of the Product of an Array](https://leetcode.com/problems/sign-of-the-product-of-an-array/)</sup>|<sup>`Easy`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1822--sign-of-the-product-of-an-array.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1822--sign-of-the-product-of-an-array.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1822--sign-of-the-product-of-an-array.php)</sup>|
|<sup>1964</sup>|<sup>[Find the Longest Valid Obstacle Course at Each Position](https://leetcode.com/problems/find-the-longest-valid-obstacle-course-at-each-position/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/1964--find-the-longest-valid-obstacle-course-at-each-position.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/1964--find-the-longest-valid-obstacle-course-at-each-position.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/1964--find-the-longest-valid-obstacle-course-at-each-position.php)</sup>|
|<sup>2187</sup>|<sup>[Minimum Time to Complete Trips](https://leetcode.com/problems/minimum-time-to-complete-trips/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/2187--minimum-time-to-complete-trips.txt)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/2187--minimum-time-to-complete-trips.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/2187--minimum-time-to-complete-trips.php)</sup>|
|<sup>2218</sup>|<sup>[Maximum Value of K Coins From Piles](https://leetcode.com/problems/maximum-value-of-k-coins-from-piles/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/2218--maximum-value-of-k-coins-from-piles.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/2218--maximum-value-of-k-coins-from-piles.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/2218--maximum-value-of-k-coins-from-piles.php)</sup>|
|<sup>2300</sup>|<sup>[Successful Pairs of Spells and Potions](https://leetcode.com/problems/successful-pairs-of-spells-and-potions/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/2300--successful-pairs-of-spells-and-potions.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/2300--successful-pairs-of-spells-and-potions.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/2300--successful-pairs-of-spells-and-potions.php)</sup>|
|<sup>2390</sup>|<sup>[Removing Stars From a String](https://leetcode.com/problems/removing-stars-from-a-string/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/2390--removing-stars-from-a-string.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/2390--removing-stars-from-a-string.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/2390--removing-stars-from-a-string.php)</sup>|
|<sup>2405</sup>|<sup>[Optimal Partition of String](https://leetcode.com/problems/optimal-partition-of-string/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/2405--optimal-partition-of-string.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/2405--optimal-partition-of-string.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/2405--optimal-partition-of-string.php)</sup>|
|<sup>2439</sup>|<sup>[Minimize Maximum of Array](https://leetcode.com/problems/minimize-maximum-of-array/)</sup>|<sup>`Medium`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/2439--minimize-maximum-of-array.md)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/2439--minimize-maximum-of-array.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/2439--minimize-maximum-of-array.php)</sup>|
|<sup>2444</sup>|<sup>[Count Subarrays With Fixed Bounds](https://leetcode.com/problems/count-subarrays-with-fixed-bounds/)</sup>|<sup>`Hard`</sup>|<sup>[Git Solution](https://github.com/akunopaka/leetcode/blob/master/solutions/2444--count-subarrays-with-fixed-bounds.txt)</sup>|<sup>[JS](https://github.com/akunopaka/leetcode/blob/master/js/2444--count-subarrays-with-fixed-bounds.js)</sup>|<sup>[PHP](https://github.com/akunopaka/leetcode/blob/master/php/2444--count-subarrays-with-fixed-bounds.php)</sup>|
<sup>Last update: Wed, 31 May 2023 11:07:07 GMT</sub>
<!-- End LeetCode Solutions of Table -->
<img src="https://github.com/akunopaka/akunopaka/blob/main/img/Stand_with_Ukraine_Footer_h200.jpeg" title="Stand with Ukraine" alt="Stand with Ukraine" />
| My Solution to Problems from Leetcode.com | javascript,php,algorithm,coding-interviews,leetcode,leetcode-solutions,mysql | 2023-02-22T14:41:03Z | 2023-05-31T11:07:07Z | null | 1 | 0 | 541 | 0 | 1 | 2 | null | null | PHP |
SauravPaudel/Counter-App | master | #Project on Assignment given by ScSS Consulting
I'm Just geeting into it and learning something new, and there might be some mistakes hope you will consider and guide me through it.
Thank You sir. | Answer for the following task given by the scss consulting. (Counter App) | counter,css3,html5,javascript,reactjs | 2023-02-17T06:52:58Z | 2023-02-17T18:35:40Z | null | 1 | 0 | 11 | 0 | 0 | 2 | null | null | JavaScript |
nurycaroline/memoria-disney | main | <br/>
<p align="center">
<a href="https://github.com/nurycaroline/memoria-disney">
<img src="src/assets/logo.png" alt="Logo" width="80" height="80">
</a>
<h3 align="center">Memória</h3>
<p align="center">
Jogo da memoria com o tema de princesas da Disney
<br/>
<br/>
<a href="https://play.google.com/store/apps/details?id=com.nurycaroline.memoria">Demo</a>
.
<a href="https://www.figma.com/community/file/1212020337394409085">Layout</a>
.
<a href="https://github.com/nurycaroline/memoria-disney/issues">Report Bug</a>
</p>
</p>
## Sobre o projeto
<div>
<img src=".github/board.png" width=30% height=30%>
<img src=".github/board-dark.png" width=30% height=30%>
<img src=".github/victory.png" width=30% height=30%>
<img src=".github/victory-dark.png" width=30% height=30%>
<img src=".github/new.png" width=30% height=30%>
<div>
Para exercitar alguns conhecimentos e testar algumas bibliotecas, criei um jogo da memória com o tema de princesas da Disney.
E esse projeto, faz parte de um projeto maior, onde recrio jogos clássicos utilizando temas de filmes e séries.
Outros projetos:
* [Quem é esse Pokémon?](https://github.com/nurycaroline/quem-e-esse-pokemon)
* [Warships](https://github.com/nurycaroline/warship)
## Aprendizados nesse projeto
* Utilização do Expo
* Implementação de Internacionalização
* Implementação de animações com Lottie
* Utilização de Recoil para gerenciamento de estado
## Bibliotecas utilizadas
* [Typescript](https://www.typescriptlang.org/)
* [React Native](https://reactnative.dev/)
* [Expo](https://expo.io/)
* [Lottie](https://lottiefiles.com/)
* [Recoil](https://recoiljs.org/)
* [Styled Components](https://styled-components.com/)
* [internationalization](https://react.i18next.com/)
* [React Modalize](https://jeremybarbet.github.io/react-native-modalize/#/)
* [Expo Font](https://docs.expo.io/versions/latest/sdk/font/)
* [Expo Music](https://docs.expo.dev/versions/latest/sdk/audio/)
## Recursos
* Fonte: [Google Fonts - Princess Sofia](https://fonts.google.com/specimen/Princess+Sofia?query=princess)
* Imagens:
* Princesas: [Pinterest - Princess Collection](https://br.pinterest.com/nickissaurus/silueta-de-princesa-disney/princess-collection/)
* Vilas: [Behance Giovanna Mariath - Villains](https://www.behance.net/gallery/76973317/Villains)
* Animações:
* [Lotties - Troféu](https://lottiefiles.com/107653-trophy)
* [Lotties - Castelo](https://lottiefiles.com/112589-castle)
* Musicas:
* Music by Slip.stream - [All Kinds Of Magic](https://slip.stream/tracks/bb777c13-80fd-4c68-94b2-d658fe2497bd)
* Music by Slip.stream - [Repressed Stress](https://slip.stream/tracks/f324b805-8e9d-404f-be67-213657340432)
## Configuração local
Instruções sobre a configuração de seu projeto localmente.
Para obter uma cópia local em execução, siga esses simples exemplos de etapas.
### Pré-requisitos
Ter o app do expo instalado no celular
[Expo](https://play.google.com/store/apps/details?id=host.exp.exponent&hl=pt_BR&gl=US)
* Instalar o yarn
```sh
npm install --global yarn
```
### Instalação
1.Copie o repositório
```sh
git clone https://github.com/nurycaroline/memoria-disney.git
```
2.Instale as dependências
```sh
yarn install
```
3.Inicie o projeto
```sh
yarn expo start
```
## Roadmap
See the [open issues](https://github.com/users/nurycaroline/projects/6/views/1) for a list of proposed features (and known issues).
## License
Distributed under the MIT License. See [LICENSE](https://github.com/nurycaroline/memoria-disney/blob/main/LICENSE.md) for more information.
## Autora
* [Nurielly Caroline Brizola](https://github.com/nurycaroline)
## Agradecimentos
Pessoas que desenvolveram comigo este desafio:
* [Ingrid Almeida](https://github.com/ingridsj)
* [Luiza Marlene](https://github.com/luizamarlene)
| Jogo da memoria | disney,game,javascript,memory-game,princess,react,react-native,typescript,villains | 2023-02-14T22:26:29Z | 2023-04-15T17:13:13Z | null | 1 | 2 | 52 | 1 | 0 | 2 | null | null | TypeScript |
hayaabduljabbar/Minellas-Diner | master | null | Minella's Diner is a Restaurant website built entirely using HTML, CSS, Bootstrap and JavaScript. Responsive that can be opened on any device like Mobile, Tablet & Computer etc. | bootstrap,bootstrap4,bootstrap5,css,css3,functionality,html,html-css-javascript,html5,htmlcss | 2023-02-17T05:31:12Z | 2023-02-17T05:34:39Z | null | 1 | 0 | 1 | 0 | 0 | 2 | null | null | HTML |
RohailAhmad-gojo/Meme-generator | master | # Getting Started with Create React App
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
## Available Scripts
In the project directory, you can run:
### `npm start`
Runs the app in the development mode.\
Open [http://localhost:3000](http://localhost:3000) to view it in your browser.
The page will reload when you make changes.\
You may also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can't go back!**
If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own.
You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
### Code Splitting
This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting)
### Analyzing the Bundle Size
This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size)
### Making a Progressive Web App
This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app)
### Advanced Configuration
This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration)
### Deployment
This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment)
### `npm run build` fails to minify
This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
| this is a meme generator website , I making it with react, the properties used are useStatus, props and many more | react,javascript,meme-generator,reactjs,usestate-hook | 2023-02-14T07:33:50Z | 2023-03-01T08:36:50Z | null | 1 | 0 | 7 | 0 | 0 | 2 | null | null | JavaScript |
achique-luisdan/api-product-news | main | # API REST Product News
API REST de noticias 📰 o novedades de un producto digital🎁 valioso 💜
## Instalación (Install) 😍
> **Importante**: Este proyecto usa Node.js v14.20.1, porque es la versión más reciente disponible en el servidor de alojamiento (hosting).
### Paso 1. Instalar Node.js
* Se sugiere utilizar `nvm` para gestionar las versiones locales de Node.js.
```bash
nvm install v14.20.1
nvm use v14.20.1
nvm list
```
### Paso 3. Configurar MySQL
> ** Levantar docker container
```bash
docker-compose -f "docker-compose.yml" up -d mysql
```
```bash
docker volume create mysqldata
```
| API REST novedades de un valioso producto digital 💜 | javascript,nodejs,expressjs,mysql,sequelize-orm | 2023-02-18T02:12:12Z | 2023-02-21T03:07:25Z | null | 1 | 12 | 33 | 0 | 0 | 2 | null | GPL-3.0 | JavaScript |
GovindPullagura/meesho-server | main | null | Backend server for meesho clone | javascript | 2023-02-22T02:52:35Z | 2023-02-26T07:44:21Z | null | 2 | 0 | 10 | 0 | 0 | 2 | null | null | JavaScript |
kstroevsky/thirdweb-fundraising | main | This is the decentralized application on **Ethereum** blockchain network based on the **thirdweb** library and **React**. The application's primary goal is to provide the ability to start and fund fundraising campaigns using blockchain.
## Getting Started
Contracts had already deployed. If you want to run application, make this:
1. Open `client` directory in your CLI by `cd client`.
2. Install dependencies by `yarn` or `npm install`.
3. Run the applcation by `yarn dev` or `npm run dev`. You also can use `build`, `preview`, and `deploy` commands.
## Learn More
To learn more about thirdweb, Vite and React, take a look at the following resources:
- [thirdweb React Documentation](https://docs.thirdweb.com/react) - learn about our React SDK.
- [thirdweb TypeScript Documentation](https://docs.thirdweb.com/react) - learn about our JavaScript/TypeScript SDK.
- [thirdweb Portal](https://docs.thirdweb.com/react) - check our guides and development resources.
- [Vite Documentation](https://vitejs.dev/guide/) - learn about Vite features.
- [React documentation](https://reactjs.org/) - learn React.
You can check out [the thirdweb GitHub organization](https://github.com/thirdweb-dev) - your feedback and contributions are welcome!
| The decentralized fundraising application on Ethereum blockchain network based on the thirdweb library and React | firebase,hardhat,react,thirdweb,typescript,blockchain,javascript,solidity,tailwindcss | 2023-02-13T21:02:34Z | 2023-02-23T09:25:41Z | null | 2 | 2 | 9 | 0 | 0 | 2 | null | AGPL-3.0 | TypeScript |
yosaddis/Awesome-Books-ES6 | main | 
# Awesome books: plain JavaScript with objects
## 📗 Table of Contents
- [📖 Overview](#about-project)
- [Project Objectives](#project-objectives)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [Screenshots](#screenshots)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Run tests](#run-tests)
- [Deployment](#deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [📝 License](#license)
## 📖 Overview <a name="about-project"></a>
This project is a contiuation of <a href = "https://yosaddis.github.io/Awesome-books"> Awsome Books </a>. In this repo the project adopts Java Script ES6 standars. And uses modularises the functionalities of the projects.
### Project Objectives <a name="project-objectives"></a>
- [x] Clone the functionalities of the previous project
- [x] Create a modular structure.
- [x] Create Books module and import it to index.js
- [x] Create datetime module and import it to index.js
- [x] Install luxon to the project and use it in datetime module.
- [x] Create .eslintignore to ignore luxon files during linter check.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
- [HTML](https://developer.mozilla.org/en-US/docs/Web/HTML)
- [JavaScript](https://developer.mozilla.org/en-US/docs/Web/JavaScript)
- [CSS](https://developer.mozilla.org/en-US/docs/Web/CSS)
### Key Features <a name="key-features"></a>
- [x] Preserving data with localStorage
- [x] Use ES6 Standard
## 🚀 Live Demo <a name="live-demo"></a>
> [Live Demo Link](https://yosaddis.github.io/Awesome-Books-ES6/)
### Screenshots <a name="screenshots"></a>
<h3 align="center">Screenhot</h3>
<p align="center">
<img width="200" src="screenshots/list.png">
</P>
<p align="center">
<img width="200" src="screenshots/form.png">
</P>
<p align="center">
<img width="200" src="screenshots/contact.png">
</P>
## 💻 Getting Started <a name="getting-started"></a>
- [Optional] Install git bash to your machine to enable you to clone this repo.
- install Visual Studio to be able to host a local live version.
- Install a browser to view the local live version.
To get a local copy up and running follow these simple example steps.
### Setup <a name="setup"></a>
- Open your GitHub account the repository's [link](https://github.com/yosaddis/Awesome-books-ES6)
### Prerequisites <a name="prerequisites"></a>
- Internet connection
- A github account
### Install <a name="install"></a>
- copy the repo's link and clone it by writing `git clone https://github.com/yosaddis/Awesome-books-ES6.git` on your git bash terminal.
- `npm install` to install the dependencies
### Run tests <a name="run-tests"></a>
- You can check for errors by running linter tests found in the github flows.
### Deployment <a name="deployment"></a>
- Click on 'go live' on your visual studio to view the project live on your local machine.
## Authors <a name="authors"></a>
👤 Yoseph Addisu
- [GitHub](https://github.com/yosaddis)
- [LinkedIn](https://www.linkedin.com/in/yoseph-addisu-79a58b60)
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](../../issues/).
## ⭐️ Show your suppor <a name="support"></a>
Give a ⭐️ if you like this project!
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
| This project is a contiuation of Awsome Books . In this repo the project adopts Java Script ES6 standards. And uses modularizes the functionalities of the projects. | css,es6,html5,javascript | 2023-02-20T16:49:37Z | 2023-11-09T13:18:49Z | null | 1 | 1 | 16 | 0 | 0 | 2 | null | MIT | JavaScript |
ChristopherH-eth/React-crm-website-frontend | main | # CRM Frontend
This is the repository of the CRM Frontend - part of the CRM Fullstack Application.
## High Level Overview
The CRM Frontend is responsible for maintaining relationships with clients and potential clients. It allows for organization of various Accounts, Contacts, and Leads currently, each of which belongs to a particular end user upon entry into the system.
The CRM Frontend is the main way users interact with the CRM Backend found [here](https://github.com/ChristopherH-eth/Lumen-crm-website-backend), and is built using ReactJS. It represents the 'view' of the MVC architecture that this application is designed around, and handles the sending of client requests to the CRM Backend, as well as the display of relevant responses to the user.
## Authentication
This application uses JWT as the primary authentication method. When a user successfully logs in, they are issued a JWT token in the form of a cookie only accessable by the browser. This token expires after a certain period of time, prior to which (if the user is still logged in) the application will automatically initiate a silent refresh. This allows the user to stay secure by having their token refresh in the background, and obtaining a new token in case their current token becomes compromised.
## Data Objects
The CRM handles a variety objects including Accounts, Contacts, Leads, Opportunities, etc. Each objects has its own layout, and its own set of fields. These fields can be edited, saved, and stored in the database, or the objects themselves can be deleted completely.
Each object has its own unique ID. This field cannot be changed, is unique to the object of that type, and if that object is deleted, no other object can ever have that same ID.
## Future Development
- Customizable object layouts
- Ability for end users to create their own fields for various objects
- User groups and permissions
| CRM website frontend | javascript,react,css,html | 2023-02-19T02:48:09Z | 2023-10-08T03:16:27Z | null | 1 | 9 | 103 | 0 | 0 | 2 | null | Apache-2.0 | JavaScript |
kalebzaki4/Angular-Acessivel | main | # Angular Acessível ♿️


Bem-vindo ao repositório do Angular Acessível! Este projeto em Angular tem como objetivo exemplificar e promover boas práticas de acessibilidade na construção de aplicações web.
## Visão Geral 🌐📋
Acessibilidade é um aspecto fundamental no desenvolvimento de aplicações web, pois garante que pessoas com diferentes habilidades e necessidades possam utilizar e interagir com o conteúdo de forma igualitária. Este projeto demonstra a implementação de recursos e técnicas de acessibilidade no contexto do Angular.
## Recursos 🛠️🎨
- Componentes acessíveis pré-configurados, seguindo as diretrizes do WCAG 2.1.
- Estrutura HTML semanticamente correta para melhorar a compreensão do conteúdo por leitores de tela.
- Uso adequado de atributos, como alt e aria-label, para fornecer informações contextuais para usuários com deficiência visual.
- Melhorias de contraste de cores e tamanho de fonte para facilitar a leitura e a identificação de elementos.
- Foco do teclado bem definido para auxiliar na navegação por usuários que não utilizam o mouse.
## Como Utilizar 🚀📂
1. Certifique-se de ter o Angular CLI instalado globalmente: `npm install -g @angular/cli`.
2. Clone este repositório: `git clone https://github.com/seu-usuario/Angular-Acessivel.git`.
3. Navegue até o diretório do projeto: `cd Angular-Acessivel`.
4. Instale as dependências do projeto: `npm install`.
5. Execute o servidor de desenvolvimento: `ng serve`.
6. Acesse a aplicação no seu navegador em `http://localhost:4200`.
## Contribuições 👥🤝
Contribuições são bem-vindas! Se você deseja ajudar a melhorar este projeto e torná-lo ainda mais acessível, siga as etapas abaixo:
1. Fork este repositório.
2. Crie uma branch para suas alterações: `git checkout -b minha-contribuicao`.
3. Faça as alterações desejadas.
4. Commit suas alterações: `git commit -m "Minha contribuição: Descrição das alterações"`.
5. Envie suas alterações para o repositório remoto: `git push origin minha-contribuicao`.
6. Abra um Pull Request descrevendo suas alterações.
## Recursos Adicionais 📚🌐
Aqui estão alguns recursos adicionais para aprender mais sobre acessibilidade na web:
- [Web Content Accessibility Guidelines (WCAG) 2.1](https://www.w3.org/TR/WCAG21/)
- [Acessibilidade Web - MDN Web Docs](https://developer.mozilla.org/pt-BR/docs/Web/Accessibility)
- [Acessibilidade Web - Blog da Rock Content](https://rockcontent.com/br/blog/acessibilidade-web/)
- [Inclusive Components - Componentes web acessíveis](https://inclusive-components.design/)
- [A11Y Project - Guia prático de acessibilidade web](https://a11yproject.com/)
## Licença 📄🔐
Este projeto está licenciado sob a licença MIT. Consulte o arquivo [LICENSE](LICENSE) para obter mais informações.
## Criador 👨💻🔍
Este projeto foi criado por @kalebzaki4. Agradecemos sua contribuição para promover a acessibilidade na web!
| Este repositório contém um projeto em Angular que tem como objetivo exemplificar e promover boas práticas de acessibilidade na construção de aplicações web. | angular,biblioteca,code,curso,javascript,typescript | 2023-02-24T17:13:52Z | 2023-08-07T01:13:48Z | null | 1 | 0 | 46 | 0 | 0 | 2 | null | MIT | TypeScript |
Sushil808174/My-own-projects | main | ## My-own-projects
## Tech Stack Used:-
- HTML
- CSS
- JavaScript
There are lots of small project that i have build with the help of html css and javascript. Here you can find some project that we are using in real life.
| There are lots of small project that i have build with the help of html css and javascript. Here you can find some project that we are using in real life. | css,html,javascript | 2023-02-19T15:54:36Z | 2023-11-15T18:08:41Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | HTML |
Geetu-Rana/Geetu-Rana.github.io | master | <div align="center">
<a href="https://geetu-rana.github.io" target="_blank">
<img alt="Logo" src="https://geetu-rana.github.io/packages/images/1.jpg" width="50" />
</a>
</div>
<h1 align="center">
geetu-rana.github.io - v2
</h1>
<p align="center">
The second iteration of <a href="https://geetu-rana.github.io" target="_blank">geetu-rana.github.io</a> built with HTML, CSS, JavaScript and hosted with <a href="https://pages.github.com/" target="_blank">GitHub Pages</a>
</p>
<!-- website version -->
<!-- <p align="center">
Previous versions:
<a href="https://geetu-rana.github.io" target="_blank">v1</a>
</p> -->
<p align="center">
:star: Star me on this repo — it helps!
</p>
<!-- hero screenshot -->

## Features 📋
⚡️ Minimal Design\
⚡️ Soft Animation\
⚡️ Dedicated Contact Form\
⚡️ Fully Responsive\
⚡️ Valid HTML5 & CSS3\
⚡️ Efficient Code
## Sections 📚
✔️ Hero\
✔️ About Me\
✔️ Skills\
✔️ Qualification\
✔️ Projects\
✔️ Contact
Check this out, **[Live URL](https://geetu-rana.github.io/)**
## Tech Stacks & Tools Used 🛠️
[](#)
## Contribution Guidelines 💡
- 🍴 Fork this repo!
- 👯 Clone this repo to your local machine.
- 🔨 **Build your code**
- 🔃 Create a pull request.
## 🚨 Forking this repo (please read!)
This repository is fully Open Source, Feel free to fork this, yes you heard it right - you can fork this repo without asking anyone. Before that please give me a star, fork it, and customize it as per your wish. If you face any difficulty you can connect with me <a href="mailto:geeturana1999@gmail.com">geeturana1999@gmail.com</a>.
- Give a start (:star:) and then click on fork (:fork_and_knife:) to your account.
- Clone your repo and modify the content of <b>index.html</b> according to your requirement.
- To deploy your website, keep the repo name `<your-github-username>.github.io`. (Please don't give any other name)
- Push the generated code to this repository's `master` branch.
## License 📄
This project is licensed under the MIT License - see the [LICENSE.md](./LICENSE) file for details.
| Portfolio created by using HTML, CSS, JavaScript with full responsiveness and cool layout | css,html,html5,java,javascript,portfolio-website,responsive-layout | 2023-02-16T17:22:25Z | 2023-04-19T18:12:46Z | null | 1 | 0 | 18 | 0 | 0 | 2 | null | MIT | HTML |
melsayedshoaib/3_Days_Weather_App | main | # 3_Days_Weather_App
This is a 3-day weather application using vanilla JavaScript.
| This is a 3-day weather application using vanilla JavaScript. | css3,fetch-api,html5,javascript,json,weather-app | 2023-02-23T18:51:09Z | 2023-02-24T23:51:17Z | null | 1 | 0 | 16 | 0 | 0 | 2 | null | null | HTML |
DustinYochim/odin-restaurant-page | main | # Restaurant Page Project
This project is a restaurant page built using JavaScript DOM to dynamically render the content.
## Technologies Used
* HTML
* CSS
* JavaScript
## Live Demo
View the live demo https://dustinyochim.github.io/odin-restaurant-page/
## Features
* A homepage with a hero image and a brief introduction to the restaurant.
* A menu page with a list of menu items and their descriptions.
* A contact page with a contact form.
## Installation and Setup
1. Clone the repository:
```bash
git clone https://github.com/yourusername/restaurant-page.git
```
2. Navigate to the project directory:
```bash
cd restaurant-page
```
3. Open index.html in your browser to view the homepage.
## Usage
1. Click on the links in the navigation bar to navigate to different pages.
2. On the menu page, click on the menu items to view their descriptions.
3. On the contact page, fill out the form and click "Submit" to send a message to the restaurant.
## Contributing
1. Fork the repository.
2. Create a new branch:
```bash
git checkout -b feature/yourfeature
```
3. Make changes and commit them:
```sql
git commit -m "your commit message"
```
4. Push to the feature branch:
```bash
git push origin feature/yourfeature
```
5. Submit a pull request.
| 🏝️ This project is a Krusty Krab (SpongeBob) themed restaurant page built using JavaScript DOM to dynamically render the content. | dom-manipulation,javascript | 2023-02-22T20:29:46Z | 2023-08-03T18:57:37Z | null | 1 | 0 | 11 | 1 | 0 | 2 | null | null | JavaScript |
Jayrajrodage/Voting_Dapp | master | # Voting dapp
This project is a web-based voting application that allows a chairperson to create and manage candidate data, and voters to cast their votes. The application uses React for the front-end, Solidity for the smart contract that runs on the Ethereum blockchain, and Ether.js to interact with the blockchain.
# Features
Chairperson can create and manage candidate data, including candidate ID, name, and vote count.
Voters can view the list of candidates and their information.
Voters can cast their vote for a candidate using their unique ID.
Chairperson can clear the voting data after the deadline is completed to start another voting.
# Technologies Used
1.solidity
2.Ether.js
3.Tailwindcss
4.Remix.IDE
5.React
6.Web3
7.MetaMask
# Requirements
Node.js v12 or later
MetaMask browser extension
Installation
Clone the repository.
Install dependencies using npm install.
Compile and deploy the smart contract to your local blockchain using Remix.IDE:
Start the development server using npm start.
# Usage
Make sure MetaMask is connected to your local blockchain and has an account with some ether.
Access the application at https://votingdapp-jayrajrodage.vercel.app
Chairperson should create the candidate data by clicking the "Create Candidate" button and filling in the form.
Voters can view the list of candidates and their information on the home page.
Voters can cast their vote for a candidate using their unique ID by clicking the "Vote" button and entering their ID.
After the deadline is completed, the chairperson can clear the voting data by clicking the "Clear Data" button.
| This project is a web-based voting application that allows a chairperson to create and manage candidate data, and voters to cast their votes. The application uses React for the front-end, Solidity for the smart contract that runs on the Ethereum blockchain, and Ether.js to interact with the blockchain. | blockchain,javascript,smart-contracts,solidity,voting-application,react | 2023-02-21T07:42:11Z | 2023-02-27T18:30:37Z | null | 1 | 0 | 12 | 0 | 1 | 2 | null | null | JavaScript |
brendan8c/movie | main | <img src=https://raw.githubusercontent.com/Brendan8c/movie/master/img/social-default.webp width="100%">
# Поиск фильмов и сериалов по ID КиноПоиск
#### :octocat: Привет друг! Это сайт-агрегатор открытых и закрытых видео-хостингов на наличие фильмов и сериалов.
- Всё что тебе нужно это [зайти на сайт kinopoisk](https://www.kinopoisk.ru/)
- Скопировать из браузерной строки ID фильма или сериала
- Перейти на [сайт](https://www.owlov.ru/) и вставить этот ID в поле для поиска.
<img src=https://raw.githubusercontent.com/Brendan8c/movie/master/img/example.webp width="80%">
| Search for movies and series by kinopoisk id | css,html,javascript,movies,player,series,video | 2023-02-11T16:54:29Z | 2023-07-07T01:15:06Z | null | 1 | 0 | 37 | 0 | 0 | 2 | null | null | HTML |
UtkarshK95/moviebee | master | This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app).
## Getting Started
First, run the development server:
```bash
npm run dev
# or
yarn dev
# or
pnpm dev
```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
You can start editing the page by modifying `app/page.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.
## 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.
| An IMDB clone built using NextJS 13 and Tailwind CSS | css3,html5,javascript,nextjs,nodejs,reactjs,rest-api,tailwindcss,tmdb-api | 2023-02-24T07:02:42Z | 2023-11-03T18:13:18Z | null | 1 | 1 | 6 | 0 | 0 | 2 | null | null | JavaScript |
abdurrahmannurhakim/Arduino-Project | Vacum-Test | null | Several Project Using Arduino IDE and Nextion HMI, | css,html,javascript,arduino,nextion-hmi | 2023-02-21T11:04:24Z | 2023-02-21T11:22:32Z | null | 1 | 0 | 2 | 0 | 0 | 2 | null | null | C++ |
asbhogal/React-KRYPTO-Responsive-Web-Page | main | <div align="center">
<h1>React - KRYPTO Responsive Web Page</h1>
 
  

</div>
A single web page for an NFT-management platform and app called KRYPTO.
This project is in two parts:
1. A mockup of 5 responsive screens created in Figma (components and auto-layout)
2. A responsive webpage rendered from these mockups using React, SASS and Vite and deployed via Vercel
<strong>:heavy_check_mark: Features:</strong><br>
- Designed from Figma mockups
- <code>.map()</code> to render Testimonial data from respective .js files
- Fully responsive
- Optimised for the web
<strong>:nerd_face: Stacks & Tools Used:</strong><br>
<br>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/devicons/devicon/blob/master/icons/html5/html5-original.svg"><img src="https://github.com/devicons/devicon/raw/master/icons/html5/html5-original.svg" alt="html5 logo" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/devicons/devicon/blob/master/icons/css3/css3-original.svg"><img src="https://github.com/devicons/devicon/raw/master/icons/css3/css3-original.svg" alt="css3 logo" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/devicons/devicon/blob/master/icons/sass/sass-original.svg"><img src="https://github.com/devicons/devicon/blob/master/icons/sass/sass-original.svg" alt="sass logo" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/postcss/brand/blob/master/dist/postcss-logo-symbol.svg"><img src="https://github.com/postcss/brand/blob/master/dist/postcss-logo-symbol.svg" alt="postcss logo" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/devicons/devicon/blob/master/icons/javascript/javascript-original.svg"><img src="https://github.com/devicons/devicon/raw/master/icons/javascript/javascript-original.svg" alt="JavaScript" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/devicons/devicon/blob/master/icons/react/react-original.svg"><img src="https://github.com/devicons/devicon/blob/master/icons/react/react-original.svg" alt="React logo" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/devicons/devicon/blob/master/icons/babel/babel-original.svg"><img src="https://github.com/devicons/devicon/blob/master/icons/babel/babel-original.svg" alt="Babel logo" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/vitejs/vite/blob/main/docs/public/logo.svg"><img src="https://github.com/vitejs/vite/blob/main/docs/public/logo.svg" alt="Webpack logo" width="50" height="50" style="max-width:100%;"></a>
<a target="_blank" rel="noopener noreferrer" href="https://github.com/devicons/devicon/blob/master/icons/figma/figma-original.svg"><img src="https://github.com/devicons/devicon/blob/master/icons/figma/figma-original.svg" alt="Figma logo" width="50" height="50" style="max-width:100%;"></a>
<strong>:link: Links</strong><br>
- <a target="_blank" href="https://krypto-site.vercel.app">KRYPTO - Responsive Web Page</a>
- <a target="_blank" href="https://www.figma.com/community/file/1188263961246625436">Figma Community Project Templates</a>
<strong>Attributions</strong>
<strong>Disclaimer</strong>
The name 'KRYPTO' used herein is solely fictional and any representation to an existing company, in part or whole, is entirely coincidental.
| A single web page for an NFT-management platform and app called KRYPTO from mockups created in Figma. | babel,figma,figmatoreact,javascript,js,mockups,react,reactjs,scss,vite | 2023-02-21T16:51:40Z | 2023-02-26T22:34:38Z | null | 1 | 0 | 37 | 0 | 0 | 2 | null | null | SCSS |
panku-chavan/resume-builder | main | ## Resume Builder | React
### About
Resume-Builder is single page web application created in React Library.
- [React](https://reactjs.org/) with Hooks
- [React-Bootstrap](https://react-bootstrap.github.io/)
- [React-Redux](https://react-redux.js.org/)
### Icons
- [React-Icons](https://react-icons.github.io/react-icons)
Feel free to use the source to create your resume.<br/>
Basic knowledge of HTML5, CSS and React is sufficient if you want to customize the resume for your requirements.
### How to use
Clone this repository
Run `npm start` in `/resume-builder`.

| Resume Builder | bootstrap,javascript,reactjs | 2023-02-21T16:06:09Z | 2023-02-21T16:29:17Z | null | 1 | 0 | 5 | 0 | 0 | 2 | null | null | JavaScript |
dharmikpuri/ZoomCar-Clone | main | # spiteful-toothbrush-9776 | Zoomcar is a Car Rental Website which provides various types of cars at cheap prices. | chakraui,css,html,javascript,react | 2023-02-21T16:16:21Z | 2023-02-25T17:40:21Z | null | 2 | 3 | 8 | 4 | 0 | 2 | null | null | JavaScript |
luuizz/projeto-starwars | main | <h1 align="center"> Star Wars Battlefront 2 </h1>
<p align="center">
Projeto desenvolvido durante o curso da Coderhouse
</p>
<p align="center">
<a href="#-tecnologias">Tecnologias</a> |
<a href="#-projeto">Projeto</a> |
<a href="#-layout">Layout</a> |
<a href="#memo-licença">Licença</a>
</p>
<p align="center">
<img alt="License" src="https://img.shields.io/static/v1?label=license&message=MIT&color=49AA26&labelColor=000000">
</p>
<br>
<p align="center">
<img alt="Star Wars Battlefront 2" src=".github/share-og.jpg" width="100%">
</p>
## 🚀 Tecnologias
Esse projeto foi desenvolvido com as seguintes tecnologias:
- HTML
- CSS
- JavaScript
## 💻 Projeto
Esse projeto apresenta uma interface do jogo Star Wars Battlefront 2 da Eletronic Arts, redesenhando a página original e também consumindo uma API pública do Star Wars.
## 🔖 Layout
Você pode visualizar o a interface gráfica através [DESSE LINK](https://www.figma.com/proto/Hzkewq0szPitYANALvVa9e/Projeto-Star-Wars?page-id=0%3A1&node-id=4%3A2&viewport=477%2C889%2C0.55&scaling=scale-down-width&starting-point-node-id=4%3A2).
## :memo: Licença
Esse projeto está sob a licença MIT.
---
Feito por [Luiz Ricardo](https://github.com/luuizz) | [André Yabutti](https://github.com/andreyabuuti) | [Hiago Santos](https://github.com/HiagoSant223) | [Marcos Luz](https://github.com/Marcos-ky) | Igor Lima | Projeto final proporcionado pela Coderhouse com o intuito de praticar todos os conhecimentos adquiridos ao longo do curso. | javascript,animation-css,css,css-flexbox,css-grid,desenvolvimento-web,front-end-development,html,html-css-javascript,swapi-api | 2023-02-20T21:17:31Z | 2023-05-04T01:02:26Z | null | 5 | 2 | 125 | 0 | 3 | 2 | null | null | HTML |
abhiraj-ku/Abhishek-portfolio | master | null | This Is my Portfolio site made using HTML, CSS , Javascript . | css,html,javascript,portfolio | 2023-02-22T05:08:19Z | 2023-04-02T16:33:37Z | null | 1 | 0 | 52 | 0 | 0 | 2 | null | null | HTML |
calculator3000/movie-webapp | main | # 🎥 movie-webapp
In this project we aim to build a website about movies. Users can get information about the top 250 movies, movies that are currently in cinemas, statistics about movies that have been added to the personal watched account on trakt and much more.
To get the required information, we access several APIs: [Trakt API](https://trakt.docs.apiary.io/), [The Movie Database (TMDB) API](https://developers.themoviedb.org/3), and the [IMDB API](https://imdb-api.com/).
We used the two libraries ChartJS and EmailJS.
## 🧐 Features
The webapp consists of multiple tabs
- **Landing Page**: See a random trailer and 4 random movies currently in theater. Submit feedback through a form (EmailJS).
- **Top 250 Movies**: See, sort, and filter top 250 IMDB movies. View more information about movie in modal.
- **In Theaters**: See movies currently playing in theaters. Filter for genres. Add movie to trakt watchlist.
- **Stats**: See number of movies watched and time spent watching movies (tracked via trakt.tv). See statistics about movies watched per release year, top 6 actors in movies watched, lowest and highest rated movies, genres, production countries and original languages (ChartJS).
- **Watched**: See gallery of movies watched (from trakt.tv).
- **About**: Find data about APIs used.
- **Login**: Login to trakt.tv
## 🎒 Prep Work
1. Create a ```config.js``` file inside ```scripts``` directory
2. Add 3 objects: ```traktapi```, ```moviedb```, and a list ```imdbapi```
3. ```traktapi```: Create a [trakt.tv application](https://trakt.tv/oauth/applications/new) and copy the API token and client secret.
4. Register for an API key with ```moviedb``` and ```imdbapi```.
```javascript
var traktapi = {
username: "me",
clientId: [clientIdFromTrakt],
clientSecret : [clientSecretFromTrakt],
token2: ""
}
var imdbapi = [[token1], [token2]]
var moviedb = {
key1: [tmdbAPIKey]
}
```
## 📸 Screenshots
<img width="620" alt="image" src="https://user-images.githubusercontent.com/51235422/224584476-16366f10-4397-4f3d-8ae2-3c455198f352.png">
<img width="620" alt="image" src="https://user-images.githubusercontent.com/51235422/224584588-e46ffcdb-5cf1-4207-9f1c-785f3a581df1.png">
<img width="620" alt="image" src="https://user-images.githubusercontent.com/51235422/224585116-89028bbe-ab86-44a8-81e7-e5e4afe863f7.png">
## 🎬 Status
Project submitted for grading
## 🔮 Possible Future Features
- more data in top250 list
- improving speed of API calls
- additionally to removing undesired genres, searching for desired genres
- ability to sort watched movies and movies in theater
- improving CSS and design
- more statistics about watched movies
- ability to rate movies
| a webapp utilizing data from IMDB API, themovieDB and trakt | chartjs,emailjs,imdb-api,javascript,tmdb-api,trakt-api | 2023-02-13T16:37:20Z | 2023-03-31T14:55:52Z | null | 3 | 28 | 102 | 0 | 2 | 2 | null | GPL-3.0 | JavaScript |
thatcodechap/warden | main | # Warden
a classic and simple no nonsense password manager, which keeps all your data in your hidden google drive folder.
## Features
- Easy to use with simple UI.
- Passwords are secure because of google drive storage.
- Completely integrated with Google drive to view and edit anywhere and anytime.
- Passwords are not visible in google drive, as it is stored in app specific hidden folders.
## Usage
1. Clone repository
```
git clone https://github.com/thatcodechap/warden
cd warden
```
2. Install dependencies
```
npm install
```
3. Start the app
```
npm start
```
---
### Screenshots
<img src="https://i.ibb.co/zxHGthJ/Screenshot-20230309-121048.png" width="400px"> <img src="https://i.ibb.co/S7MYktg/Screenshot-20230309-121928.png" width="400px">
| a simple password manager with google drive backup | css,gdrive,html,javascript,nodejs,oauth | 2023-02-13T18:12:53Z | 2023-08-08T16:53:09Z | null | 1 | 0 | 14 | 1 | 0 | 2 | null | null | JavaScript |
everinurmind/capstone-project | main | # 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [🎥 Loom Walkthrough](#loom-walkthrough)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [📝 License](#license)
# 📖 First Capstone <a name="about-project"></a>
Hello! Here you will see my first capstone project, based on an original design idea by [Cindy Shin in Behance](https://www.behance.net/adagio07).
## 🛠 Built With HTML & CSS <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href="https://code.visualstudio.com/">Visual Studio Code</a></li>
</ul>
</details>
<details>
<summary>Server</summary>
<ul>
<li><a href="https://github.com/">GitHub</a></li>
</ul>
</details>
<details>
<summary>Database</summary>
<ul>
<li><a href="https://www.microverse.org/"></a>Microverse</li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- [production of main pages] **[home page and about page]**
- [making page responsive] **[@media integration]**
- [adding dynamically made javaScript section] **[featured speakers section]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🎥 Loom Walkthrough <a name="loom-walkthrough"></a>
- [Loom Walkthrough Video Link](https://www.loom.com/share/cc776fd0ece644139437f5d3f6156331)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
### Prerequisites
- install git, install VSCode
### Setup
Clone this repository to your desired folder:
```sh
cd my-folder
git clone https://github.com/everinurmind/capstone-project
```
### Install
- npm install
### Usage
- open with live server extention on VSCode
### Run tests
- There's no test for this project
### Deployment
The project has been deployed on https://everinurmind.github.io/capstone-project/
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Author <a name="author"></a>
👤 **Nurbol Sultanov**
- GitHub: [@everinurmind](https://github.com/everinurmind)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/everinurmind)
## 🔭 Future Features <a name="future-features"></a>
- **[Adding more pages]**
- **[Creating own design]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](https://github.com/everinurmind/capstone-project/issues).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
Please leave me review if you have any questions or remarks.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
Thanks to Microverse team, for all help and support on this project.
Thanks to Cindy Shin, whos original design on Behance was used to create this project.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| This project emulates a conference announcing website. It is completely responsive and made interactive with JS | capstone-project,css,html,javascript | 2023-02-13T20:42:05Z | 2023-02-17T00:28:39Z | null | 1 | 1 | 30 | 0 | 0 | 2 | null | MIT | CSS |
FavianIbra/my-app | 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.
https://my-app-swart-six.vercel.app/
Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details.
| Personal Website built using NextJS | frontend-web,javascript,nextjs,scss,typescript | 2023-02-18T04:29:51Z | 2023-03-05T12:23:48Z | null | 1 | 0 | 7 | 0 | 0 | 2 | null | null | JavaScript |
mr-elanos/charitable_organisation-full-project-with-gulp- | master | Charity website project structure using gulp.
Used:
1. Technologies:
- HTML;
- CSS flexbox;
- SASS/SCSS;
- Java Script;
- Gulp
- burger-menu, carousel, animation, accordion;
- responsive design;
- semantic tags
2. Plugins:
- "del": "6.0.0",
- "gulp": "4.0.2",
- "gulp-autoprefixer": "8.0.0",
- "gulp-cssbeautify": "3.0.1",
- "gulp-cssnano": "2.1.3",
- "gulp-imagemin": "7.1.0",
- "gulp-notify": "4.0.0",
- "gulp-plumber": "1.2.1",
- "gulp-rename": "2.0.0",
- "gulp-rigger": "0.5.8",
- "gulp-sass": "5.1.0",
- "gulp-strip-css-comments": "2.0.0",
- "gulp-uglify": "3.0.2",
- "panini": "1.7.2",
- "sass": "1.58.1"
https://mr-elanos.github.io/Charible_Organisation_Site/
| Charity website project structure using gulp | adaptive,css,gulp,html,javascript,sass,scss,swiper-slider,website | 2023-02-16T10:04:43Z | 2023-02-20T17:15:26Z | null | 1 | 0 | 9 | 0 | 0 | 2 | null | null | HTML |
miqueiaspcoelho/ScoreBotDiscord2.0 | main |
# ScoreRobot2.0
Segunda versão de bot para discord, auxilia para controle de membros e placar de campeonatos de jogos.
## Funcionalidades
- /add "player" (adiciona jogador ao campeonato)
- /win "player" (atribui uma vitória ao jogador indicado)
- /result (exibe o placar do campeonato)
- /ping (comando de teste do bot)
### Restritas ao administrador do server
- /remove "player" (remove jogador indicado)
- /clear (faz reset do campeonato)
## Instalação
Instale ScoreRobot2.0 com npm
```bash
npm init -y
npm install discord.js dotenv
```
Necessário a criação de um arquivo **.env** para guardar valores restritos, checar na documentação: https://discordjs.guide/#before-you-begin
## Stack utilizada
**Back-end:** Node, JavaSccript
## Aprendizados
Ao idealizar e montar esse projeto, conhecimentos de node e javascript foram colocados em prática e à prova o que fez com que meu interesse, bem como, conhecimento a respeito de stacks de back-end fossem alavancados. Degrau por degrau vou aprendendo cada vez mais sobre tecnologia, o que começou como uma faculdade se tornou uma paixão.
| Construção de bot para discord utilizando nodeJS junto com lib discordJS. O bot tem a função de melhor organizar campeonatos de jogos no server em que estiver. Já contém slash commands que é um padrão atual do discord. Hospedado na square cloud | bots,discord,discord-js,javascript,nodejs | 2023-02-23T19:32:48Z | 2023-07-07T03:09:38Z | null | 1 | 1 | 6 | 0 | 0 | 2 | null | null | JavaScript |
HarshitRV/SecureShareDapp | 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.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.
## 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.
| Frontend for the decentralized file share application | nextjs,react,javascript,jsx | 2023-02-23T12:08:43Z | 2023-06-05T17:22:00Z | null | 2 | 5 | 25 | 3 | 1 | 2 | null | null | JavaScript |
Dct-tcd/Todo-List- | main | # Getting Started with Create React App
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
## Available Scripts
In the project directory, you can run:
### `npm start`
Runs the app in the development mode.\
Open [http://localhost:3000](http://localhost:3000) to view it in your browser.
The page will reload when you make changes.\
You may also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can't go back!**
If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own.
You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
### Code Splitting
This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting)
### Analyzing the Bundle Size
This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size)
### Making a Progressive Web App
This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app)
### Advanced Configuration
This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration)
### Deployment
This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment)
### `npm run build` fails to minify
This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
| This is an simple react todo list | html-css-javascript,javascript,js,react,reactjs | 2023-02-23T17:49:48Z | 2023-02-23T18:03:55Z | null | 1 | 0 | 3 | 0 | 0 | 2 | null | null | JavaScript |
stdlib-js/string-base-replace-before | main | <!--
@license Apache-2.0
Copyright (c) 2023 The Stdlib Authors.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->
<details>
<summary>
About stdlib...
</summary>
<p>We believe in a future in which the web is a preferred environment for numerical computation. To help realize this future, we've built stdlib. stdlib is a standard library, with an emphasis on numerical and scientific computation, written in JavaScript (and C) for execution in browsers and in Node.js.</p>
<p>The library is fully decomposable, being architected in such a way that you can swap out and mix and match APIs and functionality to cater to your exact preferences and use cases.</p>
<p>When you use stdlib, you can be absolutely certain that you are using the most thorough, rigorous, well-written, studied, documented, tested, measured, and high-quality code out there.</p>
<p>To join us in bringing numerical computing to the web, get started by checking us out on <a href="https://github.com/stdlib-js/stdlib">GitHub</a>, and please consider <a href="https://opencollective.com/stdlib">financially supporting stdlib</a>. We greatly appreciate your continued support!</p>
</details>
# replaceBefore
[![NPM version][npm-image]][npm-url] [![Build Status][test-image]][test-url] [![Coverage Status][coverage-image]][coverage-url] <!-- [![dependencies][dependencies-image]][dependencies-url] -->
> Replace the substring before the first occurrence of a specified search string.
<!-- Section to include introductory text. Make sure to keep an empty line after the intro `section` element and another before the `/section` close. -->
<section class="intro">
</section>
<!-- /.intro -->
<!-- Package usage documentation. -->
<section class="installation">
## Installation
```bash
npm install @stdlib/string-base-replace-before
```
Alternatively,
- To load the package in a website via a `script` tag without installation and bundlers, use the [ES Module][es-module] available on the [`esm`][esm-url] branch (see [README][esm-readme]).
- If you are using Deno, visit the [`deno`][deno-url] branch (see [README][deno-readme] for usage intructions).
- For use in Observable, or in browser/node environments, use the [Universal Module Definition (UMD)][umd] build available on the [`umd`][umd-url] branch (see [README][umd-readme]).
The [branches.md][branches-url] file summarizes the available branches and displays a diagram illustrating their relationships.
To view installation and usage instructions specific to each branch build, be sure to explicitly navigate to the respective README files on each branch, as linked to above.
</section>
<section class="usage">
## Usage
```javascript
var replaceBefore = require( '@stdlib/string-base-replace-before' );
```
#### replaceBefore( str, search, replacement, fromIndex )
Replaces the substring before the first occurrence of a specified search string.
```javascript
var out = replaceBefore( 'beep boop', ' ', 'loop', 0 );
// returns 'loop boop'
out = replaceBefore( 'beep boop', 'o', 'bar', 0 );
// returns 'baroop'
```
To begin searching from a specific index, provide a corresponding `fromIndex` argument.
```javascript
var out = replaceBefore( 'beep boop', 'p', 'bar', 5 );
// returns 'barp'
```
If `fromIndex` is less than zero, the starting index is resolved relative to the last string character, with the last string character corresponding to `fromIndex = -1`.
```javascript
var out = replaceBefore( 'beep boop beep', ' ', 'loop', -6 );
// returns 'loop beep'
```
</section>
<!-- /.usage -->
<!-- Package usage notes. Make sure to keep an empty line after the `section` element and another before the `/section` close. -->
<section class="notes">
## Notes
- If a search string is not present in a provided string, the function returns the provided string unchanged.
- If a search string is an empty string, the function returns the provided string unchanged.
- If `fromIndex` resolves to an index which is greater than or equal to `str.length`, the function returns the provided string unchanged.
</section>
<!-- /.notes -->
<!-- Package usage examples. -->
<section class="examples">
## Examples
<!-- eslint no-undef: "error" -->
```javascript
var replaceBefore = require( '@stdlib/string-base-replace-before' );
var out = replaceBefore( 'beep boop', 'p', 'see', 0 );
// returns 'seep boop'
out = replaceBefore( 'Hello World!', 'xyz', 'foo', 0 );
// returns 'Hello World!'
out = replaceBefore( 'Hello World!', '', 'foo', 0 );
// returns 'Hello World!'
out = replaceBefore( '', 'xyz', 'foo', 0 );
// returns ''
```
</section>
<!-- /.examples -->
<!-- Section to include cited references. If references are included, add a horizontal rule *before* the section. Make sure to keep an empty line after the `section` element and another before the `/section` close. -->
<section class="references">
</section>
<!-- /.references -->
<!-- Section for related `stdlib` packages. Do not manually edit this section, as it is automatically populated. -->
<section class="related">
</section>
<!-- /.related -->
<!-- Section for all links. Make sure to keep an empty line after the `section` element and another before the `/section` close. -->
<section class="main-repo" >
* * *
## Notice
This package is part of [stdlib][stdlib], a standard library for JavaScript and Node.js, with an emphasis on numerical and scientific computing. The library provides a collection of robust, high performance libraries for mathematics, statistics, streams, utilities, and more.
For more information on the project, filing bug reports and feature requests, and guidance on how to develop [stdlib][stdlib], see the main project [repository][stdlib].
#### Community
[![Chat][chat-image]][chat-url]
---
## License
See [LICENSE][stdlib-license].
## Copyright
Copyright © 2016-2024. The Stdlib [Authors][stdlib-authors].
</section>
<!-- /.stdlib -->
<!-- Section for all links. Make sure to keep an empty line after the `section` element and another before the `/section` close. -->
<section class="links">
[npm-image]: http://img.shields.io/npm/v/@stdlib/string-base-replace-before.svg
[npm-url]: https://npmjs.org/package/@stdlib/string-base-replace-before
[test-image]: https://github.com/stdlib-js/string-base-replace-before/actions/workflows/test.yml/badge.svg?branch=main
[test-url]: https://github.com/stdlib-js/string-base-replace-before/actions/workflows/test.yml?query=branch:main
[coverage-image]: https://img.shields.io/codecov/c/github/stdlib-js/string-base-replace-before/main.svg
[coverage-url]: https://codecov.io/github/stdlib-js/string-base-replace-before?branch=main
<!--
[dependencies-image]: https://img.shields.io/david/stdlib-js/string-base-replace-before.svg
[dependencies-url]: https://david-dm.org/stdlib-js/string-base-replace-before/main
-->
[chat-image]: https://img.shields.io/gitter/room/stdlib-js/stdlib.svg
[chat-url]: https://app.gitter.im/#/room/#stdlib-js_stdlib:gitter.im
[stdlib]: https://github.com/stdlib-js/stdlib
[stdlib-authors]: https://github.com/stdlib-js/stdlib/graphs/contributors
[umd]: https://github.com/umdjs/umd
[es-module]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Modules
[deno-url]: https://github.com/stdlib-js/string-base-replace-before/tree/deno
[deno-readme]: https://github.com/stdlib-js/string-base-replace-before/blob/deno/README.md
[umd-url]: https://github.com/stdlib-js/string-base-replace-before/tree/umd
[umd-readme]: https://github.com/stdlib-js/string-base-replace-before/blob/umd/README.md
[esm-url]: https://github.com/stdlib-js/string-base-replace-before/tree/esm
[esm-readme]: https://github.com/stdlib-js/string-base-replace-before/blob/esm/README.md
[branches-url]: https://github.com/stdlib-js/string-base-replace-before/blob/main/branches.md
[stdlib-license]: https://raw.githubusercontent.com/stdlib-js/string-base-replace-before/main/LICENSE
</section>
<!-- /.links -->
| Replace the substring before the first occurrence of a specified search string. | before,javascript,match,node,node-js,nodejs,replace,search,stdlib,str | 2023-02-24T20:49:15Z | 2024-05-01T00:30:34Z | null | 5 | 0 | 26 | 0 | 0 | 2 | null | Apache-2.0 | JavaScript |
ChronoDAO/Open-Loot_Chrome-extension | main | This is a [Plasmo extension](https://docs.plasmo.com/) project bootstrapped with [`plasmo init`](https://www.npmjs.com/package/plasmo).
## Getting Started
First, run the development server:
```bash
pnpm dev
# or
npm run dev
```
Open your browser and load the appropriate development build. For example, if you are developing for the chrome browser, using manifest v3, use: `build/chrome-mv3-dev`.
You can start editing the popup by modifying `popup.tsx`. It should auto-update as you make changes. To add an options page, simply add a `options.tsx` file to the root of the project, with a react component default exported. Likewise to add a content page, add a `content.ts` file to the root of the project, importing some module and do some logic, then reload the extension on your browser.
For further guidance, [visit our Documentation](https://docs.plasmo.com/)
## Making production build
Run the following:
```bash
pnpm build
# or
npm run build
```
This should create a production bundle for your extension, ready to be zipped and published to the stores.
## Submit to the webstores
The easiest way to deploy your Plasmo extension is to use the built-in [bpp](https://bpp.browser.market) GitHub action. Prior to using this action however, make sure to build your extension and upload the first version to the store to establish the basic credentials. Then, simply follow [this setup instruction](https://docs.plasmo.com/workflows/submit) and you should be on your way for automated submission!
| This Chrome extension supercharge your OpenLoot.com experience. Search and filter over your collection, get your purchase & sale history and more. | bigtime,chrome-extension,javascript,nft-marketplace,plasmo,react,open-loot | 2023-02-15T23:28:57Z | 2024-05-02T18:24:13Z | 2023-02-15T23:46:32Z | 3 | 0 | 12 | 0 | 0 | 2 | null | null | TypeScript |
geojimas/laravel11-vue3-tailwind-vite | main | 
### Setup Locally
```
cp .env.example .env
```
```
composer install
```
```
php artisan migrate
```
```
php artisan key:generate
```
```
php artisan serve
```
### Client :
```
npm install
```
```
npm run dev
```
| Laravel 11 / Vue 3 / Vite Template | javascript,laravel,php,tailwindcss,vite,vue | 2023-02-17T19:34:03Z | 2024-04-25T18:43:22Z | null | 2 | 1 | 5 | 0 | 2 | 2 | null | null | PHP |
Kyza/color-regex | trunk | # Color RegEx
Pattern matching and extracting color code formats using RegEx.
Written in [Pomsky](https://pomsky-lang.org).
- [Source](/index.pom)
- [Compiled](/index.reg)
## Support
- [x] [Hexadecimal](https://w3c.github.io/csswg-drafts/css-color/#hex-color)
- [x] [RGB](https://w3c.github.io/csswg-drafts/css-color/#funcdef-rgb) / [RGBA](https://w3c.github.io/csswg-drafts/css-color/#funcdef-rgba)
- [x] [COLOR](https://w3c.github.io/csswg-drafts/css-color/#funcdef-color)
- [x] [HSL](https://w3c.github.io/csswg-drafts/css-color/#funcdef-hsl) / [HSLA](https://w3c.github.io/csswg-drafts/css-color/#funcdef-hsla)
- [x] [HWB](https://w3c.github.io/csswg-drafts/css-color/#funcdef-hwb)
- [x] [LAB](https://w3c.github.io/csswg-drafts/css-color/#funcdef-lab) / [OKLAB](https://w3c.github.io/csswg-drafts/css-color/#funcdef-oklab)
- [x] [LCH](https://w3c.github.io/csswg-drafts/css-color/#funcdef-lch) / [OKLCH](https://w3c.github.io/csswg-drafts/css-color/#funcdef-oklch)
- [x] [\<named-color\>](https://w3c.github.io/csswg-drafts/css-color/#named-colors)
- [x] [\<system-color\>](https://w3c.github.io/csswg-drafts/css-color/#css-system-colors)
- [x] [currentColor](https://w3c.github.io/csswg-drafts/css-color/#currentcolor-color)
## [Blocks Example](https://blocks.githubnext.com/Kyza/color-regex/blob/trunk/README.md)
<BlockComponent
block={{"owner":"Kyza","repo":"blocks","id":"pomsky-viewer","type":"file"}}
context={{"owner":"Kyza","repo":"color-regex","path":"full.pom","sha":"master","file":"README.md"}}
height={500}
/>
## Playground
- [Pomsky](https://playground.pomsky-lang.org/?text=)
- [Regex101](https://regex101.com/r/3HmoM7)
## Visualization
From [https://regexper.com/](https://regexper.com/).

## Usage
It always matches 1, 3, 4, or 5 unnamed groups.
### 1
This group will be the name of the color alias such as `red` or `papayawhip`.
### 3-5
These groups are the color type, then the color values.
OR
These groups are `"color"`, the color type, then the color values.
### Usage
Just filter out the undefined values and you'll have an array of the values you want.
```js
"rgb(255, 255, 255)".match(regex).filter((item, i) => i > 0 && item != null)
"color(display-p3 1 1 1 / 1)".match(regex).filter((item, i) => i > 0 && item != null)
```
## Why?
For fun and to demonstrate Pomsky's power of making complex regular expressions that are still readable.
| Pattern matching and extracting color code formats using RegEx. | pomsky,regex,javascript,typescript,rust | 2023-02-16T21:48:21Z | 2023-08-07T02:38:22Z | null | 2 | 2 | 48 | 0 | 1 | 2 | null | MIT | null |
ahmedmujtaba1/Web-3.0-and-Metaverse-Karachi-3 | main | # Web-3.0-and-Metaverse-Karachi-2-Q1
I have joined a Batch of Panaverse https://www.panaverse.co/
| I have joined a Batch of Panaverse Pakistan. I am also in learning state. As I learn, I will share knowledge with you. | typescript,javascript | 2023-02-13T15:41:00Z | 2023-03-25T13:20:19Z | null | 1 | 0 | 45 | 0 | 0 | 2 | null | null | JavaScript |
MafujulHaquePlabon/text-editor | main | #### text-editor

| null | css3,html5,javascript,tailwindcss,responsive-layout | 2023-02-15T11:07:57Z | 2023-02-16T18:21:31Z | null | 1 | 0 | 9 | 0 | 0 | 2 | null | null | JavaScript |
Codevendor/inferjs-compiler | main | [inferjs]: https://github.com/Codevendor/inferjs
[inferjs-library]: https://github.com/Codevendor/inferjs-library
[inferjs-compiler]: https://github.com/Codevendor/inferjs-compiler
[infer-object]: https://github.com/Codevendor/inferjs-library
[logo]: https://github.com/Codevendor/inferjs-compiler/blob/main/assets/images/inferjs-logo.png?raw=true
[header]: https://github.com/Codevendor/inferjs-compiler/blob/main/assets/images/git_header.png?raw=true
[arrow]: https://github.com/Codevendor/inferjs-compiler/blob/main/assets/images/arrowright.png?raw=true
[library-docs]: https://github.com/Codevendor/inferjs-library/
[library-issues]: https://github.com/Codevendor/inferjs-library/issues
[compiler-docs]: https://github.com/Codevendor/inferjs-compiler/
[compiler-issues]: https://github.com/Codevendor/inferjs-compiler/issues
![InferJS Library][header]
## ![Heading][arrow] InferJS-Compiler: Overview
A compiler that processes **JSDoc** comments into an [**InferObject**][infer-object] file, for utilizing with the [**InferJS-Library**][inferjs-library]. The [**InferJS-Compiler**][inferjs-compiler] is part of a bigger project called [**InferJS**][inferjs]. The compiler can be used for other third party projects, that may need to interpret **JSDoc** comments into **JSON** type files.
### Built With
* [JSDoc Version 3+](https://jsdoc.app/)
* [Node.js Version 12+](https://nodejs.org/)
* [NPM Version 5+](https://www.npmjs.com/)
* [Visual Studio Code](https://code.visualstudio.com/)
## ![Heading][arrow] InferJS-Compiler: Installation
To install the latest version of [**InferJS-Compiler**][inferjs-compiler] locally with `npm`:
#### Install: [Locally]()
```sh
npm install inferjs-compiler --save
```
#### Install: [Globally]()
```sh
npm install -g inferjs-compiler
```
**Optional**: If you would like to download the repo source code with `git`:
```sh
git clone https://github.com/Codevendor/inferjs-compiler.git
```
## ![Heading][arrow] InferJS-Compiler: CLI Usage
To use the [**InferJS-Compiler**][inferjs-compiler] from the command line and create [**InferObjects**][infer-object], please use the following commands.
```sh
# Global: CLI Run Format - InferJS-Compiler Globally Installed:
inferjs-compiler <cmd> <input> <inputOptions> <outputOptions> -o <output>
# or
# Local: CLI Node Run Format - InferJS-Compiler Not Globally Installed
node <path/to/inferjs-compiler> <cmd> <input> <inputOptions> <outputOptions> -o <output>
```
### InferJS-Compiler: [parse-files]()
| Action |Cmd| Description |
| :-- | :--: | :-- |
| [parse-files]() | [-f]() | Parses single or multiple **JavaScript** files or directories, looking for **JSDoc** multi-line comments. Parses the **JSDoc** comments into an [**InferObject**][infer-object], that can be outputed to the terminal or specified **output** file. |
#### Example - Parse Single Input File to Terminal Output:
```sh
foo@console:~$: inferjs-compiler -f ./path/test1.js -o
```
#### Example - Parse Single Input File to Output File:
```sh
foo@console:~$: inferjs-compiler -f ./path/test1.js -o ./path/infer-object.js
```
#### Example - Parse Multiple Input Files to Terminal Output:
```sh
foo@console:~$: inferjs-compiler -f ./path/test1.js ./path/test2.js -o
```
#### Example - Parse Multiple Input Files to Output File:
```sh
foo@console:~$: inferjs-compiler -f ./test1.js ./test2.js -o ./path/infer-object.js
```
### InferJS-Compiler: [parse-file-list]()
| Action |Cmd| Description |
| :-- | :--: | :-- |
| [parse-file-list]() | [-l]() | Parses a delimited file with **JavaScript** file or directory paths, looking for **JSDoc** multi-line comments per file. Parses the **JSDoc** comments into an [**InferObject**][infer-object], that can be outputed to the terminal or specified **output** file. Delimiter Defaults: to `newline` character. |
#### Example - Parse File List to Terminal Output:
```sh
foo@console:~$: inferjs-compiler -l ./path/file-list.txt -o
```
#### Example - Parse File List to Output File:
```sh
foo@console:~$: inferjs-compiler -l ./path/file-list.txt -o ./path/infer-object.js
```
### InferJS-Compiler: [combine]()
| Action |Cmd| Description |
| :-- | :--: | :-- |
| [combine]() | [-c]() | Combines multiple [**InferObject**][infer-object] files together, outputed to the terminal or specified output file. |
#### Example - Combine Multiple InferObject Files to Terminal Output:
```sh
foo@console:~$: inferjs-compiler -f ./path/infer-object1.js ./path/infer-object2.js -o
```
#### Example - Combine Multiple InferObject Files to Output File:
```sh
foo@console:~$: inferjs-compiler -f ./path/infer-object1.js ./path/infer-object2.js -o ./path/new-infer-object.js
```
### InferJS-Compiler: [Options]()
| Option | Cmd | Description |
| :-- | :--: | :-- |
| [--help]() | [-h]() | Displays the help menu. |
| [--preview]() | [-p]() | Displays information about the files to be processed, without actually executing process. |
| [--quiet]() | [-q]() | Hide all display information from standard output. |
| [--stat]() | [-s]() | Displays statistics about total infers parsed from files or directories. |
| [--version]() | [-v]() | Displays the version number of the [**InferJS-Compiler**][inferjs-compiler]. |
### InferJS-Compiler: [INPUT-OPTIONS]()
| Option | Description |
| :-- | :-- |
| [--input-options-flags]() | The file input flags for reading file. Flags: (`r`, `r+`, `rs`, `rs+`, `w+`, `wx+`, `a+`, `ax+`) |
| [--input-options-encoding]() | The encoding type for the input files. Example: `UTF8`. |
| [--input-options-recursive]() | Used in combination with [-d](), to recursively navigate through sub directories, looking for files to parse. |
| [--input-options-file-extensions]() | Used in combination with [-d](), to allow only specific file extensions to be parsed from directories. |
| [--input-options-delimiter]() | Used in combination with [-l](), to specify the delimiter for parsing the file list with. Defaults to `newline` character. |
### InferJS-Compiler: [OUPUT-OPTIONS]()
| Option | Description |
| :-- | :-- |
| [--output-options-env]() | The environment variable for the output file. (`development`, `dev`, `production`, `prod`) Defaults to `production`. |
| [--output-options-flags]() | The file output flags for writing file. Flags: (`r+`, `rs+`, `w`, `wx`, `w+`, `wx+`, `a`, `ax`, `a+`, `ax+`) |
| [--output-options-module]() | Generates the output [**InferObject**][infer-object], in a specific module type format. Formats: (`esmodule`, `commonjs`, `script`, `json`). Defaults to `script`. |
### InferJS-Compiler: [NodeJS Read/Write Flags]()
| Flag | Description |
|:-- | :-- |
| [r]() | Open file for `reading`. An exception occurs if the file does not exist. |
| [r+]() | Open file for `reading` and `writing`. An `exception` occurs if the file does not exist. |
| [rs]() | Open file for `reading` in `synchronous` mode. |
| [rs+]() | Open file for `reading` and `writing`, asking the OS to open it `synchronously`. See notes for `rs` about using this with caution. |
| [w]() | Open file for `writing`. The file is created (if it does not exist) or truncated (if it exists). |
| [wx]() | Like `w` but fails if the path exists. |
| [w+]() | Open file for `reading` and `writing`. The file is created (if it does not exist) or truncated (if it exists). |
| [wx+]() | Like `w+` but fails if path exists. |
| [a]() | Open file for `appending`. The file is created if it does not exist. |
| [ax]() | Like `a` but fails if the path exists. |
| [a+]() | Open file for `reading` and `appending`. The file is created if it does not exist. |
| [ax+]() | Like `a+` but fails if the the path exists. |
<!-- CONTRIBUTING -->
## ![Heading][arrow] InferJS-Compiler: Contributing
Contributions are what make the open source community such an amazing place to learn, inspire, and create. Any contributions you make are **greatly appreciated**.
If you have a suggestion that would make this better, please fork the repo and create a pull request. You can also simply open an issue with the tag `enhancement`.
Don't forget to give the project a [⭐ star](), Thanks again!
1. Fork the Project
2. Create your Feature Branch (`git checkout -b feature/AmazingFeature`)
3. Commit your Changes (`git commit -m 'Add some AmazingFeature'`)
4. Push to the Branch (`git push origin feature/AmazingFeature`)
5. Open a Pull Request
<!-- LICENSE -->
## ![Heading][arrow] InferJS-Compiler: License
Distributed under the **MIT** License. See `LICENSE.txt` for more information.
<!-- CONTACT -->
## ![Heading][arrow] InferJS-Compiler: Support Related
- [**InferJS-Compiler** Documentation][compiler-docs] - Information documentation for the **InferJS-Compiler**.
- [**InferJS-Compiler** Issues][compiler-issues] - Direct all questions about the **InferJS-Compiler**.
| A compiler that processes JSDoc comments into an InferObject File for utilizing with the InferJS Library. | cli,commonjs,compiler,es6,esmodule,infer,infer-object,inferjs,inferjs-compiler,inferobject | 2023-02-12T18:46:36Z | 2023-03-19T00:04:28Z | 2023-03-19T00:04:28Z | 1 | 3 | 74 | 2 | 0 | 2 | null | MIT | JavaScript |
Rafa-KozAnd/Ignite_Node.js_Activity_03 | main | <p align="center">
<img src="http://img.shields.io/static/v1?label=STATUS&message=Concluded&color=blue&style=flat"/>
<img alt="GitHub language count" src="https://img.shields.io/github/languages/count/Rafa-KozAnd/Ignite_Node.js_Activity_03">
<img alt="GitHub language count" src="https://img.shields.io/github/languages/top/Rafa-KozAnd/Ignite_Node.js_Activity_03">
<img alt="GitHub repo file count" src="https://img.shields.io/github/directory-file-count/Rafa-KozAnd/Ignite_Node.js_Activity_03">
<img alt="GitHub repo size" src="https://img.shields.io/github/repo-size/Rafa-KozAnd/Ignite_Node.js_Activity_03">
<img alt="GitHub language count" src="https://img.shields.io/github/license/Rafa-KozAnd/Ignite_Node.js_Activity_03">
</p>
# Ignite_Node.js_Activity_03
Node JS activity done with 'Rocketseat' Ignite course. ("Chapter III")
## Cadastro de carro
**RF**
- Deve ser possível cadastrar um novo carro.
- Deve ser possível listar todas as categorias.
**RN**
- Não deve ser possível cadastrar um carro com uma placa já existente.
- O carro deve ser cadastrado, com padrão por disponibilidade.
* O usuário responsável pelo cadastro deve ser um usuário administrador.
________________________________________________________________________________
## Listagem de carros
**RF**
- Deve ser possível listar todos os carros disponíveis.
- Deve ser possível listar todos os carros disponíveis pelo nome da categoria.
- Deve ser possível listar todos os carros disponíveis pelo nome da marca.
- Deve ser possível listar todos os carros disponíveis pelo nome do carro.
**RN**
- O usuário não precisar estar logado no sistema.
_________________________________________________________________________________
## Cadastro de Especificação no carro
**RF**
- Deve ser possível cadastrar uma especificação para um carro.
**RN**
- Não deve ser possível cadastrar uma especificação para um carro não cadastrado.
- Não deve ser possível cadastrar uma espeficiação já existente para o mesmo carro.
- O usuário responsável pelo cadastro deve ser um usuário administrador.
___________________________________________________________________________________
## Cadastro de imagens do carro
**RF**
- Deve ser possível cadastrar a imagem do carro.
**RNF**
- Utilizar o multer para upload dos arquivos.
**RN**
- O usuário deve poder cadastrar mais de uma imagem para o mesmo carro.
- O usuário responsável pelo cadastro deve ser um usuário administrador.
_________________________________________________________________________________
## Aluguel de carro
**RF**
- Deve ser possível cadastrar um aluguel.
**RNF**
*RN**
- O aluguel deve ter duração mínima de 24 horas.
- Não deve ser possível cadastrar um novo aluguel, caso já exista um aberto para o mesmo usuário.
- Não deve ser possível cadastrar um novo aluguel, caso já exista um aberto para o mesmo carro.
- O usuário deve estar logado na aplicação.
## 💻 Sobre o capítulo III - Continuando a aplicação.
Daremos início à nossa aplicação principal criando a base do app com autenticação, cadastro, upload de avatar, etc. utilizando um banco de dados relacional e conheceremos conceitos e ferramentas como Docker, TypeORM, JWT e bcrypt.
| Node JS activity done with 'Rocketseat' Ignite course. ("Chapter III") | docker,express,ignite,ignite-nodejs,ignite-rocketseat,javascript,nodejs,rocketseat,typescript | 2023-02-16T01:33:05Z | 2023-04-20T19:20:58Z | null | 1 | 0 | 4 | 0 | 0 | 2 | null | null | TypeScript |
MirzaMuhammadBaig/Presale-or-initial-coin-offering-ICO | main | # Presale or initial coin offering (ICO):
In presale smart-contract, I have imported three .sol files. One is IERC20, second is
Ownable and third is INonfungiblePositionManager, and in INonfungiblePositionManager
I have imported 4 interfaces.
Version of solidity is 0.8.9 and in two interfaces I have also imported abicoder v2 which
allows structs, nested and dynamic variables to be passed into functions, returned from
functions and emitted by events.
## About presale or ICO contract:
#### Variables:
- TokenId: Id of created pool.
- Early_bonus_token: bonus tokens of early users.
- Time_of_buy: buy time of tokens.
- Early_users: set early users for early bonus.
- Initial users: created for set of early_users.
#### Events:
- TokenBuy: address of owner, address of buyer and address of token amount.
- Set_sale: time_of_buy, early_bonus_of_token, initial_users.
- IncreaseLiquidityCurrentRange: tokenId, add amount of token0, add amount of token1.
```
Pass address in INonfungiblePositionManager of NonfungiblePositionManager.
```
#### Constructor:
- Pass address of TOKEN_A contract and TOKEN_B contract.
#### Functions:
- In the increaseLiquidityCurrentRange function I pass tokenId of token amount of token0 and amount of token 1, and this function returns liquidity, amount of token0 and amount of token 1.
- This function will approve NonfungiblePositionManager and the amount of token0 from TOKEN_A.
- This function will approve NonfungiblePositionManager and the amount of token1 from TOKEN_B.
- In the set_sale function I am doing set time, early_bonus and early_users_quantity for buying tokens.
- In the reset_sale function will reset the values of set time, early_bonus and early_users_quantity.
- In the resetInitialUsers will reset the value of inital_users.
- In the buy_token function user will input tokens_a in exchange of token_b then token_a will be transferred in contract and token_b will be transferred to user’s address.
- In the getContractBalance: function returns the amount of contract balance.
- Receive function will be called, when anyone sends money on the contract address.
#### Explain Imports:
1. First import is from openzeppelin of IERC20 that defines the functions and events that are required for the ERC20 token standard and in crowd-sale smart-contract, I am using two ERC20 token contracts (TOKEN_A, TOKEN_B), those I created for swapping and I am using these contracts addresses in IERC20.
2. Second import is from openzeppelin of Ownable. The Ownable.sol contract provides the most basic single account ownership to a contract. Only one account will become the owner of the contract and can perform administration-related tasks.
In contract I have used this for the set_sale function, because every person can’t be a caller.
3. Third import is from uniswap v3-periphery of INonfungiblePositionManager. In this interface I have created four structs and seven functions.
- Note: More about this project have here [Documentation_of_PreSale_SmartContract](https://github.com/MirzaMuhammadBaig/Presale-or-initial-coin-offering-ICO/blob/main/Documentation_of_PreSale_SmartContract.pdf)
| This code defines a smart contract for a CrowdSale, where users can buy tokens with two different ERC20 tokens (TOKEN_A and TOKEN_B). The contract allows for early bonus tokens and has functionality to increase liquidity. | decentralized-finance,hardhat,ico,javascript,solidity-contracts,tokens-presale,ethersjs | 2023-02-16T10:34:30Z | 2023-05-16T03:44:34Z | null | 1 | 0 | 12 | 0 | 0 | 2 | null | null | Solidity |
Ayaz-01/Bus-reservation-System | main | <img src="https://gst-contracts.s3.amazonaws.com/uploads/bcc/cms/asset/avatar/116426/banner_banner-psd.jpg">
<h1 style="text-align:center;">AK Bus Reservation System</h1>
</br>
Bus Ticket Reservation System
The Bus Reservation System is designed to automate online ticket purchasing through an easy-to-use online bus booking system. Embed our online bus ticketing system into your website and enable your customers to book tickets for various routes and destinations. With the bus ticket reservation system, you can manage reservations, client data, and passenger lists. You can also schedule routes, set seat availability,etc.
</br>
</br>
<h2>Tech Stacks Used:-</h2>
</br>
CSS
</br>
JavaScript.
</br>
java.
</br>
Servlet.
</br>
Tomcat.
</br>
JSP.
</br>
</br>
<h2>Administrators:-</h2>
</br>
Admin.
</br>
User.
</br>
</br>
<h2>Functionality for users:-</h2>
</br>
Login,
</br>
Signup,
</br>
See bookedTickets,
</br>
Cancel Booked Tickets,
</br>
book and search Tickets,
</br>
</br>
<h2>Functionality for Admin:-</h2>
</br>
Login,
</br>
Add Buses,
</br>
Delete Buses,
</br>
See all Buses Details.
</br>
</br>
<h2>Tables:-</h2>
</br>
Users,
</br>
BookingRec,
</br>
Buses.
</br>
<h2>Getting Started</h2>
Prerequisites
To run this project, you will need:
Java Development Kit (JDK) 8 or later
MySQL server
<h2>Installation</h2>
</br>
Clone the repository:
git clone https://github.com/Ayaz-01/aquatic-beef-7375.git
Set up the MySQL database using the mysql.sql file included in the repository:
mysql -u root -p cims < project101db.sql
Update the database.properties file with your MySQL credentials.
Compile the project:
javac *.java
Run the project:
java Main
Usage
The system is menu-driven and user-friendly. Simply follow the prompts to navigate the different options and perform various operations.
</br>
<h2>ER Diagram:-</h2>
<img src="https://raw.githubusercontent.com/Ayaz-01/aquatic-beef-7375/main/Screenshot%202023-04-06%20201150.png">
| Bus Ticket Reservation System The Bus Reservation System is designed to automate online ticket purchasing through an easy-to-use online bus booking system. Embed our online bus ticketing system into your website and enable your customers to book tickets for various routes and destinations. | css,html,javascript,jdbc,jsp,mysql,servlet | 2023-02-18T07:38:27Z | 2023-06-24T13:34:24Z | null | 2 | 0 | 28 | 0 | 0 | 2 | null | null | CSS |
shadowctrl/csi-conference-frontend | main | # Getting Started with Create React App
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
## Available Scripts
In the project directory, you can run:
### `npm start`
Runs the app in the development mode.\
Open [http://localhost:3000](http://localhost:3000) to view it in your browser.
The page will reload when you make changes.\
You may also see any lint errors in the console.
### `npm test`
Launches the test runner in the interactive watch mode.\
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
### `npm run build`
Builds the app for production to the `build` folder.\
It correctly bundles React in production mode and optimizes the build for the best performance.
The build is minified and the filenames include the hashes.\
Your app is ready to be deployed!
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
### `npm run eject`
**Note: this is a one-way operation. Once you `eject`, you can't go back!**
If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own.
You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it.
## Learn More
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
To learn React, check out the [React documentation](https://reactjs.org/).
### Code Splitting
This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting)
### Analyzing the Bundle Size
This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size)
### Making a Progressive Web App
This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app)
### Advanced Configuration
This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration)
### Deployment
This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment)
### `npm run build` fails to minify
This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
| Frontend of International Conference Organized by Computer Society Of India - Region 7 Chapters | csi,javascript,reactjs,computer-society-of-india | 2023-02-18T09:19:23Z | 2023-03-24T16:01:46Z | 2023-02-18T09:15:57Z | 2 | 1 | 108 | 0 | 1 | 2 | null | null | JavaScript |
Ephraimiyanda/url-shortening-app | main | null | A url shortening website | css,html5,javascript,rest-api | 2023-02-24T18:57:21Z | 2023-07-10T09:09:59Z | null | 1 | 0 | 77 | 0 | 0 | 2 | null | null | CSS |
henryhale/chalk-dom | master | <div align='center'>
<h1>Chalk-dom</h1>
<p>chalk for the browser</p>
<img src="https://github.com/henryhale/chalk-dom/blob/master/media/screenshot.png" alt="">
</div>
<br/>
> Just like [chalk](https://github.com/chalk/chalk) but right in your browser. It uses HTMElement elements (b,s,i,span) and a little inline-css.
<br>
<div align="center">
<img alt="GitHub Workflow Status" src="https://img.shields.io/github/actions/workflow/status/henryhale/chalk-dom/npm-publish.yml">
<img alt="npm" src="https://img.shields.io/npm/v/chalk-dom">
<img alt="GitHub release (latest SemVer)" src="https://img.shields.io/github/v/release/henryhale/chalk-dom">
<img alt="GitHub" src="https://img.shields.io/github/license/henryhale/chalk-dom">
</div>
<br/>
## Features
- Expressive API
- Highly performant
- Ability to nest styles
- Customizable
- Doesn't extend `String.prototype`
- Clean and focused
- Actively maintained
## Install
```console
$ npm install chalk-dom
```
## Usage
### HTML
```html
<div id='console'></div>
```
### JavaScript
```js
import chalk from 'chalk-dom';
const consoleBox = document.getElementById('console');
function log(...data) {
consoleBox.innerHTML += `<div>${data.join(' ')}</div>`;
}
log(chalk.blue('Hello World!'));
```
## Demo
To run the [demo](https://github.com/henryhale/chalk-dom/blob/master/demo), clone this repo and simply open the [index.html](https://github.com/henryhale/chalk-dom/blob/master/demo/index.html) file in your browser.
## API
The one difference with [inken](https://github.com/henryhale/inken) is styles can be chained with [chalk-dom](https://github.com/henryhale/chalk-dom).
```js
import chalk from 'chalk-dom';
...
log(chalk.bgBlack.yellow.italic('Hello, World!'));
```
## Styles
### Modifiers
- `bold` - Make the text bold.
- `dim` - Make the text have lower opacity (sets css opacity to `0.5`).
- `italic` - Make the text italic.
- `underline` - Underline the text.
- `strikethrough` - Put a horizontal line through the center of the text.
- `inverse` - Invert the background and foreground colors.
### User defined
- `fg` - Set a custom foreground color (text color)
- `bg` - Set a custom background color
### Colors
- `black`
- `red`
- `green`
- `yellow`
- `blue`
- `magenta`
- `cyan`
- `white`
- `gray`
### Background colors
- `bgBlack`
- `bgRed`
- `bgGreen`
- `bgYellow`
- `bgBlue`
- `bgMagenta`
- `bgCyan`
- `bgWhite`
- `bgGray`
## Related
- [Inken](https://github.com/henryhale/inken) - terminal-like string styling for the browser
- [xterminal](https://github.com/henryhale/xterminal) - build web-based cli interfaces
## LICENSE
Released under the [MIT License](https://github.com/henryhale/chalk-dom/blob/master/LICENSE)
| 🖍 Chalk for the browser | chalk,dev,henryhale,readline,terminal,colors,terminal-colors,browser,css,html | 2023-02-23T10:01:16Z | 2023-07-12T01:34:16Z | 2023-07-12T01:34:16Z | 2 | 2 | 22 | 0 | 1 | 2 | null | MIT | JavaScript |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.