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
ACken2/bip322-js
main
# BIP322-JS ![Unit Test Status](https://github.com/ACken2/bip322-js/actions/workflows/unit_test.yml/badge.svg) [![Coverage Status](https://coveralls.io/repos/github/ACken2/bip322-js/badge.svg?branch=main)](https://coveralls.io/github/ACken2/bip322-js?branch=main) A Javascript library that provides utility functions related to the BIP-322 signature scheme. ## Documentation Available at https://acken2.github.io/bip322-js/ ## Supported Features The following features are supported on mainnet, testnet, and regtest for P2PKH, P2SH-P2WPKH, P2WPKH, and single-key-spend P2TR addresses: 1. Generate raw toSpend and toSign BIP-322 transactions. 2. Sign a BIP-322 signature using a private key. 3. Verify a legacy BIP-137 signature loosely (see below). 4. Verify a simple BIP-322 signature. ## Usage Use the **Signer** class to sign a BIP-322 signature: ```js Signer.sign(privateKey, address, message) ``` Use the **Verifier** class to verify a BIP-322 signature (which also validates a BIP-137 signature): ```js Verifier.verifySignature(address, message, signature) ``` ## Loose BIP-137 Verification A BIP-322 signature is backward compatible with the legacy signature scheme (i.e., BIP-137 signature). As a result, this library also recognizes valid BIP-137 signatures. In a BIP-137 signature, a header flag indicates the type of Bitcoin address for which the signature is signed: - 27-30: P2PKH uncompressed - 31-34: P2PKH compressed - 35-38: Segwit P2SH - 39-42: Segwit Bech32 However, some wallets' implementations of the BIP-137 signature did not strictly follow this header flag specification, and some may have signed signatures with the wrong header (e.g., using header 27 for a native segwit address). It is trivial, however, to convert a BIP-137 signature with an incorrect header flag to one with the correct header flag since the "address type" component in the header flag is not part of the actual signature. As such, some BIP-137 signature verifiers online, such as [this one](https://www.verifybitcoinmessage.com/), actively help to swap out any erroneous header flags. This library defines this behavior as **"Loose BIP-137 Verification"**. This behavior assumes that a signature proving ownership of the private key associated with public key $X$ is valid for all addresses $y_1$, $y_2$, ..., $y_n$ derivable from the same public key $X$. This behavior is enabled by default in this library, but can be disabled by passing the optional useStrictVerification flag in Verifier.verifySignature: ```js Verifier.verifySignature(signerAddress, message, signatureBase64, true) ``` Consequently, this also allows BIP-137 signatures to be used for taproot addresses, which is technically out-of-spec according to both BIP-137 and BIP-322 specifications, as implemented by some wallet implementations. Please refer to [issue #1](https://github.com/ACken2/bip322-js/issues/1) for relevant discussions. Note that this behavior does not exist in actual BIP-322 signature due to how BIP-322 signature is constructed. ## Example ```js // Import modules that are useful to you const { BIP322, Signer, Verifier } = require('bip322-js'); // Signing a BIP-322 signature with a private key const privateKey = 'L3VFeEujGtevx9w18HD1fhRbCH67Az2dpCymeRE1SoPK6XQtaN2k'; const address = 'bc1q9vza2e8x573nczrlzms0wvx3gsqjx7vavgkx0l'; // P2WPKH address const addressTestnet = 'tb1q9vza2e8x573nczrlzms0wvx3gsqjx7vaxwd45v'; // Equivalent testnet address const addressRegtest = 'bcrt1q9vza2e8x573nczrlzms0wvx3gsqjx7vay85cr9'; // Equivalent regtest address const taprootAddress = 'bc1ppv609nr0vr25u07u95waq5lucwfm6tde4nydujnu8npg4q75mr5sxq8lt3'; // P2TR address const nestedSegwitAddress = '37qyp7jQAzqb2rCBpMvVtLDuuzKAUCVnJb'; // P2SH-P2WPKH address const message = 'Hello World'; const signature = Signer.sign(privateKey, address, message); const signatureTestnet = Signer.sign(privateKey, addressTestnet, message); // Wworks with testnet address const signatureRegtest = Signer.sign(privateKey, addressRegtest, message); // And regtest address const signatureP2TR = Signer.sign(privateKey, taprootAddress, message); // Also works with P2TR address const signatureP2SH = Signer.sign(privateKey, nestedSegwitAddress, message); // And P2SH-P2WPKH address console.log({ signature, signatureTestnet, signatureRegtest, signatureP2TR, signatureP2SH }); // Verifying a simple BIP-322 signature const validity = Verifier.verifySignature(address, message, signature); const validityTestnet = Verifier.verifySignature(addressTestnet, message, signatureTestnet); // Works with testnet address const validityRegtest = Verifier.verifySignature(addressRegtest, message, signatureRegtest); // And regtest address const validityP2TR = Verifier.verifySignature(taprootAddress, message, signatureP2TR); // Also works with P2TR address const validityP2SH = Verifier.verifySignature(nestedSegwitAddress, message, signatureP2SH); // And P2SH-P2WPKH address console.log({ validity, validityTestnet, validityRegtest, validityP2TR, validityP2SH }); // True // You can also get the raw unsigned BIP-322 toSpend and toSign transaction directly const scriptPubKey = Buffer.from('00142b05d564e6a7a33c087f16e0f730d1440123799d', 'hex'); const toSpend = BIP322.buildToSpendTx(message, scriptPubKey); // bitcoin.Transaction const toSpendTxId = toSpend.getId(); const toSign = BIP322.buildToSignTx(toSpendTxId, scriptPubKey); // bitcoin.Psbt // Do whatever you want to do with the PSBT ``` More working examples can be found within the unit test for BIP322, Signer, and Verifier. ## Migration Guide from v1.X There are only two non-backward-compatible changes in the API: 1. If you previously used `Address.compressPublicKey` or `Address.uncompressPublicKey`, replace them with `Key.compressPublicKey` and `Key.uncompressPublicKey` respectively. 2. In v1.X, there was an option to pass the `network` parameter into `Signer.sign`: `Signer.sign(privateKey, address, message, network)`. This option has been removed, as the network is now automatically inferred from the given address.
A Javascript library that provides utility functions related to the BIP-322 signature scheme
bitcoin,bitcoinjs,javascript,typescript,bip322,no-wasm
2023-06-18T10:06:08Z
2024-05-16T07:37:52Z
2024-05-16T07:37:52Z
1
5
87
0
11
14
null
MIT
TypeScript
sandeepdotcode/code-crafted-resume
main
# Code Crafted Resume A resume builder designed for Developers and Software Engineers. Do you need a quick and easy resume builder to build a resume which you can actually use(shocking, right?) for applying to a tech job? [CodeCraftedResume.pages.dev](https://codecraftedresume.pages.dev/) to the rescue. You can drag to reorder form lists and resume sections from the side bar, live preview with side-by-side edit mode and preview & save your application-ready resume PDF with 2 clicks! The app uses [@react-pdf/renderer](https://react-pdf.org/) to render the pdf on the client so there are no worries of leaking your data. There is no collection or sharing of data involved. ``` NOTICE: The App isn't really responsive right now. It does not display well on smaller screens & also when zoomed in. Fixing this is a priority and I'm working on improving the layout & responisiveness of the app. Changes are being made in branch fix-responsive-issue ``` ## Latest Changes 1. The generated resume is now ATS friendly - The text copied from the PDF generated used to be garbled. - This has been fixed by patching the package `@react-pdf/pdfkit` with code from [#2408](https://github.com/diegomura/react-pdf/pull/2408) which fixes the issues [#915](https://github.com/diegomura/react-pdf/issues/915) and [#1950](https://github.com/diegomura/react-pdf/issues/1950). - The patch can be removed on the next release of `@react-pdf/pdfkit` when the pull request [#2408](https://github.com/diegomura/react-pdf/pull/2408) is merged. ## Disclaimer The format of the rendered resume was heavily dependent on the template provided by Colin at [Sheets & Giggles](https://sheetsgiggles.com/) in one of the top posts on the r/jobs subreddit. If you prefer to create your resume from the original template document, here is the link: [SheetsResume.com](https://sheetsresume.com/resume-template/). It is available as both Word Document and Google Doc. ## Preview ![Fom Preview](preview.png) ## Features to be added These are the features that I wanted to implement but did not prioritise due to the time constraint that I set for myself. I will be adding them one-by-one to the app whenever I have time to do so. - [ ] Add achievements section to the form - [ ] Fix navigation buttons in place so that button on one side don't change sides when the button on the other side becomes inactive. - [ ] Modify input placeholders - [ ] Warnings when recommended inputs are left blank - [ ] Change skill checkbox to sliding toggle - [ ] Fix edit mode turning off when a section is deleted - [ ] Animate - [ ] Welcome page unmounting - [ ] Live preview mounting - [ ] Adding sections in sidbar - [ ] Section indicator during navigation - [ ] Option to add or change accent color (lines and subheadings). - [ ] Make the app more responsive. - [ ] Improve PDF rendering efficiency. - [ ] Option to align resume header(name, title, links, etc) to center. ## What I learned While doing this project, I learned: - React Fundamentals - Creating a react app with Create React App - Learned other better ways for this as well, like through Vite or Next.js - But decided to go ahead with CRA since The Odin Project recommended CRA when I started the project for learning purposes - It probably is still fine for learning - Class components and lifecycle methods - Function components and Hooks - Migrating from class components to function components - and replacing lifecycle methods with equivalent hooks like useEffect - Controlling inputs and rendering lists in react - Managing state in react - Using external libraries like Zustand, react-pdf & dndkit - Zustand for global state management - react-pdf for pdf generation - dndkit for sortable drag 'n' drop lists - Deploying a site with a PaaS like Cloudflare Pages. This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
A resume builder for Devs & Software Engineers. Built with React.
javascript,react,resume-builder,theodinproject
2023-06-13T13:38:20Z
2023-10-29T13:06:07Z
null
1
0
87
0
0
14
null
null
JavaScript
cheshire-cat-ai/api-client-ts
main
<a href="https://github.com/cheshire-cat-ai/api-client-ts"> <img alt="GitHub Stars" src="https://img.shields.io/github/stars/cheshire-cat-ai/api-client-ts?logo=github&style=flat-square"> </a> <a href="https://discord.gg/bHX5sNFCYU"> <img alt="Discord Server" src="https://img.shields.io/discord/1092359754917089350?logo=discord&style=flat-square"> </a> <a href="https://npmjs.com/package/ccat-api"> <img alt="NPM Version" src="https://img.shields.io/npm/v/ccat-api?logo=npm&style=flat-square"> </a> <a href="https://npmjs.com/package/ccat-api"> <img alt="NPM Downloads" src="https://img.shields.io/npm/dw/ccat-api?logo=npm&style=flat-square"> </a> <a href="https://bundlephobia.com/package/ccat-api"> <img alt="Bundle Size" src="https://img.shields.io/bundlephobia/minzip/ccat-api?logo=npm&style=flat-square"> </a> # Cheshire Cat AI API Client API Client made in TypeScript to communicate with the [Cheshire Cat AI](https://github.com/cheshire-cat-ai/core).\ The package provides a class to interface with the Cheshire Cat AI backend.\ It can be used both in Browser and NodeJS environments. Every endpoint is a `CancelablePromise`, which means you can cancel the request if you want. ## Installation ```bash npm install ccat-api # OR yarn add ccat-api # OR pnpm i ccat-api ``` ## Getting started To set up the client, you must first import the `CatClient` class: ```ts import { CatClient } from 'ccat-api' const cat = new CatClient({ baseUrl: 'localhost', userId: 'user', //... other settings }) cat.send('Hello from a user!') // this will send a message to the /ws/user cat.userId = 'new_user' cat.send('Hello from a new user!') // this will send a message to the /ws/new_user ``` ## Client settings **API_KEY**, **CORE_HOST**, **CORE_PORT** and **CORE_USE_SECURE_PROTOCOLS** refer to the CCAT Core [.env file](https://github.com/cheshire-cat-ai/core/blob/main/.env.example). | **Property** | **Type** | **Default** | **Description** | |:------------:|:--------:|:------------:|:--------------------------------------------------------------------------------:| | **baseUrl** | string | **Required** | The same of **CORE_HOST** | | **authKey** | string | '' | The same of **API_KEY** | | **port** | number | 1865 | The same of the **CORE_PORT** | | **secure** | boolean | false | The same of the **CORE_USE_SECURE_PROTOCOLS** | | **user** | string | 'user' | The user ID to use for the WebSocket and the API client | | **instant** | boolean | true | Instantly initialize the WebSocket and the API client, or later with **.init()** | | **timeout** | number | 10000 | Timeout for the endpoints, in milliseconds | | **headers** | object | {} | The headers to send with the API requests | | **ws** | string | undefined | An object of type [WebSocketSettings](#websocket-settings) | ### WebSocket settings | **Property** | **Type** | **Default** | **Description** | |:------------:|:--------:|:-----------:|:--------------------------------------------------------:| | **path** | string | 'ws' | Websocket path to use to communicate with the CCat | | **retries** | number | 3 | The maximum number of retries before calling **onFailed** | | **query** | string | undefined | The query to send with the WebSocket connection | | **delay** | number | 3000 | The delay for reconnect, in milliseconds | | **onFailed** | function | undefined | The function to call after failing all the retries | Then, for example, you can configure the LLM like this: ```ts cat.api.settingsLargeLanguageModel.upsertLlmSetting('LLMOpenAIConfig', { openai_api_key: 'OPEN_API_KEY' }) ``` To send a message to the cat, you can: ```ts cat.send('Hello my friend!') ``` You can listen to the WebSocket events: ```ts cat.onConnected(() => { console.log('Socket connected') }).onMessage(msg => { console.log(msg) }).onError(err => { console.log(err) }).onDisconnected(() => { console.log('Socket disconnected') }) ``` For example, you can get the list of plugins like this: ```ts cat.api.plugins.listAvailablePlugins().then(plugins => { console.log(plugins) }) ``` ## Credits Made for the [Cheshire Cat AI](https://github.com/cheshire-cat-ai) organization. This was possible thanks to [openapi-typescript-codegen](https://github.com/ferdikoomen/openapi-typescript-codegen).
API Client to communicate with the Cheshire Cat AI
api,api-client,cat,cheshire-cat,client,generator,javascript,llm,npm,openapi
2023-06-24T23:11:26Z
2024-05-19T13:53:16Z
2024-03-26T11:57:53Z
8
40
201
0
2
14
null
MIT
TypeScript
mymatsubara/cheatsheet-js
main
# cheatsheet.js cheatsheet.js is an interactive javascript cheatsheet website. ![Website usage](/static/cheatsheet-js.gif) > ### 🔴 Check out the live website: [here](https://mymatsubara.github.io/cheatsheet-js/) ## Contributing Found any typo, wanna add or modify the content of the website, wanna suggest some other changes? Check out the [CONTRIBUTING.md](/CONTRIBUTING.md) for more information! ## How to run the project locally 1. Clone the project 2. Go the project folder and execute: `npm install` (you should have [node.js](https://nodejs.org/) installed) 3. Execute `npm run dev` to run the website locally on `localhost:3000`.
An interactive javascript cheatsheet website
cheatsheet,interactive,javascript,website,svelte
2023-06-21T04:07:59Z
2024-01-16T18:41:54Z
null
2
0
84
0
0
14
null
Apache-2.0
Svelte
Krishna11118/QTrip
main
<h2>&#9733; Website Description &#9733; </h2> <p>QTrip is a travel website aimed at travelers looking for a multitude of adventures in different cities. Created 3 different web pages from Wireframe layout using HTML and CSS Utilized Bootstrap extensively for responsive design</p> ![](https://github.com/Krishna11118/QTripDynamic/blob/main/examples/QTrip_Dynamic_Gif.gif) 👉 Live Demo: <a href='https://qtrip-dynamic-krishna.netlify.app/'>Live Demo</a> List of frameworks/libraries/languages that were used to build this project. * [![Bootstrap][Bootstrap.com]][Bootstrap-url] * [![Css][Css.com]][Css-url] * [![Html][Html.com]][Html-url] * [![Js][Js.com]][Js-url] <h2>Screenshots</h2> <br> <h3> &#9732; Landing Page </h3> <br> <div align='center'> <img src='https://github.com/Krishna11118/QTripDynamic/blob/main/examples/Qtrip_Dynamic_1.png'/> </div> <h3> &#9732; Adventure Page </h3> <br> <div align='center'> <img src='https://github.com/Krishna11118/QTripDynamic/blob/main/examples/Qtrip_Dynamic_2.png'/> </div> <h3> &#9732; Booking & Adventure Detailed Page </h3> <br> <div align='center'> <img src='https://github.com/Krishna11118/QTripDynamic/blob/main/examples/Qtrip_Dynamic_5.png'/> </div> <h3>&#9732; Reservation </h3> <br> <div align='center'> <img src='https://github.com/Krishna11118/QTripDynamic/blob/main/examples/Qtrip_Dynamic_4.png'/> </div> <h2>&#9742; Contact</h2> <br> Krishna - [@Whatsapp](https://wa.me/+917318378893) - krishnassss365@gmail.com - [@LinkedIn](https://www.linkedin.com/in/krishna365/) [contributors-shield]: https://img.shields.io/github/contributors/othneildrew/Best-README-Template.svg?style=for-the-badge [contributors-url]: https://github.com/othneildrew/Best-README-Template/graphs/contributors [forks-shield]: https://img.shields.io/github/forks/othneildrew/Best-README-Template.svg?style=for-the-badge [forks-url]: https://github.com/othneildrew/Best-README-Template/network/members [stars-shield]: https://img.shields.io/github/stars/othneildrew/Best-README-Template.svg?style=for-the-badge [stars-url]: https://github.com/othneildrew/Best-README-Template/stargazers [issues-shield]: https://img.shields.io/github/issues/othneildrew/Best-README-Template.svg?style=for-the-badge [issues-url]: https://github.com/othneildrew/Best-README-Template/issues [license-shield]: https://img.shields.io/github/license/othneildrew/Best-README-Template.svg?style=for-the-badge [license-url]: https://github.com/othneildrew/Best-README-Template/blob/master/LICENSE.txt [linkedin-shield]: https://img.shields.io/badge/-LinkedIn-black.svg?style=for-the-badge&logo=linkedin&colorB=555 [linkedin-url]: https://linkedin.com/in/othneildrew [product-screenshot]: images/screenshot.png [Next.js]: https://img.shields.io/badge/next.js-000000?style=for-the-badge&logo=nextdotjs&logoColor=white [Next-url]: https://nextjs.org/ [React.js]: https://img.shields.io/badge/React-20232A?style=for-the-badge&logo=react&logoColor=61DAFB [React-url]: https://reactjs.org/ [Vue.js]: https://img.shields.io/badge/Vue.js-35495E?style=for-the-badge&logo=vuedotjs&logoColor=4FC08D [Vue-url]: https://vuejs.org/ [Angular.io]: https://img.shields.io/badge/Angular-DD0031?style=for-the-badge&logo=angular&logoColor=white [Angular-url]: https://angular.io/ [Svelte.dev]: https://img.shields.io/badge/Svelte-4A4A55?style=for-the-badge&logo=svelte&logoColor=FF3E00 [Svelte-url]: https://svelte.dev/ [Expressjs.com]: https://img.shields.io/badge/Expressjs-0FBEFE?style=for-the-badge&logo=express&logoColor=black [Expressjs-url]: https://expressjs.com/ [Css.com]: https://img.shields.io/badge/Css-C14FB9?style=for-the-badge&logo=css3&logoColor=black [Css-url]: https://developer.mozilla.org/en-US/docs/Web/CSS/ [Html.com]: https://img.shields.io/badge/HTML-E44C27?style=for-the-badge&logo=html5&logoColor=black [Html-url]: https://html.com/ [Nodejs.org]: https://img.shields.io/badge/Nodejs-35802E?style=for-the-badge&logo=nodedotjs&logoColor=white [Node-url]: https://nodejs.org/ [Bootstrap.com]: https://img.shields.io/badge/Bootstrap-563D7C?style=for-the-badge&logo=bootstrap&logoColor=white [Bootstrap-url]: https://getbootstrap.com [Js.com]: https://img.shields.io/badge/JavaScript-F7DF1E?style=for-the-badge&logo=javascript&logoColor=black [Js-url]:https://developer.mozilla.org/en-US/docs/Web/JavaScript/ [Scss]: https://img.shields.io/badge/sass-20232A?style=for-the-badge&logo=sass&logoColor=#CC6699 [Scss-url]: https://sass-lang.com/ </div>
Travel booking website, where we make it easy for you to plan your dream vacation.
css,dom-manipulation,es6,html5,javascript,rest-api
2023-06-22T10:24:21Z
2023-12-21T12:53:25Z
null
1
0
24
0
1
13
null
null
JavaScript
TheOnlyMonster/Franko-Arabic-Chrome-Extension
main
# ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | Arabic - Franko Chrome Extension The "عربي - Franko" Chrome extension is designed to provide translation services between Franko text and Arabic. It enables users to easily translate text from Franko to Arabic and vice versa. ## ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | Download the Extension You can download and install the "عربي - Franko" Chrome extension from the Chrome Web Store using the following link: [Download عربي - Franko Chrome Extension](https://chrome.google.com/webstore/detail/%D8%B9%D8%B1%D8%A8%D9%8A-franko/lfnbchcibchaflinekapimhljnpkfaec) ## ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | Screenshots ![screenshot-1](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/screenshots/screenshot-1.jpg) ![screenshot-2](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/screenshots/screenshot-2.jpg) ## ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | Features - Translation: The extension uses a custom translation algorithm to convert Franko text to Arabic and vice versa. - Dataset Integration: The extension utilizes a dataset API provided by Hugging Face to enhance the translation accuracy. The dataset contains Arabic POS dialects and configuration specific to Egyptian dialects. - English Dictionary: The extension integrates with the DictionaryAPI to handle English words and ensure accurate translations. - Interactive Interface: The extension provides a user-friendly interface that allows users to input text and view the translated output in real-time. ## ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | How to Use 1. Install the Extension: Download and install the "عربي - Franko" Chrome extension from the Chrome Web Store using the provided link. 2. Activate the Extension: Click on the extension icon in the Chrome toolbar to activate the translation interface. 3. Translate Text: Enter the text you want to translate in the input area. As you type, the translation will be displayed in real-time in the output area. 4. Switch Translation Direction: Use the switch button to toggle between translating from Franko to Arabic and from Arabic to Franko. ## ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | Code Overview The extension utilizes JavaScript to implement the translation functionality. Here's an overview of the main code components: - `AbstractTranslate` class: An abstract class that defines the structure for translation operations. - `Franko` class: Extends the `AbstractTranslate` class and implements the translation algorithm for Franko text. - `Arabic` class: Extends the `AbstractTranslate` class and handles translation from Arabic to Franko. - Translation Logic: The translation logic is implemented in the `performTranslation` methods of the `Franko` and `Arabic` classes. - Dataset Integration: The extension fetches dataset rows from the Hugging Face API to enhance translation accuracy. The dataset is retrieved in batches using the `getDatasetRows` method. - User Interface: The extension's user interface is created using HTML and CSS. The interface allows users to input text, view the translated output, and switch the translation direction. ## ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | Dependencies The "عربي - Franko" Chrome extension relies on the following external dependencies: - [axios](https://github.com/axios/axios): A JavaScript library used for making HTTP requests to retrieve dataset rows. - [DictionaryAPI](https://dictionaryapi.dev/): An API used to handle English words and provide accurate translations. - [Google Fonts](https://fonts.google.com/): Remote CSS files are included to load the "Work Sans" font for consistent typography. ## ![logo-32x32](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension/blob/main/assets/logo-32x32.png) | Support and Contributions If you encounter any issues or have suggestions for improvements, please feel free to open an issue on the GitHub repository: [عربي - Franko](https://github.com/TheOnlyMonster/Franko-Arabic-Chrome-Extension). Contributions to the project are also welcome. Fork the repository, make your changes, and submit a pull request with a detailed explanation of your modifications.
The "عربي - Franko" Chrome extension is designed to provide translation services between Franko text and Arabic. It enables users to easily translate text from Franko to Arabic and vice versa.
arabic-dialects,chrome-extension,javascript
2023-06-25T15:01:19Z
2023-07-17T08:32:53Z
null
1
0
14
0
0
13
null
MIT
JavaScript
neeraj542/Personal-Finance-Tracker
main
# Personal Finance Tracker Personal Finance Tracker is a web application that helps you manage your finances effectively. With this application, you can track your income and expenses, set budgets, and gain better control over your financial health. <img width="960" alt="image" src="https://github.com/neeraj542/Personal-Finance-Tracker/assets/114648043/83946993-1e1b-41a8-ad3e-d0598bb9deb7"> ## Features - Track your income and expenses effortlessly - Set financial goals and monitor your progress - Categorize transactions for better organization - Generate insightful reports and visualizations - Customizable currency settings - Secure data protection ## Technologies Used - HTML - CSS - JavaScript ## Contributing Contributions are welcome! If you have any suggestions, bug reports, or feature requests, please open an issue or submit a pull request. ## License This project is licensed under the [MIT License](LICENSE). ## Acknowledgements - [Feather Icons](https://feathericons.com/) - Icons used in the application - [Font Awesome](https://fontawesome.com/) - Icons used in the application ## Contact For any inquiries or questions, please contact [email protected] Enjoy managing your finances with Personal Finance Tracker!
The Personal Finance Tracker is a web application designed to help individuals manage their finances effectively. It provides a user-friendly interface for tracking income and expenses, setting financial goals, and monitoring budget limits.
css,css3,html-css-javascript,html5,javascript,hacktoberfest,hacktoberfest-accepted,hacktoberfest2023
2023-06-26T17:17:08Z
2023-11-06T05:13:41Z
null
4
20
46
10
12
13
null
null
CSS
aminblm/linkedin-engagement-assistant
main
# LinkedIn Assistant ![image](https://github.com/aminblm/linkedin-engagement-assistant/assets/25132838/a3daac7d-9022-4ce1-91c1-eeb7e027aad2) Introducing the AI LinkedIn Engagement Assistant, a revolutionary tool designed to enhance your LinkedIn networking and engagement efforts. With its advanced automation features, this AI-powered assistant streamlines your interactions on LinkedIn, saving you time and boosting your online presence. Whether you're a job seeker, a professional looking to expand your network, or a business aiming to establish a strong online presence, the AI LinkedIn Engagement Assistant is here to help. To modify, use, get documentation, or for your inquiries kindly contact me via: **amin@boulouma.com** ## Donation and Support 🥳 With your support, I build, update, and work on this project. You can also purchase additional packages, tutorials, and materials explaining how this bot is working. There are several features and simplifications I'd like to add to this project. For that, I need your support to cover costs. Your support is keeping this project alive. [**Donate & support!**](https://commerce.coinbase.com/checkout/576ee011-ba40-47d5-9672-ef7ad29b1e6c) ## How to use - Step 0: [Download](https://github.com/aminblm/linkedin-engagement-assistant/releases/tag/v0.1) the repository or clone it - Step 1-6: ![Tutorial](https://github.com/aminblm/linkedin-engagement-assistant/assets/25132838/7d403c4c-fbcd-46a8-b0a8-448632ac2f1d) ## Demo [Demos](https://github.com/aminblm/linkedin-engagement-assistant/wiki/Demo) ## Installation [Installation Guide](https://github.com/aminblm/linkedin-engagement-assistant/wiki/Usage) ## 🔑 Key Features: - **Enhanced Like Automation** - **Improved Commenting Capabilities** - **Advanced Interaction Features** - **Intelligent ChatGPT Integration** - **Streamlined Home Likes** - **Enhanced Reply Functionality** - **Workflow Execution** - **Streamlined Comment Management** - **Event Invitations** ## 🔝Benefits: - **Time-Saving**: The AI LinkedIn Engagement Assistant automates repetitive tasks, freeing up your valuable time for more important activities. You can focus on building connections, creating valuable content, and advancing your professional goals, while the assistant handles engagement activities on your behalf. - **Enhanced Visibility**: By automatically liking and commenting on posts, the assistant increases your visibility within your LinkedIn network. This helps you attract attention, gain followers, and establish yourself as an active and engaged professional. - **Personalized Engagement**: The assistant allows you to customize comment templates and tailor your engagement to suit your personal style and professional objectives. You can ensure that your interactions on LinkedIn are authentic, relevant, and impactful. - **Professional Networking**: With the AI LinkedIn Engagement Assistant, you can efficiently expand your professional network by engaging with a wider range of individuals and businesses. By automating the engagement process, you can connect with more people and seize new opportunities for collaboration and career growth. - **Brand Building**: Whether you represent a business or are focused on personal branding, the AI LinkedIn Engagement Assistant can help you strengthen your online presence. By consistently interacting with relevant content, your brand gains recognition, establishes credibility, and attracts a loyal following.
Boost Your LinkedIn Game with Revolutionary Automation Features: Likes, Comments, and More! ✅ Enhanced Like Automation ✅ Improved Commenting Capabilities ✅ Advanced Interaction Features ✅ Intelligent ChatGPT Integration ✅ Streamlined Home Likes ✅ Enhanced Reply Functionality ✅ Workflow Execution ✅ Streamlined Comment Management ✅ Event Invitations
52weeksofai,ai,challenge,chatgpt,engagement,hustlegpt,javascript,linkedin,productpreneur,productpreneurship
2023-06-10T09:36:35Z
2023-07-28T19:46:46Z
2023-07-28T18:18:47Z
1
0
29
0
5
13
null
NOASSERTION
JavaScript
M-Anwar-Hussaini/JavaScriptCapstone
develop
<a name="readme-top"></a> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 \[Most Visitied Countries\] ](#-most-visitied-countries-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Configuring WebPack](#configuring-webpack) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 [Most Visitied Countries] <a name="about-project"></a> **[Most Visitied Countries]** is a web application that provides information about different countries. It allows users to explore details such as the continent, capital, area, and population of various countries. Users can also view comments and add their own insights about specific countries. The application utilizes the Involvement API to enable features like liking countries and commenting. It offers a user-friendly interface with pop-up windows to display country information and interact with the community through comments. The project aims to provide an engaging platform for users to learn and share knowledge about different countries. ## 🛠 Built With <a name="built-with"></a> 1. ✅ **HTML** 2. ✅ **CSS** 3. ✅ **BootStrap** 4. ✅ **JavaScript** 5. ✅ **WebPack** 6. ✅ **LightHouse** 7. ✅ **WebHint** 8. ✅ **Styelint** 9. ✅ **ESLint** 10. ✅ **Git** 11. ✅ **Github** 12. ✅ **APIs** 13. ✅ **Jest** ### Tech Stack <a name="tech-stack"></a> <details> <summary>Markup</summary> <ul> <li>HTML</li> <li>MD markup</li> </ul> </details> <details> <summary>Style</summary> <ul> <li>CSS</li> <li>Bootstrap</li> </ul> </details> <details> <summary>Dynamic</summary> <ul> <li>JavaScript</li> <li>WepPack</li> <li>APIs</li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - 🔰 **[Display countries with thier informations]** - 🔰 **[Asynchronous javascript functionality]** - 🔰 **[Professional design]** - 🔰 **[Good look and feel]** - 🔰 **[Responsive]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - ✅ [Click](https://m-anwar-hussaini.github.io/JavaScriptCapstone/) to see live demo and watch this [video](https://drive.google.com/file/d/1Gjnf-vcZmFESFgXIL3QvS6qss1ailWN7/view?usp=sharing) for project short descriptions. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> **To get a local copy up and running, follow these steps.** 1. Download or clone this [repostory](https://github.com/M-Anwar-Hussaini/JavaScriptCapstone). 2. Provide a browser. 3. Open the `./dist/index.html` file using webpage browser. ### Prerequisites **In order to run this project you need:** - ✔ [Git](https://git-scm.com/downloads) installed in your machine. - ✔ Sign in or sign up to your [Github](https://github.com/) account. - ✔ A professional editer such as [VS Code](https://code.visualstudio.com/download). - ✔ An Updated web browser such as Google Chrome, you can download it from [here](https://www.google.com/chrome/). - ✔ [Node.js](https://nodejs.org/en/download) installed in your machine. - ✔ Lighthouse. - ✔ Webhint - ✔ Stylelint - ✔ ESLint - ✔ WebPack ```sh npm init -y npm install --save-dev hint@7.x npx hint . ``` - ✔ Stylelint ```sh npm install --save-dev stylelint@13.x stylelint-scss@3.x stylelint-config-standard@21.x stylelint-csstree-validator@1.x ``` - ✔ ESLint ```sh npm install --save-dev eslint@7.x eslint-config-airbnb-base@14.x eslint-plugin-import@2.x babel-eslint@10.x ``` ### Configuring WebPack 1. Initialize package.json: ```sh npm init y ``` 2. Install webpack: ```sh npm install webpack webpack-cli --save-dev ``` 3. Install CSS style loader: ```sh npm install --save-dev style-loader css-loader ``` ### Setup - Clone this [repository](https://github.com/M-Anwar-Hussaini/JavaScriptCapstone) to your desired folder: - Example commands: ```sh cd [YOUR FOLDER] git clone https://github.com/M-Anwar-Hussaini/JavaScriptCapstone.git ``` ### Install - Install this project by cloning or downloading the master branch of this [repository](https://github.com/M-Anwar-Hussaini/JavaScriptCapstone) and run `index.html` file on the root of repository. ### Usage - To run the project, execute the following command: ```sh cd [YOUR FOLDER] git clone https://github.com/M-Anwar-Hussaini/JavaScriptCapstone.git ``` ### Run tests 1. WebHint ☑ ``` npx hint . ``` 2. Stylelint ☑ ``` npx stylelint "**/*.{css,scss}" ``` 3. ESLint ☑ ``` npx eslint . ``` ### Deployment **This project is deployed by the author, no permission for deployment by any other client.** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Mohammad Anwar Hussaini** - 👤 GitHub: [@Anwar Hussaini](https://github.com/M-Anwar-Hussaini) - 👤 Twitter: [@MAnwarHussaini](https://twitter.com/MAnwarHussaini) - 👤 LinkedIn: [Mohammad Anwar Hussaini](https://www.linkedin.com/in/mohammad-anwar-hussaini-876638267/) 👤 **Sergio Usma** - GitHub: [@sergio-usma](https://github.com/sergio-usma) - Twitter: [@VonUsma](https://twitter.com/vonusma) - LinkedIn: [Sergio Andres Usma](https://www.linkedin.com/in/sergiousma/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[Release Version]** - [ ] **[Host to a server]** - [ ] **[Use bootstrap framework]** - [ ] **[Use developer local storage]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/M-Anwar-Hussaini/JavaScriptCapstone/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project, kindly drop a start for the [repository](https://github.com/M-Anwar-Hussaini/JavaScriptCapstone); <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> **I would like to thank the following individuals and organizations for their contribution to this project.** - 🙏We would like to express my heartfelt gratitude to [**Microvere**](https://www.microverse.org/?grsf=mohammad-a-nbtazu) for the invaluable learning experience they have provided. The supportive community, dedicated mentors, and remote collaboration opportunities have enhanced my technical skills and prepared me for real-world projects. I extend my appreciation to the mentors and staff members for their guidance and support. The friendships and knowledge sharing within the Microverse community have made this journey truly rewarding. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This project is a web application that provides information about different countries. It allows users to explore details such as the continent, capital, area, and population of various countries. Users can also view comments and add their own insights about specific countries.
api,css,html5,javascript,jest,testing,webpac
2023-06-27T05:42:45Z
2023-06-29T17:38:50Z
null
2
13
78
0
0
13
null
MIT
JavaScript
ITurres/Leaderboard
development
<a name="readme-top"></a> <div align="center"> <img src="./src/assets/media/leaderboard-icon.png" alt="leaderboard" width="150" height="auto" /> <br> <h1><b>Leaderboard</b></h1> </div> --- <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) --- <!-- PROJECT DESCRIPTION --> # 📖 Leaderboard <a name="about-project"></a> The **Leaderboard** website displays scores submitted by different players. It also allows you to submit your score. All data is preserved thanks to the external 🔗[Leaderboard API service](https://microverse.notion.site/Leaderboard-API-service-24c0c3c116974ac49488d4eb0267ade3). --- #### Learning objectives - Use medium-fidelity wireframes to create a UI. - Use callbacks and promises. - Use proper ES6 syntax. - Use ES6 modules to write modular JavaScript. - Use webpack to bundle JavaScript. - Send and receive data from an API. - Use API documentation. - Understand and use JSON. - Make JavaScript code asynchronous. --- ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Markup</summary> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li> </ul> </details> <details> <summary>Dynamic</summary> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript">JavaScript</a></li> </ul> </details> <details> <summary>Styles</summary> <ul> <li><a href="https://sass-lang.com/">SASS</a></li> <li><a href="https://getbootstrap.com/">Bootstrap</a></li> </ul> </details> <details> <summary>Bundler</summary> <ul> <li><a href="https://webpack.js.org/">WebPack</a></li> </ul> </details> --- <!-- Features --> ### Key Features <a name="key-features"></a> - **Dynamic Injection of HTML Markup** - **API consumption** <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://iturres.github.io/Leaderboard/dist/) <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - WebPack ### Setup Clone this repository to your desired folder: Example commands: ```sh cd my-folder git clone git@github.com:ITurres/Leaderboard.git ``` ### Install Install this project with: ```bash npm install ``` ### Usage To run the project, execute the following command: ```bash npm run start ``` #### Run with no bundler: - LiveServer or the like on the `dist/index.html` ### Run tests To run tests, run the following command: - Not Applicable ### Deployment You can deploy this project using: - Not Applicable <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [@ITurres](https://github.com/ITurres) - Twitter: [@Arthur_ITurres](https://twitter.com/ArthurIturres) - LinkedIn: [Arthur Emanuel G. Iturres](https://www.linkedin.com/in/arturoemanuelguerraiturres/) <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [x] all fulfilled. <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> Give a ⭐ if you liked this project! <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I thank Microverse for this fantastic opportunity, the code reviewers for their advice and time 🏆 <p align="right">(<a href="#readme-top">back to top</a>)</p> --- <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p> ---
🏆 The leaderboard website displays scores submitted by different players. It also allows you to submit your score. All data is preserved thanks to the external 🔗 Leaderboard API service - (Link in README file). Check it out! 👇
api,javascript,linters,sass,webpack
2023-06-20T16:07:56Z
2024-02-28T00:16:00Z
null
1
5
55
0
0
12
null
NOASSERTION
JavaScript
dropways/card-ui
main
# [Card UI library](https://dropways.github.io/card-ui/) Welcome to our Card UI website, where we bring you a stunning collection of beautifully designed cards for all your UI needs. Our website is dedicated to providing you with a seamless and visually appealing browsing experience as you explore our wide range of card designs. Our Card UI website offers an intuitive and user-friendly interface, allowing you to effortlessly browse through various categories, such as e-commerce, social media, dashboard, or content display. With our smart search and filtering options, you can quickly find the perfect card for your project based on color schemes, themes, or specific functionalities. As you explore each card, you'll find detailed descriptions and previews that showcase the card's layout, typography, color palette, and interactive elements. We believe in providing you with comprehensive information to make informed decisions and ensure a smooth integration into your UI designs. At our Card UI website, we prioritize quality and consistency. Each card in our collection is crafted by our team of experienced designers who understand the importance of usability and aesthetics. Rest assured that every card you choose will meet the highest standards of design excellence. To make your experience even more convenient, we offer various download options, including individual cards or entire sets, in multiple file formats compatible with popular design tools. We also provide regular updates, introducing new card designs and keeping up with the latest UI trends, so you can always stay ahead in your design projects. We value your feedback and suggestions, as they help us improve our offerings and better cater to your needs. Feel free to reach out to us through our contact page, and our dedicated support team will be delighted to assist you. **Integrate or build upon it for free in your personal or commercial projects. Don't republish, redistribute or sell "as-is".** ## Demo | **Card - 01** | **Card - 02** | | :--- | :--- | | [![Card - 01](https://github-production-user-asset-6210df.s3.amazonaws.com/38377336/248484878-f72db189-3e98-454d-81bd-20ab3323a2e4.jpg)](https://dropways.github.io/card-ui/cards/card-01/) | [![Card - 02](https://github-production-user-asset-6210df.s3.amazonaws.com/38377336/248573168-d5c5fecd-3423-4b93-8e95-04b5cd517192.jpg)](https://dropways.github.io/card-ui/cards/card-02/) | **Card - 03** | **Card - 04** | | :--- | :--- | | [![Card - 03](https://github-production-user-asset-6210df.s3.amazonaws.com/38377336/250275201-7e1139e4-7a3b-4a6b-a4ce-7833a1dd3983.jpg)](https://dropways.github.io/card-ui/cards/card-03/) | [![Card - 04](https://github-production-user-asset-6210df.s3.amazonaws.com/38377336/250298467-e1509ab8-603d-44a6-bbff-9a39ea996e7a.jpg)](https://dropways.github.io/card-ui/cards/card-04/) | **Card - 05** | | :--- | | [![Card - 05](https://github-production-user-asset-6210df.s3.amazonaws.com/38377336/250366020-3b5969f2-e959-431a-88e6-de64776143ff.jpg)](https://dropways.github.io/card-ui/cards/card-05/) <div align="center"> <h2><a href="https://dropways.github.io/card-ui/">✨✨ View More Cards ✨✨</a></h2> </div> ## Browser Support At present, we officially aim to support the last two versions of the following browsers: <img src="https://s3.amazonaws.com/creativetim_bucket/github/browser/chrome.png" width="64" height="64"> <img src="https://s3.amazonaws.com/creativetim_bucket/github/browser/firefox.png" width="64" height="64"> <img src="https://s3.amazonaws.com/creativetim_bucket/github/browser/edge.png" width="64" height="64"> <img src="https://s3.amazonaws.com/creativetim_bucket/github/browser/safari.png" width="64" height="64"> <img src="https://s3.amazonaws.com/creativetim_bucket/github/browser/opera.png" width="64" height="64"> ## Note **For Dropdown and other JavaScript action we used** [![alpinejs](https://github-production-user-asset-6210df.s3.amazonaws.com/38377336/250278992-60746a40-ffc9-48fc-a6bb-3a7e8e92903f.svg)](https://alpinejs.dev/) ## Image Credits | Name | Link | | ------ | ------ | | unsplash | https://unsplash.com/ | | pixabay | https://pixabay.com/ | | pexels | https://www.pexels.com/ | | Tabler icons | https://tabler-icons.io/ |
Welcome to our Card UI website, where we bring you a stunning collection of beautifully designed cards for all your UI needs. Our website is dedicated to providing you with a seamless and visually appealing browsing experience as you explore our wide range of card designs.
card-ui,ui-kit,widget-library,card-design,widget-ui,modern-card-layouts,card,card-html,card-ui-html,cards
2023-06-21T13:31:38Z
2023-07-07T14:10:42Z
null
3
12
21
0
3
12
null
MIT
HTML
sandeepatel01/Mern-Stack-Development
main
# Mern-Stack-Development Complete MERN STACK DEVELOPMENT different projects &amp; notes. ## Table of Contents - [Introduction](#introduction) - [Features](#features) - [Technologies Used](#technologies-used) - [Getting Started](#getting-started) - [Prerequisites](#prerequisites) - [Installation](#installation) - [Usage](#usage) - [Folder Structure](#folder-structure) - [Contributing](#contributing) - [License](#license) - [Acknowledgments](#acknowledgments) ## Introduction Provide an overview of the project. Explain what it does, why it exists, and any other important context. You can also include screenshots or diagrams if relevant. ## Features List the key features and functionalities of your application. This helps users quickly understand what your project can do. - Feature 1: Description - Feature 2: Description - ... ## Technologies Used - List the technologies, frameworks, libraries, and tools used in your project. - Explain why you chose these technologies and how they contribute to your project. ## Getting Started Explain how to set up your project locally. Include step-by-step instructions to help users or developers get started. This section should cover: ### Prerequisites List any software or hardware prerequisites that users need to have before using your project. ## Usage Explain how to use your application or project. Provide examples, screenshots, or code snippets to illustrate its usage. Include any relevant URLs if applicable. ## Folder Structure Describe the organization of your project's codebase. Provide an overview of important directories and files. project-root/ │ ├── frontend/ │ ├── src/ │ │ ├── components/ │ │ ├── ... │ │ │ ├── ... │ ├── backend/ │ ├── src/ │ │ ├── controllers/ │ │ ├── ... │ │ │ ├── ... │ ├── ... ### Installation Provide detailed installation instructions. Include any configuration steps, environment setup, or database initialization. You can use code blocks for command-line instructions: ```bash # Example installation commands npm install npm start
Complete MERN STACK DEVELOPMENT different projects & notes.
css,express-js,full-stack,html,javascript,mongodb,mongoose,nodejs,reactjs
2023-06-10T16:27:54Z
2024-03-10T16:09:40Z
null
5
6
74
0
6
12
null
null
HTML
sametakbal/kips-shop
master
# E-commerce Spring Boot &amp; React Js Full Stack E-Commerce Application
Spring Boot & React Js Full Stack E Commerce Application 🛒
clean-architecture,clean-code,reactjs,redux,spring-boot,e-commerce-project,fullstack-development,monolithic,javascript
2023-06-14T17:24:54Z
2023-07-25T21:55:28Z
null
1
0
42
2
4
12
null
null
Java
tajulafreen/To-Do-List
main
<a name="readme-top"></a> <div align="center"> <h3><b>To Do List</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [DemoLink](#Demo) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [TO-DO-LIST] <a name="about-project"></a> **[TO-DO-LIST]** is an online list where user can add or remove diffrent work ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://html5.org/">HTML</a></li> <li><a href="https://css.org/">CSS</a></li> <li><a href="https://js.org/">JS</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[Add button]** - **[Remove button]** - **[Local storage]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="Demo"></a> - [Live Demo Link](https://tajulafreen.github.io/To-Do-List/dist/) <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ``` git clone <url> ``` ### Prerequisites In order to run this project you need: - A code editor of your choice(like vs code or Atom and so on) - Version control System (git is preferred) ### Setup Clone this repository to your desired folder: ``` cd my-folder git clone https://github.com/tajulafreen/to-do-list.git cd Awesome-Books ``` ### Install Install this project with: ``` cd Awesome-Books npm i ``` ### Usage To run the project, execute the following command: ``` live server ``` ### Run tests To run tests, run the following command: ``` npx eslint . ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Afreen** - GitHub: [@githubhandle](https://github.com/tajulafreen) - Twitter: [@twitterhandle](https://twitter.com/tajulafreen) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/tajul-afreen-shaik-843951251/) <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[classes]** - [ ] **[prototype]** - [ ] **[sort]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project give me stars and follow me on social media. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank to microverse. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
A to-do list is a concise tool for organizing and prioritizing tasks to be completed.
css3,html,javascript
2023-06-12T19:08:07Z
2023-06-22T15:52:00Z
null
2
6
31
0
0
12
null
MIT
JavaScript
brplcc/Necromancer
master
<div align="center"> <h1>Necromancer</h1> Botnet made for educational purposes <br> <br> <img src="https://img.shields.io/github/license/brplcc/Necromancer"> <img src="https://img.shields.io/github/languages/code-size/brplcc/Necromancer"> <img src="https://img.shields.io/badge/code_style-prettier-ff69b4.svg"> <br> </div> <div align="center"> <a href="#prerequisites">Prerequisites</a> • <a href="#getting-started">Getting started</a> • <a href="#configuration">Configuration</a> <br> <a href="#commands">Commands</a> • <a href="#about">About</a> • <a href="#credit">Credit</a> • <a href="#roadmap">Roadmap</a> </div> <h2 id="prerequisites">Prerequisites:</h2> • <a href="https://nodejs.org/en/download">Node.js</a> for the runtime environment. <br/> • <a href="https://github.com/babel/babel">Babel</a> for compiling to ES5. <br/> • <a href="https://github.com/vercel/pkg">pkg</a> for compiling the client to an executable. <br/> • <a href="https://github.com/s-h-a-d-o-w/create-nodew-exe">create-nodew-exe</a> for making the executable silent. --------------- <h2 id="Getting-started">Getting started:</h2> ```sh git clone https://github.com/brplcc/Necromancer.git cd Necromancer npm install ``` To build the executable: ```sh npm run build ``` To make the Windows executable run silently in the background: ```sh create-nodew-exe <src> <dst> ``` --------------- <h2 id="configuration">Configuration:</h2> Use example.env as reference and make sure to add the dotenv file at: - config/.env --------------- <h2 id="commands">Commands:</h2> Here is a list of some commands: | Command | Functionality | Usage | | --------- | ------------------------------------------- | ------------------------------------------ | | exec | Executes shell commands remotely | exec (command) | | clear | Clears the terminal | clear | | instances | Limits number of machines running a command | instances (number) | | logging | Log output to text files | logging (boolean) | | select | Select one bot to control | select | | silent | Silent output coming from bots | silent (boolean) | | slowloris | Slowloris DDOS attack | slowloris (ip) (port) (duration) (sockets) | | yank | Steal a file from a victim's machine | yank (file name) | --------------- <h2 id="about">About:</h2> I started this project in hopes of improving my TCP networking skills and because I was interested in the subject. DISCLAIMER: I am not liable for any perceived damages or harm that may result from the improper use of this software; it was only created for educational purposes. Merely a proof of concept. This repository contains both the C&C server and the client/malware. <h2 id="credit">Credit:</h2> Special thanks to [Looseman](https://github.com/glitch-911) and [Scrippy](https://github.com/Scrippy) for helping me with testing and debugging. The project also had help using: - A modified version of yosif111's [Slowloris implementation.](https://github.com/yosif111/Slowloris) - creationix's [TCP based chat server](https://gist.github.com/creationix/707146) as a starting template for the server. --------------- <h2 id="roadmap">Roadmap:</h2> - [X] Add an instances option that limits how many machines will run a command. - [X] Add DDOS attack feature (any kind). - [X] Download files from a victim's computer. - [ ] Upload files to a victim's computer.
TCP reverse shell written in Node.js
botnet,javascript,nodejs,tcp,poc,ddos,reverse-shell,shell
2023-06-21T23:31:15Z
2024-03-07T19:38:11Z
null
1
64
259
0
5
12
null
GPL-3.0
JavaScript
MelihKrts/30-Days-Of-Javascript-Solution
main
# 30-Days-Of-Javascript-Repo-Exercise-Solution ## :information_source: Info A solutions to the exercise questions of the Javascipt repo's exercise questions in Javascript 30 days designed by Asabeneh Yetayeh. <br> <br> # 30 Days Of Javascript Repo Links [Repo Links](https://github.com/Asabeneh/30-Days-Of-JavaScript) <br> [Repo Turkish Language Translate](https://github.com/alicangunduz/30-Days-Of-JavaScript-Turkce) # 30 Days Of Javascript Repo Topics | Day Number | Topics | | ------------- | ------------- | | 01 | [Introduction](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_01_Solution)| | 02 | [Data Types](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_02_Solution)| | 03 | [Booleans, Operators, Date](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_03_Solution)| | 04 | [Conditionals](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_04_Solution)| | 05 | [Arrays](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_05_Solution)| | 06 | [Loops](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_06_Solution)| | 07 | [Functions](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_07_Solution)| | 08 | [Objects](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_08_Solution)| | 09 | [Higher Order Functions](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_09_Solution)| | 10 | [Sets and Maps](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_10_Solution)| | 11 | [Destructuring and Spreading](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_11_Solution)| | 12 | [Regular Expressions](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_12_Solution)| | 13 | [Console Object Methods](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_13_Solution)| | 14 | [Error Handling](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_14_Solution)| | 15 | [Classes](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_15_Solution)| | 16 | [JSON](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_16_Solution)| | 17 | [Web Storages](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_17_Solution)| | 18 | [Promises](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_18_Solution)| | 19 | [Closure](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_19_Solution)| | 20 | [Writing Clean Code](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_20_Solution)| | 21 | [DOM](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_21_Solution)| | 22 | [Manipulating DOM Object](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_22_Solution)| | 23 | [Event Listeners](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_23_Solution)| | 24 | [Mini Project: Solar System](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_24_Solution)| | 25 | [Mini Project: World Countries Data Visualization 1](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_25_Solution)| | 26 | [Mini Project: World Countries Data Visualization 2](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_26_Solution)| | 27 | [Mini Project: Portfolio](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_27_Solution)| | 28 | [Mini Project: Leaderboard](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_28_Solution)| | 29 | [Mini Project: Animating characters](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_29_Solution)| | 30 | [Final Projects](https://github.com/MelihKrts/30-Days-Of-Javascript-Solution/tree/main/Day_30_Solution)| <br> # :warning: Things to Consider in The Project Some programs are required in this project. Node.js, Git, VSCode etc. <br> In some days of the repo, the .json file contains commands necessary for the project to run. Do not delete it. <br> # :information_source: How does the project work? 1. For the projects to work correctly, you must first have Node.Js installed on your computer. If it is not installed, you can download it from the [Node.js](https://nodejs.org/en/download) page to install it. 2. If you have Node.js installed, you do not need to apply item 1. You can use VSCode termnial by typing the following command. etc `cd Day_01_Solution`, `node script.js` or `node script` # Sources Utilized - [Tayfun Erbilen Prototürk Youtube](https://www.youtube.com/watch?v=YJwcGWnd-1Q&list=PLfAfrKyDRWrGIER-yXLliD_47T_5FY8Qd&index=1) - [30 Days JavaScript Türkçe](https://github.com/alicangunduz/30-Days-Of-JavaScript-Turkce) - [30 Days Of JavaScript ](https://github.com/Asabeneh/30-Days-Of-JavaScript) - [Github Repo](https://github.com/HamzaMateen/30DaysOfJavaScript-Solutions) - [Github Repo](https://github.com/0xabdulkhalid/30-days-of-javascript-solutions) - [Alican Gündüz Github Profile](https://github.com/alicangunduz) - [Tayfun rbilen Github Profiles](https://github.com/tayfunerbilen)
Exercise solutions for the Javascript repo designed by Asabeneh Yetayeh in 30 days.
javascript,solution,30dayscodechallenge,30daysofjavascript,javascriptsolutions,challange,asabeneh
2023-06-28T12:23:31Z
2023-08-23T14:08:43Z
null
1
0
75
0
0
12
null
null
JavaScript
rracariu/logic-mesh
main
[![GitHub CI](https://github.com/rracariu/logic-mesh/actions/workflows/main.yml/badge.svg)](https://github.com/rracariu/logic-mesh/actions/workflows/main.yml) [![License](https://img.shields.io/badge/License-BSD_3--Clause-blue.svg)](https://github.com/rracariu/logic-mesh/blob/master/LICENSE) [![crates.io](https://img.shields.io/crates/v/logic-mesh.svg)](https://crates.io/crates/logic-mesh) [![npm](https://img.shields.io/npm/v/logic-mesh.svg)](https://www.npmjs.com/package/logic-mesh) # Logic Mesh A logic engine, written in Rust, that is fully async, dynamic, and reactive. ![Example program](./screen-shot.png) ## Possible applications Logic Mesh started as a hardware control engine, but the scope expanded to anything that requires a reactive and dynamic evaluation engine. It is designed to be used in a variety of applications, from hardware controls, games to web servers. It is designed to be fast, efficient, and easy to use. The included WASM support allows it to be used in web applications, with the option to use the same codebase for both the frontend and backend. ## Features - Fully async and reactive - WASM support - Uses Tokio for async runtime - The API is simple enough to be used in a variety of applications - A low code editor is included as an example of how Logic Mesh can be used - A growing library of built-in blocks - Extensible with custom blocks, either in Rust or JavaScript when running in a WASM environment ## UI Editor There is a sample low code editor that is built on top of Logic Mesh, which can be found [here](https://rracariu.github.io/logic-mesh/). It serves as an example of how Logic Mesh can be used, and as a simple way to experiment with the Logic Mesh engine. ## NPM Package The engine is also available as an NPM package, which can be found [here](https://www.npmjs.com/package/logic-mesh). The NPM package is a thin wrapper around the WASM package, and it can be used in a Node.js environment. ## Examples The following examples are written in Rust. ```rust // Init a Add block let mut add1 = Add::new(); // Init a SineWave block let mut sine1 = SineWave::new(); // Se the amplitude and frequency of the sine wave sine1.amplitude.val = Some(3.into()); sine1.freq.val = Some(200.into()); // Connect the output of the sine wave to the first input of the add block connect_output(&mut sine1.out, add1.inputs_mut()[0]).expect("Connected"); // Init another SineWave block let mut sine2 = SineWave::new(); sine2.amplitude.val = Some(7.into()); sine2.freq.val = Some(400.into()); // Connect the output of the sine wave to the second input of the add block sine2 .connect_output("out", add1.inputs_mut()[1]) .expect("Connected"); // Init a single threaded engine let mut engine = SingleThreadedEngine::new(); // Schedule the blocks to be run engine.schedule(add1); engine.schedule(sine1); engine.schedule(sine2); // Run the engine engine.run().await; ```
A logic engine, written in Rust, that is fully async, dynamic, and reactive.
async,low-code,tokio,wasm,simulation,javascript,rust,typescript,vuejs
2023-06-27T16:51:06Z
2024-03-20T17:28:51Z
2024-03-20T17:28:51Z
1
0
230
0
1
12
null
BSD-3-Clause
Rust
Git21221/IBMSkillsBuild
main
# Virtual Galaxy Virtual Galaxy is an educational project designed to take learners on an extraordinary journey through the vast cosmos. Whether you're a student, a space enthusiast, or just someone with a curious mind, this interactive platform provides an immersive and engaging experience for exploring the mysteries of our universe. ## Project Description 🚀 **Explore the Universe**: With Virtual Galaxy, you can embark on a virtual tour of our solar system and beyond. Dive into the depths of space to discover planets, moons, stars, and galaxies up close. 🌌 **3D Visualizations**: Our project offers stunning 3D visualizations that bring celestial bodies to life. Witness the intricate details of planets, the beauty of their orbits, and the breathtaking vastness of the cosmos. 🪐 **Learn and Discover**: This platform is not just about visuals; it's also an educational resource. Click on planets to access comprehensive information about their characteristics, history, and significance in the universe. 🌟 **Real-Time Data**: Stay updated with real-time data on planetary positions and orbits, providing an authentic and dynamic learning experience. 📚 **Education and Inspiration**: Virtual Galaxy aims to inspire a passion for space exploration and foster a deeper understanding of the cosmos. It's an ideal resource for educators, students, and anyone keen on expanding their knowledge of astronomy and space science. 🛰️ **Open Source and Collaboration**: We encourage collaboration and contributions from the community to enhance and expand Virtual Galaxy's features, making it a valuable tool for space education. 🌠 **Join Us on the Journey**: Embark on this cosmic journey with Virtual Galaxy, and let your curiosity about the universe soar. The final frontier is now at your fingertips. Visit the live website at [Virtual Galaxy](https://virtual-galaxy.netlify.app/) and start your celestial adventure today! ## Screenshots ![sp](https://github.com/Git21221/IBMSkillsBuild/assets/77888604/4f44e6e2-121e-4253-9c21-0fde903ad61b) ## Authors - [@Saikat](https://github.com/git21221) ![Open Source Love](https://badges.frapsoft.com/os/v2/open-source.svg?v=103) [![MIT License](https://img.shields.io/badge/License-MIT-green.svg)](https://choosealicense.com/licenses/mit/) [![Netlify Status](https://api.netlify.com/api/v1/badges/6bb56a2c-b5ca-461c-91e7-d6f3c2a61268/deploy-status)](https://app.netlify.com/sites/virtual-galaxy/deploys) [![GitHub Stars](https://img.shields.io/github/stars/git21221?style=for-the-badge)](https://github.com/git21221) ## Tech Stack **Client:** css, html, javascript, three-js , locomotive-js scroll-trigger ## Run Locally Clone the project ```bash git clone https://github.com/Git21221/IBMSkillsBuild.git ``` Go to the project directory ```bash cd IBMSkillsBuild ``` Start the project using go live button ### please make sure that you installed live server in vs code ## Contributing Contributions are always welcome! ## See `contributing.md` for ways to get started. Please adhere to this project's `code of conduct`. # Contribution # How can I contribute in `Virtual Galaxy`? 1) first `star` our repo. ![image](https://github.com/Git21221/IBMSkillsBuild/assets/101005577/74657b1d-b3c5-45fd-861c-344144259881) 2) `fork` our repo by clicking fork button. ![image](https://github.com/Git21221/IBMSkillsBuild/assets/101005577/1312a52c-8959-489d-88e9-3d9addea9dd8) 3) Now open local folder and then open cmd, paste `git clone https://github.com/Git21221/IBMSkillsBuild.git` this command. 4) Now Virtual Galaxy is clonned in your local folder. 5) Create issue with proper details of issue or new features. 6) After the issue assigned to you then work on that issue. 7) Make relevant changes and then follow this command<br> `git add .`<br> `git commit -m "message"`<br> `git push <your forked repo link>` 8) Now come to our repo and make a pull request with issue link and proper screenshot. 9) We will review and merge it soon. 10) Your participation is made with us. # Live website: https://virtual-galaxy.netlify.app/
IBMSkillsBuild Project
project,three-js,ibmskillbuild,opensource,css,html,javascript,webgl,hacktoberfest,hacktoberfest-accepted
2023-06-25T08:54:26Z
2024-01-19T11:27:25Z
null
9
44
199
9
13
11
null
MIT
JavaScript
ahmedrangel/instagram-media-scraper
main
# **Instagram Media Scraper Without API (Working January 2024)** This is simple Node.js (v18.16+) script to get public **information** and **media** (*images*, *videos*, *carousel*) from a specific instagram post or reel URL without API. Working in 2024. You can get **information**, **image versions**, **video versions** and **carousel media** with their respective image versions and/or video versions of each of them. ## **How to get your Cookie, User-Agent and X-Ig-App-Id** - Login to Instagram - Go to your **profile page** or any **instagram page**. - Right click and **inspect** or press F12 (Chrome). 1. Select **Network** tab. 2. Selec **All** filter. 3. Select `timeline/` or `yourusername/` or `instagram/` or any of the `graphql` files. You can use the filter field to search for it. If it's empty just refresh the page. 4. Select **Headers** bar. 5. Scroll down and look for **Request Headers** tab. 6. Look for `ds_user_id` and `sessionid` and copy its values from your **Cookies**. 7. Copy your **User-Agent** code. > User-Agent is included in the code, but I recommend to get your own. 8. Copy your **X-Ig-App-Id** code. ```diff - Your cookie will expire if you log out or switch accounts, you will need to get it again. ``` ![scraper](https://github.com/ahmedrangel/instagram-media-scraper/assets/50090595/4cc339ea-a314-4696-8fc2-eaa756d4018e) > Don't share your cookie code with anyone! ## Example ```js // Required headers example const _userAgent = "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/114.0.0.0 Safari/537.36"; // Use this one or get your User-Agent from your browser const _cookie = "ds_user_id=...; sessionid=...;"; // required! get your Cookie values from your browser const _xIgAppId = "93661974..."; // required! get your X-Ig-App-Id from your browser // Function to get instagram post ID from URL string const getId = (url) => { const regex = /(?:https?:\/\/)?(?:www\.)?instagram\.com\/(?:[^/]+\/)?([^/?]+)/; const result = regex.exec(url); return result && result.length > 1 ? result[1] : null; }; // Function to get instagram data from URL string const getInstagramData = async (url) => { const igId = getId(url); if (!igId) return "Invalid URL"; // Fetch data from instagram post const response = await fetch(`https://www.instagram.com/p/${igId}?__a=1&__d=dis`, { headers: { "cookie": _cookie, "user-agent": _userAgent, "x-ig-app-id": _xIgAppId, ["sec-fetch-site"]: "same-origin" } }); const json = await response.json(); const items = json.items[0]; // You can return the entire items or create your own JSON object from them // Check if post is a carousel let carousel_media = []; items.product_type === "carousel_container" ? (() => { items.carousel_media.forEach(element => { carousel_media.push({ image_versions: element.image_versions2.candidates ?? null, video_versions: element.video_versions ?? null }) }) return carousel_media; })() : carousel_media = null; // Return custom json object return { code: items.code ?? null, created_at: items.taken_at ?? null, username: items.user.username ?? null, full_name: items.user.full_name ?? null, profile_picture: items.user.profile_pic_url ?? null, is_verified: items.user.is_verified ?? null, is_paid_partnership: items.is_paid_partnership ?? null, product_type: items.product_type ?? null, caption: items.caption?.text ?? null, like_count: items.like_count ?? null, comment_count: items.comment_count ?? null, view_count: items.view_count ? items.view_count : items.play_count ?? null, video_duration: items.video_duration ?? null, location: items.location ?? null, height: items.original_height ?? null, width: items.original_width ?? null, image_versions: items.image_versions2?.candidates ?? null, video_versions: items.video_versions ?? null, carousel_media: carousel_media }; }; (async() => { // Get data from instagram post or reel URL string const data = await getInstagramData("https://www.instagram.com/reel/CtjoC2BNsB2"); console.log(data); })(); ``` ## Stringified JSON output example ```json { "code": "CtjoC2BNsB2", "created_at": 1686930107, "username": "fatfatpankocat", "full_name": "Panko A. Cat", "profile_picture": "https://scontent.cdninstagram.com/v/t51.2885-19/351028002_1390928218140357_6492853570855484928_n.jpg?.............", "is_verified": false, "is_paid_partnership": false, "product_type": "clips", "caption": "Processing speeds are at an all time low", "like_count": 50799, "comment_count": 112, "view_count": 357385, "video_duration": 5.293, "location": null, "height": 1024, "width": 576, "image_versions": [ { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 1024, "width": 576 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 853, "width": 480 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 569, "width": 320 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 427, "width": 240 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 1080, "width": 1080 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 750, "width": 750 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 640, "width": 640 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 480, "width": 480 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 320, "width": 320 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 240, "width": 240 }, { "url": "https://scontent.cdninstagram.com/v/t51.2885-15/354801788_1023848012117396_6220977847781610270_n.jpg?.............", "height": 150, "width": 150 } ], "video_versions": [ { "width": 576, "height": 1024, "url": "https://scontent.cdninstagram.com/o1/v/t16/f1/m82/F5462086DC54DD10E6E0AC3C9902A2A3_video_dashinit.mp4?.............", "type": 101 }, { "width": 432, "height": 768, "url": "https://scontent.cdninstagram.com/o1/v/t16/f1/m82/5542D63645ABB4B44E5B31785E6A6181_video_dashinit.mp4?.............", "type": 102 }, { "width": 432, "height": 768, "url": "https://scontent.cdninstagram.com/o1/v/t16/f1/m82/5542D63645ABB4B44E5B31785E6A6181_video_dashinit.mp4?.............", "type": 103 } ], "carousel_media": null } ```
A simple Node.js code to get public information and media from every Instagram post or reel URL without API. Working 2024
instagram,instagram-scraper,instagram-scraping,javascript,node,nodejs,pnpm,scraper,scraping,without-api
2023-06-22T14:32:52Z
2024-01-09T08:22:58Z
null
1
1
29
0
2
11
null
MIT
JavaScript
evrika-company/Evrika_Standarts
master
# Evrika Standarts - Стандарты написания коммитов и управления версиями в компании Evrika [![Release](https://github.com/evrika-company/Evrika_Standarts/actions/workflows/release.yml/badge.svg)](https://github.com/evrika-company/Evrika_Standarts/actions/workflows/release.yml) [![License: MIT](https://img.shields.io/badge/License-MIT-yellow.svg)](https://opensource.org/licenses/MIT) * [О важности стандартов работы с Git в процессе разработки](#chapter1) * [Что такое Evrika Standarts?](#chapter2) * [Какие стандарты написания коммитов мы используем?](#chapter3) * [Валидация и проверка коммитов на соответствие стандартам](#chapter4) * [Использование инструментов для автоматического управления версиями](#chapter5) * [Зачем вести и использовать changelog ?](#chapter6) * [Вклад каждого члена команды](#chapter7) * [Инструкция по установке и использованию](#chapter8) ## О важности стандартов работы с Git в процессе разработки <a name="chapter1"></a> Стандарты в команде являются тем что помогает нам иметь четкое и истинное представление по работе с той или иной состовляющей процесса разработки.Работа с системой контроля версий Git, по сути является ныне устоявшемся стандартом в мире разработки. На основе Git строятся такие важные процессы как Code Review , CI/CD, и сама командная разработка в целом.Правила и соглашения это некий фундамент, и чем лучше он сделан тем крепче будет устойчивость здания.Так и в команде, правила и соглашения по работе с Git это фундамент для многих командных процессов, и чем лучше они обдуманы и сделаны, тем быстрее команда сможет двигатся вперед. Из чего же складываются стандарты работы с Git? Стандарты по работе с системой Git можно условно разделить на две группы : * Первые которые строятся поверх самого "Гита", вроде модели управления проектом (Git Flow, GitHub Flow, Trunk Based Development), соглашений по Code Review и созданию pull requests * И вторые которые формируются по средствам работы (написание коммитов ,установка tags, ведение журнала изменений). И здесь можно заметить связь, что чем больше процесс интегрирован с командным взаимодействием тем выше его важность.Получается процессы написания коммитов, ведения журнала изменений это та вещь которая должна быть автоматизирована и занимать как можно меньше времени, чтобы разработчик мог занятся более важными задачами.И здесь мы опять вспоминаем стандартизацию, по скольку именно она лежит в основе автоматизации работы с Git.Создание и использование таких стандартов позволяет улучшить командное взаимодействие и сделать другие процессы, такие как Code Review, CI/CD, автоматическое управление версиями более понятными и простыми для всей команды. ## Что такое Evrika Standarts? <a name="chapter2"></a> Не для кого не секрет что современные процессы разработки программного обеспечения стремятся к автоматизации всех аспектов разработки,от написания кода и до его автоматического развертывания.Evrika Standarts это пакет с конфигурацией для следующего набора инструментов автоматизации включающего в себя: [Commitizen](https://commitizen-tools.github.io/commitizen/), [semantic-release](https://semantic-release.gitbook.io/semantic-release/), [Commitlint](https://github.com/conventional-changelog/commitlint) а также пояснением о том как их использовать и кастомизировать, тем самым внедрив, улучшив и автоматизировав такие процессы разработки как: * *Соглашение по написанию коммитов* * *Валидация и проверка коммитов на соответствие стандартам* * *Семантическое версионирование проектов* * *Ведение журнала изменения (Changelog)* Этот пакет может послужить основой и образцом для создания вашего собственного набора конфигураций для ранее упомянутых инструментов.В конце описания находится подробная инструкция по уставновке пакета , дополнительных расширений и настройки их взаимодействия между собой ## Какие стандарты написания коммитов мы используем? <a name="chapter3"></a> Мы придерживаемся [Conventional Commits](https://www.conventionalcommits.org/ru/v1.0.0/) — популярный стандарт написания коммитов, который определяет шаблон и набор ключевых слов для сообщений коммитов. Структура Conventional Commits включает тип коммита, необязательную область и описание изменений.В качестве инструмента автоматизации процесса создания коммита мы используем [Commitizen](https://commitizen-tools.github.io/commitizen/) за его гибкость и возможность собственной конфигурации. Мы используем следующие типы коммитов: + __build__ - *изменения процесса сборки* + __package__ - *добавление или удаление внешних зависимостей* + __change__ - *стандартные изменения по проекту* + __ci/cd__ - *конфигурация CI или изменения CD параметров* + __docs__ - *добавление или изменения документации* + __feat__ - *создание нового функционала* + __fix__ - *исправление багов(именно багов не фич)* + __perf__ - *улучшения направленные на производительность* + __refactor__ - *реструктуризация и улучшения кода* + __revert__ - *отмена и возврат на предыдущий коммит* + __style__ - *правки по стилю кода и линтированию* + __test__ - *добавление тестов или изменение процесса тестирования* + __custom__ - *изменения имеющие специфичную область действия* + __security__ - *исправление уязвимостей или улучшение безопасности* + __BREAKING CHANGE__ - *координальные изменения в архитектуре или в системе проекта* Стоит отметить что как правило тип коммита указывает на определенную область изменения : *__feat__(components)* .Такой формат коммитов позволяет быстро понять, какие изменения вносились в проект и какие семантические изменения они вносят. У нас в команде область действия для типа коммита носит необязательный характер но его использование с кастомным значения радует.Так же мы стараемся соблюдать и соглашение по стилевому оформлению самих коммитов. Оно включает в себе такие казалось бы мелочи вроде - максимальной длины тела коммита, регистр символов, обязательные и не обязательные состовляющие, следует ли ставить в конце коммита точку. ## Валидация и проверка коммитов на соответсвие стандартам <a name="chapter4"></a> Проверка коммитов имеет важное значение для поддержания согласованности и структурированности истории изменений в проектах нашей команды.Мы используем [Commitlint](https://github.com/conventional-changelog/commitlint) , он обеспечивает единообразие формата сообщений коммитов, тем самым повышая их читаемость и помогая лучше понять внесенные изменения.Его правиала позволяют уловить ошибки написания коммита как во время создания, так и в момент отправки коммита. ## Использование инструментов для автоматического управления версиями <a name="chapter5"></a> В процессе разработки проекта для соблюдении стандартов коммитов наша команда старается соблюдать и [спецификацию по семантическому версионированию проектов](https://semver.org/lang/ru/spec/v2.0.0.html).Использование инструментов управления версиями тесно интегрировано с соглашением по коммитам , наш выбор пал на инструмент [semantic-release](https://semantic-release.gitbook.io/semantic-release/). Он обеспечивает всестороннюю поддержку принятых нами соглашений и имеет большой набор конфигураций и плагинов.Основные детали версионирования на которые влияет соглашения по оформлению коммитов: + __fix__ - *коммит типа исправления ошибок соответствует PATCH в Cемантическом Версионировании. __1.2.3__ - __1.2.4__* + __feat__ - *создание нового функционала соответствует MINOR в Cемантическом Версионировании. __1.4.7__ - __1.5.0__* + __BREAKING CHANGE__ - *координальные изменения в архитектуре или в системе соответствует MAJOR в Cемантическом Версионировании. __2.3.4__ - __3.0.0__* Мы стремимся поддерживать стандарты коммитов и использовать инструменты управления версиями, чтобы наши проекты были лучше структурированы, более управляемыми и способствовали эффективному сотрудничеству между всеми разработчиками. ## Зачем вести и использовать changelog ? <a name="chapter6"></a> Еще одной хорошей практикой грамотно выстроенного процесса разработки является ведение и использование журнала изменений.Это позволяет нам фиксировать каждое изменение, включая новые функции, улучшения и исправления, по мере их внесения в код.При ведении Changelog , наша команда опирается на [следующие правила и соглашения](https://keepachangelog.com/ru/1.1.0/).Мы используем систему версионирования для управления изменениями и версиями наших проектов. Каждое обновление в changelog связано с конкретной версией, что облегчает отслеживание и связывание изменений с определенными релизами. Для генерации __CHANGELOG.md__ мы используем уже ранее упомянутый [semantic-release](https://semantic-release.gitbook.io/semantic-release/) вместе с [плагином](https://github.com/semantic-release/changelog) для поддержки принятого стандарта форматирования коммитов ## Вклад каждого члена команды <a name="chapter7"></a> При соблюдении стандартов коммитов и использовании инструментов управления версиями каждый разработчик нашей команды играет роль в поддержании и соблюдении этих стандартов.Структурированные и понятные коммиты помогают нам лучше и легче понимать историю проекта, облегчают ревью кода и содействуют эффективной разработке. Мы стремимся поддерживать стандарты коммитов и использовать инструменты управления версиями, чтобы наши проекты были лучше структурированы, более управляемыми и способствовали эффективному сотрудничеству между всеми разработчиками компании Evrika ## Инструкция по установке и использованию <a name="chapter8"></a> > __Инструкция по установке и использованию - [Evrika_Standarts package](./MANUAL.md)__
Соглашения по написанию commits и управлением версии проектов
javascript,package,rules,changelog,git,github
2023-06-12T04:46:19Z
2023-08-20T09:27:48Z
2023-07-25T11:17:24Z
6
0
98
0
2
11
null
MIT
JavaScript
rko0211/jgec-previous-year-question-paper
main
<div align="center"><img src="readme logo.jpeg"/></div> # <div align="center">JGEC PREVIOUS YEAR QUESTION PAPERS</div> <div align="center"> <p> [![Open Source Love svg1](https://badges.frapsoft.com/os/v1/open-source.svg?v=103)](https://github.com/ellerbrock/open-source-badges/) ![PRs Welcome](https://img.shields.io/badge/PRs-welcome-brightgreen.svg?style=flat) ![Visitors](https://api.visitorbadge.io/api/visitors?path=rko0211%2Fjgec-previous-year-question-paper%20&countColor=%23263759&style=flat) ![GitHub forks](https://img.shields.io/github/forks/rko0211/jgec-previous-year-question-paper) ![GitHub Repo stars](https://img.shields.io/github/stars/rko0211/jgec-previous-year-question-paper) ![GitHub contributors](https://img.shields.io/github/contributors/rko0211/jgec-previous-year-question-paper) ![GitHub last commit](https://img.shields.io/github/last-commit/rko0211/jgec-previous-year-question-paper) ![GitHub repo size](https://img.shields.io/github/repo-size/rko0211/jgec-previous-year-question-paper) ![Github](https://img.shields.io/github/license/rko0211/jgec-previous-year-question-paper) ![GitHub issues](https://img.shields.io/github/issues/rko0211/jgec-previous-year-question-paper) ![GitHub closed issues](https://img.shields.io/github/issues-closed-raw/rko0211/jgec-previous-year-question-paper) ![GitHub pull requests](https://img.shields.io/github/issues-pr/rko0211/jgec-previous-year-question-paper) ![GitHub closed pull requests](https://img.shields.io/github/issues-pr-closed/rko0211/jgec-previous-year-question-paper) </p> </div> Welcome to our Repository, your one-stop destination for accessing previous year question papers of various courses offered at Jalpaiguri Government Engineering College. This repository is designed to assist students in their exam preparations, providing valuable resources to enhance their understanding of the curriculum and exam patterns. Check it out at : https://rko0211.github.io/jgec-previous-year-question-paper/ ## Table of Contents 1) Introduction 2) How to Use 3) Content Available 4) Contributing 5) Possible Changes 6) License 7) Contact ## Introduction This repository aims to facilitate an easy and organized access to previous year question papers of JGEC. As a valuable resource, it helps students prepare thoroughly for exams by familiarizing themselves with the question formats and topics covered in past years. ## How to Use Accessing question papers is simple: 1) First visit the website 2) Select the academic year 3) Navigate to your department/branch of study 4) Choose your desired subject 5) Download the required question papers in PDF format. Feel free to explore, download, and utilize these question papers as part of your study routine. ## Content Available - Academic Year : 1st , 2nd , 3rd , 4th - Departments : CSE , ECE , IT , EE , ME , CE ## How to Contribute We welcome contributions from the community! If you'd like to contribute to this project, follow these steps: 1. *Fork the Repository:* - Click on the "Fork" button at the top right corner of the repository page. 2. *Clone Your Fork:* - Clone the repository from your GitHub account to your local machine. bash git clone https://github.com/your-username/jgec-previous-year-question-paper.git 3. *Create a Branch:* - Create a new branch for your contribution. bash git checkout -b feature-branch 4. *Make Changes:* - Make your desired changes to the codebase. 5. *Commit Changes:* - Commit your changes with a descriptive commit message. bash git commit -m "Add feature or fix" 6. *Push Changes:* - Push your changes to your fork on GitHub. bash git push origin feature-branch 7. *Create a Pull Request:* - Open a Pull Request (PR) on the original repository. - Provide a clear title and description for your PR. 8. *Review and Merge:* - The maintainers will review your PR and may request changes. - Once approved, your changes will be merged into the main branch. ## Syncing with Upstream If the original repository has been updated, sync your fork to include the latest changes: 1. *Add Upstream Remote:* - Add the upstream repository as a remote. bash git remote add upstream https://github.com/original-username/jgec-previous-year-question-paper.git 2. *Fetch Upstream Changes:* - Fetch the changes from the upstream repository. bash git fetch upstream 3. *Merge Upstream Changes:* - Merge the changes from the upstream repository into your local branch. bash git merge upstream/main 4. *Push Changes to Your Fork:* - Push the updated changes to your fork on GitHub. bash git push origin main We appreciate your contributions! Let's make Memory Collector even better together. ## What Changes Can You Make Here ? 1) First See the navbar options of this website 2) Create a beautiful and responsive About Page using HTML, CSS, and Javascript with some poem text. Link the page with **About** options(You can find it from **index.html** file of this repository) 3) Create a beautiful and responsive **Purpose Page** using HTML, CSS, and JavaScript, including some poem text. Link the page to the Purpose options (which you can find in the **index.html** file of this repository) 4) Create a beautiful, responsive, and functional **Contact Page** using my email address as the destination. Link the page with the **Contact** options (which you can find in the **index.html** file of this repository) 5) Some pages do not contain a Footer Section. Please add the footer to those pages using the content present in the other footers. Please make sure to update changes as appropriate. ### I'll make sure to merge it❤ <summary><h2><img src="https://emojis.slackmojis.com/emojis/images/1471045839/793/computerrage.gif?1471045839" align="center" width="28" /> ## Contributors ✨ Thanks goes to these wonderful people 💜 <table> <tr> <td align="center"><a href="https://github.com/rko0211"><img src="https://avatars.githubusercontent.com/u/97402824?v=4" width="100px;" alt=""/><br /><sub><b>Prakash Mondal</b></sub></a><br /><a href="#maintenance-Tlazypanda" title="Maintenance">🚧✍️🖥️</a></td> <td align="center"><a href="https://github.com/Suman599"><img src="https://avatars.githubusercontent.com/u/118666545?v=4" width="100px;" alt=""/><br /><sub><b>Suman599</b></sub></a><br /><a title="Code">💻</a></td> <td align="center"><a href="https://github.com/Sneha123-zudo"><img src="https://avatars.githubusercontent.com/u/145490348?v=4" width="100px;" alt=""/><br /><sub><b>Sneha123-zudo</b></sub></a><br /><a title="Code">💻</a></td> <td align="center"><a href="https://github.com/komal-agarwal5"><img src="https://avatars.githubusercontent.com/u/122633300?v=4" width="100px;" alt=""/><br /><sub><b>Komal Agarwal</b></sub></a><br /> <a title="Code">💻</a></td> <td align="center"><a href="https://github.com/swarnade"><img src="https://avatars.githubusercontent.com/u/78968218?v=4" width="100px;" alt=""/><br /><sub><b>Swarnadeep Saha Poddar</b></sub></a><br /><a title="Code">💻</a></td> <td align="center"><a href="https://github.com/apu52"><img src="https://avatars.githubusercontent.com/u/114172928?v=4" width="100px;" alt=""/><br /><sub><b>Arpan Chowdhury</b></sub></a><br /><a title="Code">💻</a></td> <td align="center"><a href="https://github.com/lord-cyclone100"><img src="https://avatars.githubusercontent.com/u/121711381?v=4" width="100px;" alt=""/><br /><sub><b>Sangneel Deb</b></sub></a><br /><a title="Code">💻</a></td> <td align="center"><a href="https://github.com/arghadipmanna101"><img src="https://avatars.githubusercontent.com/u/130065095?s=400&u=3d86e95e3940e7b91c825fbf3445162d09469611&v=4" width="100px;" alt=""/><br /><sub><b>Arghadip Manna</b></sub></a><br /><a title="Code">💻</a></td> </tr> </table> ## License This project is licensed under the <a href="https://github.com/rko0211/jgec-previous-year-question-paper/blob/main/LICENSE">MIT License</a>. ## Contact If you have any suggestions,improvements feel free to raise an issue stating your idea . Your feedback is highly appreciated. ### <div align="center">Happy learning ! 📚✨</div> ## Let's Enjoy in the exam hall!! <br> <summary><h2><img src="https://media.giphy.com/media/JRPftUYuIRw3axuh5y/giphy-downsized-large.gif" align="center" width="1000" /> <h6 text-align="center"> © rko0211 All Rights Reserved</h6><br> <center><h6 text-align="center"> © jgec previous year question paper All Rights Reserved</h6></center><br>
You will get here the test of frontend development and if you are the student of Jalpaiguri Government Engineering College then this is your best place where you can get JGEC previous year question papers, Thank you.
css,html,bootstrap5,javascript
2023-06-22T07:39:34Z
2024-05-13T16:41:39Z
null
9
36
240
0
14
11
null
MIT
HTML
JeffersonRPM/portfolio
inicio
<img align="center" alt="Portfolio fullscreen" src="./doc-img-git/portfolio.png">
Meu portfólio
css,firebase,html5,javascript,mysql,php,portifolio,react,bootstrap,full-stack
2023-06-12T04:17:11Z
2024-05-06T23:37:05Z
null
1
23
49
0
1
11
null
null
HTML
sharan3102/Tweeter
main
<meta name="description" content="Create Twitter-style frames with random profiles, names, and tweet messages for absolutely free ⚡️"> <meta name="title" content="Tweeter"> ![Tweeter Cover](Tweeter%20Cover.png) # Tweeter 🐦 Tweeter is a Figma plugin that allows you to create tweet-like frames with customizable text and images. It simplifies the process of designing social media posts or incorporating tweet-style elements into your Figma projects. ## Features 🚀 - Create tweet-like frames with customizable content - Customize frame size, color, and styling options - Automatically generate timestamp in tweet format - Efficiently align and arrange elements using auto-layout ## Architecture 🤖 ![App Screenshot](https://raw.githubusercontent.com/sharan3102/figma-plugin/main/Architecture%20Diagram.png) The Tweeter plugin is built using a combination of technologies and external services to provide a seamless experience for users. It consists of the following components: 1. **User Interface (UI)** : The UI component is responsible for displaying the plugin interface within Figma. It is built using HTML, CSS, and JavaScript. The UI allows users to interact with the plugin's features and options. 2. **JavaScript (JS) Conversion**: The plugin's codebase is written in TypeScript (TS) and is converted to JavaScript (JS) for compatibility with the Figma plugin environment. This conversion ensures that the plugin can run within the Figma ecosystem. 3. **External APIs** : - Picsum API: Used to generate random profile pictures for the created frames. - Quotable API: Used to fetch random names and tweet messages for the created frames. 4. **Figma API Integration** : The plugin leverages the Figma API to interact with the Figma design editor and perform operations such as creating frames, adding images and text nodes, and manipulating the layout of the frames. ## Installation ❤️‍⚡️ To use the Tweeter plugin, follow these steps: - Go to the Figma Community plugins page or the Figma plugin store. - Search for "Tweeter" in the search bar. - Click on the "Install" button next to the Tweeter plugin. - The plugin will be added to your Figma workspace. ## Prerequisites 🤖 Before you can use this program, make sure you have the following: - Node.js (version 14 or higher) - Figma account (to install and use the plugin) - Internet connection (to access external APIs for profile pictures, names, and tweet messages) #### Download Figma 👇🏻 ``` https://www.figma.com/downloads/ ``` ## Usage 🧠 - Select a frame in your Figma project where you want to create a tweet-like element. - Open the Tweeter plugin from the Figma menu or Plugins panel. - Customize the tweet-like frame by adding text, images, and adjusting the settings. - Use the available options and controls to modify the frame appearance. - Preview and adjust the design as needed. - Save the created tweet-like frame to your Figma project. - Use the frame in your designs, presentations, or share it with your team. ## Contributing ❤️ Contributions are welcome! If you find any issues or have suggestions for improvements, please open an issue or submit a pull request. ## Support 🤝🏻 If you need support or have any questions, you can reach out to me at sharan3102@gmail.com
Tweeter Plugin for Figma - Create Twitter-style frames with random profiles, names, and tweet messages.
api,figma-plugin,javascript,typescript
2023-06-12T15:45:16Z
2023-06-28T17:33:37Z
2023-06-25T12:21:16Z
1
0
28
0
0
11
null
null
TypeScript
MasumaJaffery/ToDo-List
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="Images/Logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>To-Do List</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [To-Do List] <a name="about-project"></a> **[To-Do List]** allows users to add, remove to-do tasks from list. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> HTML+CSS+JS+GITHUB <details> <summary>Technologies</summary> <ul> <li><a href="https://html.com/">Html</a></li> <li><a href="https://www.w3schools.com/css/">CSS</a></li> <li><a href="https://www.javascript.com/">Javascript</a></li> <li><a href="https://github.com/">GitHub</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[User-Interactive]** - **[Adaptability]** - **[Performance]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://masumajaffery.github.io/ToDo-List/dist/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> > Describe how a new developer could make use of your project. To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need the following tools: - Node installed in your computer - IDE(e.g.: Vscode,...) - HTML-CSS-JS-GitHub - etc. ### Setup Clone this repository to your desired folder: <!-- Example commands: ```sh cd my-folder git clone git@github.com:MasumaJaffery/ToDo-List.git ``` ---> ### Install - Install project's packages with: ```sh cd ToDo-List npm install or npm i ``` ### Usage To run the project, execute the following command: Open index.html using live server extention. ## Run Tests To run tests, run the following command: Track HTML linter errors run: npx hint . Track CSS linter errors run: npx stylelint "**/*.{css,scss}" Track JavaScript linter errors run: npx eslint . ## Deployment You can deploy this project using: GitHub Pages, - I used GitHub Pages to deploy my website. - For more information about publishing sources, see "About GitHub pages". <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Syeda Masuma Fatima** - GitHub: [@MasumaJaffery](https://github.com/MasumaJaffery) - Twitter: [@MasumaJaffery](https://twitter.com/MasumaJaffery) - LinkedIn: [Masuma Jaffery](https://www.linkedin.com/in/masuma-jaffery-797a29256/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[Add More Functionality]** - [ ] **[Add Features]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project, I would like to Thank You! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> Special Thanks to Microverse! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
To Do List Web App allows users to track their tasks and also add, remove to-do tasks from list by functionality of ES6.
javascript,ecmascript,es6
2023-06-14T07:41:15Z
2023-06-17T09:58:20Z
null
2
4
23
3
0
11
null
null
JavaScript
Kidd254/Leaderboard
development
<a name="readme-top"></a> <div align="center"> <h3><b>Leaderboard</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 Leaderboard <a name="about-project"></a> **To Do List** is a project that consists of building a single page application with HTML, CSS and JS that allows users to add and remove books from a list. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://webhint.io/">Webhint.io</a></li> <li><a href="https://stylelint.io/">Stylelint.io</a></li> <li><a href="https://eslint.org/">ESlint.org</a></li> <li><a href="https://nodejs.org">Node.js</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **Support for all Browsers** - **Use of semantic HTML in the code structure** - **Manage collections with Class javascript** - **webpack** - **Gitflow** - **API** - **Single page application approach** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [a link to the online version](https://kidd254.github.io/Leaderboard/) - [a link to a presentation about this project]() <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. ### Setup Clone this repository to your desired folder: ```sh cd my-folder-name git clone https://github.com/Kidd254/Leaderboard ``` ### Prerequisites In order to install, modify and run this project, it is necessary to have the following applications installed: - **Git:** to manage the project versions of source code. [You can Download Git here](https://git-scm.com/) - **Nodejs and NPM:** to install and manage the project dependencies. [Nodejs and NPM installation guide](https://docs.npmjs.com/downloading-and-installing-node-js-and-npm) - **A code editor** like Visual Studio Code (Recommended) or any other of your preference. It is necessary to open the project and add or modify the source code. [You can Download Visual Studio Code here](https://code.visualstudio.com/) It is also important to have at least basic knowledge of HTML, CSS and Javascript languages, so you will be able to understand and work with the html and css code of the project. - [Learn the basics of HTML](https://developer.mozilla.org/en-US/docs/Web/HTML) - [Semantic HTML: What It Is and How to Use It Correctly](https://www.semrush.com/blog/semantic-html5-guide/) - [Learn the basics of CSS](https://developer.mozilla.org/en-US/docs/Web/CSS) - [Basic concepts of flexbox](https://developer.mozilla.org/es/docs/Web/CSS/CSS_Flexible_Box_Layout/Basic_Concepts_of_Flexbox) - [Learn flexbox playing with FROGGY](https://flexboxfroggy.com/) - [A Complete Guide to CSS Grid](https://css-tricks.com/snippets/css/complete-guide-grid/) - [Web forms — Working with user data](https://developer.mozilla.org/en-US/docs/Learn/Forms) - [The HTML5 input types](https://developer.mozilla.org/en-US/docs/Learn/Forms/HTML5_input_types) - [Client-side form validation](https://developer.mozilla.org/en-US/docs/Learn/Forms/Form_validation) - [JavaScript basics](https://developer.mozilla.org/en-US/docs/Learn/Getting_started_with_the_web/JavaScript_basics) - [JavaScript Tutorial](https://www.w3schools.com/js/) - [Document Object Model (DOM)](https://developer.mozilla.org/en-US/docs/Web/API/Document_Object_Model) - [JavaScript Forms](https://www.w3schools.com/js/js_validation.asp) - [JavaScript Form Validation](https://www.javatpoint.com/javascript-form-validation) - [Object](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object) - [Classes](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Classes) ### Install Install this project by running the next command into your project folder: ```sh npm install ``` ### Usage Open the HTML, CSS or Javascript files and modify the internal code and then run the following command: ```sh npx run . npx stylelint "**/*.{css,scss}" npx eslint . ``` This will show you a log with details about errors (if any) and changes that would be necessary to solve those errors and improve the code. **Note**: Please only modify the HTML, CSS and Javascript files. Do not modify the configuration files of the project. ## 👥 Authors <a name="authors"></a> 👤 **Lawrence Muema Kioko** - GitHub: [@Kidd254](https://github.com/Kidd254) - Twitter: [@lawrence Kioko](https://twitter.com/lawrenc98789206) - LinkedIn: [Lawrence Kioko](https://www.linkedin.com/in/lawrence-kioko-972035240/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [x] **Created an npm project with webpack** - [x] **Wrote plain HTML markup with minimum styling** - [x] **Used ES6 modules, with import and export** - [x] **Created a new game with the name of my choice by using the API** - [x] **Made sure that I saved the ID of my game that will be returned by API** - [x] **Implemented the "Refresh" button that will get all scores for a game created by me from the API (receiving data from the API and parsing the JSON)** - [x] **Implemented the form "Submit" button that will save a score for a game created (sending data to the API)** - [x] **Used arrow functions instead of the function keyword.** - [x] **Used async and await JavaScript features to consume the API.** - [x] **improved the look and feel of the application, adding the styles of my choice** - [x] **Kept the general layout of the wireframe, as the only mandatory requirement** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, suggestions and feature requests are welcome! Feel free to check the [issues page](../../issues/). To do Contributions, please fork this repository, create a new branch and then create a Pull Request from your branch. You can find detailed description of this process in: [A Step by Step Guide to Making Your First GitHub Contribution by Brandon Morelli](https://codeburst.io/a-step-by-step-guide-to-making-your-first-github-contribution-5302260a2940) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you liked this project, give me a "Star" (clicking the star button at the beginning of this page), share this repo with your developer community or make your contributions. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank my Microverse teammates for their support. They have supported me a lot in carrying out this project, giving me suggestions, good advice and solving my code doubts. ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The project is meant to retrieve data from API and display it on the web. The Project also allows for additional data where a user can add their own data through the input fields to be displayed on the web.
bootstrap5,css3,html5,javascript,webpack,api
2023-06-19T12:22:41Z
2024-02-01T17:52:05Z
null
1
6
71
0
1
10
null
MIT
JavaScript
nicodimuscanis/article-shortener-extension
master
# "Короче, Склифосовский!" v0.5 [![Watch the video](https://img.youtube.com/vi/8vFjYYKZjvE/maxresdefault.jpg)](https://youtu.be/E_oO9iFZzWY) Расширение для браузеров на основе Сhromium, автоматизирующее работу с сокращателем статей от Яндекса https://300.ya.ru/, который использует YandexGPT<br> Необходима учётная запись Яндекс. ## Установка [Установка из интернет-магазина Chrome](https://chrome.google.com/webstore/detail/%D0%BA%D0%BE%D1%80%D0%BE%D1%87%D0%B5-%D1%81%D0%BA%D0%BB%D0%B8%D1%84%D0%BE%D1%81%D0%BE%D0%B2%D1%81%D0%BA%D0%B8%D0%B9/mpaebgncookaokflfdhflpmhpimkfeii)<br> ИЛИ<br> Установка из GitHub (содержит самые последние изменения) 1. [Скачать](https://github.com/nicodimuscanis/article-shortener-extension/archive/refs/heads/master.zip) и распаковать 2. В браузере на странице: `chrome://extensions` включить режим разработчика и нажать на "загрузить распакованное расширение" 3. Выбрать папку `src` из распакованных файлов ## Настройка К сожалению, Яндекс не позволяет использовать сервис без авторизации, т.е. нужна учётная запись или валидный токен<br> Для работы расширения достаточно просто войти в учётную запись Яндекс. Для того чтобы пользоваться сервисом без входа в учётную запись, необходимо получить токен.<br> Внимание: на данный момент (30.06.23) это бета версия сервиса от Яндекс и шаги ниже могут быть не актуальными<br> 1. Получить [токен](https://oauth.yandex.ru/authorize?response_type=token&client_id=702a61748ec947a4b1ab467d2b2f3edb) 2. Скопировать токен и вставить на странице настройки расширения ## Использование На странице статьи, из которой нужно выделить суть, нажать на иконку расширения в браузере. После обработки произойдёт перенаправление на страницу с укороченной версией (или откроется в новой вкладке, взависимости от настоек). Также работает со страницами не на русском языке. ## Ограничения и замечания 1. Статья должна быть не больше 30 тыс. символов и быть информационной, т.е. со стихами и художественными произведениями может либо не работать, либо работать весьма странно. 2. По поводу качества сокращённых статей все вопросы к Яндексу. Я не имею к Яндексу никакого отношения. 3. Для пересказа статей, не опубликованных в сети, можно развернуть собственный сервис, который создаёт ссылку на пользовательский контент, напрмер https://github.com/nicodimuscanis/make-page или вcтавить текст прямо на странице https://300.ya.ru/ 4. Яндекс добавил возможность пересказывать видеоролики с Youtube (октябрь 2023), но на данный момент пользоваться этой фичей можно только напрямую со страницы сервиса <a href="https://300.ya.ru">300.ya.ru</a> или из яндекс браузера. Яндекс отклоняет запросы на сокращение роликов от сторонних приложений/расширений. Скорее всего это сделано для продвижения своего браузера, забитого рекламой. В качестве временной меры добавлен вывод всплывающего окна в случае невозможности сократить статью/ролик, где пользователь может вставить ссылку вручную. Я пока не придумал как просто это обойти (можно с некоторыми проблемами), любые советы и помощь приветствуются [Журнал изменений](https://htmlpreview.github.io/?https://github.com/nicodimuscanis/article-shortener-extension/blob/master/src/changelog.html) Распространяется под [лицензией MIT](https://github.com/nicodimuscanis/article-shortener-extension/blob/master/LICENSE.md)
The extension makes long web articles short by using YandexGPT API
chrome-extension,yandexgpt,shortener,yandex-api,article-shortener,yandex-300,yandex-gpt,javascript,extension-chrome
2023-06-28T19:59:32Z
2023-11-16T08:06:18Z
null
3
2
58
0
1
10
null
NOASSERTION
JavaScript
arjuncvinod/Simon-Game
main
# Simon-Game **Languges used** :![HTML5](https://img.shields.io/badge/html5-%23E34F26.svg?style=flat&logo=html5&logoColor=white) ![CSS3](https://img.shields.io/badge/css3-%231572B6.svg?style=flat&logo=css3&logoColor=white) ![JavaScript](https://img.shields.io/badge/javascript-%23323330.svg?style=flat&logo=javascript&logoColor=%23F7DF1E) ### Live Demo: https://arjuncvinod.github.io/Simon-Game/ #### Screenshot: ![image](https://github.com/arjuncvinod/Simon-Game/assets/68469520/8a857f06-b675-403d-9d50-5d88825f14f2)
Simon Game created while learning JavaScript
css3,html5,javascript
2023-06-27T07:36:58Z
2023-08-05T17:49:43Z
null
1
2
10
0
0
10
null
MIT
JavaScript
MainakRepositor/MainakVerse
master
# MainakVerse - Personal portfolio ### N.B. The website plays sounds. Please allow sound in your browser to get the full experience. ## Techs used: - HTML - CSS - JavaScript (ECMA Script) - JQuery - Bootstrap - Ajax ## Backend & Cloud Management: - Hostings and File Management : Netlify - Contact Management : Formspree ## Lighthouse Rating: ![lhr](https://github.com/MainakRepositor/MainakVerse/assets/64016811/113441c3-556f-43bb-8cab-7aea356fef92) <hr> ## Laptop View **1. Landing Page** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/e82bb58f-e031-4904-b6af-6157435f00ae) **2. Neon Button** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/ac374701-c086-4c3e-b570-a0da7680e65e) **3. Multi-tabular Home Page (About Tab)** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/a4dedf02-b432-4ee1-9867-c2a66c96563e) **3.1 Counter Section (About Tab)** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/1c154242-f2f8-4639-8f07-d9f4ac6018f7) **4. Resume Tab** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/37866921-8ebf-4022-b2e3-0366c33cb40e) **5. Portfolio Tab** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/573bb654-31d0-4ce1-a0e9-caed071c28ec) **6. Blog Tab** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/71b98486-a30e-406e-9d9d-4d02eacc6e36) **7. Contacts Tab** ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/57f376dc-ca20-4c25-bc72-585cf7021779) ## Mobile View ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/76c2cc03-7ebc-4021-900f-bffa36e954cc) ![image](https://github.com/MainakRepositor/MainakVerse/assets/64016811/d65c969b-82f4-4a1c-88f8-6d3c856003ab) ## License Apache-2.0
The unified platform to reach Mainak
ajax,bootstrap5,css,html,javascript,jquery,jquery-plugin,live,netlify,portfolio
2023-06-16T15:19:55Z
2024-04-19T13:02:57Z
null
1
0
23
0
0
10
null
MIT
HTML
techjuliana/reels-animacoes-css
master
# reels-animacoes-css Animações mostradas nos Reels @TECH.JULIANA <h1 align="center"> Animações mostradas nos Reels ## ordenada por numeração Desenvolvido para ajudar a comunidade tech Visão Tecnica do que encontrará aqui: - HTML - CSS - JAVASCRIPT - ANIMAÇŌES ### Views animaçōes ⬇️ <a href="https://www.youtube.com/channel/UCb912uf3zcQO8eDl34HpLNQ" target="_blank"><img src="https://img.shields.io/badge/YouTube-FF0000?style=for-the-badge&logo=youtube&logoColor=white" target="_blank"></a> <a href="https://www.instagram.com/tech.juliana/" target="_blank"><img src="https://img.shields.io/badge/-Instagram-%23E4405F?style=for-the-badge&logo=instagram&logoColor=white" target="_blank"></a> <a href="https://www.linkedin.com/in/techjuliana" target="_blank"><img src="https://img.shields.io/badge/-LinkedIn-%230077B5?style=for-the-badge&logo=linkedin&logoColor=white" target="_blank"></a> ## Tech Juliana <a href="https://www.linkedin.com/in/techjuliana"> <sub><b>Juliana Bitencourt</b></sub></a> <a href="https://www.linkedin.com/in/techjuliana" title="LinkedIn">🚀</a> Elaborado por Juliana Bitencourt <br> Entre em contato!👋🏽 </br>
Animações mostradas nos Reels (ordenada por numeração)
animacoes,animation,animation-css,css,html,javascript,reels,typescript
2023-06-10T19:34:59Z
2023-10-18T14:55:27Z
null
1
0
11
0
1
10
null
null
CSS
saptajitbanerjee/Electronics-Shopping-Site
main
# Getting Started with Create React App This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app). ## Available Scripts In the project directory, you can run: ### `npm start` Runs the app in the development mode.\ Open [http://localhost:3000](http://localhost:3000) to view it in your browser. The page will reload when you make changes.\ You may also see any lint errors in the console. ### `npm test` Launches the test runner in the interactive watch mode.\ See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information. ### `npm run build` Builds the app for production to the `build` folder.\ It correctly bundles React in production mode and optimizes the build for the best performance. The build is minified and the filenames include the hashes.\ Your app is ready to be deployed! See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information. ### `npm run eject` **Note: this is a one-way operation. Once you `eject`, you can't go back!** If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project. Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own. You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it. ## Learn More You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started). To learn React, check out the [React documentation](https://reactjs.org/). ### Code Splitting This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting) ### Analyzing the Bundle Size This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size) ### Making a Progressive Web App This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app) ### Advanced Configuration This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration) ### Deployment This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment) ### `npm run build` fails to minify This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
The project is an interactive front-end application built using React. It features a dynamic carousel, captivating animations, and a user-friendly Shopping Cart functionality with options to add and remove items. This application empowers users to effortlessly track their shopping experience by providing a comprehensive view of their selected items
css-animations,css-flexbox,css3,dom-manipulation,ecommerce,ecommerce-website,front-end,front-end-web-development,frontend,frontend-web
2023-06-17T05:00:12Z
2023-10-05T09:11:31Z
null
1
0
2
0
1
10
null
MIT
JavaScript
ITurres/Jest-Testing
main
<div align="center"> <h1>🧪Jest-Testing🧪</h1> </div> I will write a few practical tests for JavaScript functions using the Jest library. I will make sure to follow the AAA pattern to make your tests easier for other developers to read and understand. I will also use the TDD approach in practice. --- ### Instructions: - #### Task 1 > Write a function stringLength(string) that takes any string as an argument and returns its characters count. > Now write a test for this function. > Next, expand your function to make it check if the string is at least 1 character long and not longer than 10 characters. Throw errors if those conditions are not met. > Add tests for the new functionality. - #### Task 2 > Write a function reverseString(string) function. It should take a string as an argument and return it reversed. > Write at least one test for this function. - #### Task 3 > In this task, you will need to write several tests for each tested function. You could write all of your tests directly at the top level, but it's better to group related tests so their output is more readable. Jest has the describe() method just for that. Read about it here and apply it in your tests for this task: > Write a simple calculator class or object, which will have 4 methods: add, subtract, divide, and multiply. > Write at least 3 tests for each of the calculator methods. > Group tests for each method using describe() method. - #### Task 4 > In this task we're going to do things differently: > Start by writing a test for a capitalize(string) function. Your test should make sure that this function takes a string as an argument and returns that string with the first character capitalized. > Run your test - it should fail because you don’t have the capitalize(string) function implemented yet. > Now make your tests green by implementing the capitalize(string) function. Think about what the minimum amount of code is necessary to pass this test and write it. ---
🧪I will write a few practical tests for JavaScript functions using the Jest library. I will make sure to follow the AAA pattern to make your tests easier for other developers to read and understand. I will also use the TDD approach in practice.🧪
javascript,jest,jest-tests,tdd,tdd-javascript
2023-06-14T03:36:26Z
2023-06-16T03:10:15Z
null
1
0
13
0
0
10
null
null
JavaScript
RohitSharma50/food-orderinf-website
main
# Namaste React Series 🚀 ### _[Namaste React Live Course](https://learn.namastedev.com/courses/namaste-react-live) from Zero to Hero 🚀 by [Akshay Saini](https://www.linkedin.com/in/akshaymarch7/) Founder of [NamasteDev](https://courses.namastedev.com/learn/Namaste-React). - I made [🚀 foodie-apps 😍](https://foodie-apps.netlify.app//) from scratch using React.js and Parcel.js, which is the part of this course. ## To Clone this Repository You need to write the following commands on the terminal screen(in vscode) so that you can run this project locally. ```bash git clone "https://github.com/RohitSharma50/food-orderinf-website" ``` Go to the project directory ```bash cd food-orderinf-website ``` Install dependencies ```bash npm install ``` Start the server ```bash npm run start ``` After doing this this application should now be running on `localhost`. If you want to Fork repository and want to run locally, follow this guidelines [Fork and Clone Github Repository](https://docs.github.com/en/get-started/quickstart/fork-a-repo) # ## Key Features ◉ Multi Select Cuisines Based Restaurant Filter. ◉ Search Based Restaurants Filter. ◉ Shimmer UI ◉ CORS Extension For Fetching Swiggy Live API Data from Swiggy Public APIs. ◉ Tailwind CSS ◉ Class Based Components. ◉ React Router DOM for routing & navigation ◉ Lazy Loading ◉ Context API ◉ Lifting The State Up ## 🔗 Let's Connect [![linkedin](https://img.shields.io/badge/LinkedIn-0077B5?style=for-the-badge&logo=linkedin&logoColor=white)](https://www.linkedin.com/in/rohit-sharma50/)
This repo is about 🍟 food ordering website i 👨‍💻 build during learning from Namaste React live course by Akshay saini
akshay-saini,custom-hook,javascript,namaste-react,namaste-react-live,netlify-deployment,parcel,react,react-app,react-course
2023-06-21T17:04:34Z
2024-05-14T09:27:15Z
null
1
2
29
0
2
10
null
null
JavaScript
ansonbenny/Social-Media
master
null
Social Media WebApp For Live Chat & Live Video/Audio Call, Developed Using WebSocket & WebRTC in MERN Stack.
live-chat,meet,mern-stack,mongodb,nodejs,pwa,react,sccs,social-media,socket-io
2023-06-13T13:02:52Z
2023-10-24T16:51:39Z
null
1
0
67
0
0
10
null
null
JavaScript
betagouv/sillon
main
# sillon This project can serve as a knowledge base and a guide in making decisions for the implementation of a digital product within a French administration (and beyond). It is neither sponsored by an administration nor by a beta.gouv incubator. It is currently an initiative aimed at addressing a perceived gap. _Only the technical part of Sillon is in English, while the rest is in French to facilitate adoption by the initial target audience. If you are looking for an English version, an automated translation through a plugin should generate something comprehensible._ ## How it has been written To facilite the collaboration on the first version we used a collaborative ".docx" and once we considered it as a first acceptable version we had to convert it to the Markdown format to be compatible with Docusaurus. For this we used `pandoc` and then we just splitted the result across multiple files depending on our document sections. Since then we rely on direct text contributions but keep in mind this process can be reuse in case you write multiple big sections. The command: ```sh pandoc -f docx -t gfm-raw_html --extract-media=./static/assets/docs sillon.docx --wrap=none -o "sillon.mdx" ``` Then a few hacks to apply in the `.mdx` output: - Give a size to images to avoid large ones - Replace code sections with appropriate Docusaurus blocks - Replace information sections with appropriate Docusaurus blocks - Split the single output file into multiple ones and manage their sidebar position - Adjust the `sidebars.js` file so the sidebar menu matches splitted files - Move images next to the files they are displayed into, and rename them meaningfully - Adapt relative links to target splitted files ## Technical setup of this repository ### Secrets The following ones must be repository secrets (not environment ones) to be used during the CI/CD: - `NETLIFY_AUTH_TOKEN`: [SECRET] - `NETLIFY_SITE_ID`: [SECRET] - `CRISP_WEBSITE_ID`: [SECRET] ### Hosting & domain The "documentation" build is static and we chose Netlify to host it. Just configure the 2 environments variables you can find from the Netlify interface and you're good to go! _Note: you can add a custom domain easily_ ### Crisp Crisp is used as a livechat to facilitate communication with people not used to GitHub issues. It makes us accessible and available to solve quick questions or discuss how to improve the guide. From their interface we create a website named: `sillon` Then upload as the icon the one used for the DSFR website (usually `apple-touch-icon.png` has enough quality). Into the `Chatbox & Email settings` section go to `Chat Appearance` and set: - Color theme (chatbot color): `Red` - Chatbox background (message texture): `Default (No background)` Then go to `Chatbox Security` and enable `Lock the chatbox to website domain (and subdomains)` (not need to enable it inside the development environment). ### PDF generation You need [Prince](https://www.princexml.com/) installed through your package manager and to have the built website running to execute: ```bash make generate-pdf ``` _(Ideally we wanted to use a Docker container directly but there is an ongoing issue with it https://github.com/signcl/docusaurus-prince-pdf/issues/34)_ ### IDE Since the most used IDE as of today is Visual Studio Code we decided to go we it. Using it as well will make you benefit from all the settings we set for this project. #### Formatting documents for compliance Legal documents are mainly written out of technical scope in a basic text editor, and they may be updated quite often. For each change you have to maintain some transformations and you probably don't want to scan in detail the documents again. Ideally you just want to redo all at once to be sure there will be no missing patch. To do so you can use `./format-legal-documents.sh` to transform the initial `.docx` files located within `./src/pages/**/*` into `index.md` files that Docusaurus will handle as pages: - No matter the name of the file it will convert it (though 1 per folder) - It allows to collaborate on Word-like software (mainly used by legal people) ## Contribute As explained this guide is a suggestion but lot of point of views exist. We are definitely open to discussions to improve it, just post an issue or contact us through the livechat module on the website.
A knowledge base and recommendations in the choices of implementation of a digital product within a French administration (but not only)
cicd,devops,dsfr,figma,french,guide,guidelines,javascript,nextjs,nodejs
2023-06-14T13:45:25Z
2024-05-03T10:15:27Z
null
18
10
90
2
6
10
null
MIT
TypeScript
linusg/ecmascript-wiki
main
# ECMAScript Wiki This is a collection of information and links intended to be useful to developers of ECMAScript engines and tooling. Pull requests are most welcome! :^) ## Engines | Logo | Name | Website | Source code | Implementation Language | License | Supported ES version | |------|------|---------|-------------|-------------------------|---------|----------------------| | | BESEN | | https://github.com/BeRo1985/besen | Object Pascal | LGPL-2.1 | ES5 | | <img width="32" src="https://boajs.dev/img/new_logo_yellow.svg"> | Boa | https://boajs.dev | https://github.com/boa-dev/boa | Rust | MIT | | | | ChakraCore | | https://github.com/chakra-core/ChakraCore | C++ | MIT | | | | Duktape | | https://github.com/svaarala/duktape | C | MIT | ES5.1, [ES6/7 (partial)](https://wiki.duktape.org/postes5features) | | | Elk | | https://github.com/cesanta/elk | C | AGPL-3 | subset of ES6 | | <img width="32" src="https://avatars.githubusercontent.com/u/51185628"> | engine262 | https://engine262.js.org | https://github.com/engine262/engine262 | JavaScript | MIT | ESNext | | | Escargot | | https://github.com/Samsung/escargot | C++ | LGPL-2.1 | ES2020 | | | Flathead | | https://github.com/ndreynolds/flathead | C | MIT | | | | goja | | https://github.com/dop251/goja | Go | MIT | ES5.1 | | | GraalJS (GraalVM JavaScript) | https://www.graalvm.org/dev/reference-manual/js/ | https://github.com/oracle/graaljs | Java | UPL-1.0 | ESNext | | <img width="32" src="https://raw.githubusercontent.com/facebook/hermes/main/doc/img/logo.svg"> | Hermes | | https://github.com/facebook/hermes | C++ | MIT | [ES6 with some exceptions](https://github.com/facebook/hermes/blob/main/doc/Features.md) | | | Higgs | | https://github.com/higgsjs/Higgs | D | | | | | iv | | https://github.com/constellation/iv | C++ | BSD-2-Clause | ES5.1 | | | JavaScriptCore | https://trac.webkit.org/wiki/JavaScriptCore | https://github.com/WebKit/WebKit/tree/main/Source/JavaScriptCore | C++, JavaScript | LGPL-2.1 | ESNext | | <img width="32" src="https://github.com/jerryscript-project/jerryscript/blob/master/LOGO.png"> | JerryScript | https://jerryscript.net | https://github.com/jerryscript-project/jerryscript | C | Apache-2.0 | ES5.1 | | | Jint | | https://github.com/sebastienros/jint | C# | BSD-2-Clause | ESNext | | | Js2Py | http://piter.io/projects/js2py | https://github.com/PiotrDabkowski/Js2Py | Python | MIT | ES5.1 | | | JS-Interpreter | | https://github.com/NeilFraser/JS-Interpreter | JavaScript | Apache-2.0 | | | <img width="32" src="https://files.kiesel.dev/img/kiesel-bg.png"> | Kiesel | https://kiesel.dev | https://codeberg.org/kiesel-js/kiesel | Zig | MIT | | | <img width="32" src="https://lh5.googleusercontent.com/J4azFveGFjfodaKPscuiL6AmtEp4TPYlmYwV1Rp09NrqH6KJZR73fmD_8XoH4uQpape7P8HxsmoRTOkAGNnSm0hFCWU_VyDydDgZ03rU0kMdySovQPoICI0beqfNlkC3NWNLv_A-zbvpPBVhyjljakhAww=s2048"> | LibJS | https://libjs.dev | https://github.com/SerenityOS/serenity/tree/master/Userland/Libraries/LibJS | C++ | BSD-2-Clause | ESNext | | | mJS | https://mongoose-os.com | https://github.com/cesanta/mjs | C | GPL-2 | subset of ES6 | | <img width="32" src="https://mujs.com/images/MuJS_logo_lr.png"> | MuJS | https://mujs.com | https://git.ghostscript.com/?p=mujs.git | C | ISC | ES5 | | | Nashorn | https://openjdk.org/projects/nashorn | https://github.com/openjdk/nashorn | Java | GPL-2.0 | subset of ES6 | | | njs | https://nginx.org/en/docs/njs/ | https://hg.nginx.org/njs | C | BSD-2-Clause | [ES5.1, ES6+ (partial)](https://nginx.org/en/docs/njs/compatibility.html) | | <img width="32" src="https://avatars.githubusercontent.com/u/108045716?s=32"> | Nova | | https://github.com/trynova/nova | Rust | | | | | Otto | | https://github.com/robertkrimen/otto | Go | MIT | ES5 | | <img width="32" src="https://raw.githubusercontent.com/CanadaHonk/porffor/main/logo.png"> | Porffor | https://porffor.goose.icu | https://github.com/CanadaHonk/porffor | JavaScript | MIT | | | | QtJsEngine/Qv4 | https://doc.qt.io/qt-6/qjsengine.html | https://code.qt.io/cgit/qt/qtdeclarative.git/tree/src/qml | C++ | LGPL | | | | QtScript | https://doc.qt.io/qt-5/qtscript-index.html | https://code.qt.io/cgit/qt/qtscript.git | C++ | LGPL | | | | QuickJS | https://bellard.org/quickjs/ | https://github.com/bellard/quickjs | C | MIT | ES2020 | | | Reeva | | https://github.com/ReevaJS/reeva | Kotlin | BSD-2-Clause | | | | Rhino | https://mozilla.github.io/rhino | https://github.com/mozilla/rhino | Java | MPL-2.0 | subset of ES6 | | <img width="32" src="https://raw.githubusercontent.com/mozilla-spidermonkey/spidermonkey.dev/production/assets/img/spidermonkey-small.svg"> | Spidermonkey | https://spidermonkey.dev | https://searchfox.org/mozilla-central/source/js | C++, Rust, JavaScript | MPL-2.0 | ESNext | | | Starlight | https://teletype.in/@starlight-js | https://github.com/Starlight-JS/starlight | Rust | MPL-2.0 | | | | tiny-js | | https://github.com/gfwilliams/tiny-js | C++ | MIT | | | ![image](https://v8.dev/_img/v8-outline.svg) | V8 | https://v8.dev | https://source.chromium.org/chromium/chromium/src/+/main:v8/ | C++, JavaScript | BSD | ESNext | | | XS (Moddable SDK) | https://www.moddable.com | https://github.com/Moddable-OpenSource/moddable | C | LGPL-3 | ES2021 | > **Note** > _ESNext_ indicates that the engine generally targets the latest ECMAScript standard without major exceptions. ### Installers - [esvu](https://github.com/devsnek/esvu) - esvu is your one-stop shop for all implementations of ECMAScript - [jsvu](https://github.com/GoogleChromeLabs/jsvu) - JavaScript (engine) Version Updater ### Wrappers - [eshost](https://github.com/bterlson/eshost) - A uniform wrapper around a multitude of ECMAScript hosts - [eshost-cli](https://github.com/bterlson/eshost-cli) - Run ECMAScript code uniformly across any ECMAScript host ## Specifications - [ECMA-262](https://tc39.es/ecma262) - ECMAScript Language Specification - [ECMA-402](https://tc39.es/ecma402) - ECMAScript Internationalization API Specification ## Testing ### Test Suites - [test262](https://github.com/tc39/test262) - Official ECMAScript Conformance Test Suite - [LibJS tests](https://github.com/SerenityOS/serenity/tree/master/Userland/Libraries/LibJS/Tests) - Tests developed for LibJS with a Jest-like framework ### Test Results - [test262.fyi](https://test262.fyi) - Daily runner of test262 for many engines - [test262.report](https://test262.report) - test262 results for various engines (defunct as of 2022-09) - [boajs.dev/boa/test262](https://boajs.dev/boa/test262) - test262 results for Boa - [libjs.dev/test262](https://libjs.dev/test262) - test262 results for LibJS (AST, bytecode, parser tests) ### Test Runners - [bterlson/test262-harness](https://github.com/bterlson/test262-harness) - Experimental harness for test262, uses eshost - [linusg/libjs-test262](https://github.com/linusg/libjs-test262) - test262 runner for LibJS - [LibJS `test-js`](https://github.com/SerenityOS/serenity/blob/master/Tests/LibJS/test-js.cpp) - Custom test runner for the LibJS tests ## Transpilers TODO: Babel, Sucrase, SWC ## Websites - [ECMAScript proposals](https://github.com/tc39/proposals) - [TC39](https://tc39.es) - Ecma TC39 committee standardizing ECMAScript - [WinterCG](https://wintercg.org) - Web-interoperable Runtimes Community Group
📄 Information and links related to ECMAScript engine/tooling development
documentation,ecmascript,javascript,js,wiki,ecma-262
2023-06-24T13:58:02Z
2024-05-20T21:36:40Z
null
5
6
31
0
3
10
null
Unlicense
null
zakarialaoui10/dir2tree
main
## Demo [Want to try !](https://replit.com/@zakariaelalaoui/dir2tree#generated.json) ## Install ![npm](https://img.shields.io/npm/v/dir2tree) ```bash npm install dir2tree ``` ## Import ### Common Js ```js const dir2tree=require("dir2tree") ``` ### Es Module ```js import dir2tree from dir2tree ``` ## Syntaxe ### Initialise ```js const MyTree=dir2tree(ROOT,OPTIONS,CALLBACKS) MyTree.write(Target,"generated_file.json") ``` #### Arguments - **`ROOT`** : The path to the root directory that we want handle. it's ***`required`*** - **`OPTIONS`** : An object containing various configuration options to control the behavior of the tree generation.it's ***`optional`*** , These options might include : - **`fileContent`** : (***Boolean***) - **`fileName`** : (***Boolean***) - **`fileExtension`** : (***Boolean***) - **`length`** : (***Boolean***) - **`size`** : (***Boolean***) - **`linesCount`** : (***Boolean***) - **`created`** : (***Boolean***) - **`lastModified`** : (***Boolean***) - **`skip`** : - **`folder`** : (***String[]***) - **`file`** : (***String[]***) - **`extension`** : (***String[]***) - **`sortBy`** : (***String***) , possible values : `"names"`,`"extension"`,`"size"`,`"lines"`,`"created"`,`"lastmodified"`, - **`order`** : (***Number***) - **`CALLBACKS`** : it's ***`optional`*** ### Methodes - **`.write(Target, filename)`** - **`.flat(depth, separator)`** ### Use It in your Github Repository Create a workflow file like the one below. .github/workflow/dir2tree.yml ```yml name: Generate Directory Tree using zakarialaoui10/dir2tree on: push: branches: - main jobs: build: permissions : contents : write runs-on: ubuntu-latest steps: - name: Checkout code uses: actions/checkout@v2 with: ref: ${{ github.head_ref }} - name: Generate Directory Tree uses: zakarialaoui10/dir2tree@main - name: Commit & Push run: | git config user.name github-actions git config user.email github-actions@github.com git add -A . git commit -m "generated by zakarialaoui10/dir2tree" git push env: CUSTOM_TOKEN: ${{ secrets.CUSTOM_TOKEN }} ``` ## License This projet is licensed under the terms of MIT License .<br> <img src="https://img.shields.io/github/license/zakarialaoui10/zikojs?color=rgb%2820%2C21%2C169%29"> <!-- jsdoc -->
a user-friendly Node.js tool for creating organized json tree from a root directory .
automation,github-actions,javascript,json,nodejs,tree-structure,morocco
2023-06-18T18:25:03Z
2024-05-22T19:02:27Z
2023-10-28T11:29:57Z
1
0
547
0
0
10
null
MIT
JavaScript
savindaJ/MyPortfolio
master
# 🧔 My-Portfolio Website 🧔 🎯 GitHub Page URL : https://savindaj.github.io/MyPortfolio/ <br> <br> 🗺 Site Map URL : https://www.gloomaps.com/n6ColxwtNA <br> <br> 🖼 Wire-frame URL : https://wireframe.cc/8C6S22 <br> <br> 🏝 Mock-up URL : https://www.figma.com/file/B8SB0Cbz6GFdMojEI3plPT/my-portfolio?type=design&node-id=0%3A1&mode=design&t=ZRLu3Duo1ArqomIB-1 *Technologies* * Html * CSS * JavaScript * Bootstrap * jQuery * Intellij Idea ![MyPortfolio ](https://github.com/savindaJ/MyPortfolio/assets/124574201/c5ff8f77-8420-42ef-91ee-00136f6a87ac) ## Authors - [savindaJ](https://github.com/savindaJ)
Portfolio web site !
css,html,javascript,jquery
2023-06-14T06:00:55Z
2023-12-23T04:32:58Z
null
1
0
454
0
0
10
null
null
HTML
theringsofsaturn/3D-sky-island-portfolio-threejs-react
master
[![wakatime](https://wakatime.com/badge/user/02c4c477-aaa4-4ea3-8e40-e36eaad16757/project/dad67fc4-0143-43ef-a959-5c0814117bd7.svg)](https://wakatime.com/badge/user/02c4c477-aaa4-4ea3-8e40-e36eaad16757/project/dad67fc4-0143-43ef-a959-5c0814117bd7) <img width="1665" alt="Screenshot 2023-07-10 at 5 42 12 PM" src="https://github.com/theringsofsaturn/3D-sky-island-portfolio/assets/60050952/f5391c54-3663-445e-98da-cd3ae7038da2"> <img width="1657" alt="Screenshot 2023-08-19 at 3 26 00 AM" src="https://github.com/theringsofsaturn/3D-sky-island-portfolio/assets/60050952/378869b6-d1ba-479c-a927-b0453f94591b"> <img width="1657" alt="Screenshot 2023-08-19 at 3 26 12 AM" src="https://github.com/theringsofsaturn/3D-sky-island-portfolio/assets/60050952/9940de98-7b8d-4b89-bdae-e6a6d5fa7601"> <img width="1716" alt="Screenshot 2024-01-10 at 4 54 08 PM" src="https://github.com/theringsofsaturn/3D-sky-island-portfolio/assets/60050952/c7abbcd7-9223-415f-be91-e19952ba093a"> <img width="1657" alt="Screenshot 2023-08-19 at 3 26 22 AM" src="https://github.com/theringsofsaturn/3D-sky-island-portfolio/assets/60050952/5c2e8069-14ea-478f-9cef-de6190fa8ceb">
Unleash your creativity by building an extraordinary 3D portfolio website using React Three Fiber! This isn't just a portfolio, it's an immersive experience! Whether you're new to 3D web programming or looking to take your skills to the next level, this tutorial has something for you. Dive into the code and learn how to create animations that resp
3d-portfolio,javascript,portfolio-website,react,reactjs,reactthreefiber
2023-06-11T02:09:16Z
2024-01-10T15:56:04Z
null
2
0
134
0
3
10
null
null
JavaScript
ViktorSvertoka/goit-react-hw-08-phonebook
main
Використовуй цей [шаблон React-проекту](https://github.com/goitacademy/react-homework-template#readme) як стартову точку своєї програми. # Критерії приймання - Створений репозиторій `goit-react-hw-08-phonebook` - При здачі домашньої роботи є посилання: на вихідні файли та робочу сторінку проекту на `GitHub Pages` - Під час запуску коду завдання в консолі відсутні помилки та попередження. - Для кожного компонента є окрема папка з файлом React-компонента та файлом стилів - Для компонентів описані `propTypes` ## Книга контактів Додай у програму «Книга контактів» можливість реєстрації, логіна та оновлення користувача, а також роботу з приватною колекцією контактів. ### Бекенд Для цього завдання є готовий бекенд. Ознайомся з документацією. Він підтримує всі необхідні операції з колекцією контактів, а також реєстрацію, логін та оновлення користувача за допомогою JWT. Використовуй його замість твого бекенда створеного через сервіс mockapi.io. ### Маршрутизація Додай маршрутизацію з бібліотекою React Router. У програмі має бути кілька сторінок: - `/register` – публічний маршрут реєстрації нового користувача з формою - `/login` – публічний маршрут логіна існуючого користувача з формою - `/contacts` – приватний маршрут для роботи з колекцією контактів користувача Додай компонент навігації `<Navigation>` з посиланнями для переходу по маршрутах. ### Меню користувача Створи компонент `<UserMenu>`, що відображає пошту користувача і кнопку виходу з облікового запису. Ось як може виглядати його розмітка. <div> <p>mango@mail.com</p> <button>Logout</button> </div> ### Стилізація Це фінальна версія програми, тому попрацюй над оформленням інтерфейсу. Можна використовувати бібліотеку стилізації або компонентів, наприклад [Chakra UI](https://chakra-ui.com/) або [Material-UI](https://material-ui.com/). --- npm install styled-components@5.3.10 import styled from 'styled-components'; --- npm i react-redux import { Provider } from 'react-redux' --- npm i redux-persist import { PersistGate } from 'redux-persist/es/integration/react' --- npm i @reduxjs/toolkit npm install redux npm install @redux-devtools/extension npm i axios --- URL https://connections-api.herokuapp.com/
Home task for React course📘
css3,gitignore,goit,goit-react-hw-08-phonebook,html5,javascript,jsconfig,npm-package,prettier,react
2023-06-26T22:27:43Z
2023-08-25T20:41:07Z
null
1
18
37
0
0
9
null
null
JavaScript
hafiz1379/KU-Computer-science-faculty
main
<a name="readme-top"></a> <div align="center"> <img src="./images/KU.jpg" alt="logo" width="140" height="auto" /> <br/> <h3><b>Kabul University (Computer Science faculty)</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 --> # 📖 Kabul University (Computer Science faculty) <a name="about-project"></a> > This is my Kabul University (Computer Science faculty) project! created it by using HTML, CSS and JavaScript. ## 🛠 Built With <a name="built-with"></a> 1- HTML 2- CSS 3- Linters 4- JavaScript ### Tech Stack <a name="tech-stack"></a> > <details> <summary>Client</summary> <ul> <li><a href="https://html.spec.whatwg.org/multipage//">HTML</a></li> <li><a href="https://www.w3.org/TR/CSS/#css/">CSS</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **Responsive** - **GitHub WorkFlow** - **Grid and Flexbox** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> > ### Prerequisites In order to run this project you need: 1. Web browser. 2. Code editor. 3. Git-smc. ### Setup Clone this repository to your desired folder: Run this command: ```sh cd my-folder git clone https://github.com/hafiz1379/sample-calculator.git ``` ### Install Install this project with: Run command: ```sh cd my-project npm install ``` ### Usage To run the project, execute the following command: Open index.html using live server extension. ### Run tests To run tests, run the following command: > Coming soon ### Deployment You can deploy this project using: > Coming soon <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> Hafizullah Rasa 👤 **Hafizullah Rasa** - GitHub: [@githubhandle](https://github.com/hafiz1379) - Twitter: [@twitterhandle](https://twitter.com/Hafizrasa1379?s=35) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/hafizullah-rasa-8436a1257/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - Responsive Design: The calculator is designed to be responsive, adapting to different screen sizes and devices. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project just give it a star. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> <p align="right">(<a href="#readme-top">back to top</a>)</p> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The "KU Computer Science Faculty" project is a web app built with HTML, CSS, and JavaScript. It simplifies communication, resource access, and announcements for students, instructors, and staff within the university's Computer Science Faculty.
css,html5,javascript
2023-06-09T09:44:01Z
2023-06-26T16:27:01Z
null
1
1
116
0
0
9
null
MIT
HTML
bohaz/Leaderboard
develop
<a name="readme-top"></a> <div align="center"> <h3><b>Leaderboard</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) # 📖 Leaderboard <a name="about-project"></a> **Leaderboard** Is a personal priject that alows users to add and remove scores! ## 🛠 Built With <a name="built-with"></a> HTML5, CSS3, JavaScript, Git and Github ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://lenguajehtml.com/html/">HTML5</a></li> <li><a href="https://lenguajecss.com/">CSS3</a></li> </ul> </details> <details> <summary>Server</summary> <ul> <li><a href="https://code.visualstudio.com/">Visual Studio Code</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **[Best organization]** - **[Professional documentation]** - **[Clean Working]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](bohaz.github.io/Leaderboard/dist/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - Visual Studio Code installed - Npm installed - A Github account - Git installed ### Setup Clone this repository to your desired folder: cd my-folder git clone https://github.com/bohaz/Leaderboard.git ### Install Install this project with: -Install Node Modules npm install ### Usage To run this project, execute the following command: -Start the development server npm start ### Run tests To run tests, run the following commands: -HTML linter errors run: npx hint . -CSS linter errors run: npx stylelint "**/*.{css,scss}" ### Deployment You can deploy this project using: -Github <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Ricardo Martínez** - GitHub: [@bohaz](https://github.com/bohaz) - Twitter: [@Ricardo29115571](https://twitter.com/Ricardo29115571) - LinkedIn: [Ricardo Martinez](https://www.linkedin.com/in/ricardomart%C3%ADnez%E2%88%B4/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Functionality** - [ ] **Content** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project let me know with a STAR! <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thaks Microverse for giving me the oportunity to build projects like this. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Leaderboard Is a personal priject that alows users to add and remove scores!
css,javascript,webpack
2023-06-27T00:15:31Z
2023-09-08T16:45:20Z
null
1
3
17
0
0
9
null
MIT
JavaScript
shrikant-kushwah/responsive-portfolio-website
main
null
responsive-portfolio-website Project for CodeClause
codeclause,codeclause-task,css,dynamic,html,javascript,portfolio-website,responsive,responsive-portfolio-website
2023-06-29T02:51:55Z
2023-06-29T02:54:13Z
null
1
0
1
0
3
9
null
null
HTML
JoaoRoccella/tabela-html5
main
# Desafio de tabelas 1. Crie uma tabela contendo os seguintes campos (com pelo menos 5 linhas): - ID do funcionário - Nome do funcionário - Cargo - Empresa - Email - Possui crachá? 2. A tabela deve ter estar semanticamente de acordo com o HTML5 e conter cabeçalho, corpo e rodapé (total da quantidade de funcionários). 3. Estilize a tabela para que apresente de forma legível e organizada as informações.
Exemplos de tabelas com HTML5
css3,html5,javascript
2023-06-20T01:48:46Z
2023-06-20T17:25:12Z
null
1
4
15
0
1
9
null
null
HTML
Prashant0664/Blog-website
master
# Blogging Website *For **Hacktoberfest** please refer [Contributing.md](https://github.com/Prashant0664/Blog-website/blob/master/CONTRIBUTING.md)* <br/> ## Table of Contents - [Introduction](#introduction) - [Demo](#demo) - [Features](#features) - [Technologies Used](#technologies-used) - [Getting Started](#getting-started) - [Prerequisites](#prerequisites) - [Installation](#installation) - [Usage](#usage) - [Contributing](#contributing) - [License](#license) --- ## Introduction Welcome to the Blogging Website project! This is a web application built using the MERN (MongoDB, Express.js, React.js, Node.js) stack. It allows users to create and manage their blogs, post projects, follow other users, comment on blogs, save content, bookmark blogs, and more. The application also includes features such as email verification for user registration and Redux for state management. --- ## Demo https://github.com/Prashant0664/Blog-website/assets/98750053/d762e07b-2282-4a9e-9dde-30f5a322c6a1 --- ## Features Here are some of the key features of this Blogging Website: 🔥 **User Authentication and Profiles:** Users can create and manage their profiles, with email verification for account security. 🔥 **Blogging:** Users can create and publish their blogs with rich text formatting. 🔥 **Project Posting:** Users can share and showcase their projects on their profile. 🔥 **Social Features:** Users can follow other users, comment on blogs, and save/bookmark content they like. 🔥 **Responsive Design:** The website is designed to work seamlessly on various screen sizes and devices. 🔥 **Secure:** The application follows best practices for security, including password hashing and user authentication. 🔥 **Content Management:** Users can easily edit, delete, or download their own posts. --- ## Technologies Used The Blogging Website is built using the following technologies: - **MERN Stack:** <br/> 💫 MongoDB: A NoSQL database used to store user data, blogs, and other application data. <br/> 💫 Express.js: A Node.js web application framework used for building the server.<br/> 💫 React.js: A JavaScript library for building the user interface.<br/> 💫 Node.js: A JavaScript runtime used for server-side code execution.<br/> - **Additional Technologies:**<br/> 💫 Redux: Used for state management within the React application.<br/> 💫 Nodemailer: Used for email verification and sending email notifications.<br/> --- ## Getting Started To set up this project locally, follow the instructions below. ### Prerequisites Before you begin, make sure you have the following installed on your system: - Node.js and npm (Node Package Manager) - Git ### Installation (Request: **Please Star⭐️ the Repo or follow [github](https://github.com/Prashant0664/) if you find this project interesting😁!** <br/>) 1. Clone this GitHub repository to your local machine: ``` git clone https://github.com/prashant0664/blog-website.git ``` 2. Change into the project directory: ``` cd blog-website ``` 3. Install the backend dependencies: ``` cd backend npm install ``` 4. Install the frontend dependencies: ``` cd ../client npm install ``` 5. Set up your MongoDB database and configure the connection details in the backend's `.env` file. 6. Start the backend server: ``` cd ../backend npm start ``` 7. Start the frontend development server: ``` cd ../client npm start ``` 8. Open your web browser and navigate to `http://localhost:3000` to access the Blogging Website. --- ## Usage You can now use the Blogging Website to create, share, and discover blogs, projects, and more. Register an account, verify your email, and start enjoying the features of the application. --- ## Contributing **Please Star⭐️ the Repo or follow [github](https://github.com/Prashant0664/) if you find this project interesting😁!** <br/> Contributions to this project are welcome! If you'd like to contribute, 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 with clear and descriptive commit messages. (Installation and Setup has been Explained in [Getting-Started](#getting-started) ) 4. Push your changes to your fork. 5. Submit a pull request to the main repository. <br/> --- ## License This project is licensed under the MIT License. See the [LICENSE](LICENSE) file for details. --- ### *Notes: For any doubt or question you can open an issue. I will reply ASAP.* Thank you for using and contributing to the Blogging Website project! If you have any questions or need assistance, please don't hesitate to reach out to the maintainers.
A Blogging website created using MERN(MongoDB, ExpressJS, ReactJs, NodeJS)
advance-project,article-writing,blog,blog-website,blogging,blogging-website,expressjs,firebase,javascript,mern-project
2023-06-22T12:38:54Z
2024-01-14T10:38:24Z
null
2
7
43
1
11
9
null
null
JavaScript
We-Gold/gpxjs
main
![GitHub package.json version (branch)](https://img.shields.io/github/package-json/v/We-Gold/gpxjs/main?label=npm%20version&color=green&link=https%3A%2F%2Fwww.npmjs.com%2Fpackage%2F@we-gold/gpxjs) ![npm bundle size](https://img.shields.io/bundlephobia/min/@we-gold/gpxjs?color=green) [![contributions welcome](https://img.shields.io/badge/contributions-welcome-brightgreen.svg?style=flat)](https://github.com/We-Gold/gpxjs/issues) ![ViewCount](https://views.whatilearened.today/views/github/We-Gold/gpxjs.svg) [![License: MIT](https://img.shields.io/badge/License-MIT-green.svg)](https://opensource.org/licenses/MIT) ![NPM Downloads](https://img.shields.io/npm/dw/@we-gold/gpxjs) # GPX.JS Based on [GPXParser.js](https://github.com/Luuka/GPXParser.js), which has been unmaintained, this updated library is intended to bring modern JavaScript features to GPX parsing, including extensions in tracks and fully featured typescript support. _I'm also open to any improvements or suggestions with the library, so feel free to leave an issue ([Contributing](#contribution))._ ## GPX Schema The schema for GPX, a commonly used gps tracking format, can be found here: [GPX 1.1](https://www.topografix.com/gpx.asp). See [Documentation](#documentation) for more details on how GPX data is represented by the library. # Usage **This library does include support for non-browser execution.** Right now, to use this in Node.js without a browser or in something like React Native, use [`xmldom-qsa`](https://www.npmjs.com/package/xmldom-qsa) instead. See instructions below on [how to use a custom DOM parser](#using-a-custom-dom-parser). ### Install using NPM `npm i @we-gold/gpxjs` Then, import the `parseGPX` method: ```js import { parseGPX } from "@we-gold/gpxjs" const [parsedFile, error] = parseGPX(myXMLGPXString) // Or use a try catch to verify if (error) throw error const geojson = parsedFile.toGeoJSON() ``` ### Include JavaScript File In an HTML document: ```html <script src="./src/gpxjs.js"></script> <script type="module"> import { parseGPX } from "@we-gold/gpxjs" const [parsedFile, error] = parseGPX(myXMLGPXString) // Or use a try catch to verify if (error) throw error const geojson = parsedFile.toGeoJSON() </script> ``` ### Fetching a GPX File While this feature isn't included, it is fairly simple to fetch a GPX file and format it as a string. ```js import { parseGPX } from "@we-gold/gpxjs" fetch("./somefile.gpx") .then((response) => { if (!response.ok) { throw new Error("Failed to fetch the file") } return response.text() }) .then((data) => { const [parsedFile, error] = parseGPX(data) // Or use a try catch to verify if (error) throw error const geojson = parsedFile.toGeoJSON() }) ``` ### Use the Parsed GPX ```js const totalDistance = gpx.tracks[0].distance.total const extensions = gpx.tracks[1].extensions ``` ### Export to GeoJSON ```js const geoJSON = parsedGPX.toGeoJSON() ``` ### Using a Custom DOM Parser If working in an environment where a custom DOM Parser is required, you can include it like so: _Note, this is significantly slower than using the browser parser._ ```js import { parseGPXWithCustomParser } from "@we-gold/gpxjs" import { DOMParser } from "xmldom-qsa" const customParseMethod = (txt: string): Document | null => { return new DOMParser().parseFromString(txt, "text/xml") } const [parsedFile, error] = parseGPXWithCustomParser( myXMLGPXString, customParseMethod ) ``` # Contribution If you are having an issue and aren't sure how to resolve it, feel free to leave an issue. If you do know how to fix it, please leave a PR, as I cannot guarantee how soon I can address the issue myself. I do try to be responsive to PRs though, so if you leave one I'll try to get it merged asap. Also, there are some basic tests built in to the library, so please test your code before you try to get it merged (_just to make sure everything is backwards compatible_). Use `npm run test` to do this. # Documentation These descriptions are adapted from [GPXParser.js](https://github.com/Luuka/GPXParser.js), with minor modifications. For specific type definition, see [types.ts](./lib/types.ts). | Property | Type | Description | | --------- | ------------------ | ----------------------------------- | | xml | XML Document | XML Document parsed from GPX string | | metadata | Metadata object | File metadata | | waypoints | Array of Waypoints | Array of waypoints | | tracks | Array of Tracks | Array of waypoints of tracks | | routes | Array of Routes | Array of waypoints of routes | ## Metadata | Property | Type | Description | | ----------- | ----------- | ------------- | | name | String | File name | | description | String | Description | | link | Link object | Web address | | author | Float | Author object | | time | String | Time | ## Waypoint | Property | Type | Description | | ----------- | ------ | ----------------- | | name | String | Point name | | comment | String | Comment | | description | String | Point description | | latitude | Float | Point latitute | | longitude | Float | Point longitude | | elevation | Float | Point elevation | | time | Date | Point time | ## Track | Property | Type | Description | | ----------- | ---------------- | ------------------------------------- | | name | String | Point name | | comment | String | Comment | | description | String | Point description | | src | String | Source device | | number | String | Track identifier | | link | String | Link to a web address | | type | String | Track type | | points | Array | Array of Points | | distance | Distance Object | Distance information about the Route | | elevation | Elevation Object | Elevation information about the Route | | slopes | Float Array | Slope of each sub-segment | ## Route | Property | Type | Description | | ----------- | ---------------- | ------------------------------------- | | name | String | Point name | | comment | String | Comment | | description | String | Point description | | src | String | Source device | | number | String | Track identifier | | link | String | Link to a web address | | type | String | Route type | | points | Array | Array of Points | | distance | Distance Object | Distance information about the Route | | elevation | Elevation Object | Elevation information about the Route | | slopes | Float Array | Slope of each sub-segment | ## Point | Property | Type | Description | | --------- | ----- | --------------- | | latitude | Float | Point latitute | | longitude | Float | Point longitude | | elevation | Float | Point elevation | | time | Date | Point time | ## Distance | Property | Type | Description | | ---------- | ----- | ---------------------------------------------------- | | total | Float | Total distance of the Route/Track | | cumulative | Float | Cumulative distance at each point of the Route/Track | ## Elevation | Property | Type | Description | | -------- | ----- | ----------------------------- | | maximum | Float | Maximum elevation | | minimum | Float | Minimum elevation | | positive | Float | Positive elevation difference | | negative | Float | Negative elevation difference | | average | Float | Average elevation | ## Author | Property | Type | Description | | -------- | ------------ | --------------------------- | | name | String | Author name | | email | Email object | Email address of the author | | link | Link object | Web address | ## Email | Property | Type | Description | | -------- | ------ | ------------ | | id | String | Email id | | domain | String | Email domain | ## Link | Property | Type | Description | | -------- | ------ | ----------- | | href | String | Web address | | text | String | Link text | | type | String | Link type |
gpx.js is a modern library for parsing GPX files and converting them to GeoJSON.
geojson,geolocation,gpx,javascript,typescript,apple-watch
2023-06-20T23:03:16Z
2024-05-13T19:07:37Z
2024-05-11T12:24:32Z
3
3
32
0
2
9
null
MIT
TypeScript
MathiasWP/svelte-p5js
main
# svelte-p5js (still under early development) A svelte wrapper for the [p5.js](https://p5js.org/) library. ``` npm install svelte-p5js ``` All props and variables are an exact copy of the names used in the [reference for the p5js library](https://p5js.org/reference/). <br /> ## Alternatives - https://github.com/tonyketcham/p5-svelte ## Currently spported components Components used to simplify the p5.js API. ### Rendering - `<Canvas />` (createCanvas) ### Structure - `<Draw />` - `<Setup />` - `<Sketch />` - `<P5 />` ### Setting - `<Background />` - `<Clear />` - `<Erase />` - `<NoErase />` - `<Fill />` - `<NoFill />` - `<Stroke />` - `<NoStroke />` ### Shape - `<Circle />` - `<Ellipse />` ## Currently supported events (available on the `<P5 />` component) All events provide the current instance via `event.detail.instance`. ### Acceleration events - `on:setMoveThreshold` - `on:setShakeThreshold` - `on:deviceMoved` - `on:deviceTurned` - `on:deviceShaken` ### Keyboard events - `on:keyPressed` - `on:keyReleased` - `on:keyTyped` - `on:keyIsDown` ### Mouse events - `on:mousePressed` - `on:mouseMoved` - `on:mouseDragged` - `on:mousePressed` - `on:mouseReleased` - `on:mouseClicked` - `on:doubleClicked` - `on:mouseWheel` - `on:requestPointerLock` - `on:exitPointerLock` ### Touch events - `on:touchStarted` - `on:touchMoved` - `on:touchEnded` ## Currently supported constants (available on the `<P5 />` component) ### Keyboard constants - `keyIsPressed` - `key` - `keyCode` ### Mouse constants - `movedX` - `movedY` - `mouseX` - `mouseY` - `pmouseX` - `pmouseY` - `winMouseX` - `winMouseY` - `pwinMouseX` - `pwinMouseY` - `mouseButton` - `mouseIsPressed` ## Example usage The P5 component is the only required component. It sets up a p5 instance and must be the parent of all other components. ```svelte <script> import { P5, Setup, Canvas, Draw, Background, Fill, Circle, Ellipse } from 'svelte-p5js'; let x = 0; let y = 0; let d = 10; let mouseIsPressed; $: console.log('Mouse is pressed?', mouseIsPressed); // Bind the current instance of the P5 component to a variable // and get access to the whole API let p5; </script> <P5 bind:p5 setup={() => console.log('I was fired during setup')} draw={(p5) => { x++; y++; d += 0.3; // Get access to the whole p5js api via the first // and only "instance" parameter p5.mousePressed = () => { p5.noLoop(); }; }} bind:mouseIsPressed on:mouseReleased={(event) => { // Get access to the current instance via the event const instance = event.detail.instance; p5.loop(); }} > <Setup> <Canvas w={500} h={500} /> </Setup> <Draw> <Background v1={105} v2={140} v3={99} /> <Fill color="pink" /> <Circle {x} {y} {d} /> <Fill v1={205} v2={40} v3={99} /> <Ellipse {x} {y} w={20} h={20} /> </Draw> </P5> ``` ## Run locally 1. `npm install` 2. `npm run dev` 3. Use the `src/routes/+page.svelte` as a playground
A svelte wrapper for the p5.js library
javascript,p5js,svelte
2023-06-25T22:22:13Z
2023-07-02T16:19:56Z
null
1
0
12
0
1
9
null
MIT
Svelte
anand-harsh/Edumi
master
# Edumi: Transforming Education with Innovation Edumi is a pioneering platform meticulously crafted to redefine the landscape of classroom creation and management for educators. Within this platform, a cutting-edge environment is curated, providing educators with the tools to tailor their teaching experiences to align with their distinctive styles and specific requirements. Through a sophisticated array of features facilitating seamless content upload, real-time communication, and the establishment of personalized classrooms, Edumi empowers educators, ultimately elevating the overall quality of education for both teachers and students. Your journey with Edumi promises an immersive and dynamic experience, fostering an environment where education transcends traditional boundaries. We invite you to explore and embrace the possibilities that Edumi unfolds in the pursuit of educational excellence. Thank you for choosing Edumi, where innovation meets education. ## Local Deployment for Backend To deploy this project run ``` cd Edumi ``` ``` npm i ``` ``` npm start ``` ## Local Deployment for Frontend To deploy this project run ``` cd Edumi ``` ``` cd client ``` ``` npm i ``` ``` npm start ``` ## Video for local installation ## [Local Installation Video](https://drive.google.com/file/d/1ak74fMtOAKvC0-1idiF1LOwos8YOFrGF/view?usp=sharing) ## Contributors <a href="https://github.com/anand-harsh/Edumi/graphs/contributors"> <img src="https://contrib.rocks/image?repo=anand-harsh/Edumi&max=400&columns=20" /> <img src="https://us-central1-tooljet-hub.cloudfunctions.net/github" width="0" height="0" /> </a> ## Contributing Contributions are always welcome! See `CONTRIBUTION.md` for ways to get started. ## Authors || Maintainers - [Harsh Anand](https://www.github.com/anand-harsh)
Edumi, Place to learn and grow skills with proper maintenance
algorithms,chakra-ui,chatjs,javascript,learning,mongodb,nodejs,reactjs,css,html
2023-06-11T18:31:49Z
2024-02-25T18:16:28Z
null
23
73
169
11
29
9
null
null
JavaScript
TheMIU/Notes
main
# Notes ### Software Engineering notes in සිංහල Visit site 🔗 https://themiu.github.io/Notes * Java * DBMS * Javascript * HTML * CSS * Networking * Spring * DSA (Data Structures & Algorithms) * TypeScript * React
Sinhala SE Notes
css,html,java,javascript,note,notes,sinhala,software-architecture,software-development,software-engineering
2023-06-18T17:13:32Z
2024-04-28T09:48:35Z
null
1
0
64
0
0
9
null
MIT
HTML
MastooraTurkmen/Password-Generator
main
# Password-Generator 🔑 🗝 https://password-generator-my-site.netlify.app/ A great password generator app with help you to get random passwords. Click the ***Generate Passwords*** button and get lots of random words. And these words will display to two side in bottom. ----- #### Screenshots 📸 1. ***Mobile Screenshots***📱 ![Mobile](./images/mobile.png) ![Mobile-1](./images/mobile-1.png) 2. ***Desktop Screenshots*** 💻 ![Desktop](./images/desktop.png) ## Languages and Tools are used 🛠 🗣️ 1. **Languages** 🗣️ + [HTML](https://github.com/topics/html) + [HTML5](https://github.com/topics/html5) + [CSS](https://github.com/topics/css) + [CSS3](https://github.com/topics/css3) + [JavaScript](https://github.com/topics/javascript) 2. **Tools** 🔧 + [Chrome](https://github.com/topics/chrome) + [VSCode](https://github.com/topics/vscode) + [Figma](https://github.com/topics/figma) + [Netlify](https://github.com/topics/netlify) ----- ## For cloning the project 🪛 ``` # Clone this repository $ git clone https://github.com/MastooraTurkmen/Password-Generator.git # Go inside the repository $ cd Password-Generator ``` ## Deployment 📥 1. How to deploy our project to the Netlify site? 2. I use [Netlify App](https://app.netlify.com/) for deploying my projects. 4. From there select **_Deploy with Github_**. ![Netlify-image](./netlify-images/netlify.png) 5. Then write your project name and select it. 6. After selecting here you can see that the project **_Review configuration for Password-Generator_** and then select the **_Deploy Password-Generator_** Button. ![Netlify-image](./netlify-images/netlify-1.png) ![Netlify-image](./netlify-images/netlify-2.png) 7. Now your project is Live. ![Netlify-image](./netlify-images/netlify-3.png) ![Netlify-image](./netlify-images/netlify-4.png) ------ ## Author 👩🏻‍💻 **Mastoora Turkmen** [LinkedIn](https://www.linkedin.com/in/mastoora-turkmen/) <br> [Github](https://github.com/MastooraTurkmen/) <br> [Twitter](https://twitter.com/MastooraJ22) <br>
Get lots of random passwords
chrome,css,css3,html,html5,javascript,netlify
2023-06-19T04:05:54Z
2023-12-14T04:39:30Z
null
1
0
105
0
0
9
null
null
CSS
NitBravoA92/leaderboard-api
develop
<a name="readme-top"></a> <div align="center"> <br/> <h1><b>Leaderboard App</b></h1> </div> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [Leaderboard App ](#leaderboard-app-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) # Leaderboard App <a name="about-project"></a> **Leaderboard App:** This project consists of creating a single page application with HTML, CSS and Javascript that allows to register and list the score of different players in different games, using the Leaderboard API to access and preserve the data. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://webhint.io/">Webhint.io</a></li> <li><a href="https://stylelint.io/">Stylelint.io</a></li> <li><a href="https://eslint.org/">ESlint.org</a></li> <li><a href="https://nodejs.org">Node.js</a></li> <li><a href="https://webpack.js.org">Webpack</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **Minimalist Design** - **Responsive design** - **Use of semantic HTML** - **source code packaged with Webpack** - **Dynamic content with Javascript** <p align="right">(<a href="#readme-top">back to top</a>)</p> ### 🚀 Live Demo <a name="live-demo"></a> To see the application working live, you can click on the following link that contains the demo version: - [Leaderboard Webapp - Live Demo](https://nitbravoa92.github.io/leaderboard-api/) <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. ### Setup Clone this repository to your desired folder: ```sh cd my-folder-name git clone git@github.com:NitBravoA92/leaderboard-api.git ``` ### Prerequisites In order to install, modify and run this project, it is necessary to have the following applications installed: - **Git:** to manage the project versions of source code. [You can Download Git here](https://git-scm.com/) - **Nodejs and NPM:** to install and manage the project dependencies. [Nodejs and NPM installation guide](https://docs.npmjs.com/downloading-and-installing-node-js-and-npm) - **A code editor** like Visual Studio Code (Recommended) or any other of your preference. It is necessary to open the project and add or modify the source code. [You can Download Visual Studio Code here](https://code.visualstudio.com/) It is also important to have at least basic knowledge about webpack tool, HTML, CSS and Javascript languages so you will be able to understand and work with the html and css code of the project. - [Learn the basics of HTML](https://developer.mozilla.org/en-US/docs/Web/HTML) - [Learn the basics of CSS](https://developer.mozilla.org/en-US/docs/Web/CSS) - [JavaScript basics](https://developer.mozilla.org/en-US/docs/Learn/Getting_started_with_the_web/JavaScript_basics) - [Javascript Arrays](https://developer.mozilla.org/es/docs/Web/JavaScript/Reference/Global_Objects/Array) - [Javascript Objects](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object) - [JavaScript modules](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Modules) - [Webpack - Getting Started](https://webpack.js.org/guides/getting-started/) ### Install Install this project by running the next command into your project folder: ```sh npm install ``` All the packages and libraries necessary for the project to work will be installed in a folder called /node_module ### Usage Run the following command to start the application on a development server: ```sh npm start ``` You only need to run this command once. If you keep making changes to the files, the installed webpack server will reload the page so you can see the changes immediately. Open the HTML, CSS or Javascript files and modify the internal code, then run the following command to check if your code has any syntax, indentation or spacing errors: HTML Linter ```sh npx hint . ``` CSS Linter ```sh npx stylelint "**/*.{css,scss}" ``` Javascript Linter ```sh npx eslint . ``` This will show you a log with details about errors (if any) and changes that would be necessary to solve those errors and improve the code. **Note**: Please only modify the HTML, CSS and Javascript files. Do not modify the configuration files of the project. When all the code changes are ready, run the following command to have webpack generate the bundle files in your ./dist folder. Those files are optimized for use in production. ```sh npm run build ``` ## 👥 Authors <a name="authors"></a> 👤 **Nitcelis Bravo** - GitHub: [Nitcelis Bravo](https://github.com/NitBravoA92) - Twitter: [@softwareDevOne](https://twitter.com/softwareDevOne) - LinkedIn: [Nitcelis Bravo Alcala](https://www.linkedin.com/in/nitcelis-bravo-alcala-b65340158) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [x] **Create two sections with HTML to submit and display players' score** - [x] **Make Leaderboard API call and get for list of scores** - [x] **Make Leaderboard API call to add a new score** - [x] **Add the final CSS styles to give it a more attractive design** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, suggestions and feature requests are welcome! Feel free to check the [issues page](../../issues/). To do Contributions, please fork this repository, create a new branch and then create a Pull Request from your branch. You can find detailed description of this process in: [A Step by Step Guide to Making Your First GitHub Contribution by Brandon Morelli](https://codeburst.io/a-step-by-step-guide-to-making-your-first-github-contribution-5302260a2940) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you liked this project, give me a "Star" (clicking the star button at the beginning of this page), share this repo with your developer community or make your contributions. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank my Microverse teammates for their support. They have supported me a lot in carrying out this project, giving me suggestions, good advice and solving my code doubts. ## 📝 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 consists of creating a single page application with HTML, CSS and Javascript that allows to register and list the score of different players in different games, using the Leaderboard API to access and preserve the data.
api-rest,css3,ecmascript6,html5,javascript,webpack
2023-06-20T15:57:52Z
2023-07-28T20:46:51Z
null
1
4
43
0
0
9
null
MIT
JavaScript
iFrosta/crypto_OKX-whitelist
main
![icon](./icon.png) ## by [@ifrosta](https://github.com/iFrosta) ### Join [Telegram](https://t.me/onchainsoft) ### Donate: ❤️ ``0xbB86A17094a1D03eF12418F63C9e0dd28BC511e1`` # How to use 1. Open [https://okx.com/balance/withdrawal-address](https://okx.com/balance/withdrawal-address) 1. Open the dev tools. (Ctrl + Shift + I) 2. Press Ctrl + Shift + R (prevent debugger pause) 2. Press on 'Add in batches' 3. Select the withdrawal network 5. Paste the script 6. [Fill](#-how-to-fill-wallets) the wallets with your wallets 7. (Optional) Script will get labels automatically Modify ``t`` and ``o`` if necessary 8. Press enter to run the script 9. Enjoy! ☺️ The script will tick the checkboxes and fill wallets.<br> If there are more fields than wallets, script will remove unnecessary fields. # How to fill wallets ``` JavaScript let wallets = ' 0xbB86A17094a1D03eF12418F63C9e0dd28BC511e1 wallet-1 0xbB86A17094a1D03eF12418F63C9e0dd28BC511e1 2 test wallet 0xbB86A17094a1D03eF12418F63C9e0dd28BC511e1 ... ' ``` ``` JavaScript let wallets=` `, inputAddress="Address/domain", inputLabel="e.g. my wallet", run=async()=>{console.clear(),console.log(author()),DEBUG&&console.log("DEBUG MODE");let e=getWallets(!0);e=e.slice(0,20),DEBUG&&console.log("Wallets:",e),""===inputAddress&&""===inputLabel&&getLabels(),await checkBoxForClick(FORM_CHECKBOX_SELECTOR);let t=countInputs();t!==e.length&&(t<e.length?await addInputs(e):await removeInputs(e)),await fillWallets(e),await setupDialogButtonListener(e),colorMsg("If everything is OK, press 'Save'","background-color: yellow; color: purple; font-size: 18px;")};const FORM_ADDRESS_LIST_SELECTOR=".balance_okui-form-vertical",TABLE_CONTENT_SELECTOR=".balance_okui-table-content",FORM_ITEM_SELECTOR=".balance_okui-table-row",FORM_ITEM_MD_SELECTOR=".balance_okui-input-md",FORM_CHECKBOX_SELECTOR=".balance_okui-checkbox",INPUT_BOX_SELECTOR=".balance_okui-input-box",INPUT_ADDRESS_SELECTOR=".balance_okui-input-input",INPUT_LABEL_SELECTOR=".balance_okui-input-input",INPUT_ERROR_SELECTOR=".balance_okui-form-item-control-explain-error",BUTTON_ADD_ADDRESS_SELECTOR=".balance_okui,balance_okui-btn,btn-md,btn-outline-secondary",BUTTON_DELETE_ADDRESS_SELECTOR=".icon.iconfont.okds-trash.trash",BUTTON_SAVE_SELECTOR_FIND=".balance_okui,balance_okui-btn,btn-md,btn-fill-highlight",OKX_TEXT_ADDRESS_DUPLICATE_ERROR="This address has already been saved, delete to save again as your chosen type";let BUTTON_SAVE_EL=null;const DEBUG=!1;let RESULT=!1,DUPLICATES=[];function colorMsg(e,t){console.log(`%c${e}`,t)}async function setupDialogButtonListener(e){let t=document.querySelectorAll(".balance_okui,balance_okui-btn,btn-md,btn-fill-highlight"),l=async()=>{DEBUG&&console.log("Save clicked"),await timeout(1200),await savedWalletsHandler(e)},a=Array.from(t).reverse();for(let n of a){let o=n.querySelector("span.btn-content");if(o&&"Save addresses"===o.textContent.trim()){BUTTON_SAVE_EL=n,n.addEventListener("click",l);break}}}async function triggerSave(){let e=BUTTON_SAVE_EL.parentElement;e.click()}async function fillWallets(e){for(let[t,l]of e.entries())console.log(`${parseInt(t+1,10).toString().padEnd(2)} wallet: ${l.address} ${l.label?`label: ${l.label}`:""}`),setInputValue(`${INPUT_ADDRESS_SELECTOR}[placeholder="${inputAddress}"]`,l.index?l.index:t,l.address),l.label&&(await timeout(150),setInputValue(`${INPUT_ADDRESS_SELECTOR}[placeholder="${inputLabel}"]`,l.index?l.index:t,l.label)),await timeout(150)}function setInputValue(e,t,l){let a=document.querySelectorAll(e)[t];DEBUG&&console.log("address",l,"Input",a),a&&(a.setAttribute("value",l),a.dispatchEvent(new Event("input",{bubbles:!0})))}function countTableRows(){let e=document.querySelector(".balance_okui-table-content");DEBUG&&!e&&console.log("NO TABLE FOUND",e);let t=e.querySelectorAll("tr");return DEBUG&&console.log("Rows count:",t.length),t.length-1}async function addInputs(e){console.log(`Adding ${e.length-1} inputs..`);let t=await getAddBtn();for(let l=1;l<e.length;l++){t.click();let a=countTableRows();if(a>=e.length)return;a!==l&&(await timeout(500),t.click()),await timeout(500)}}async function removeInputs(e){let t=document.querySelectorAll(BUTTON_DELETE_ADDRESS_SELECTOR);for(console.log("Removing inputs");t.length!==e.length;){if(t.length>1){let l=t[t.length-1];l.click()}await timeout(100),t=document.querySelectorAll(BUTTON_DELETE_ADDRESS_SELECTOR)}}async function savedWalletsHandler(e){let t=getWallets(),l=await getDuplicatedWallets()||[];if(l.length){colorMsg("Please wait while doing post check..","background-color: yellow; color: purple; font-size: 18px;");let a=[],n=t.reduce((t,n,o)=>(l.includes(n.address)?a.push(o):e.includes(n.address)||DUPLICATES.includes(n.address)||t.push({...n,index:t.length}),t),[]);l.length&&DUPLICATES.push(...l.flat()),DEBUG&&(console.log("Duplicated Wallets:",l.length,l),console.log("Rest of Wallets:",n.length,n),console.log("DUPLICATES",DUPLICATES));let o=n.filter(e=>!DUPLICATES.includes(e.address));if(DUPLICATES.length==t.length)return colorMsg("All wallets already added to whitelist on this chain","color: red; font-size: 14px;"),end();l.length&&o.length?(colorMsg("Sorting duplicates..","color: yellow; font-size: 14px;"),console.log("Replacing already saved wallets",o.length),await fillWallets(o),await timeout(800),await removeDuplicatedWallets(),await timeout(500),await triggerSave(o),await timeout(1200),await savedWalletsHandler(t)):l.length&&!n.length&&removeDuplicatedWallets()}end()}function end(){RESULT||(colorMsg("Done","color: #90EE90; font-size: 18px; font-weight: bold"),console.log(author()),RESULT=!0)}async function getDuplicatedWallets(){let e=OKX_TEXT_ADDRESS_DUPLICATE_ERROR,t=[],l=document.querySelectorAll(INPUT_ERROR_SELECTOR);if(l)return l.forEach(async l=>{if(l.textContent.trim()===e){let a=l.closest(FORM_ITEM_MD_SELECTOR);DEBUG&&console.log("targetParent",a);let n=a.querySelector(INPUT_ADDRESS_SELECTOR);DEBUG&&console.log("inputElement",n);let o=n?n.value:"";DEBUG&&console.log("Duplicate address value:",o),t.push(o)}}),t}async function removeDuplicatedWallets(){DEBUG&&console.log("Removing already saved wallets");let e=OKX_TEXT_ADDRESS_DUPLICATE_ERROR,t=document.querySelectorAll(INPUT_ERROR_SELECTOR);DEBUG&&console.log("elementsWithErrorMessage",t);let l=[];for(let a of t)if(a.textContent.trim()===e){let n=a.closest(FORM_ITEM_MD_SELECTOR);DEBUG&&console.log("targetParent",n);let o=document.querySelectorAll(FORM_ITEM_MD_SELECTOR);DEBUG&&console.log("divs",o);let i=Array.from(o).indexOf(n);if(DEBUG&&console.log("currentIndex",i),i>=2){let s=o[i-2];DEBUG&&console.log("previousDiv",s);let r=s.querySelector(BUTTON_DELETE_ADDRESS_SELECTOR);DEBUG&&console.log("deleteBtnElement",r),r&&(DEBUG&&console.log("Removed already saved addresses",r),l.push(i-2))}}for(let E=l.length-1;E>=0;E--){let c=l[E],u=document.querySelectorAll(FORM_ITEM_MD_SELECTOR);if(c>=0&&c<u.length){let g=u[c].querySelector(BUTTON_DELETE_ADDRESS_SELECTOR);g&&(g.click(),await timeout(100))}}}async function getAddBtn(){let e=Array.from(document.querySelectorAll(".balance_okui,balance_okui-btn,btn-md,btn-outline-secondary")).filter(e=>"button"===e.tagName.toLowerCase()),t=e[0];return(DEBUG&&console.log("addBtn",t,"buttons",e),t)?t:(await timeout(50),getAddBtn())}function btnClick(e,t=0){let l=document.querySelectorAll(e)[t];l.click()}async function checkBoxForClick(e){let t=document.querySelectorAll(e);for(let l of t)l.checked||(DEBUG&&console.log(l,"click"),l.click()),await timeout(50)}function getLabels(){let e=document.querySelector(FORM_ADDRESS_LIST_SELECTOR);if(DEBUG&&console.log("withdrawBookList",e),!e){console.log("Can't automatically find input labels");return}let t={address:"",label:""},l=e.querySelectorAll(FORM_ITEM_SELECTOR);DEBUG&&console.log("inputs",l);let a=0;return l.forEach(e=>{if(!(a>5)){if(2===e.classList.length&&e.classList.contains(FORM_ITEM_MD_SELECTOR.replace(".",""))&&e.classList.contains(FORM_ITEM_SELECTOR.replace(".",""))){let l=e.querySelector(".balance_okui-input-box");if(l){let n=l.querySelector(INPUT_ADDRESS_SELECTOR);if(n){let o=n.getAttribute("placeholder");DEBUG&&console.log("Placeholder:",o),o&&(""===t.address?t.address=o:""===t.label&&(t.label=o))}}}DEBUG&&console.log("MD",e.classList.contains(FORM_ITEM_MD_SELECTOR.replace(".",""))),DEBUG&&console.log("ITEM",e.classList.contains(FORM_ITEM_SELECTOR.replace(".",""))),a++}}),t.address&&t.label||console.log("Can't automatically find input labels"),(t.address||!t.label)&&console.log(`Check auto generated labels Address: ${t.address} Label: ${t.label}`),inputAddress=t.address,inputLabel=t.label,!0}function countInputs(){let e=document.querySelector(FORM_ADDRESS_LIST_SELECTOR).querySelectorAll(FORM_ITEM_SELECTOR);return e.length/5}function removeDuplicates(e){let t=[],l=new Set;return e.forEach(e=>{l.has(e.address)||(l.add(e.address),t.push(e))}),t}function getWallets(e=!1){let t=wallets.includes(" ")?" ":" ",l=wallets.trim().split("\n").map(e=>{let l=e.split(t);return{address:l[0],label:l.length>1?l.slice(1).join(" "):""}});return l.length<20?(console.log(`Adding: ${l.length} Wallets`),removeDuplicates(l)):(e&&console.log(`${l.length} Wallets > 20, trim to 20 wallets Last wallet: ${l[19].address}`),removeDuplicates(l))}function timeout(e){return new Promise(t=>setTimeout(t,e))}function author(){return console.log(atob(" CiAgICAgICAgICBfICBfXyAgICAgICAgICAgICAgIF8gICAgICAgIAogICAgX19fXyAoXykvIF98ICAgICAgICAgICAgIHwgfCAgICAgICAKICAgLyBfXyBcIF98IHxfIF8gX18gX19fICBfX198IHxfIF9fIF8gCiAgLyAvIF9gIHwgfCAgX3wgJ19fLyBfIFwvIF9ffCBfXy8gX2AgfAogfCB8IChffCB8IHwgfCB8IHwgfCAoXykgXF9fIFwgfHwgKF98IHwKICBcIFxfXyxffF98X3wgfF98ICBcX19fL3xfX18vXF9fXF9fLF98CiAgIFxfX19fLyAgICAgICAgICAgICAgICAgICAgICAgICAgICAgIA")),atob("TWFkZSBieSBAaWZyb3N0YQpKb2luIGh0dHBzOi8vdC5tZS8rejlGaVBUZXV1TVpqWmpoaQpEb25hdGUgMHhiQjg2QTE3MDk0YTFEMDNlRjEyNDE4RjYzQzllMGRkMjhCQzUxMWUx")}run(); ``` ![GIF](./example.gif) 2022-2024
null
javascript
2023-06-26T21:19:08Z
2024-03-05T14:07:53Z
null
1
0
6
1
6
8
null
null
null
HFG43/JS_Capstone
master
<a name="readme-top"></a> <div align="center"> <img src="./src/images/tv%20icon.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>README</b></h3> </div> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 \[Leaderboard\] ](#-leaderboard-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) # 📖 [JavaScript Capstone - TV Shows] <a name="about-project"></a> This project is about the creation of a dynamic app, that shows in a responsive way a different selection of actual TV Shows, and giving a selection on demand by applying a search with your input desired. **[JavaScript Capstone - TV Shows]** For this project, we have put into practice all we have learned during the JavaScript module. It was also our first pair programing project to be run this way, following project management tools as Kanban board and daily updates. In the technical part, we have applied Js best practicies using ES6 syntax & modules, use webpack, Gitflow and use 2 different APIs. Find here video that shows the project details and functionality: (https://drive.google.com/file/d/174M16aVDuy5hUGUkCbcNxvBpU8lINgAJ/view?usp=drive_link) ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="#">HTML</a></li> </ul> </details> <details> <summary>Style</summary> <ul> <li><a href="#">CSS</a></li> </ul> </details> <details> <summary>Dynamic</summary> <ul> <li><a href="#">JavaScript</a></li> </ul> </details> <details> <summary>Standar code</summary> <ul> <li><a href="#">Linters</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **[Use GitFlow]** - **[Use Linters]** - **[Use ES6 syntax]** - **[Use JavaScript Modules]** - **[Use Webpack]** - **[Use Jest for testing]** - **[Use Async/await functions]** - **[Use TVmaze API]** - **[Use Microverse Involvement API]** - **[Use JSON]** - **[Use Kanban board to set project milestones and follow up]** - **[Work collaboratively doing pair programing]** - **[Add a user friendly & responsive design]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: Open on Visual Studio Code or any other code reader, and use an app as Live Server to review online. ### Setup Clone this repository to your desired folder: git clone https://github.com/HFG43/JS_Capstone ### Install Open index.html file with your Code Editor, and review the behaviour of the page under different sizes. On the command Line run npm install to install dependencies in package.json. This will make the app work. ### Usage To run the project, execute the following command: - In the command line: run "npm start" ### Run tests To run tests, run the following command: No test available yet. ### Deployment You can deploy this project using: ([My portfolio deployment link] (https://hfg43.github.io/JS_Capstone/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Hernán Güemes** - GitHub: [@githubhandle](https://github.com/HFG43) - Twitter: [@twitterhandle](https://twitter.com/HFG_43) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/hern%C3%A1n-g%C3%BCemes-a440591b/) <p align="right">(<a href="#readme-top">back to top</a>)</p> 👤 **Lawrence Kioko** - GitHub: [@githubhandle](https://github.com/Kidd254) - Twitter: [@twitterhandle](https://twitter.com/lawrenc98789206) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/lawrence-kioko-972035240/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - **[Apply different ways to display elements on-demand]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project, please Star it! <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I will like to thank Microverse and their Code Reviewers!! <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 app displays a library of Tv Shows upon a search input. You can search for your favorite show or movie categories.
api,javascript
2023-06-26T18:02:24Z
2023-07-01T08:20:32Z
null
2
18
143
0
1
8
null
MIT
JavaScript
PabloBona/JavaScriptCapstone
dev
<a name="readme-top"></a> <div align="center"> <br/> <h1 style="color:rgb(87, 247, 255);border: 3px solid rgb(87, 247, 255);">SeriesFeedback</h1> <br/> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 SeriesFeedback (JavaScrip-Capstone)](#JavaScrip-Capstone) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#live-demo) - [🔭 Walk through video](#walk-through-video) - [💻 Getting Started ](#getting-started) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [❓ FAQ (OPTIONAL) ](#-faq-optional-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 SeriesFeedback (JavaScrip-Capstone) <a name="JavaScrip-Capstone"></a> <spam style="color:rgb(87, 247, 255)"><spam style="color:rgb(87, 247, 255)">SeriesFeedback</spam></spam> is an interactive website that provides a platform for users to engage in discussions and share their feedback on a wide range of TV shows. Whether you're a fan of captivating classics or enjoy exploring innovative creations, <spam style="color:rgb(87, 247, 255)">SeriesFeedback</spam> offers a diverse collection of films and shows for you to explore. With the integration of two powerful external APIs, MazeTv and the Microverse Involvement API, <spam style="color:rgb(87, 247, 255)">SeriesFeedback</spam> ensures a seamless experience when it comes to fetching, displaying, and interacting with TV series. You can easily discover new genres, embark on visual adventures, and express your thoughts and opinions. Join our community of film enthusiasts, and immerse yourself in conversations about your favorite shows. Share your feedback, leave comments, and connect with fellow users who share your passion for the silver screen. At <spam style="color:rgb(87, 247, 255)">SeriesFeedback</spam>, every movie and series becomes an opportunity for engaging discussions and exciting conversations. Experience the joy of voicing your impressions and being part of a vibrant community of TV show enthusiasts on <spam style="color:rgb(87, 247, 255)">SeriesFeedback</spam>. Start exploring now and let your opinions be heard! <br> <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> The following stacks were used <details style="color:rgb(87, 247, 255);"> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript">Javascript</a></li> <li><a href="https://getbootstrap.com/">Bootstrap</a></li> </ul> </details> <!-- Features --> <p align="right">(<a href="#readme-top">back to top</a>)</p> ### Key Features <a name="key-features"></a> - TV Show Listings: The home page of SeriesFeedback presents users with an extensive catalog of TV shows. Users can effortlessly browse through the available shows and discover new content to explore. - Likes and Interactions: To express their appreciation for a TV show, users can simply click on the heart icon button associated with each show. This functionality is seamlessly integrated, allowing users to easily indicate their preference. - Commenting System: SeriesFeedback provides a convenient pop-up window or modal where users can leave comments about their favorite TV shows. This interactive feature allows for lively discussions and encourages users to share their thoughts. - Counters: To enhance the user experience, SeriesFeedback incorporates counters that dynamically track important metrics. These counters keep a real-time tally of the number of shows displayed on the home page and the total number of comments in the pop-up window. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> <a href="https://pablobona.github.io/JavaScriptCapstone/dist/index.html">Live Demo</a> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 🔭 Walk through video <a name="walk-through-video"></a> <a href="https://drive.google.com/file/d/1PyLQ5o93Hjioglf9RmWgMXKxZ03r7Mis/view?usp=sharing">Here</a> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> ### Prerequisites In order to run this project you need to have a browser and of course a code editor ### Setup Clone this repository to your desired folder, you can also set up HTML, CSS and JavaScript linters, for this you will need node installed. you can follow the steps [here](https://github.com/microverseinc/linters-config/tree/master/html-css) and [here](https://github.com/microverseinc/linters-config/tree/master/javascript) to setup the linters ### Install Once you cloned this project you are done ! ### Usage To run the project, you can simply open the index.html file with your favorite browser. ### Run tests If you follow the tutorial above to setup linters then you can run these tests ```$ npx hint . ``` ```$ npx stylelint "**/*.scss" ``` or if you use css then run this instead of the latter command above ```$ npx stylelint "**/*.{css,scss}" ``` ### Deployment You can deploy this project using: GitHub Pages <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> - 👤 **Carmen Bravo** - GitHub: [@NitBravoA92](https://github.com/NitBravoA92) - LinkedIn: [Carmen Bravo](https://www.linkedin.com/in/nitcelis-bravo-alcala-b65340158/) <hr> - 👤 **Pablo Bonasera** - GitHub: [@BonPa](https://github.com/PabloBona) - LinkedIn: [Pablo Bonasera](https://www.linkedin.com/in/pablo-bonasera-142327257/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Pagination** - [ ] **Integration with popular streaming services** - [ ] **Customizable notifications and alerts** - [ ] **Multilingual support** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/PabloBona/JavaScriptCapstone/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project you can follow me on github for more. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> - We would like to express our gratitude to the creators and maintainers of the MazeTv and Microverse Involvement APIs for their invaluable contributions. - We would like to express our heartfelt gratitude to Microvere for the invaluable learning experience they have provided. The supportive community, dedicated mentors, and remote collaboration opportunities have enhanced my technical skills and prepared me for real-world projects. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ (OPTIONAL) <a name="faq"></a> - **Are the linters necessary?** - It is a good practice to install and use them as they guide you towards best practice, but yes you can do without. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](https://github.com/PabloBona/JavaScriptCapstone/blob/dev/MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
JavaScriptCapstone
api-rest,boost,design,javascript,react,redux
2023-06-24T19:19:16Z
2023-06-29T23:51:10Z
null
2
14
103
0
0
8
null
null
JavaScript
rads/rain
main
# rain [![Slack](https://img.shields.io/badge/clojurians-rain-blue.svg?logo=slack)](https://clojurians.slack.com/messages/rain/) **A Clojure/Script library for fast and flexible web apps.** > *When you start architecting a new web app, one of the foundational decisions you make is - "How and where do I want to render content?". Should it be rendered on the web server, build server, on the Edge, or directly on the client? Should it be rendered all at once, partially, or progressively?* ([patterns.dev](https://www.patterns.dev/posts/rendering-patterns)) Rain helps you answer these questions. Once you decide on an approach, you can use `rain new` to create an app from scratch and deploy it to a JAMstack host or cloud VPS provider in minutes. Check out the [Installation](#installation) and [Usage](#usage) sections to get started. - Supports multiple rendering patterns in the same app: - Static Site Generation (SSG) - Incremental Static Generation (ISG) - Server-Side Rendering (SSR) - Client-Side Rendering (CSR) - Hydration - Supports reusable code between the server and browser - Helpers for biff, reitit, reagent, and re-frame - Fast - Extensible **Status:** alpha ## Table of Contents - [Installation](#installation) - [Docs](#docs) - [Usage](#usage) - [Additional Resources](#additional-resources) ## Installation ### Command-Line Tool (CLI) First, install [`bbin`](https://github.com/babashka/bbin). Then run the following command: ``` bbin install io.github.rads/rain ``` Now you can run `rain` in your shell to see the docs for the CLI tool. ### Library Add `io.github.rads/rain` to your `deps.edn`: ```clojure io.github.rads/rain {:git/tag "v0.1.8" :git/sha "c490345"} ``` See the [Usage](#usage) section for examples on how to use the library to build an app. ## Docs - [API Docs](docs/api.md) ## Usage Rain supports multiple rendering patterns. See the table below to find an example based on your needs. *Note:* This table is a work-in-progress and may change as Rain matures. For a more nuanced view of rendering patterns, see the [Additional Resources](#additional-resources) section. <table> <thead> <tr> <td></td> <td><strong>SSG</strong></td> <td><strong>ISG</strong></td> <td><strong>CSR</strong></td> <td><strong>SSR</strong></td> <td><strong>Hydration</strong></td> </tr> </thead> <tbody> <tr> <td><strong>Example</strong></td> <td><a href="http://github.com/rads/rain.examples.ssg">rain.examples.ssg</a></td> <td><a href="http://github.com/rads/bbin-site">bbin-site</a></td> <td><a href="#">TODO</a></td> <td><a href="#">TODO</a></td> <td><a href="http://github.com/rads/rain.examples.todomvc">rain.examples.todomvc</a></td> </tr> <tr> <td><strong>Command</strong></td> <td><code>rain new -t ssg</code></td> <td>TODO</td> <td>TODO</td> <td>TODO</td> <td><code>rain new -t hydration</code></td> </tr> <tr> <td><strong>Use Cases</strong></td> <td>Landing pages, blogs</td> <td>Dashboards</td> <td>Full-featured apps</td> <td>Document-based sites</td> <td>Supports both CSR and SSR use cases</td> </tr> <tr> <td><strong>Host as a static site (JAMstack)?</strong></td> <td>Yes</td> <td>Yes</td> <td>Yes</td> <td>No</td> <td>No</td> </tr> <tr> <td><strong>API required?</strong></td> <td>No</td> <td>No</td> <td>Yes</td> <td>No</td> <td>Yes</td> </tr> <tr> <td><strong>Custom server required?</strong></td> <td>No</td> <td>No</td> <td>No</td> <td>Yes</td> <td>Yes</td> </tr> <tr> <td><strong>JavaScript required for viewing?</strong></td> <td>No</td> <td>No</td> <td>Yes</td> <td>No</td> <td>No</td> </tr> <tr> <td><strong>JavaScript required for interaction?</strong></td> <td>No</td> <td>No</td> <td>Yes</td> <td>No</td> <td>Yes</td> </tr> <tr> <td><strong>Dynamic content on build?</strong></td> <td>Yes</td> <td>Yes</td> <td>Yes</td> <td>Yes</td> <td>Yes</td> </tr> <tr> <td><strong>Dynamic content after deploy?</strong></td> <td>No</td> <td>Yes</td> <td>Yes</td> <td>Yes</td> <td>Yes</td> </tr> <tr> <td><strong>Dynamic content based on request?</strong></td> <td>No</td> <td>No</td> <td>Yes</td> <td>Yes</td> <td>Yes</td> </tr> <tr> <td><strong>User login supported?</strong></td> <td>No</td> <td>No</td> <td>Yes</td> <td>Yes</td> <td>Yes</td> </tr> <tr> <td><strong>First Content Paint (FCP)?</strong></td> <td>Good</td> <td>Good</td> <td>Varies</td> <td>Good</td> <td>Good</td> </tr> <tr> <td><strong>Time-to-Interactive (TTI)?</strong></td> <td>Good</td> <td>Good</td> <td>Varies</td> <td>Good</td> <td>Varies</td> </tr> </tbody> </table> ## Additional Resources - [**"Rendering Patterns" on patterns.dev**](https://www.patterns.dev/posts/rendering-patterns) - [**"Rendering on the Web" on web.dev**](https://web.dev/rendering-on-the-web/)
🌧️ A Clojure/Script library for fast and flexible web apps.
babashka,backend,bbin,biff,clojure,clojurescript,frontend,hydration,incremental-static-regeneration,isomorphic
2023-06-22T20:24:00Z
2023-07-02T03:24:28Z
null
1
0
56
14
0
8
null
MIT
Clojure
SammyLeths/condo-rentals
main
<h1>Condo Rentals</h1> Condo Rentals is a real estate listing marketplace for short let and long term homestay experiences inspired by Airbnb. Condo Rentals projects a community built on a sharing economy. It is an online platform that allows property owners to list their place as holiday accommodation and allows travellers to find a place to stay while they are away from home. On the website, homeowners can create a listing for their property and that listing will include a written description, photos and a list of amenities, as well as information about the local area. Travellers can use filters to search for holiday accommodation that’s right for them – such as the number of bedrooms, location and price. Condo Rentals is based on trust. It establishes this trust by asking both guests and hosts to review each other. This creates a rating system for all listings and ensures that, in most cases, everyone has a good experience. Condo Rentals is a modern responsive simple property listing platform suitable for use by real estate agencies and independent realtors. With this project, you can easily create a property listing website. Some of the features built into this project include: <ul> <li>Property listing</li> <li>Advanced search and filters</li> <li>Categorization</li> <li>Advanced calendar booking</li> <li>Property reservation</li> <li>User authentication</li> <li>Social login</li> <li>Interactive modals</li> <li>Multi step smart forms</li> <li>Cloudinary multi-file upload</li> </ul> This project was developed using React, NextJS, TypeScript, Tailwind CSS, Prisma, MongoDB, Leaflet, Cloudinary, Axios, NPM, Autoprefixer, PostCSS and HTML5. <h2>Screenshots</h2> ![proj10-condo-rentals](https://github.com/SammyLeths/condo-rentals/assets/64320618/0c100412-9bf6-4714-8e8a-905ccd6ed267) <h2>Links</h2> <ul> <li>Demo: <a href="https://condo-rentals.vercel.app/" target="_blank">https://condo-rentals.vercel.app/</a></li> </ul> <h2>Tech Stack</h2> <p align="left"> <img src="https://img.shields.io/badge/react-61DAFB.svg?style=for-the-badge&logo=react&logoColor=white" alt="REACT JS" /> <img src="https://img.shields.io/badge/next.js-000000.svg?style=for-the-badge&logo=nextdotjs&logoColor=white" alt="NEXT JS" /> <img src="https://img.shields.io/badge/typescript-3178C6.svg?style=for-the-badge&logo=typescript&logoColor=white" alt="TYPESCRIPT" /> <img src="https://img.shields.io/badge/tailwindcss-06B6D4.svg?style=for-the-badge&logo=tailwindcss&logoColor=white" alt="TAILWIND CSS" /> <img src="https://img.shields.io/badge/prisma-2D3748.svg?style=for-the-badge&logo=prisma&logoColor=white" alt="PRISMA" /> <img src="https://img.shields.io/badge/mongodb-47A248.svg?style=for-the-badge&logo=mongodb&logoColor=white" alt="MONGO DB" /> <img src="https://img.shields.io/badge/leaflet-199900.svg?style=for-the-badge&logo=leaflet&logoColor=white" alt="LEAFLET" /> <img src="https://img.shields.io/badge/axios-5A29E4.svg?style=for-the-badge&logo=axios&logoColor=white" alt="AXIOS" /> <img src="https://img.shields.io/badge/npm-CB3837.svg?style=for-the-badge&logo=axios&logoColor=white" alt="NPM" /> <img src="https://img.shields.io/badge/html5-%23E34F26.svg?style=for-the-badge&logo=html5&logoColor=white" alt="HTML" /> <img src="https://img.shields.io/badge/css3-%231572B6.svg?style=for-the-badge&logo=css3&logoColor=white" alt="CSS3" /> <img src="https://img.shields.io/badge/sass-hotpink.svg?style=for-the-badge&logo=sass&logoColor=white" alt="SASS" /> <img src="https://img.shields.io/badge/JavaScript-black?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E" alt="JAVASCRIPT" /> </p> <h2>Helpful Resources</h2> <ul> <li> <b><a href="https://react.dev/" target="_blank">REACT</a></b>: The library for web and native user interfaces. </li> <li> <b><a href="https://nextjs.org/" target="_blank">NEXTJS</a></b>: The React Framework for the Web </li> <li> <b><a href="https://www.typescriptlang.org/" target="_blank">TYPESCRIPT</a></b>: A strongly typed programming language that builds on JavaScript, giving you better tooling at any scale. </li> <li> <b><a href="https://tailwindcss.com/" target="_blank">TAILWIND CSS</a></b>: A utility-first CSS framework packed with classes that can be composed to build any design, directly in your markup. </li> <li> <b><a href="https://www.prisma.io/" target="_blank">PPRISMA</a></b>: Next-generation Node.js and TypeScript ORM. </li> <li> <b><a href="https://www.mongodb.com/" target="_blank">MONGO DB</a></b>: A cross-platform document-oriented database program. </li> <li> <b><a href="https://leafletjs.com/" target="_blank">LEAFLET JS</a></b>: An open-source JavaScript library for mobile-friendly interactive maps. </li> <li><b>HTML5:</b> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML" target="_blank">MDN</a>: Mozilla Developer Network - HTML (HyperText Markup Language)</li> <li><a href="https://www.w3schools.com/html/html_intro.asp" target="_blank">W3SCHOOL</a>: HTML Introduction</li> </ul> </li> <li><b>CSS3:</b> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS" target="_blank">MDN</a>: Mozilla Developer Network - CSS (Cascading Style Sheets)</li> <li><a href="https://www.w3schools.com/css/css_intro.asp" target="_blank">W3SCHOOL</a>: CSS Introduction</li> </ul> </li> <li><b>JAVASCRIPT:</b> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript" target="_blank">MDN</a>: Mozilla Developer Network - JavaScript (JS) is a lightweight, interpreted, or just-in-time compiled programming language with first-class functions</li> <li><a href="https://www.w3schools.com/js/js_intro.asp" target="_blank">W3SCHOOL</a>: JavaScript Introduction</li> </ul> </li> <li> <b><a href="https://axios-http.com/" target="_blank">AXIOS</a></b>: A promise based HTTP client for the browser and node.js </li> <li> <b><a href="https://www.npmjs.com/" target="_blank">NPM</a></b>: A package manager for the JavaScript programming language. </li> <li> <b><a href="https://mugshotbot.com/" target="_blank">MUGSHOTBOT</a></b>: Automatic beautiful link previews </li> </ul> <h2>Acknowledgement</h2> <ul> <li><b><a href="https://www.airbnb.co.uk/" target="_blank">Airbnb</a></b>: A community built for belonging</li> </ul> <h2>Author's Links</h2> <ul> <li>Portfolio - <a href="https://sammyleths.com" target="_blank">@SammyLeths</a></li> <li>Linkedin - <a href="https://www.linkedin.com/in/eyiowuawi/" target="_blank">@SammyLeths</a></li> <li>Twitter - <a href="https://twitter.com/SammyLeths" target="_blank">@SammyLeths</a></li> </ul> <br /> <hr /> <br /> This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app). ## Getting Started First, run the development server: ```bash npm run dev # or yarn dev # or pnpm dev ``` Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. You can start editing the page by modifying `app/page.tsx`. The page auto-updates as you edit the file. This project uses [`next/font`](https://nextjs.org/docs/basic-features/font-optimization) to automatically optimize and load Inter, a custom Google Font. ## Learn More To learn more about Next.js, take a look at the following resources: - [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API. - [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial. You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js/) - your feedback and contributions are welcome! ## Deploy on Vercel The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js. Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details.
Condo Rentals is a real estate listing marketplace for short let and long term homestay experiences inspired by Airbnb. Developed using React, NextJS, TypeScript, Tailwind CSS, Prisma, MongoDB, Leaflet, Cloudinary, Axios, NPM, Autoprefixer, PostCSS and HTML5.
axios,cloudinary,frontend-development,javascript,leafletjs,mongodb,next,nextjs,npm,prisma
2023-06-17T17:26:35Z
2023-09-26T16:09:07Z
null
1
0
31
0
1
8
null
MIT
TypeScript
MasumaJaffery/Leaderboard
dev
<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 - 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="Images/Logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Leaderboard</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [Leaderboard] <a name="about-project"></a> **[Leaderboard]** is a web app that shows which player got higher scores by using ES6 and API. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> HTML+CSS+JS+ECMASCRIPT+API+GITHUB <details> <summary>Technologies</summary> <ul> <li><a href="https://html.com/">Html</a></li> <li><a href="https://www.w3schools.com/css/">CSS</a></li> <li><a href="https://www.javascript.com/">Javascript</a></li> <li><a href="https://www.ecma-international.org/">ES6</a></li> <li><a href="https://github.com/">GitHub</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[Adaptability]** - **[Scalability]** - **[Efficency]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ### Prerequisites In order to run this project you need the following tools: - Node installed in your computer - IDE(e.g.: Vscode,...) - HTML-CSS-JS-ES6-API-GitHub - etc. ### Setup Clone this repository to your desired folder: Example commands: ```sh cd my-folder git clone git@github.com:MasumaJaffery/Leaderboard.git ``` ### Install - Install project's packages with: ```sh cd Leaderboard npm install or npm i ``` ### Usage To run the project, execute the following command: Open index.html using live server extention. ## Run Tests To run tests, run the following command: Track HTML linter errors run: npx hint . ## Deployment You can deploy this project using: GitHub Pages, - I used GitHub Pages to deploy my website. - For more information about publishing sources, see "About GitHub pages". <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Syeda Masuma Fatima** - GitHub: [@MasumaJaffery](https://github.com/MasumaJaffery) - Twitter: [@MasumaJaffery](https://twitter.com/MasumaJaffery) - LinkedIn: [Masuma Jaffery](https://www.linkedin.com/in/masuma-jaffery-797a29256/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[Add More Functionality]** - [ ] **[Add Features]** - [ ] **[Better Performance]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project, I would like to Thank You! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> Special Thanks to Microverse! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
null
api,css,html,javascript
2023-06-26T22:48:23Z
2023-06-30T13:06:44Z
null
1
3
16
0
0
8
null
null
JavaScript
cj0x39e/retrying-dynamic-import
main
English | [中文](https://github.com/cj0x39e/retrying-dynamic-import/blob/main/README.zh-CN.md) If a “dynamic module” fails to load, the browser will not load it again forever. so, I wrote this lib to attempt to solve the issue. ### What does it resolve? 1. If 'import('a.js')' has failed, the lib will load it again as the load process is called. The default behavior will fail immediately. 2. If the user can’t access the internet, the library will fail immediately, but this is not the same as the browser’s default behavior, it doesn’t do the load process. 3. The lib will attempt to reload any failed CSS files. If a.js dependencies b.js and b.js is a 'static import module', the load of a.js will fail if b.js has failed to load. Unfortunately, it can't be fixed. ### How to use Add “vite-plugin-retrying-dynamic-import” to Vite configuration. ```js import retryingDynamicImport from "vite-plugin-retrying-dynamic-import"; export default defineConfig({ plugins: [retryingDynamicImport()], }); ``` Add “retrying-dynamic-import” to the entry file(main.ts or main.js). Put it at the top of the entry file, because the lib will register a global function to the window object.(the name is "\_\_retrying_dynamic_loader\_\_ ") ```js import retryingDynamicImport from "retrying-dynamic-import" retryingDynamicImport(// your options); ``` Finished. ### Options #### Options for the "retrying-dynamic-import". ```ts export type Options = { /** * Message to report when the user is offline * @type {string} * @default "No internet connection" */ offlineMessage?: string; /** * Callback to call when the user is offline. * @default undefined */ offlineCallback?: () => void; /** * Whether to retry CSS when loads dynamic modules * @default false */ disableRetryingCSS?: boolean; /** * When the value of 'window.navigator.onLine' is false, request the URL to detect if the network * is offline. Sometimes, even if the value is false, the browser can still connect * to the internet. */ checkOnlineUrl?: string; }; ``` #### Options for the "vite-plugin-retrying-dynamic-import". No options. ### About Vite "build.modulePreload" option If the code is similar below: ```js // main.js import("a.js"); // a.js import b from "b.js"; ``` Vite will preload the b.js before dynamic importing the a.js. If the b.js has failed, the a.js will fail too. We can't control how to load b.js because it’s a static import. So, we need to turn off preloading js in Vite. ```js // vite.config.ts export default defineConfig({ build: { modulePreload: { resolveDependencies: (filename, deps, { hostId, hostType }) => { return deps.filter((file: string) => !file.match(/\.js$/)); }, }, }, }); ``` ### About retrying CSS files If it has failed when preloading CSS Files, Vite will not retry. The lib will reload all the failed CSS files before loading each dynamic import module. If the modulePreload option is false, similar to the following: ```js // vite.config.ts export default defineConfig({ build: { cssCodeSplit: false, modulePreload: false, }, }); ``` You need to set the disableRetryingCSS to true that will not do retrying loadings CSS files. ```js // main.js import retryingDynamicImport from "retrying-dynamic-import."; retryingDynamicImport({ disableRetryingCSS: true, }); ``` ### How it works 1. “import(’a.js’)” fails. 2. The lib change ‘a.js’ to ‘a.js?t=xxxxxx’ and try again. 3. just that. ### Related issues: 1. https://github.com/vuejs/router/issues/1371 2. https://github.com/vuejs/router/issues/1333 3. https://github.com/vitejs/vite/issues/11804
It is possible retrying “dynamic import”
vite,vue,vue3,es6,javascript
2023-06-16T07:52:59Z
2024-05-17T05:42:16Z
null
1
0
46
0
0
8
null
MIT
TypeScript
aws-samples/amazon-ivs-bullet-chat-web-demo
main
# Amazon IVS Bullet Chat Web Demo A demo web application intended as an educational tool to demonstrate how you can build a bullet chat application with [Amazon IVS](https://aws.amazon.com/ivs/). <img src="app-screenshot.png" alt="Amazon IVS Chat Web Demo" /> **This project is intended for education purposes only and not for production usage.** This is a react web application, leveraging [Amazon IVS](https://aws.amazon.com/ivs/) for video streaming and chat. It requires the serverless backend from the [Amazon IVS Chat](https://github.com/aws-samples/amazon-ivs-chat-web-demo/blob/main/serverless/README.md). You must deploy the Serverless backend to get an `API_URL`. The demo showcases how you can implement a simple live streaming application with video and chat using Amazon IVS. Viewers are asked to enter their name the first time they begin chatting. Chat users can send plain text messages, text links, emojis, and stickers. Chat moderators can delete messages and kick users. ## Prerequisites - [NodeJS](https://nodejs.org/) with `npm` - The `API_URL` output from the [Amazon IVS Chat Serverless backend](https://github.com/aws-samples/amazon-ivs-chat-web-demo/blob/main/serverless/README.md). You must deploy the Serverless backend to get an `API_URL`. - The `ARN` of an Amazon IVS Chat room. You must create an Amazon IVS Chat room to get a chat room ARN. Refer to [Getting Started with Amazon IVS Chat](https://docs.aws.amazon.com/ivs/latest/userguide/getting-started-chat.html) for a detailed guide. ## Run the demo Follow these instructions to run the demo: 1. Open `src/config.js` and replace the following values: - Replace `<API_URL>` with the `API_URL` from the prerequisites section. - Replace `<ROOM_ID>` with the `ARN` from the prerequisites section. - Replace `<AWS_REGION>` with the AWS region of the chat room. For example, if you created your chat room in the us-west-2 (Oregon) region, enter `us-west-2`. 2. Run: `npm install` 3. Run: `npm start` ## Known issues and limitations - The application is meant for demonstration purposes and **not** for production use. - This application is only tested in the us-west-2 (Oregon) region. Additional regions may be supported depending on service availability. - Message and user data for this demo is not saved/persistent (ie. reloading the page would go back to initial state). ## About Amazon IVS Amazon Interactive Video Service (Amazon IVS) is a managed live streaming and stream chat solution that is quick and easy to set up, and ideal for creating interactive video experiences. [Learn more](https://aws.amazon.com/ivs/). - [Amazon IVS docs](https://docs.aws.amazon.com/ivs/) - [User Guide](https://docs.aws.amazon.com/ivs/latest/userguide/) - [API Reference](https://docs.aws.amazon.com/ivs/latest/APIReference/) - [Setting Up for Streaming with Amazon Interactive Video Service](https://aws.amazon.com/blogs/media/setting-up-for-streaming-with-amazon-ivs/) - [Learn more about Amazon IVS on IVS.rocks](https://ivs.rocks/) - [View more demos like this](https://ivs.rocks/examples) ## Security See [CONTRIBUTING](CONTRIBUTING.md#security-issue-notifications) for more information. ## License This library is licensed under the MIT-0 License. See the LICENSE file.
A demo web application that shows how to implement a basic live streaming application with bullet chat using Amazon IVS and React.
amazon-ivs,aws,chat,danmaku,ivs-chat,javascript,live-chat,live-video,livestreaming,react
2023-06-20T16:44:07Z
2024-04-05T16:42:20Z
null
34
12
27
0
4
8
null
MIT-0
JavaScript
RayenTellissy/Wavecord
main
# Wavecord 🌊 Wavecord is built with React and Node.js, allowing users to add friends, chat with them, and create servers for voice and text communication with a community of people. ## Table of Contents - [Features](#features) - [Installation](#installation) - [Usage](#usage) - [Contributing](#contributing) ## Features 🚀 1. **User Authentication** 🧑‍💻: Users can create accounts, log in, and log out securely. 2. **Friend Management** 👫: Users can add friends by searching for their usernames or email addresses. They can also accept or decline friend requests. 3. **Chatting** 💬: Users can send text messages to their friends, either individually or in group chats. Real-time messaging ensures quick and efficient communication. 4. **Server Creation** 🏰: Users can create servers and invite friends to join them. Each server can have multiple text channels for different topics. 5. **Voice Chat** 🎙️: Servers support voice chat rooms, allowing users to have real-time audio conversations with others. 6. **Role-Based Permissions** 🛡️: Server owners can assign roles to users with specific permissions, giving them control over the server's features. 7. **Customization** 🎨: Users can customize their profiles, including changing avatars, nicknames, and personal status messages. 8. **Notification System** 📢: Users receive notifications for friend requests, messages, and other important events. ## Installation 🛠️ Wavecord doesn't need to be installed; you can access it freely at [wavecord.netlify.app](https://wavecord.netlify.app). Simply open your web browser and navigate to the provided URL to start using Wavecord. If you would like to contribute to the development of Wavecord, please refer to the [Contributing](#contributing) section for instructions on how to help with the development. ## Usage 📖 Using Wavecord is straightforward and user-friendly. Follow these steps to get started: 1. **Access the Application** 🌐: Open your web browser and navigate to [wavecord.netlify.app](https://wavecord.netlify.app). 2. **Account Creation and Login** ✍️: - If you're a new user, click on the "Sign Up" button to create a new account. Fill in the required information, such as your username, email, and password. - If you already have an account, click on the "Log In" button and provide your credentials. 3. **Home** 📊: - Upon successful login, you'll be taken to the homepage where you can see your friends, servers, and recent messages. 4. **Adding Friends** 👥: - To add friends, click on the "Friends" tab in the topbar. You can search for friends by their usernames and send them friend requests. - Accept or decline friend requests from other users by going to the "Friends" tab and managing your pending requests. 5. **Chatting** 💬: - Press on the create DM button to open a chat window. You can send text messages in real-time. - For group chats or server channels, navigate to the respective server and channel and start chatting with others. 6. **Server Creation and Voice Chat** 🗣️: - To create a server, click on the "Servers" tab in the sidebar. Give your server a name and invite friends to join. - Inside a server, you can access text channels for text communication and voice channels for real-time voice chat. 7. **Customization** 🖌️: - Customize your profile by clicking the user settings button. You can change your avatar and update your personal information. 8. **Notifications** 🔔: - Keep an eye on notifications. You'll receive notifications for friend requests, messages, and other important events. Enjoy using Wavecord for seamless communication with your friends and communities! ## Contributing 🤝 We appreciate your help in improving Wavecord by reporting any bugs you encounter. To report a bug, please follow these steps: 1. **Bug Reporting** 🐛: - If you come across a bug or issue while using Wavecord, you can help with the development by reporting it. - Click on the "Report Bug" button located at the bottom right of the application interface. 2. **Provide Details** 📝: - In the bug report form, provide as much information as possible about the issue you encountered. - Describe the steps to reproduce the bug, including any specific actions you took before it occurred. - Include any error messages or unexpected behaviors you observed. 3. **Submit the Report** 🚀: - After completing the bug report form, click the "Submit" button to send the report to our development team. Our team will review your bug report and work on addressing the issue as quickly as possible. Your feedback is invaluable in helping us maintain and improve Wavecord. Thank you for helping us make Wavecord a better platform for everyone! 🙌
Chatting App heavily inspired by Discord made with React and Node.js, allowing users to create servers, talk in real-time via text or voice.
app,chat,discord,express,postgresql,prisma,react,clone,chakra-ui,moment
2023-06-22T01:43:59Z
2023-10-22T13:26:29Z
2023-10-20T22:17:50Z
1
0
229
1
1
8
null
null
JavaScript
MarcoDiaz2000/microbizfinder
develop
<a name="readme-top"></a> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [🔭 Video Presentation](#video) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [Micro Biz Finder] <a name="about-project"></a> **[Description]** The application was created with React and Redux, using the Yelp fuction API. Develop the application for a geolocated micro directory, where tourists and residents can easily search for services and entertainment in the city of Montreal, QC, Canada. The application is designed so that you can easily create local directories for other cities, changing only a few fragments of the code. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> HTML, CSS & JAVASCRIPT GitHub & Visual Studio Code React and Redux API Yelp fuction <!-- Features --> ### Key Features <a name="key-features"></a> - Use CreateAsyncThunk in Redux. - Fetch datas from a database with Redux - Conditional rendering in React - Filtering out selected items to another screen - Single Page App <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://react-capstone-project--resilient-faun-ac0891.netlify.app/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Video Presentation <a name="video"></a> - [Video Presentation](https://www.loom.com/share/03549f675fe54474b384441a00cb528c?sid=0a9c83c1-c552-4cef-977a-c586bce54137) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: Example command: ```sh 1.use a browser 2.use cable internet ``` ### Setup Clone this repository to your desired folder: Example commands: ```sh cd todo-list git clone https://github.com/MarcoDiaz2000/microbizfinder ``` ### Install Install this project with: Example command: ```sh npm install ``` ### Usage To run the project, execute the following command: Example command: ```sh npm run start ``` ### Run tests To run tests, run the following command: Example command: ```sh npx hint . npx eslint . ``` ### Deployment You can deploy this project using: - Netlify.com <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Marco Díaz** - GitHub: [@MarcoDiaz](https://github.com/MarcoDiaz2000) - Twitter: [@MarcoDiaz](https://twitter.com/MarcoDi70620847) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/marco-diaz-0876a7268/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - Add functionality for the app.🚀 - Add extra styling👌 <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> > Hello, feel free to support this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> - Original Design Idea by: [Nelson Sakwa on Behance](https://www.behance.net/sakwadesignstudio) - I would like to thank Microverse <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The application was created with React and Redux, using the Yelp fuction API. Develop the application for a geolocated micro directory, where tourists and residents can easily search for services and entertainment in the city of Montreal, QC, Canada. The application is designed so that you can easily create local directories for other cities.
business,css3,directory,github,javascript,react,redux,redux-toolkit
2023-06-25T14:07:20Z
2023-06-30T09:19:56Z
null
1
1
19
0
0
8
null
MIT
JavaScript
ErickWendel/how-minifying-code-and-source-maps-work-in-practice
main
# how-minifying-code-and-source-maps-work-in-practice ## About Welcome, this repo is part of my [**youtube video**](https://bit.ly/creating-your-own-uglifyjs-ew) about **Creating your own UglifyJS - Minifying code and generating source maps from scratch (en-us)** First of all, leave your star 🌟 on this repo. Access our [**exclusive telegram channel**](https://t.me/ErickWendelContentHub) so I'll let you know about all the content I've been producing ## Complete source code - Access it in [app](./recorded/) ![Creating your own UglifyJS from scratch-final](https://github.com/ErickWendel/how-minifying-code-and-source-maps-work-in-practice/assets/8060102/17627dbd-f401-4813-b3d6-a71c4286573d) ## Have fun!
A video tutorial about Creating your own UglifyJS - Minifying code and generating source maps from scratch
from,minify,scratch,sourcemaps,tooling,acorn,bundling,escodegen,javascript,nodejs
2023-06-14T22:36:37Z
2023-07-03T14:20:28Z
null
1
0
18
0
0
8
null
null
JavaScript
jurf/gnome-kmonad-toggle
main
[![ko-fi](https://ko-fi.com/img/githubbutton_sm.svg)](https://ko-fi.com/L4L4J6WSK) # KMonad Toggle GNOME Shell Extension [![ESLint](https://github.com/jurf/gnome-kmonad-toggle/actions/workflows/eslint.yml/badge.svg)](https://github.com/jurf/gnome-kmonad-toggle/actions/workflows/eslint.yml) Is your keyboard unusable for other people? Toggle it with one click! This extension allows you to: - Toggle KMonad on or off with a quick setting - Autostart KMonad on login - Quickly check if KMonad is running from the top bar - Easily configure the KMonad launch command Do you miss any functionality in this extension? Feel free to open an issue! **Note**: This extension does not manage the KMonad installation. See the [Installation guide][kmonad-installation] and [FAQ][kmonad-faq] for instructions on how to set it up. ## Installation [<img src="https://raw.githubusercontent.com/andyholmes/gnome-shell-extensions-badge/master/get-it-on-ego.svg?sanitize=true" alt="Get it on GNOME Extensions" height="100">][ego] Alternatively, you can build it from source. ```bash gnome-extensions pack --extra-source icons/ gnome-extensions install --force kmonad-toggle@jurf.github.io.shell-extension.zip ``` [ego]: https://extensions.gnome.org/extension/6069/kmonad-toggle/ [kmonad-installation]: https://github.com/kmonad/kmonad/blob/master/doc/installation.md [kmonad-faq]: https://github.com/kmonad/kmonad/blob/master/doc/faq.md
Control KMonad directly from GNOME Shell!
gnome,gnome-extension,gnome-shell-extension,kmonad,gnome-shell,javascript,keyboard-layout
2023-06-25T17:03:29Z
2024-04-18T14:32:03Z
null
1
3
26
0
1
8
null
null
JavaScript
encrypit/file64
master
# file64 [![NPM](https://nodei.co/npm/file64.png)](https://nodei.co/npm/file64/) [![NPM version](https://img.shields.io/npm/v/file64.svg)](https://www.npmjs.com/package/file64) [![build](https://github.com/encrypit/file64/actions/workflows/build.yml/badge.svg)](https://github.com/encrypit/file64/actions/workflows/build.yml) [![codecov](https://codecov.io/gh/encrypit/file64/branch/master/graph/badge.svg?token=IKmG72W8c6)](https://codecov.io/gh/encrypit/file64) Convert [Base64](https://developer.mozilla.org/docs/Glossary/Base64) to [Blob](https://javascript.info/blob)/File and Blob/File to Base64. ## Installation [NPM](https://www.npmjs.com/package/file64): ```sh npm install file64 ``` [Yarn](https://yarnpkg.com/package/file64): ```sh yarn add file64 ``` ## Usage Convert Base64 to Blob: ```ts import { base64ToBlob } from 'file64'; const blob = await base64ToBlob('data:text/plain;base64,YQ=='); ``` Convert Base64 to File: ```ts import { base64ToFile } from 'file64'; const file = await base64ToFile('data:text/plain;base64,YQ==', 'file.txt'); ``` Convert Blob to Base64: ```ts import { blobToBase64 } from 'file64'; const blob = new Blob(['a'], { type: 'text/plain' }); const base64 = await blobToBase64(blob); ``` Convert File to Base64: ```ts import { fileToBase64 } from 'file64'; const file = new File(['a'], 'file.txt', { type: 'text/plain' }); const base64 = await fileToBase64(file); ``` ## Release Release is automated with [Release Please](https://github.com/googleapis/release-please). ## License [MIT](https://github.com/encrypit/file64/blob/master/LICENSE)
🔄 Convert Base64 to Blob/File and Blob/File to Base64.
base64,blob,browser,file,javascript,nodejs,typescript,npm
2023-06-25T04:35:29Z
2024-05-15T05:28:41Z
2023-10-29T04:33:24Z
1
313
327
0
0
8
null
MIT
TypeScript
isaac-lal/portfolio
main
# Isaac Lal | Portfolio ### Welcome to my Software Engineer portfolio! My portfolio showcases all of my skills that I have learned in my journey of coding. I hope you enjoy! --- 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. 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. # portfolio
This is my portfolio website showcasing my Software Engineering skills.
javascript,nextjs,portfolio,react,tailwindcss
2023-06-22T20:44:58Z
2023-10-28T18:26:28Z
null
1
0
63
0
0
8
null
null
JavaScript
Tolga1452/logchu
main
# logchu Very simple and cool logger for your [Node.js](https://nodejs.org/) projects. Supports JavaScript and TypeScript. ## Features | Feature | | --- | | ✅ Fully customizable | | ✅ Basic logging | | ✅ Chalk support | | ✅ RGB, ANSI, Decimal, Hexadecimal support | | ✅ JavaScript & TypeScript support | | ✅ Advanced logging | | ✅ Log level support | | ✅ Custom colors | | ✅ Custom loggers | | ✅ Randomized logging | | ✅ Rainbow logging | | ✅ Config file support | | ✅ Built-in colors | | ✅ Custom logger logic support | | ✅ Log file support | | ✅ Log event support | ## Installation ```bash npm install @tolga1452/logchu ``` ## Usage ```js const { logger, ColorPreset, fromChalk, LogType } = require('@tolga1452/logchu'); // Basic usage logger.info('Hello, world!'); logger.success('Hello, world!'); logger.warning('Hello, world!'); logger.error('Hello, world!'); logger.debug('Hello, world!'); // With styles and color presets logger.info('Hello, world!', { bold: true }); logger.custom('Hello, world!', { color: ColorPreset.Magenta, italic: true, type: LogType.Debug }); logger.custom('Hello, world!', ColorPreset.Cyan); // With chalk const chalk = require('chalk'); logger.custom('Hello, world!', fromChalk(chalk.dim.red(' '))); // You have to use a single space character as text for chalk ``` ## Randomization ```js const { logger } = require('@tolga1452/logchu'); logger.random('Hello, world!', { bold: true }); // Log with random color logger.fullRandom('Hello, world!', { inverse: true }); // Fully random log with overwrites ``` ## Advanced Logs ### `write` Methd ```js const { write, ColorPreset } = require('@tolga1452/logchu'); write( { color: ColorPreset.LightGray, italic: true }, { text: 'First one was default config ', color: ColorPreset.LightGreen }, { text: 'this is ', useDefault: true }, { text: 'awesome!', color: ColorPreset.LightCyan, bold: true } ); ``` ### Custom Logger Logic ```js const { CustomLogger } = require('@tolga1452/logchu'); const myCustomLogger = new CustomLogger({ _logic: log => { console.log('Put your custom logic here.'); console.log('This will be runned along with the default logic.'); }, info: { color: ColorPreset.BackgroundBlue, italic: true } }, true); // true for overwrite default logic ``` ## Custom Colors Supports Hexadecimal, RGB, decimal and ANSI colors. ### In Your Code ```js const { logger } = require('@tolga1452/logchu'); logger.custom('Hello, world!', { color: '#f44747' }); ``` ### From Config File 1. Create a file named `logchu.config.js` in your project root. 2. Add the following code to the file: ```js module.exports = { customColorPresets: { myCustomColor: '#639dff' } }; ``` 3. Use it in your code: ```js const { logger, userColor } = require('@tolga1452/logchu'); logger.custom('Hello, world!', userColor('myCustomColor')); ``` ## Custom Loggers ### In Your Code ```js const { CustomLogger, ColorPreset } = require('@tolga1452/logchu'); const myCustomLogger = new CustomLogger({ info: { color: ColorPreset.BackgroundBlue, italic: true }, success: { color: ColorPreset.LightGreen, bold: true }, trolley: { color: '#9b4eea', bold: true } }); myCustomLogger.info('Hello, world!'); myCustomLogger.success('Hello, world!', { bold: false }); myCustomLogger.trolley('Hello, world!', ColorPreset.BackgroundRed); ``` ### From Config File 1. Create a file named `logchu.config.js` in your project root. 2. Add the following code to the file: ```js const { ColorPreset } = require('@tolga1452/logchu'); module.exports = { customLoggers: { myCustomLogger: { info: { color: ColorPreset.BackgroundBlue, italic: true }, success: { color: '#80b918', bold: true }, trolley: { color: '$custom:myCustomColor', bold: true } } }, customColorPresets: { myCustomColor: '#e84118' } }; ``` 3. Use it in your code: ```js const { useLogger } = require('@tolga1452/logchu'); const myCustomLogger = useLogger('myCustomLogger'); myCustomLogger.info('Hello, world!'); ``` ## Saving Logs 1. Create a file named `logchu.config.js` in your project root. 2. Add the following code to the file: ```js module.exports = { logFile: './logs.txt' }; ``` ## Log Events 1. Create a file named `logchu.config.js` in your project root. 2. Add the following code to the file: ```js const { Watcher } = require('@tolga1452/logchu'); module.exports = { watcher: new Watcher() }; ``` 3. Use it in your code: ```js const { logger, LogEvent } = require('@tolga1452/logchu'); const { watcher } = require('./logchu.config'); watcher.on(LogEvent.Info, log => { console.log('Info log event triggered:', log); }); logger.info('Hello, world!'); ```
Very simple and cool logger for your Node.js projects. Supports JavaScript and TypeScript.
color,customize,javascript,js,library,log,module,npm,package,ts
2023-06-27T14:45:48Z
2023-12-25T15:47:13Z
2023-12-25T15:47:13Z
2
2
50
1
0
8
null
NOASSERTION
TypeScript
manavmittal05/KYC-Website
main
# KYC-Website **Click the image to watch the demo video!** \ [![Watch the video](https://img.youtube.com/vi/-1sgbui-Umc/maxresdefault.jpg)](https://youtu.be/-1sgbui-Umc) KYC-Website is a web application designed to authenticate customers by utilizing their valid government-issued ID. It leverages machine learning techniques to match the user's real-time face with the information provided on the ID card, including details such as date of birth and gender. This project holds immense industrial significance as it fulfills the KYC (Know Your Customer) verification requirements for banking and financial institutions. **Note:** Due to financial constraints, we were unable to acquire a domain name and SSL certification for our web app. As a result, the website runs on HTTP instead of HTTPS. This leads to a minor inconvenience since modern browsers restrict the use of the camera and microphone on HTTP-only websites, hindering the KYC process. To overcome this issue, it is necessary to add the website to the list of exceptions at "chrome://flags/#unsafely-treat-insecure-origin-as-secure". This will prompt the browser to treat our website as HTTPS, resolving the limitation. ## Features 1. **User Authentication:** Any user can register on the website to authenticate themselves. Logging in grants authorization to perform various tasks within the system. 2. **Server-side Sessions:** User sessions are securely maintained on the server system, ensuring greater security for logged-in users. 3. **KYC Verification:** Authorized users can undergo the KYC process on the website to get themselves verified. 4. **Automated KYC:** The KYC process is fully automated, eliminating the need for human intervention and enabling swift verification. 5. **Machine Learning-Based Verification:** KYC is performed using machine learning models hosted on our API backend. These models apply text recognition techniques to extract information from the ID card and employ face matching algorithms to verify the authenticity of the user. 6. **Privacy Protection:** IDs are not stored on our server, addressing privacy concerns that may arise from storing sensitive information. ## Technology Used 1. **Node.js:** The application is built on Node.js, a JavaScript runtime environment. 2. **Express.js:** Server-side scripting is done using Express.js, a fast and minimalist web application framework for Node.js. 3. **MongoDB Atlas:** The cloud database manager used for KYC-Website. It is connected to the application through Mongoose, an Object Data Modeling (ODM) library for MongoDB and Node.js. 4. **Bootstrap:** The web application is styled and made responsive using Bootstrap, a popular front-end framework. 5. **EJS:** Dynamic HTML views are created using EJS (Embedded JavaScript), a simple templating language that allows embedding JavaScript code within HTML markup. 6. **Joi:** Joi is used for form validation, ensuring that user-submitted data meets the specified requirements. 7. **Sanitize-html:** Sanitize-html is utilized to enhance the security of the web application, protecting against vulnerabilities such as cross-site scripting. 8. **Passport.js:** Passport.js is employed for user authentication, providing a secure and flexible authentication middleware for Node.js. 9. **AWS EC2 Instance:** The Express server is hosted on an AWS EC2 instance, offering a scalable and reliable hosting environment. 10. **Oracle E2 Instance:** The ML API server is hosted on an Oracle E2 instance, providing a robust platform for handling API requests. 11. **OCR:** The ML API utilizes the easy-ocr library to extract details from the provided IDs. The extracted information is then matched against the details sent from the Express server. 12. **Face-Recognition:** The face-recognition Python library is employed to perform face recognition on the given ID and the live image captured from the user. 13. **FastAPI:** FastAPI is used to handle all requests to and from the Oracle server, enabling efficient communication between the web application and the ML API. Please feel free to explore KYC-Website and experience the seamless and secure KYC verification process it offers. If you encounter any issues or have suggestions for improvements, please don't hesitate to reach out. Contact Us: \ Manav Mittal: manavmittal05@gmail.com \ Sidhant Yadav: ydvsidhant@gmail.com \ Shubham Hazra: shubhamhazra1234@gmail.com
KYC-Website is a web application designed to authenticate customers by utilizing their valid government-issued ID. It leverages machine learning techniques to match the user's real-time face with the information provided on the ID card, including details such as date of birth and gender.
aws-ec2,bootstrap5,css,expressjs,face-recognition,fastapi,html,javascript,machine-learning,mongodb
2023-06-18T20:08:56Z
2023-06-28T11:28:57Z
null
3
0
30
0
1
8
null
null
EJS
LiveWithCodeAnkit/OperaEnergy
master
# React Responsive Template This is a React-based responsive template that can be easily developed using custom CSS. ## About This template provides a solid foundation for building responsive web applications using React. It leverages the power of React's component-based architecture and allows you to customize the styling using your own CSS. ## Topics Covered - JavaScript - HTML5 - CSS3 - ReactJS - CSS Grid - Figma - CSS Flexbox ## Getting Started To get started with this template, follow the steps below: 1. Clone this repository to your local machine: ```bash git clone https://github.com/your-username/react-responsive-template.git
React Responsive Template This is a React-based responsive template that can be easily developed using custom CSS.
css-flexbox,css-grid,css3,figma,html5,javascript,reactjs
2023-06-09T18:19:10Z
2023-06-09T19:26:20Z
null
1
0
3
0
0
7
null
null
JavaScript
noosabaktee/expressify
main
# IMPORTANT: Bug Fixes ## `navigator.getUserMedia` `navigator.getUserMedia` is now deprecated and is replaced by `navigator.mediaDevices.getUserMedia`. To fix this bug replace all versions of `navigator.getUserMedia` with `navigator.mediaDevices.getUserMedia` ## Low-end Devices Bug The video eventListener for `play` fires up too early on low-end machines, before the video is fully loaded, which causes errors to pop up from the Face API and terminates the script (tested on Debian [Firefox] and Windows [Chrome, Firefox]). Replaced by `playing` event, which fires up when the media has enough data to start playing.
Tracking expression for capture your face
expression,face-recognition,javascript,tracking
2023-06-09T14:21:22Z
2023-08-12T14:47:13Z
null
1
0
10
0
1
7
null
null
JavaScript
shijiththalassery/wastra
main
null
As a self-taught MERN full-stack developer, I've built Wastra, an e-commerce site using MongoDB, Express, React, and Node.js. With Nginx, it's fast, secure, and scalable, offering users a seamless shopping experience.
bycrypt,cloudinary,css,ellipsis,hbs,html5,javascript,mongodb,multer,nodejs
2023-06-28T15:36:15Z
2023-07-03T08:43:57Z
null
1
0
12
0
0
7
null
null
CSS
Thaliaraujo/portfolio-thalia-araujo
main
# Portfólio - Thalía Araújo Meu portfólio é um projeto desenvolvido como parte do desafio Oracle One em parceria com a Alura, voltado para alunos da trilha de front-end. O objetivo do desafio era criar um portfólio online para apresentar minhas habilidades e projetos desenvolvidos ao longo do curso. O diferencial do meu portfólio está na personalização do design, que foi modificado para refletir minha identidade e estilo pessoal. Adicionei cores, elementos e funcionalidades que tornaram o projeto único. Assim, pude expressar minha criatividade e transmitir minha personalidade através do design do site. <br> ### Requisitos: <ul> <li><p>Possuir um menu de navegação para facilitar a navegação pelo site;</p></li> <li><p>Uma imagem de banner para criar um impacto visual inicial;</li> <li><p>Apresentar seções sobre mim, hobbies, skills, formação, projetos e contato com formulário;</p></li> <li><p>Oferecer a opção de visualizar o currículo em PDF em uma nova aba do navegador.</p></li> </ul> <br> #### Além dos requisitos básicos, o projeto conta com alguns diferenciais: <ul> <li><p> Implementação de um menu hamburguer na versão mobile e um menu com categorias na versão tablet, proporcionando uma experiência de navegação intuitiva em diferentes dispositivos;</p></li> <li><p> Inclusão de um botão de alternância para os modos claro e escuro, localizado no topo do site, permitindo ao usuário escolher a aparência que preferir;</p></li> <li><p> Design exclusivo e diferenciado entre os modos claro e escuro, tornando a experiência de navegação mais agradável e personalizada;</p></li> <li><p> Implementação de um formulário de contato com validação em JavaScript, garantindo que as informações sejam preenchidas corretamente antes de serem enviadas.</p></li> </ul> <br><br> #### OBS: O projeto foi desenvolvido de forma responsiva, adaptando-se a diferentes tamanhos de tela e dispositivos. <br><br> ## Visite o projeto: https://thaliaraujo.github.io/portfolio-thalia-araujo/ <br> #### Versão tablet modo claro e escuro: <p> <img align="left" width="350px" style="margin-top:-20px" src="https://raw.githubusercontent.com/Thaliaraujo/portfolio-thalia-araujo/main/assets/portfolio-tablet-claro.png"> </p> <p> <img align="left" width="350px" style="margin-top:-20px" src="https://raw.githubusercontent.com/Thaliaraujo/portfolio-thalia-araujo/main/assets/portfolio-tablet-escuro.png"> </p> <div dsplay="inline-block">
Meu portfólio foi desenvolvido como parte do desafio Oracle One e Alura. A ideia é apresentar minhas habilidades e projetos desenvolvidos.
challengeoneportfolio5,css3,figma,flexbox,html-css-javascript,html5,javascript
2023-06-22T23:05:05Z
2023-08-31T17:54:56Z
null
1
0
31
0
0
7
null
null
HTML
alokrai0607/EazyShop
main
<h1 align="center">EazyBuy</h1> <p align="center"> <img src="https://cdn.pixabay.com/photo/2018/03/06/08/59/online-3202912_640.jpg" alt="" style="width: 80%; height: 350px; border: 2px solid darkred;"> </p> This is an EaszyBuy Shopping Application developed for ABC Company. The application is designed to allow customers to browse, purchase, and view their order details, and to allow admins to manage the products in the store. The application consists of several modules including Login, Customer, Product, Order, and Cart modules. The Login module allows users to register, login and log out of the application. The Customer module enables customers to add products to their cart and place orders. The Product module enables admins to search, add, remove, and update products. The application is built using Spring Boot and follows the Model-View-Controller (MVC) architecture. It uses a relational database to store and retrieve data. <h1>Class Design</h1> The application uses POJO classes to represent the entities in system. The classes include Customer, Admin, Product, Order, and Cart. The service layer is designed using interfaces, such as CustomerService and AdminService, to provide separation between the business logic and the controller layer. Overall, this Online Shopping Application is a simple and easy-to-use platform that allows customers to shop online and admins to manage the products in the store. # ER DIAGRAM ![ER](https://github.com/alokrai0607/remarkable-border-1662/assets/71522419/ae444ce5-9a55-477b-909b-a9022f90b232) # Collaborators <br/> 1. Alok Rai.<br/> 2. Dipak Mahaseth.<br/> 3. Anshuman Singh.<br/> 4. Diksha Gaupale.<br/> 5. Shrishambho Khade.<br/> # Tech Stack # Backend 1. Java 2. MySql 3. Maven 4. SpringBoot 5. SpringSecurity # Frontend 1. HTML 2. CSS 3. JavaScript # Features:- # Customer Module 1. User registration and login 2. Browse and search products 3. Add products to cart 4, Edit cart contents 5. Check out and purchase products 6. View order history and details # Product Module 1. Search for products 2. View product details and images 3. Add new products to the database 4. Update existing products 5. Remove products from the database # Order Module 1. Create and manage orders 2. View order history and details 3. Generate order confirmation emails 4. Cart Module 5. Add products to cart 6. Edit cart contents 7. View cart contents 8. Remove products from cart # Cart Module 1. Add products to the cart 2. Remove products from cart 3. Update the quantity of products in the cart 4. Remove all products from the cart 5. View List of products from the cart # Login Module 1. Secure user authentication and authorization 2. Password reset functionality
Welcome to the EazyBuy online shopping application . EazyBuy is a user-friendly and feature-rich platform designed to revolutionize your shopping experience. This repository serves as a comprehensive resource for developers, showcasing the development process and codebase behind the EazyBuy application.
css,github,html,java,javascript,maven,spring,spring-mvc,springboot,springdata-jpa
2023-06-16T15:38:33Z
2023-10-13T05:44:21Z
null
5
14
71
0
2
7
null
null
Java
SPRHackz/Flames_Web_App
main
# Flames_Web_App ## Preview Link : <a href="https://flames.sprhackz.repl.co/">Flames App</a> OR <a href="https://flames-app-pied.vercel.app/">Flames App</a>
null
css3,flames,flames-game,html-css-javascript,html5,javascript
2023-06-27T07:39:17Z
2023-07-27T17:34:30Z
null
1
0
4
0
0
7
null
MIT
CSS
tajulafreen/Leaderboard
develop
# Leaderboard<a name="readme-top"></a> <div align="center"> <h3><b>Leader board</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [Leader Board] <a name="about-project"></a> **[Leader-board]** is an online score list where user can add or remove their score ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://html5.org/">HTML</a></li> <li><a href="https://css.org/">CSS</a></li> <li><a href="https://js.org/">JS</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[Add button]** - **[Remove button]** - **[Local storage]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ``` git clone <url> ``` ### Prerequisites In order to run this project you need: - A code editor of your choice(like vs code or Atom and so on) - Version control System (git is preferred) ### Setup Clone this repository to your desired folder: ``` cd my-folder git clone https://github.com/tajulafreen/leaderboard.git cd leaderboard ``` ### Install Install this project with: ``` cd leaderboard npm i ``` ### Usage To run the project, execute the following command: ``` live server ``` ### Run tests To run tests, run the following command: ``` npx eslint . ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Afreen** - GitHub: [@githubhandle](https://github.com/tajulafreen) - Twitter: [@twitterhandle](https://twitter.com/tajulafreen) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/tajul-afreen-shaik-843951251/) <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[classes]** - [ ] **[prototype]** - [ ] **[sort]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project give me stars and follow me on social media. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank to microverse. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
A leaderboard is a ranked list or table that displays the performance or scores of individuals or entities, typically in a competitive setting.
css3,html5,javascript,webpack
2023-06-26T15:09:33Z
2023-06-28T15:18:26Z
null
1
3
13
0
0
7
null
MIT
JavaScript
kit0-0/To-Do-list
main
<a name="readme-top"></a> <div align="center"> <h2><b> To-Do-list</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [� Table of Contents](#-table-of-contents) - [📖 To-Do-list ](#-to-do-list-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Build](#build) - [webpack development server](#webpack-development-server) - [👥 Author ](#-author-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) # 📖 To-Do-list <a name="about-project"></a> **To-Do-list** is a repository.The goal is to master all of the tools and best practices learned in previous steps. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://www.w3schools.com/html/">HTML</a></li> <li><a href="https://www.w3schools.com/css/">css</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **Demo of Linters** - **Demo of todolist** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://kit0-0.github.io/To-Do-list/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> ### Prerequisites In order to run this project you need: - web browser - git-syn - code editor ### Setup Clone this repository to your desired folder: git clone https://github.com/kit0-0/To-Do-list.git ### Install To install all dependencies, run: ``` npm install ``` ### Usage To run the project, execute the following command: To run the project, follow these instructions: - Clone this repo to your local machine. ### Run tests To run tests, run the following command: - Track HTML linter errors run: ``` npx hint . ``` - Track CSS linter errors run: ``` npx stylelint "**/*.{css,scss}" ``` - Track JavaScript linter errors run: ``` npx eslint . ``` ### Build To build, run the following: ``` npm run build ``` ### webpack development server Run the following: ``` npm start ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHOR --> ## 👥 Author <a name="author"></a> 👤 Kiko - GitHub: [@kit0-0](https://github.com/kit0-0) 👤 Binyam - GitHub: [@kit0-0](https://github.com/Log-benjamin) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Mobile Version** - [ ] **Add Model** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/kit0-0/To-Do-list/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project give ⭐️ <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
A Web static page where you will be able to organize your day, by adding all the tasks you have to do everyday. You can delete all completed tasks one by one or all at once.
babel,css,html,javascript,jest-dom,jest-mocking,jest-tests,linter,webpack,npm-package
2023-06-11T15:14:27Z
2023-07-13T09:12:59Z
null
2
6
46
0
0
7
null
MIT
JavaScript
muktadiur/clark
master
# Clark Chat with private documents(CSV, pdf, docx, doc, txt) using LangChain, OpenAI, HuggingFace, GPT4ALL, and FastAPI. ![Clark](static/images/clark.png) ## Installation Install required packages. ``` python -m venv .venv source .venv/bin/activate pip install -r requirements.txt ``` Rename `.env.example` to `.env` and update the OPENAI_API_KEY [OpenAI API key](https://platform.openai.com/account/api-keys), HUGGINGFACEHUB_API_TOKEN [HuggingFace Access Tokens] (https://huggingface.co/settings/tokens). Place your own data (CSV, pdf, docx, doc, txt) into `data/` folder. ## Run ### Console ``` python console.py # default: openai ``` ``` Welcome to the Clark! (type 'exit' to quit) You: what is the capital of Uzbekistan? Clark: The capital of Uzbekistan is Tashkent. You: exit ``` ### Web ``` python app.py # default: openai URL: http://127.0.0.1:8000/ http://127.0.0.1:8000/docs http://127.0.0.1:8000/redoc ``` ### Run in docker ``` docker build -t clark . docker run -p 8000:8000 -it clark ``` ### To use HuggingFace ``` Change the CONVERSATION_ENGINE: from `openai`: to `hf` in the `.env` file. ``` ### To use GPT4ALL (Slow) ``` mkdir models cd models wget https://huggingface.co/nomic-ai/gpt4all-falcon-ggml/resolve/main/ggml-model-gpt4all-falcon-q4_0.bin Change the CONVERSATION_ENGINE: from `openai`: to `gpt4all` in the `.env` file. Now read your documents locally using an LLM. Note: gpt4all performance is slow for now. The average response time is 50 seconds. ``` ## Project structure ``` . ├── Dockerfile ├── LICENSE ├── README.md ├── app.py ├── clark │   ├── __init__.py │   ├── base.py │   ├── document.py │   ├── gpt4all.py │   ├── helpers.py │   ├── hf.py │   └── openai.py ├── console.py ├── data │   └── sample_capitals.csv ├── requirements.txt ├── static │   ├── auth │   │   ├── login.html │   │   └── signup.html │   ├── base.html │   ├── css │   │   ├── font-awesome.min.css │   │   └── main.css │   ├── home.html │   ├── images │   │   ├── clark.png │   │   └── favicon.ico │   ├── index.html │   ├── index.js │   ├── js │   └── spinner.gif └── test_api.py 8 directories, 26 files ```
Chat with private documents(CSV, pdf, docx, doc, txt) using LangChain, OpenAI, HuggingFace, FAISS and FastAPI.
fastapi,huggingface,langchain,openai,python,javascript,faiss
2023-06-29T20:08:00Z
2024-01-05T23:09:45Z
null
1
3
42
1
2
7
null
MIT
Python
g4lb/uwebsockets
main
# TypeScript Client-Server Project with uWebSockets.js This is a simple client-server project implemented in TypeScript using the uWebSockets.js library. It demonstrates how to establish a WebSocket connection between a client and a server for real-time communication. ## Prerequisites - Node.js (version v16.14.2) - npm (version 8.5.0) ## Installation 1. Clone the repository or download the source code. 2. Navigate to the project directory using a terminal. 3. Install the project dependencies by running the following command: ```shell npm install ``` This command will install the necessary dependencies specified in the package.json file. 4. Build and install uWebSockets.js manually: Since uWebSockets.js is not available as an npm package by default, we need to install it manually. Follow the steps below: - Visit the uWebSockets.js GitHub repository: [https://github.com/uNetworking/uWebSockets.js](https://github.com/uNetworking/uWebSockets.js) - Clone or download the repository to your local machine. - downloaded one of the official releases (I used the Latest v20.30.0). ## Usage 1. Start the server: ```shell node server/server.ts ``` The server will start running on port 8080. 2. Open a separate terminal window. 3. Start the client: ```shell node client/client.js ``` The client will establish a WebSocket connection with the server and exchange messages. 4. Observe the logs in both the server and client terminals, showing the connection and message exchanges. 5. To close the client or server, press `Ctrl + C` in the respective terminal. ## Project Structure The project structure is as follows: - `server.ts`: Contains the server-side code for establishing a WebSocket server and handling client connections. - `client.js`: Contains the client-side code for connecting to the server and sending/receiving messages. - `package.json`: Defines the project's dependencies and scripts. ## Dependencies The following dependencies are used in this project: - uWebSockets.js (installed manually): A WebSocket library for efficient real-time communication.
highly optimized C++ websocket server
javascript,typescript,uwebsockets,uwebsocketsjs,websocket
2023-06-27T10:13:47Z
2023-06-27T10:23:19Z
null
1
0
4
0
2
7
null
null
JavaScript
jooselohi/nords.fi
main
# Tutustu www.nords.fi lähdekoodiin Olemme innoissamme voidessamme esitellä sinulle lähdekoodin, joka on suunniteltu muodostamaan upeat kotisivumme! Tämä lähdekoodi on tarkkaan suunniteltu ja kehitetty tarjoamaan korkealaatuinen ja houkutteleva käyttökokemus verkkosivustollamme. Kotisivumme lähdekoodi on rakennettu huolellisesti ottaen huomioon modernit verkkokehityksen parhaat käytännöt. Se käyttää uusimpia teknologioita ja kehyksiä, jotta voimme tarjota käyttäjillemme vaikuttavan ja responsiivisen sivuston, joka toimii saumattomasti eri laitteilla ja selaimilla. ## Mitä löydät täältä? Tämä repositorio sisältää kaiken tarvittavan luomaan verkkosivustomme rakenteen, tyylin ja toiminnallisuuden. Käytämme seuraavia teknologioita: - HTML5: Tehokas merkintäkieli, joka muodostaa sivuston perustan. - CSS3: Tyylien määrittämiseen käytetty kieli, joka tekee sivustosta visuaalisesti houkuttelevan ja ammattimaisen. - JavaScript: Tämä ohjelmointikieli mahdollistaa sivuston dynaamisen toiminnallisuuden ja lisää käyttäjäkokemuksen interaktiivisuutta. ## Olemme innokkaita kuulemaan sinulta! Arvostamme ja olemme avoimia palautteelle, ehdotuksille ja yhteistyölle. Voit ottaa yhteyttä meihin sähköpostitse: Sähköposti: joose@nords.fi Kiitos kiinnostuksestasi ja toivottavasti nautit sivuston sisällöstä!
null
css3,html5,javascript
2023-06-17T17:19:54Z
2024-04-14T19:09:06Z
null
1
0
36
0
0
7
null
null
HTML
Rednexie/uniqueness
main
# uniqueness A vanilla javascript project to gather information about the client. ## Uniqueness - Client Information Gathering JavaScript Module **Description:** Uniqueness is a JavaScript module designed to gather information about website visitors on the client-side. This module can provide valuable data about the visitor's device, browser, and more. It's particularly useful for logging visitor information or implementing browser fingerprinting. ### Features: 1. **Client-Side Data Gathering:** Uniqueness collects information directly from the visitor's web browser without requiring a server or API. 2. **Logging:** You can use the gathered information for logging purposes, which can be helpful for tracking user activity or debugging. 3. **Browser Fingerprinting:** Uniqueness can assist in generating unique browser fingerprints for identifying and distinguishing visitors. 4. **Webhooks:** If you don't have a server to log data, Uniqueness provides integration with Discord and Guilded webhooks. This means you can keep visitor logs even on static websites. 5. **CORS Proxy:** To utilize Guilded API, Uniqueness employs a Cross-Origin Resource Sharing (CORS) proxy, making it possible to use Guilded's features without the need for a dedicated server. 6. **Additional Features:** This module offers various features that you can incorporate into your scripts for enhanced functionality. ### Properties: For a detailed list of the properties available within the Uniqueness object, please refer to the [properties.md](https://github.com/Rednexie/uniqueness/blob/main/properties.md) file in the uniqueness repository. Uniqueness provides a convenient way to gather insights about your website's visitors, whether you're interested in logging user data, enhancing security, or customizing the user experience. It's a versatile tool that can be especially valuable for static websites that don't have a backend server for data collection and analysis. ### Possible Updates: - Database Integration - MongoDB - PermaDB - MySQL ### Notice ⚠️ The Uniqueness Project is licensed under GNU General Public License v3.0 meaning regardless of size of the modification/change, the modified version HAS to be open-source and including the same license.
A full vanilla javascript project to detect user device and specifications
detection,fingerprinting,javascript,log,logging,user-agent,user-agent-detection,useragent,browser-detection,browser-fingerprint
2023-06-18T18:23:34Z
2024-03-26T11:15:37Z
null
1
0
42
0
0
7
null
GPL-3.0
JavaScript
ankitt26/Space-Travelers-Hub
develop
<a name="readme-top"></a> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 \[Space-Travelers-Hub\] ](#-space-travelers-hub-) - [🛠️ Built With ](#️-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🔭 Future Features](#-future-features) - [🤝 Contributing ](#-contributing-) - [⭐ Show your support ](#-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 [Space-Travelers-Hub] <a name="about-project"></a> **[Description]** The Space Travelers' Hub consists of Rockets, Missions, and the My Profile section. we will be working with the real live data from the SpaceX API. we build a web application for a company that provides commercial and scientific space travel services. The application will allow users to book rockets and join selected space missions. ## 🛠️ Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> HTML, CSS & JAVASCRIPT GitHub & Visual Studio Code React.js <!-- Features --> ### Key Features <a name="key-features"></a> - The Rockets section displays a list of all available SpaceX rockets. Users can book each rocket by clicking the reservation button or cancel the previously made booking. - The Missions section displays a list of current missions along with their brief description and participation status. There is also a button next to each mission that allows users to join the selected mission or leave the mission the user joined earlier. - The My Profile section displays all reserved rockets and space missions. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> > [🎉 see live ](https://ankitt-26k-space-travelers-hub.onrender.com/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: Example command: ```sh 1.use a browser 2.use cable internet ``` ### Setup Clone this repository to your desired folder: Example commands: ```sh cd my project git clone git@github.com:ankitt26/Space-Travelers-Hub.git ``` ### Install Install this project with: Example command: ```sh npm install ``` ### Usage To run the project, execute the following command: Example command: ```sh npm run start ``` ### Run tests To run tests, run the following command: Example command: ```sh npx hint . npx eslint . ``` ### Deployment ``` $ npm run build $ npm start ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Ankit** - GitHub: [@ankitt26](https://github.com/ankitt26) - Twitter: [@ankit26k](https://twitter.com/ankit26k) - LinkedIn: [ankit26k](https://www.linkedin.com/in/ankit26k/) 👤 **Sungabanja Thawethe** - GitHub: [@sunga12](https://github.com/sunga12) - Twitter: [@OfficialAseT](https://twitter.com/OfficialAseT) - LinkedIn: [Sungabanja Thawethe](https://www.linkedin.com/in/sungabanja-thawethe-b3419b142/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features - Add user login page. - Add the testing using react testing library💯 <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/ankitt26/Space-Travelers-Hub/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐ Show your support <a name="support"></a> > Hello, feel free to support this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> > I would like to thank Microverse. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](https://github.com/ankitt26/Space-Travelers-Hub/blob/develop/LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The Space Travelers' Hub consists of Rockets, Missions, and the My Profile section. we will be working with the real live data from the SpaceX API. we build a web application for a company that provides commercial and scientific space travel services. The application will allow users to book rockets and join selected space missions
api,css,git,github,html,javascript,jest-snapshots,react,redux
2023-06-25T16:33:53Z
2023-08-08T19:03:33Z
null
2
11
72
0
0
7
null
NOASSERTION
JavaScript
mohitahlawat2001/gallery-app
main
# Getting Started with Create React App This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app). ## Description This is a basic Gallery Web Application that shows enlarged image and its detail in a card component. ## Table of Contents - [Getting Started](#getting-started) - [How to Contribute](#how-to-contribute) - [License](#license) ## Getting Started In the project directory, you can run: ### `npm install` Installs the project dependencies. Run this command to ensure you have all the required packages before starting or testing the app. ### `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. ## How to Contribute We welcome contributions from the community to improve this project. To get started, follow these steps: 1. Fork this repository to your GitHub account. 2. Clone your forked repository to your local machine. `git clone https://github.com/your-username/your-project.git` 3. Navigate to the project directory. `cd your-project` 4. Install the project dependencies. `npm install` 5. Create a new branch for your feature or bugfix. `git checkout -b feature-name` 6. Make your changes and commit them with descriptive commit messages. `git commit -m "Add feature or fix bug` 7. Push your changes to your GitHub fork. `git push origin feature-name` 8. Create a Pull Request (PR) from your forked repository to the main project repository. Our team will review your PR, provide feedback, and merge it once it's ready. ## License Include information about the project's license and any relevant terms here. ## Learn More You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started). To learn React, check out the [React documentation](https://reactjs.org/). ### Code Splitting This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting) ### Analyzing the Bundle Size This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size) ### Making a Progressive Web App This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app) ### Advanced Configuration This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration) ### Deployment This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment) ### `npm run build` fails to minify This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
null
css,hacktoberfest,hacktoberfest-accepted,hacktoberfest2023,html,javascript
2023-06-09T07:30:25Z
2023-10-10T17:07:18Z
null
8
11
32
6
11
7
null
null
JavaScript
emanuxd11/SussyClicker
master
# Hello, World!
I was bored so I decided to make a cookie clicker parody with SUS
css,html,html5,idle-game,javascript,javascript-game,sus,sussy,sussybaka
2023-06-28T20:41:28Z
2024-03-11T11:34:07Z
null
2
0
75
0
0
7
null
null
JavaScript
lucky12651/compiler
main
**8Bit Online Compiler** ## Description Welcome to 8Bit Online Compiler, a simple and user-friendly web-based compiler that allows you to write and execute code in various programming languages right in your browser. Embrace the nostalgia of 8-bit graphics while coding with ease and convenience. ## Features - **Language Support**: Write code in popular programming languages, including C, C++, Python and Java. - **Real-time Output**: See the output of your code instantly as you type, making the debugging process efficient. - **User-friendly Interface**: Enjoy a clean and intuitive interface designed to enhance your coding experience. - **Save and Share**: Save your code snippets to your local machine. - **No Installation Needed**: No need to install any software or set up development environments; start coding right away! ## How to Use 1. Choose a programming language from the dropdown menu. 2. Write your code in the provided editor area. 3. Click the "Run" button to execute the code. 4. The output will be displayed below the editor. 5. To save your code snippet, click the "Save" button and provide a title. 6. To access your saved code snippets, click on the "Saved Codes" tab. ## Structure ``` . ├── static │ ├── css │ │ ├── bootstrap.min.css │ │ └── styles.css │ ├── img │ └── script │ ├── animate.js │ ├── bootstrap.min.js │ ├── bs-init.js │ ├── c.js │ ├── c++.js │ ├── fire.js │ ├── firebase.js │ ├── java.js │ ├── python.js │ ├── script.js │ ├── script2.js │ ├── script3.js │ ├── script4.js │ ├── script5.js │ └── session.js ├── templates │ ├── 404.html │ ├── admin.html │ ├── c.html │ ├── cpp.html │ ├── index.html │ ├── java.html │ ├── login.html │ ├── restricted.html │ ├── signup.html │ └── star.html ├── app.py └── h.txt ``` ## Technologies Used - HTML - CSS - JavaScript - Firebase - Python ## Demo Check out the live demo of the 8Bit Online Compiler [here](http://207.246.112.202:8080). ## Future Enhancements - Support for more programming languages. - User accounts and personal code repositories. - Theme customization options for the editor. ## Acknowledgements We would like to express our appreciation to the open-source community for their valuable tools and resources that made this project possible. --- Happy coding with 8Bit Online Compiler! 🎮🚀
This repository contains the code for an online code editor called 8BIT. The editor allows users to write, edit, and run code snippets in various programming languages directly in the browser. It is built using HTML, CSS, and JavaScript, Flask and it utilizes the Ace code editor library.
bootstrap,firebase,javascript,flask,python
2023-06-16T15:25:37Z
2024-02-21T16:38:20Z
null
1
0
37
0
1
7
null
MIT
HTML
Lochipi/Opentown
main
# Opentown ## An open-source website * * * **Introduction** Open Town is an open-source project that allows users to create and share their custom towns. Towns can be created in a variety of styles, including medieval, modern, and futuristic. Users can also add their own custom buildings, characters, and objects to their towns. **Tech Stack** - FrontEnd: HTML, CSS, JavaScript, Font Awesome Icons - Backend: Firebase **Features** * Create your custom town in a variety of styles. * Add your own custom buildings, characters, and objects to your town. * Share your town with others online. * Download and play other people's towns. * Collaborate with other users to create even larger and more complex towns. **Motivation** I created Open Town because I wanted to create a platform that allows people to express their creativity and share their imaginations with others. I also wanted to create a tool that would help people learn about different cultures and periods. **How to use** To use Open Town, you will need to download the software from the GitHub repository. Once you have downloaded the software, you can start creating your own town by clicking on the "New Town" button. You will then be able to choose a style for your town and start adding buildings, characters, and objects. **Contributing** Open Town is an open-source project so that anyone can contribute to the development of the software. If you have any ideas for new features or improvements, please feel free to open an issue on the GitHub repository. I look forward to merging your PR * * * ## Overview👨🏻‍💻! ![image](https://github.com/Lochipi/hometown-Website/assets/108942025/3a07af0a-fb82-40b2-9fc2-cdea2131e2e3) Leave a star if you found this repo useful for contribution.⭐
Open booking website, users can book and reserve spots and tour guides. Open Source project. Open to devs for contribution. Stack: HTML,CSS,JS Firebase.
csss3,html5,javascript
2023-06-12T06:19:02Z
2024-03-09T10:32:48Z
null
4
14
47
0
7
7
null
MIT
HTML
virtual-tech-school/frytheweb
main
# frytheweb This is the official website of Let's Fry the Web Activity! **What is the purpose of the website?** Universal resource for anybody who wanna about LFW ## TODOs - [ ] Create a basic Layout of the Website (We'll be using basic HTML, CSS & Vanilla JS in the starting) ## Sections of the HomePage ### What is LFW? ### Who is it For? ### Why should you join it? How can it help you with your journey in tech (basically career)? ### FAQs ### Footer ## Ideas - Make Tweets Section
This is the official website of Let's Fry the Web Activity!
css,html,javascript
2023-06-23T15:15:17Z
2023-07-04T15:20:02Z
null
1
5
4
5
4
7
null
null
CSS
rasteli/openc
main
# OpenC OpenC is a CLI tool to create, open and remove projects in Visual Studio Code. ### Features - Recursive listing - Recursive directory creation - Specify location to create project - Create these projects - Vite - Next.js - Node.js ### Installation ```bash npm install -g @rasteli/openc ``` ### Usage ```bash $ openc ``` ### How it works OpenC will search recursively for specific files or folders in the default directory `~/www` to determine if it or any of its children is a root directory. A root directory, i.e. a project, is a directory that contains any file or folder whose name includes any of these: `"index", "main", "src", "config", "package"`, called root conditions. As of now, there's no way to change the default directory or the root conditions unless you edit the source code. If you're willing to do so, you can change the former [here](https://github.com/rasteli/openc/blob/89f5b7de1caa78c10ae4c22fa3829a3bf98541ed/src/index.ts#L25) and the latter [here](https://github.com/rasteli/openc/blob/89f5b7de1caa78c10ae4c22fa3829a3bf98541ed/src/utils/check-root-dir.ts#L4).
CLI tool to create, open and remove projects in Visual Studio Code
inquirer,management,node,nodejs,project,typescript,vscode,javascript,web
2023-06-21T00:41:06Z
2023-06-26T21:32:17Z
2023-06-26T21:30:30Z
1
0
20
0
1
7
null
MIT
TypeScript
multibaseco/js
main
<h1 align="center">Multibase JS SDK (@multibase/js)</h1> &nbsp; &nbsp; <p align="center"> <img src="https://cdn.multibase.co/shared/github/icon.png" alt="Multibase logo" width=150 /> </p> &nbsp; &nbsp; Multibase JS is the first JavaScript SDK for merging your user off-chain, product interactions with on-chain transactions and activity. ### Table of contents - [✅ Getting started](#-getting-started) - [💻 Usage](#-usage) - [❓ Feedback and Support](#-feedback-and-support) ## [✅ Getting started](#-started) #### Get a Multibase account To use the Multibase JS SDK, the first thing you have to do is [sign up for a Mutlibase account](https://multibase.co?request=true). Go to the homepage and fill out our form, and we will get back to you ASAP to get you set up. #### Install the Node Package When you have your account, you're ready to go! To get started with using Multibase JS, you'll need to install the package to your project with NPM/yarn. ```sh # npm npm install @multibase/js # yarn yarn add @multibase/js ``` ## [💻 Usage](#-usage) ### Initialize the SDK Multibase JS must be initialized before you can call any function. You will need your Multibase project's write API key. ```ts import { init } from "@multibase/js" init(YOUR_WRITE_API_KEY) ``` ### Identify users To associate product events with users, you have to use the `identify` function. #### Identify by wallet To connect a user by their on-chain address, we must provide an `address` parameter. When you identify user by wallet address, they will automatically be synchronized in your Multibase workspace. Upon import, Multibase will sync all on-chain data on every chain where a user has sent at least one transaction. ```ts import { identify } from "@multibase/js" // Basic identifying call identify({ address: "0xd8da6bf26964af9d7eed9e03e53415d37aa96045" }) // Identify with properties const userProperties = { plan: "Premium User", email: "vitalik@ethereum.org" } identify({ address: "0xd8da6bf26964af9d7eed9e03e53415d37aa96045", properties: userProperties }) ``` ### Track events Tracking product events from your users is the key to understanding product usage over time, and understanding how off-chain activity converts to on-chain transactions. You can track and event with a custom string, or you can track properties along with the string. In your Multibase dashboard, these events will appear alongside on-chain events. ```ts import { track } from "@multibase/js" // Basic tracking call track("Link Click") // Track with event properties const eventProperties = { type: "Call to Action", timeToClick: 10 } track("Link Click", eventProperties) ``` ## [❓ Feedback and Support](#-support) If you are having trouble setting up the Multibase SDK at all, please reach out to us for help. Here are some helpful links: - [Live Intercom support on our homepage](https://www.multibase.co) - [Add an issue on GitHub](https://github.com/multibaseco/js/issues/new/choose) - [Email us directly](mailto:support@multibase.co)
Official Multibase JavaScript SDK
analytics,browser,javascript,library,multibase,web3,multibase-user-analytics
2023-06-10T16:36:47Z
2023-12-18T19:07:50Z
2023-06-10T16:27:21Z
1
5
39
0
1
7
null
null
TypeScript
Dhanavidhya/AgroFarm
main
null
null
bootstrap5,css,html,javascript,php
2023-06-27T17:08:59Z
2023-07-09T05:49:05Z
null
1
0
2
0
0
7
null
null
CSS
crimson-projects/404-gsap
main
<div align="center"> # 404 Page with GSAP | Crimson <img src="admin/base.png"> </div>
404 Page with GSAP
404-page,css,gsap,javascript
2023-06-29T13:43:22Z
2023-06-29T13:43:37Z
null
2
0
1
0
0
7
null
null
JavaScript
LiveWithCodeAnkit/MY-Portfolio
master
# Next.js Portfolio Template This Git repository contains a Next.js project for building a portfolio template. The template is designed using Next.js, Tailwind CSS, Google Fonts, and routing techniques that allow for easy redirection to specific sections of a page. ## Features - Personal portfolio template built with Next.js framework. - Responsive design with Tailwind CSS for easy customization. - Integration of Google Fonts for enhanced typography. - Routing functionality to redirect to specific page sections. ## Topics Covered - Next JS - JavaScript - HTML5 - CSS3 - CSS Grid - tailwind CSS - CSS Flexbox ## Getting Started 1. Clone the repository to your local machine. 2. Install the necessary dependencies using `npm install`. 3. Customize the portfolio template according to your personal branding and style preferences. 4. Add your projects, skills, and achievements to the template. 5. Test your changes locally using `npm run dev`. 6. Deploy your personal portfolio to your preferred hosting platform. Please refer to the documentation provided in the repository for more detailed instructions and customization options. ## Contributions Contributions are welcome! If you find any issues or have suggestions for improvements, please open an issue or submit a pull request. ## License This project is licensed under the [MIT License](LICENSE).
Next.js personal portfolio template with Tailwind CSS, Google Fonts, and routing. Showcase your work, skills, and achievements. Responsive design, easy redirection to page sections. Ideal for building a professional online presence. Clone the repo and follow the documentation.
googlefonts,html-css-javascript,javascript,nextjs13,tailwind-css
2023-06-21T16:52:47Z
2024-01-31T03:25:11Z
null
1
2
16
0
0
7
null
null
JavaScript
the1812/flac-tagger
main
# flac-tagger Pure JavaScript FLAC Tag writer and reader. ## Installation ```powershell npm install flac-tagger ``` ## Usage ### Read FLAC Tags ```ts import { FlacTags, readFlacTags } from 'flac-tagger' import { readFile } from 'fs/promises' // read from file path const tagsFromFile: FlacTags = await readFlacTags('path/to/file.flac') // read from buffer const buffer = await readFile('path/to/file.flac') const tagsFromBuffer: FlacTags = await readFlacTags(buffer) // read tag by vorbis comment name (case-insensitive) const { title, artist, album } = tagsFromFile.tagMap // read cover image const coverBuffer = tagsFromFile.picture?.buffer ``` ### Write FLAC Tags ```ts import { FlacTagMap, writeFlacTags } from 'flac-tagger' import { readFile } from 'fs/promises' // write vorbis comments (names are case-insensitive) const tagMap: FlacTagMap = { // single value title: 'song title', // multiple values artist: ['artist A', 'artist B'], album: 'album name', } await writeFlacTags( { tagMap, // (optional) cover image picture: { buffer: await readFile('coverImage.jpg'), } }, // path to existing flac file 'path/to/file.flac', ) ``` ## Specification - [FLAC - Format](https://xiph.org/flac/format.html) - [Ogg Vorbis Documentation](https://www.xiph.org/vorbis/doc/v-comment.html)
Pure JavaScript FLAC Tag writer and reader.
flac,javascript,metadata,music-tagger,nodejs,typescript
2023-06-28T01:09:43Z
2023-08-25T15:09:17Z
2023-08-25T15:09:17Z
2
1
23
0
1
7
null
NOASSERTION
TypeScript
LiveWithCodeAnkit/Music-App
master
# Music App This is a music app developed using Next.js 13, JavaScript, and Tailwind CSS. It provides a responsive user interface for playing and managing music tracks. The app allows users to play, pause, skip to the next track, and go back to the previous track. ## Features - Play/Pause: Users can play or pause the currently selected music track. - Next/Previous: Users can skip to the next or previous track in the playlist. - Responsive UI: The app is designed to adapt to different screen sizes and devices using Tailwind CSS. - Track Listing: Display a list of music tracks with their corresponding information such as title, artist, and duration. - Progress Bar: Show the progress of the currently playing track with a visual progress bar. - Volume Control: Allow users to adjust the volume level of the music player. ## Technologies Used - Next.js 13: A React framework for building server-side rendered (SSR) applications. - JavaScript: The programming language used for the app's logic and interactivity. - Tailwind CSS: A utility-first CSS framework for creating responsive user interfaces. - Web Audio API: A powerful API for handling audio playback and manipulation in web applications. - Git: Version control system for tracking changes to the codebase. ## Getting Started To get started with the music app, follow these steps: 1. Clone the repository: ```shell git clone https://github.com/your-username/music-app.git
Music App This is a music app developed using Next.js 13, JavaScript, and Tailwind CSS. It provides a responsive user interface for playing and managing music tracks. The app allows users to play, pause, skip to the next track, and go back to the previous track.
html-css-javascript,javascript,nextjs,reactjs,tailwindcss
2023-06-29T18:04:01Z
2023-07-05T04:15:08Z
null
1
1
14
0
0
7
null
null
JavaScript
Kaiserabbas/Responsive-Portfolio
main
# My-Professional-Portofolio <a name="readme-top"></a> <div align="center"> <img src="./public/logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>My Professional Portofolio</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 My Portofolio <a name="about-project"></a> I have created my first coding blog. and I'm working on developing fullstack projects. I have created a simple html and css file to start with. ## 🛠 Built With <a name="built-with"></a> - HTML. - CSS. - LINTERS. ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://reactjs.org/">HTML</a></li> <li><a href="https://reactjs.org/">CSS</a></li> <li><a href="https://reactjs.org/"></a>LINTERS</li> </ul> </details> ### Key Features <a name="key-features"></a> - Added html.index file. - Added style.css file. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - Web Browsers - Code Editor. - Git -smc. ### Setup Clone this repository to your desired folder: Run this command. ### Install Install this project with: Run this command: - cd my-project - npm install ### Usage To run the project, execute the following command: OPen index.html using live server. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Qaisar Abbas** - My Video Presentation: (https://www.loom.com/share/933c619eeb3942aaaead761335c68eb2?sid=289727fd-2380-4ad7-8e4e-f79d9db291f5) - GitHub: [@githubhandle](https://github.com/Kaiserabbas/) - Twitter: [@twitterhandle](https://twitter.com/AbbasKayser) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/qaisar-abbas-21a93840/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] Add Header - [ ] Add Navigation Bar - [ ] Add Headline <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project, Write to me and give me a good rating. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse and Omar for helping me to create this Blog. <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>
Welcome to my personal portfolio website! I am a a passionate Software Developer. This website showcases my work and allows you to learn more about me.
bootstrap,css,html,javascript
2023-06-09T04:14:52Z
2023-06-16T08:14:52Z
null
3
5
23
4
0
7
null
MIT
CSS
devbeatriz/guardioes-da-galaxia
main
<h1 align="center"> Guardiões da Galáxia </h1> ![guardiões](https://github.com/devbeatriz/guardioes-da-galaxia/assets/94017930/75247ecf-422b-43d8-b20f-734b70f1b423) <p align="center"><a href="https://gdg-db.vercel.app/">Clique aqui</a> para ver o projeto.</p> ## 💻 Projeto Projeto desenvolvido com o vídeo tutorial do <a href="https://github.com/leovargasdev">Léo Vargas</a>. <br> Durante o projeto criamos uma tela interativa do filme <b>Guardiões da Galáxia</b> utilizando <i>HTML</i>, <i>CSS</i> e <i>JavaScript</i>. ## 📔 Conhecimentos abordados - [x] Uso semântico do HTML - [x] Uso do CSS Flexbox - [x] Carrousel de imagens - [x] Menu lateral - [x] JS Functions - [x] Carregamento de fonte externa - [x] Uso de cores gradientes no texto ## <p> Made with ♥ by Beatriz Rodrigues. <a href="https://linktr.ee/devbeatriz">👋 Get in touch!</a></p>
null
css,html,javascript
2023-06-21T22:19:52Z
2023-07-13T20:57:38Z
null
1
0
12
0
0
6
null
null
CSS
Daltonic/answer_to_earn
master
# How to Build an Answer to Earn (A2E) Platform with NextJs, TypeScript, Tailwind CSS, and Solidity Read the full tutorial here: [**>> How to Build an Answer to Earn (A2E) Platform with NextJs, TypeScript, Tailwind CSS, and Solidity**](https://daltonic.github.io) This example shows How to Build an Answer to Earn (A2E) Platform with NextJs, TypeScript, Tailwind CSS, and Solidity: ![Questions](./screenshots/0.png) <center><figcaption>Questions</figcaption></center> ![Creating Questions](./screenshots/1.png) <center><figcaption>Creating Questions</figcaption></center> ![Questions Details](./screenshots/2.png) <center><figcaption>Questions Details</figcaption></center> ## Technology This demo uses: - Metamask - Hardhat - Infuira - NextJs - TypeScript - Tailwind CSS - Solidity - EthersJs - Faucet ## Running the demo To run the demo follow these steps: 1. Clone the project with the code below. ```sh # Make sure you have the above prerequisites installed already! git clone https://github.com/Daltonic/answer_to_earn answerToEarn cd answerToEarn # Navigate to the new folder. ``` 2. Create a `.env` file to include the following details. ```sh NEXT_APP_RPC_URL=http://127.0.0.1:8545/ ``` 3. On one terminal, run the app using: ``` yarn install yarn hardhat run scripts/deploy.js ``` 4. On a second terminal, run the app using `yarn dev` to launch on the browser. <br/> If your confuse about the installation, check out this **TUTORIAL** to see how you should run it. Questions about running the demo? [Open an issue](https://github.com/Daltonic/answer_to_earn/issues). We're here to help ✌️ ## Useful links - 🏠 [Website](https://daltonic.github.io/) - ⚽ [Metamask](https://metamask.io/) - 🚀 [Infuria](https://app.infura.io/dashboard/) - 💡 [Hardhat](https://hardhat.org/) - 🔥 [NextJs](https://nextjs.org/) - 🐻 [Solidity](https://soliditylang.org/) - 👀 [Ethersjs](https://docs.ethers.io/v5/) - ✨ [Live Demo](https://answer-to-earn.vercel.app/)
A decentralized and innovative platform that motivates users to share their knowledge and in turn rewarded ethers for correct answers. [Demo Sepolia Testnet]
ethersjs,javascript,nextjs,react,smart-contracts,tailwindcss,typescript,web3
2023-06-28T17:56:05Z
2023-07-03T12:33:06Z
null
2
5
33
0
2
6
null
MIT
TypeScript
mrprotocoll/tourXtra
main
<a name="readme-top"></a> <div align="center"> <h2><b>🕹️🕹️ Tour Reservation App 🕹️🕹️</b></h2> <br/> <img src="./src/Images/logo.png" alt="logo" width="140" height="auto" /> </div> <br/> # 📗 Table of Contents - [📖 About the Project](#about-project) - [:camera: project screenshot](#screen-shoot) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [🚀 Link to Backend](#back-end) - [🚀 Kaban Board](#Kaban-Board) - [Kaban Board Initial State](#initial-state) - [🚀 Project Screenshot](#project-screenshot) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 🚀 Tour Reservation <a name="about-project"></a> <p> A tour reservation app is a software application designed to facilitate the process of booking and managing tour reservations. It allows users to browse available tours, select desired tour packages, specify booking details and receive confirmation for their reservations.</p> ## Backend The backend was made with ruby on rails and can be found [here](https://github.com/Johnadibe/tour-reservation-app-api) ## 🛠 Built With <a name="built-with"> </a> - HTML 5 , css3, javascript ES6, React , Redux and external API ### Tech Stack <a name="tech-stack"></a> - React, redux, axios, jest webpack and babel ### Key Features <a name="key-features"></a> <li>U User Registration and Authentication</li> <li>Tour Listings and Search</li> <li>Booking and Reservation Management</li> <li>Secure Payment Processing</li> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - It will updated when available <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- Link to backend --> ## 🚀 Link to Back-end <a name="back-end"></a> - [Link to Front-end](https://github.com/mrprotocoll/tourXtra-api) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Kaban Board <a name="Kaban-Board"></a> - [Kaban Board](https://github.com/users/Johnadibe/projects/4) This is the link to the project management tool used to track the progress of the project. ### Kaban Board Initial State <a name="initial-state"></a> - [Kaban Board Initial State](https://github.com/Johnadibe/tour-reservation-app-api/issues/23) This is the link to the project management tool used to track the progress of the project. In this team, we are 4 in number, - @Johnadibe - @mrprotocoll - @Hassaanjbaig-code - @Donmark2k <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- PROJECT SCREENSHOTS --> ## 🚀 Project Screenshot <a name="project-screenshot"></a> ![image](https://github.com/Johnadibe/tour-reservation-app-api/assets/43586022/ef8b7b59-e6bd-4bf4-9fd6-5f53e4a2ef92) ![image](https://github.com/Johnadibe/tour-reservation-app-api/assets/43586022/7f995e50-dfbc-4e94-a6f6-52bd93562d0b) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To run on your localhost clone the project to local folder ### Prerequisites In order to run this project you need: - [git](https://git-scm.com/downloads): A tool for managing source code - [Visual Studio Code](https://code.visualstudio.com/): A source code editor - Have a working and updated browser - Have a local version control like git installed on your computer - A copy of the link of this Repository. ```sh https://github.com/Johnadibe/tour-reservation.git ``` ### Setup Clone this repository to your desired directory using the command: ```sh cd your-folder git clone https://github.com/Johnadibe/tour-reservation.git ``` ### Install Install the required dependencies using the following command: ```sh npm install ``` ### Usage Run the server using the following command: ```sh npm start ``` ### Run tests Run this command to run test ```sh npm test ``` ## 👥 Authors <a name="authors"></a> 👤 **Chukwuemeka Ochuba** - GitHub: [@Donmark2k](https://github.com/Donmark2k) - Twitter: [@donmark2k](https://twitter.com/donmark2k) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/chukwuemeka-ochuba/) 👤 **mrprotocoll** - GitHub: [@mrprotocoll](https://github.com/mrprotocoll) - Twitter: [@dprotocoll](https://twitter.com/dprotocoll) - LinkedIn: [@mrprotocoll](https://www.linkedin.com/in/mrprotocoll) 👤 **Hassaan Baig** - GitHub: [@Hassaan Baig](https://github.com/Hassaanjbaig-code/) - LinkedIn: [Hassaan Baig](https://linkedin.com/in/hassaan-jawwad=baig) 👤 **John Adibe** - GitHub: [@Johnadibe](https://github.com/Johnadibe) - Twitter: [@JohnAdibe2](https://twitter.com/JohnAdibe2) - LinkedIn: [@John Adibe](https://www.linkedin.com/in/john-adibe/) ## 🔭 Future Features <a name="future-features"></a> - Add admin dashboard - Add payment portal ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Johnadibe/tour-reservation/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> - Give a ⭐️ if you like this project! <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> We would like to appreciate [Microverse](https://www.microverse.org/) for providing the resources and the platform for us to be a Professional full-stack developer, and We would specially thank [Murat Korkmaz](https://www.behance.net/muratk) who is the original author of this [design](https://www.behance.net/gallery/26425031/Vespa-Responsive-Redesign) <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>
A tour reservation app designed to facilitate the process of booking and managing tour reservations. It allows users to browse available tours, select desired tour packages, specify booking details and receive confirmation for their reservations.
javascript,reactjs,redux,redux-toolkit,rswag-specs,ruby-on-rails
2023-06-27T17:54:29Z
2023-07-12T09:15:09Z
null
1
1
35
2
0
6
null
MIT
JavaScript
lukapopovici/Click-Me
main
# Click-Me https://github.com/lukapopovici/Click-Me/assets/128390767/34526663-bc74-4269-ac55-785282e6e8ce Small game made on the browser using Vanilla Javascript a bit of HTML5 and CSS. </br>Made for the purpose of learning Javascript and Web Development. ## Try it yourself Here: https://lukapopovici.github.io/Click-Me/ ## The objective The point of the game is to click on as many dots as you can before they run out. The duration of the game is based on the total number of dots that will appear on screen, that can be adjusted by changing the variable "dot_number" at the start of [script.js](https://github.com/lukapopovici/Click-Me/blob/main/javascript/script.js).
Small game for the browser with the objective to click on dots as fast as possible.
css,game,html,html5,javascript,vanilla-javascript,vanilla-js
2023-06-10T21:07:26Z
2023-06-12T17:18:41Z
null
1
0
7
0
0
6
null
null
JavaScript
tajulafreen/to-do-list-review
main
<a name="readme-top"></a> <div align="center"> <h3><b>To Do List</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [DemoLink](#Demo) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [TO-DO-LIST] <a name="about-project"></a> **[TO-DO-LIST]** is an online list where user can add or remove diffrent work ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://html5.org/">HTML</a></li> <li><a href="https://css.org/">CSS</a></li> <li><a href="https://js.org/">JS</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[Add button]** - **[Remove button]** - **[Local storage]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="Demo"></a> - [Live Demo Link](https://tajulafreen.github.io/To-Do-List/dist/) <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ``` git clone <url> ``` ### Prerequisites In order to run this project you need: - A code editor of your choice(like vs code or Atom and so on) - Version control System (git is preferred) ### Setup Clone this repository to your desired folder: ``` cd my-folder git clone https://github.com/tajulafreen/to-do-list.git cd Awesome-Books ``` ### Install Install this project with: ``` cd Awesome-Books npm i ``` ### Usage To run the project, execute the following command: ``` live server ``` ### Run tests To run tests, run the following command: ``` npx eslint . ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Afreen** - GitHub: [@githubhandle](https://github.com/tajulafreen) - Twitter: [@twitterhandle](https://twitter.com/tajulafreen) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/tajul-afreen-shaik-843951251/) <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[classes]** - [ ] **[prototype]** - [ ] **[sort]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project give me stars and follow me on social media. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank to microverse. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
TO-DO-LIST is an online list where user can add or remove diffrent work
css3,html5,javascript
2023-06-19T07:41:24Z
2023-06-20T05:24:00Z
null
1
1
4
0
0
6
null
MIT
JavaScript
tomba-io/disposable-email-blocker
master
# 🔒 Welcome to the Disposable Email Blocker! 🔥 ## Description 📝 The Disposable Email Blocker is a powerful tool designed to detect and prevent the use of disposable email services for account registrations. 🚫💻 [Demo](https://tomba-io.github.io/disposable-email-blocker/) ## Features ✨ - 🛡️ Protects all HTML forms. - 🛡️ Detects invalid email addresses and domains - 🛡️ Blocks disposable email services - 🛡️ Blocks webmail email services - 🛡️ Custom error messages - 🛡️ Our system stays ahead of the game by continuously updating the database of disposable email providers to effectively identify new ones. ## How to use 🚀 To get started, follow these simple steps: ### Install [![NPM version][npm-image]][npm-url] [![NPM bundle size][npm-bundle-size-image]][npm-url] [![npm download][download-image]][download-url] ```shell $ npm install disposable-email-blocker --save # or $ yarn add disposable-email-blocker ``` ### Usage 🖥️ ```javascript import { Blocker } from 'disposable-email-blocker'; ``` ```javascript new Blocker(); ``` ### Use in browser To use via a CDN include this in your HTML. Using jsDelivr CDN: ```html <script src="https://cdn.jsdelivr.net/npm/disposable-email-blocker/disposable-email-blocker.min.js"></script> <script> new Disposable.Blocker(); </script> ``` or ```html <script src="https://cdn.jsdelivr.net/npm/disposable-email-blocker/disposable-email-blocker.min.js" block ></script> ``` Using unpkg CDN: ```html <script src="https://unpkg.com/disposable-email-blocker/disposable-email-blocker.min.js"></script> <script> new Disposable.Blocker(); </script> ``` or ```html <script src="https://cdn.jsdelivr.net/npm/disposable-email-blocker/disposable-email-blocker.min.js" block ></script> ``` ### Customizing Blocker The **_Blocker_** constructor parameter. Simple options ```javascript const defaults = { apiUrl: 'string', data: 'TombaStatusResponse[]', disposable: { message: 'string', }, webmail: { message: 'string', block: false, }, emailError: { className: 'string', style: `string`, }, }; new Disposable.Blocker(defaults); ``` - `apiUrl` API URL. - `data` Custom Data. - `disposable.message` disposable error message. - `webmail.message` webmail error message. - `webmail.block` block webmail emails. - `emailError.className` HTML tag class . - `emailError.style` css style. #### Custom disposable message To disposable message: ```javascript const defaults = { disposable: { message: 'Abuses, strongly encourage you to stop using disposable email', }, }; new Disposable.Blocker(defaults); ``` ### Custom webmail message To webmail message: ```javascript const defaults = { webmail: { message: 'Warning, You can create an account with this email address, but we strongly encourage you to use a professional email address', }, }; new Disposable.Blocker(defaults); ``` ### Custom API URL ```javascript const defaults = { apiUrl: 'string', }; new Disposable.Blocker(defaults); ``` ### Custom Data This will stop API call ```javascript const defaults = { data: [ { domain: 'coronafleet.com', webmail: true, disposable: false, }, ], }; new Disposable.Blocker(defaults); ``` ### Block webmail emails ```javascript const defaults = { webmail: { block: true, }, }; new Disposable.Blocker(defaults); ``` ### Event use the `on()` API method. Available Event name `done` the Content is revealed on `onInput` ```javascript const blocker = new Blocker(); blocker.on('done', (e) => { if (e.detail.disposable) { alert(blocker.options.disposable.message); } }); ``` ## Free Plugins / Forum / E-Commerce / CMS ♾️ | Platform | URL | Status | | ---------- | ------------------------------------------------------------------------------------------------------ | ------ | | wordpress | [wordpress-disposable-email-blocker](https://github.com/tomba-io/tomba-disposable) | ✅ | | MyBB | [mybb-disposable-email-blocker](https://github.com/tomba-io/mybb-disposable-email-blocker) | ✅ | | LiteCart | [litecart-disposable-email-blocker](https://github.com/tomba-io/litecart-disposable-email-blocker) | ✅ | | Cloudflare | [cloudflare-disposable-email-blocker](https://github.com/tomba-io/cloudflare-disposable-email-blocker) | ✅ | | Vue 2 | [disposable-email-blocker-vue-2](https://github.com/tomba-io/disposable-email-blocker-vue-2) | ✅ | | Vue 3 | [disposable-email-blocker-vue-3](https://github.com/tomba-io/disposable-email-blocker-vue-3) | 🚧 | | React | [disposable-email-blocker-react](https://github.com/tomba-io/disposable-email-blocker-react) | 🚧 | | Joomla | [joomla-disposable-email-blocker](https://github.com/tomba-io/joomla-disposable-email-blocker) | ✅ | | Drupal | | 🚧 | ## Development 👨‍💻 For development ### Setup 1. Clone this repository into it: ```shell git clone https://github.com/tomba-io/disposable-email-blocker.git cd disposable-email-blocker yarn ``` ### Develop & debug To start debugging session run: ```shell yarn start ``` **Note** that while changes to `experiments.ts` are hot-reloaded, changes to `template.html` are not. **Note** You can set breakpoints in your code and run a debugging session in vsc and other editors. ### Build ```shell yarn build ``` The output is in the `/dist`. ## Browsers support | [<img src="https://raw.githubusercontent.com/alrra/browser-logos/master/src/edge/edge_48x48.png" alt="IE / Edge" width="24px" height="24px" />](http://godban.github.io/browsers-support-badges/)<br/>IE / Edge | [<img src="https://raw.githubusercontent.com/alrra/browser-logos/master/src/firefox/firefox_48x48.png" alt="Firefox" width="24px" height="24px" />](http://godban.github.io/browsers-support-badges/)<br/>Firefox | [<img src="https://raw.githubusercontent.com/alrra/browser-logos/master/src/chrome/chrome_48x48.png" alt="Chrome" width="24px" height="24px" />](http://godban.github.io/browsers-support-badges/)<br/>Chrome | [<img src="https://raw.githubusercontent.com/alrra/browser-logos/master/src/safari/safari_48x48.png" alt="Safari" width="24px" height="24px" />](http://godban.github.io/browsers-support-badges/)<br/>Safari | [<img src="https://raw.githubusercontent.com/alrra/browser-logos/master/src/safari-ios/safari-ios_48x48.png" alt="iOS Safari" width="24px" height="24px" />](http://godban.github.io/browsers-support-badges/)<br/>iOS Safari | [<img src="https://raw.githubusercontent.com/alrra/browser-logos/master/src/samsung-internet/samsung-internet_48x48.png" alt="Samsung" width="24px" height="24px" />](http://godban.github.io/browsers-support-badges/)<br/>Samsung | [<img src="https://raw.githubusercontent.com/alrra/browser-logos/master/src/opera/opera_48x48.png" alt="Opera" width="24px" height="24px" />](http://godban.github.io/browsers-support-badges/)<br/>Opera | | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | | IE11, Edge | last 2 versions | last 2 versions | last 2 versions | last 2 versions | last 2 versions | last 2 versions | ## Contributing 1. Fork it (<https://github.com/tomba-io/disposable-email-blocker/fork>) 2. Create your feature branch (`git checkout -b my-new-feature`) 3. Commit your changes (`git commit -am 'Add new feature'`) 4. Push to the branch (`git push origin my-new-feature`) 5. Create a new Pull Request ## Contributors - [Mohamed Ben](https://github.com/benemohamed) - creator and maintainer ## License [![GitHub license](https://img.shields.io/github/license/tomba-io/disposable-email-blocker.svg)](https://github.com/tomba-io/disposable-email-blocker) <!-- Links: --> [npm-image]: https://img.shields.io/npm/v/disposable-email-blocker [npm-url]: https://npmjs.org/package/disposable-email-blocker [npm-bundle-size-image]: https://img.shields.io/bundlephobia/min/disposable-email-blocker [download-image]: https://img.shields.io/npm/dt/disposable-email-blocker [download-url]: https://npmjs.org/package/disposable-email-blocker
Detect and block any disposable email services with JavaScript.
comments,disposable-email,email-checker,form,javascript,spam,email-form-validation
2023-06-11T17:18:12Z
2023-06-18T18:26:41Z
null
1
0
38
0
2
6
null
MIT
TypeScript
agastyahukoo/Carbon
main
## Overview Carbon (previosuly CodeCraft) is a streamlined Windows Forms application for real-time HTML editing and previewing. It integrates a text editor, browser preview, and custom settings, enhancing the coding experience. ## Features ### Editing - **FastColoredTextBox**: Enhanced text editor with syntax highlighting. - **Code AutoComplete**: Contextual suggestions for faster coding. - **Theme Switching**: Toggle between dark and light modes. ### File Management - **Open/Save**: Manage `.html` and `.txt` files. - **New Project**: Start fresh with easy project setup. ### Real-time Preview - **CefSharp Browser**: Instant HTML rendering as you type. ### Customization - **Music Player**: Background music for a better coding environment. - **Color Customization**: Personalize text, app, and button colors. ## Installation 1. **Download**: Get the latest version of Carbon [here](https://agastyahukoo.github.io/Carbon/). 2. **Open in Visual Studio**: The app is built with C# Windows Forms. 3. **Restore Dependencies**: Particularly CefSharp and FastColoredTextBox. 4. **Build & Run**: Compile and address any issues before running. ## Quick Start - **Edit & Preview**: Write HTML on the left and see it live on the right. - **Toolbar**: Use it for file operations and settings. - **Settings**: Customize themes and music from the settings menu. ## Dependencies - **.NET Framework**: Latest version. - **CefSharp**: For browser preview. - **FastColoredTextBox**: For enhanced text editing. ## Contributing - **Fork & Pull Request**: Contributions are welcome. Please adhere to standard coding practices. ## License - **MIT License**: MIT License --- This concise README is designed to get you up and running with Carbon quickly. For more detailed documentation, refer to the in-code comments and official libraries' documentation.
Welcome to Carbon (previously CodeCraft), the HTML editor designed to streamline your web development workflow. Download Carbon today and unlock your web development potential like never before. Start crafting beautiful, dynamic, and responsive websites with ease. Happy coding!
css,editor,html,javascript,software
2023-06-26T19:13:49Z
2024-05-16T13:50:24Z
2023-12-29T16:09:43Z
2
7
117
0
0
6
null
MIT
C#
LiveWithCodeAnkit/Food-APP
master
# React Application with Redux, Tailwind CSS, and React Router DOM This Git repository contains a React application that utilizes several popular libraries and frameworks. ## Technologies Used - React - Redux - Tailwind CSS - React Router DOM ## Description The React application in this repository utilizes the following technologies: - React: A JavaScript library for building user interfaces. It allows for the creation of reusable UI components, making development more modular and efficient. - Redux: A predictable state container for JavaScript applications. It helps manage the application's state in a centralized manner, enabling easier data flow and state management across different components. - Tailwind CSS: A utility-first CSS framework that provides a set of pre-defined utility classes to quickly style the application. It offers flexibility and allows for rapid prototyping and customization. - React Router DOM: A routing library for React applications that enables dynamic routing. It allows users to navigate between different pages or views within the application without requiring a full page reload. By combining these technologies, the React application provides a powerful and flexible platform for building user interfaces. It includes efficient state management, a modular component architecture, responsive styling using Tailwind CSS, and dynamic routing capabilities with React Router DOM. ## Installation To install and run the React application locally, follow these steps: 1. Clone the repository: `git clone [repository-url]` 2. Navigate to the project directory: `cd [project-directory]` 3. Install the dependencies: `npm install` 4. Start the application: `npm start` ## Usage Provide instructions on how to use or run the React application, including any specific commands or steps required. ## Contributing Specify guidelines for others who wish to contribute to the project or mention if contributions are not currently accepted. ## License Include information about the license under which your project is distributed (e.g., MIT License, Apache License 2.0).
React app with Redux, Tailwind CSS, and React Router DOM - powerful combo for efficient UIs. Redux manages state, Tailwind CSS enables flexible styling, and React Router DOM provides seamless page navigation. Create responsive and feature-rich apps with this robust toolkit.
es6,html-css-javascript,javascript,reactjs,redux,tailwindcss
2023-06-19T17:26:27Z
2023-06-21T15:47:55Z
null
1
1
5
0
0
6
null
null
JavaScript