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
qaiswardag/nuxt_directory_and_job_board_theme
main
<p align="center" dir="auto"> <img width="200" style="max-width: 100%;" src="public/images/logo/logo.svg" alt="Logo"> </p> # Intro Laravel, Vue, and Nuxt, a Page Builder, Listing Directory, Blog, and Job Board Theme. I would greatly appreciate if you could star the GitHub repository. It helps to boost the visibility of this project and encourages me to continue adding new features. [Play around with the demo app](https://www.myissue.io) # Laravel and Vue 3 for backend Laravel and Vue 3 has been used for for the backend part. Check out the GitHub [repository](https://github.com/qaiswardag/laravel_vue_directory_and_job_board_theme). # Setup Make sure to install the dependencies: ```bash # npm npm install # pnpm pnpm install # yarn yarn install # bun bun install ``` # Development Server Start the development server on `http://localhost`: ```bash # npm npm run dev # pnpm pnpm run dev # yarn yarn dev # bun bun run dev ``` # Production Build the application for production: ```bash # npm npm run build # pnpm pnpm run build # yarn yarn build # bun bun run build ``` Locally preview production build: ```bash # npm npm run preview # pnpm pnpm run preview # yarn yarn preview # bun bun run preview ``` ## PM2 PM2 (Process Manager 2) is a fast and easy solution for hosting your Nuxt application on your server or VM. To use pm2, use an ecosystem.config.cjs: ecosystem.config.cjs ``` module.exports = { apps: [ { name: 'NuxtAppName', port: '3000', exec_mode: 'cluster', instances: 'max', script: './.output/server/index.mjs' } ] } ``` ```terminal npm run build ``` ## Check port: Identify the process using port 3000. ``` lsof -i :3000 ``` #### Output: COMMAND PID USER FD TYPE DEVICE SIZE/OFF NODE NAME node 21995 myissue 19u IPv6 986387 0t0 TCP \*:3000 (LISTEN) Kill: ``` kill -9 21995 ``` -9 The -9 is the signal number that corresponds to the SIGKILL signal in Unix-like operating systems. The SIGKILL signal is a special signal that forcefully terminates a process. It does not allow the process to perform any cleanup or handle the signal in any way – it immediately terminates the process. ## pm2 Restart process Get Process ID. Remember to install pm2 globally ``` pm2 status ``` Restart Process. If process ID is 0 ``` pm2 restart 0 ``` # Contributing Thank you for considering contributing to this project! # Security Vulnerabilities If you discover a security vulnerability, please send me an e-mail. # Get in touch for customization or any questions. If you have any questions or if you're looking for customization, feel free to connect with me on LinkedIn and send me a message. - [Email](mailto:qais.wardag@outlook.com) - [LinkedIn](https://www.linkedin.com/in/qaiswardag) # Feedback I would love to hear your feedback, suggestions, or any issues you encounter while using this app. Feel free to reach out to me if you have any questions or just want to say hello. You can connect with me through: # License This project is open-sourced software licensed under the [MIT license](https://opensource.org/licenses/MIT).
Laravel, Vue, and Nuxt, a Page Builder, Listing Directory, Blog, and Job Board Theme.
javascript,jobboard,listings,nuxt3,pagebuilder,pinia,tailwindcss
2024-04-24T17:11:35Z
2024-05-22T18:25:07Z
2024-05-22T18:25:07Z
1
0
280
0
0
3
null
null
Vue
jphillipsCrestron/ch5-vanilla-js-template
main
# CH5 Vite+Vanilla JS project demo This project is a minimal demonstration of turning a basic Vite project with with plain JavaScript into a CH5 project. ## Usage Run `npm i` to install all dependencies. Run the `dev` script to interact with the control system via the project during development. Run the `build:dev` script to build the project in development mode (for access to Eruda on panel/app). Run the `build:prod` script to build the project in production mode (without Eruda). Run the `archive` script to package the contents of the /dist/ directory into a .ch5z that can be loaded onto a control system or panel. Run the `deploy:mobile` script to upload the .ch5z to the control system as a mobile project. Adjust the IP address to match your control system. Run the `deploy:xpanel` script to upload the .ch5z to the control system as a WebXPanel. Adjust the IP address to match your control system. Run the `deploy:panel` script to upload the .ch5z to a touch panel as local project. Adjust the IP address to match your panel. ## Requirements - You must have Node.js 20.04.0 or higher and NPM 9.7.2 or higher. For more information see [System Requirements](https://sdkcon78221.crestron.com/sdk/Crestron_HTML5UI/Content/Topics/QS-System-Requirements.htm) - The control system must have SSL and authentication enabled. For more information see [Control System Configuration](https://sdkcon78221.crestron.com/sdk/Crestron_HTML5UI/Content/Topics/Platforms/X-CS-Settings.htm) - At the time of writing CH5 projects are only supported on 3 and 4-series processors (including VC-4), TST-1080, X60, and X70 panels, and the Crestron One app. For more information see [System Requirements](https://sdkcon78221.crestron.com/sdk/Crestron_HTML5UI/Content/Topics/QS-System-Requirements.htm) ## Authentication Historically authenticating a CH5 session is handled by a redirect initiated by the WebXPanel library to the processor/server authentication service. However since CH5 2.8.0 an authentication token can be created on the processor/server instead of requiring manual user input for authentication. For processors this is handled via the ```websockettoken generate``` command. On VirtualControl servers the token is generated in the [web interface](https://docs.crestron.com/en-us/8912/content/topics/configuration/Web-Configuration.htm?#Tokens) ## The entry point The entry point is where the Crestron libraries (UMD) will be loaded into the application. In this demo index.html is treated as the entry point for the Crestron libraries. ### Initialize the WebXPanel library if running in a browser: ```js const { WebXPanel, WebXPanelConfigParams, isActive } = window.WebXPanel.getWebXPanel(!window.WebXPanel.runsInContainerApp()); WebXPanelConfigParams.ipId = '0x03'; WebXPanelConfigParams.host = '0.0.0.0'; WebXPanelConfigParams.authToken = ''; if (isActive) { WebXPanel.initialize(WebXPanelConfigParams); } ``` ### Receive data via joins from the control system: ```js const d1Id = window.CrComLib.subscribeState('b', '1', (value) => { // Handle changes to digital output 1 }); const aiId = window.CrComLib.subscribeState('n', '1', (value) => { // Handle changes to analog output 1 }); const s1Id = window.CrComLib.subscribeState('s', '1', (value) => { // Handle changes to serial output 1 }); // Unsubscribe a later time when the join data is no longer needed window.CrComLib.unsubscribeState('b', '1', d1Id); window.CrComLib.unsubscribeState('n', '1', aiId); window.CrComLib.unsubscribeState('s', '1', s1Id); ``` ### Send data via joins to the control system: ```js window.CrComLib.publishEvent('b', '1', bool value); // Sends a boolean value to digital input 1 window.CrComLib.publishEvent('n', '1', number value); // Sends a numeric value (0-65535) to analog input 1 window.CrComLib.publishEvent('s', '1', string value); // Sends a string value to serial input 1 ```
Minimal demonstration of turning a Vite project with plain JavaScript into a Crestron HTML5 project
ch5,crestron,javascript
2024-04-10T07:59:48Z
2024-05-22T18:54:12Z
null
1
0
4
0
0
3
null
null
JavaScript
mudachyo/TapSwap
main
> [!NOTE] > Контакты: [Telegram](https://t.me/mudachyo) > > 🇪🇳 README in english available [here](README-EN.md) ## Как запустить - Установить в свой бразуер расширение [Resource Override](https://chromewebstore.google.com/detail/resource-override/pkoacgokdfckfpndoffpifphamojphii) - Открыть настройки расширения и вписать следующие данные: - Tab URL: `*` From: `https://telegram.org/js/telegram-web-app.js` To: `https://ktnff.tech/universal/telegram-web-app.js` - ![Настройки расширения](settings.png) - Открыть [Бота](https://web.telegram.org/k/#?tgaddr=tg%3A%2F%2Fresolve%3Fdomain%3Dtapswap_mirror_2_bot%26start%3Dr_2475526) и запустить игру - ![Результат](result.png) Пожертвование --- Мы принимаем следующие криптовалюты: - **TON**: `UQCGUzPN5GnFqWJiYsFtqqLGO75-cBXlOL8f_qbd7yKY2Tzh` - **USDT**(TRC20): `TFr8CiAPqEnSyoXHtVefWumodcXgjoB8rS` - **USDT**(TON): `UQCGUzPN5GnFqWJiYsFtqqLGO75-cBXlOL8f_qbd7yKY2Tzh` - **NOTCOIN**(TON): `UQCGUzPN5GnFqWJiYsFtqqLGO75-cBXlOL8f_qbd7yKY2Tzh` - **BTC**: `1Mba8xKKVLdcFJdV7jD8Ba3fFn7DWbp4bt` Пожертвования будут использованы для поддержания/сохранения проекта.
Running TapSwap in your browser | Запуск TapSwap в браузере
autoclick,autoclicker,bot,coin,farm,javascript,tapswap,telegram,web,windows
2024-04-17T14:41:18Z
2024-05-23T14:36:38Z
null
1
0
13
0
0
3
null
null
JavaScript
nicolachoquet06250/tools_library
main
<span id="top"></span> # Tools Library Constitution d'une liste d'outils, répos, d'idées d'apps, challanges ou tout autre ressource pour s'améliorer en programmation peux importe son niveau > C'est publique et ouvert à tous donc n'hésitez pas à faire une MR si vous avez d'autre sites de veille, outils, idées d'apps de tout niveau, liens de tutos d'outils à dev sois même dans différents languages, ou même des liens vers des challanges de prog peux importe le langage, ça interessera toujours des quelqu'un, si bien évidement ils ne sont pas déja présent ici 😉 ## Contributeurs <a href="https://github.com/nicolachoquet06250/"><img width="50px" height="50px" style="border-radius: 50px" src="./assets/github-personal-profile-pic.jpeg" alt="moi"></a> ## [App Ideas (florinpop17/app-ideas)](https://github.com/florinpop17/app-ideas/) | Niveau | Profile développeur | |------------------------------|---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------| | <span id="niveau-1">1</span> | Développeurs aux premiers stades de leur parcours d’apprentissage. Ceux qui se concentrent généralement sur la création d’applications destinées aux utilisateurs. | | <span id="niveau-2">2</span> | Développeurs à un stade intermédiaire d’apprentissage et d’expérience. Ils sont à l’aise avec l’UI/UX, utilisent des outils de développement et créent des applications qui utilisent les services API. | | <span id="niveau-3">3</span> | Développeurs qui possèdent tout ce qui précède et apprennent des techniques plus avancées telles que la mise en œuvre d'applications backend et de services de base de données. | ### [Niveau 1 - Projets de niveau débutant](#user-content-niveau-1) <!-- Non traduit --> <!-- [...document.querySelector('.markdown-heading + table:nth-of-type(4) tbody').querySelectorAll('tr')].map(e => `| [${e.querySelector('a').innerText}](${window.location.href}${e.querySelector('a').getAttribute('href')}) | ${e.querySelectorAll('td')[1].innerText} |`).join("\n") --> <!-- Traduit --> <!-- [...document.querySelector('.markdown-heading + table:nth-of-type(2) tbody').querySelectorAll('tr')].map(e => `| [${e.querySelector('a').innerText}](${window.location.href.replace('github-com.translate.goog', 'github.com').replace('/?_x_tr_sl=auto&_x_tr_tl=fr&_x_tr_hl=fr', '')}${e.querySelector('a').getAttribute('href').replace('/florinpop17/app-ideas', '')}) | ${e.querySelectorAll('td')[1].innerText} |`).join("\n") --> | Nom de projet | Courte déscription | |-------------------------------------------------------------------------------------------------------------------------------------------|-----------------------------------------------------------------------------------| | [Bin2Dec](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Bin2Dec-App.md) | Convertisseur de nombres binaires en décimaux | | [Aperçu du rayon de bordure](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Border-Radius-Previewer.md) | Aperçu de la façon dont les valeurs de rayon de bordure CSS3 affectent un élément | | [Calculatrice](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Calculator-App.md) | Calculatrice | | [Lumières de Noël](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Christmas-Lights-App.md) | Simulez une chaîne de lumières de Noël | | [Application Cause Effet](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Cause-Effect-App.md) | Cliquez sur l'élément de la liste pour afficher les détails de l'élément | | [Cycle de couleurs](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Color-Cycle-App.md) | Faire défiler une valeur de couleur à travers des changements incrémentiels | | [Compte à rebours](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Countdown-Timer-App.md) | Compte à rebours d'événement | | [Application CSV2JSON](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/CSV2JSON-App.md) | Convertisseur CSV en JSON | | [Dollars en Cents](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Dollars-To-Cents-App.md) | Convertir des dollars en centimes | | [Variables CSS dynamiques](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Dynamic-CSSVar-app.md) | Modifier dynamiquement les paramètres des variables CSS | | [Première application de base de données](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/First-DB-App.md) | Votre première application de base de données ! | | [Retourner l'image](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Flip-Image-App.md) | Changer l'orientation des images sur deux axes | | [Statut GitHub](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/GitHub-Status-App.md) | Afficher l'état actuel de GitHub | | [Bonjour](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Hello-App.md) | Message d'accueil dans la langue maternelle de l'utilisateur | | [Simulateur de boîte aux lettres IOT](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/IOT-Mailbox-App.md) | Utilisez les rappels pour vérifier votre courrier postal | | [Validation des entrées JS](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Javascript-Validation-With-Regex.md) | Script pour valider les entrées saisies par un utilisateur à l'aide de RegEx | | [Application JSON2CSV](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/JSON2CSV-App.md) | Convertisseur JSON en CSV | | [Valeur clé](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Key-Value-App.md) | Valeurs des événements du clavier | | [Générateur Lorem Ipsum](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Lorem-Ipsum-Generator.md) | Générer un texte d'espace réservé Lorem ipsum | | [Application Notes](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Notes-App.md) | Créer un bloc-notes en ligne | | [Régression de Pearson](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Pearson-Regression-App.md) | Calculer le coefficient de corrélation pour deux ensembles de données | | [Horloge Pomodoro](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Pomodoro-Clock.md) | Minuterie de tâches pour améliorer la productivité personnelle | | [Page de destination du produit](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Product-Landing-Page.md) | Présenter les détails du produit aux acheteurs potentiels | | [Application de quiz](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Quiz-App.md) | Testez vos connaissances en répondant aux questions | | [Application de recettes](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Recipe-App.md) | Recette | | [Générateur de repas aléatoires](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Random-Meal-Generator.md) | Générer des repas aléatoires | | [Générateur de nombres aléatoires](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Random-Number-Generator.md) | Générez un nombre aléatoire entre les plages. | | [Convertisseur romain en décimal](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Roman-to-Decimal-Converter.md) | Convertir des nombres romains en nombres décimaux | | [Conception du curseur](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Slider-Design.md) | Afficher des images à l'aide d'un curseur | | [Application Chronomètre](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Stopwatch-App.md) | Compter le temps consacré aux activités | | [Vrai ou faux](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/True-or-False-App.md) | Identifier le résultat d'une comparaison conditionnelle | | [Chiffre de Vigenère](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Vigenere-Cipher.md) | Chiffrer le texte à l'aide du chiffre Vigenere | | [Refroidissement éolien](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Windchill-App.md) | Calculer le facteur de refroidissement éolien à partir d'une température réelle | | [Fréquence des mots](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Word-Frequency-App.md) | Calculer la fréquence des mots dans un bloc de texte | | [Application météo](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Weather-App.md) | Obtenez la température et les conditions météorologiques d'une ville. | ### [Niveau 2 - Projets de niveau intermédière](#user-content-niveau-2) | Nom de projet | Courte déscription | |-------------------------------------------------------------------------------------------------------------------------------------------------------------|----------------------------------------------------------------------| | [Masques de bits](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Bit-Masks-App.md) | Utilisation de masques de bits pour les conditions | | [Application de recherche de livres](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Book-Finder-App.md) | Rechercher des livres selon plusieurs critères | | [Calculatrice CLI](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Calculator-CLI.md) | Créez une calculatrice de base cli. | | [Jeu de mémoire de cartes](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Card-Memory-Game.md) | Mémorisez et faites correspondre les images cachées | | [Application de recherche d'organismes de bienfaisance](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Charity-Finder-App.md) | Trouvez une organisation caritative mondiale à laquelle faire un don | | [Extension du thème Chrome](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Chrome-Theme-Extension.md) | Créez votre propre extension de thème Chrome. | | [Convertisseur de devises](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Currency-Converter.md) | Convertissez une devise en une autre. | | [Application de dessin](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Drawing-App.md) | Créer des œuvres d'art numériques sur le Web | | [Application de traduction Emoji](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Emoji-Translator-App.md) | Traduire des phrases en Emoji | | [Application Flashcards](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/FlashCards-App.md) | Révisez et testez vos connaissances grâce aux Flash Cards | | [Application Flip Art](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Flip-Art-App.md) | Animer un ensemble d'images | | [Application de suggestion de jeux](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Game-Suggestion-App.md) | Créez des sondages pour décider à quels jeux jouer | | [Profils GitHub](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/GitHub-Profiles.md) | Une application de recherche d'utilisateurs GitHub | | [Jeu HighStriker](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/HighStriker-Game.md) | Jeu de carnaval d'homme fort Highstriker | | [Scanner d'images](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Image-Scaner.md) | Application de numérisation d'images | | [Aperçu de démarque](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Markdown-Previewer.md) | Aperçu du texte formaté dans le markdown aromatisé GitHub | | [Générateur de tableaux de démarques](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Markdown-Table-Generator.md) | Convertir un tableau en texte au format Markdown | | [Éditeur mathématique](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/math-editor.md) | Un éditeur mathématique que les étudiants peuvent utiliser | | [Application Générateur de mèmes](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Meme-Generator-App.md) | Créer des mèmes personnalisés | | [Génération de noms à l'aide de RNN](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Name-Generator.md) | Générer des noms à l'aide de l'ensemble de données de noms | | [Générateur de mot de passe](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Password-Generator.md) | Générer des mots de passe aléatoires | | [Répertoire des podcasts](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Podcast-Directory-App.md) | Répertoire des podcasts préférés | | [Générateur de badges QR Code](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/QRCode-Badge-App.md) | Encoder les informations du badge dans un QRcode | | [Assistant d'expression régulière](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/RegExp-Helper-App.md) | Tester les expressions régulières | | [Application de reçus de vente](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Sales-DB-App.md) | Enregistrer les reçus de vente dans une base de données | | [Boutique en ligne simple](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Simple-Online-Store.md) | Boutique en ligne simple | | [Générateur de supports sportifs](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Sports-Bracket-Generator.md) | Générer un diagramme de support sportif | | [Art à cordes](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/String-Art.md) | Une animation de chaînes colorées en mouvement | | [Ceci ou ce jeu](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/This-or-That-Game.md) | Ceci ou ce jeu | | [Fuseau horaire](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Timezone-Slackbot.md) | Afficher les fuseaux horaires des équipes | | [Application de tâches](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/To-Do-App.md) | Gérer les tâches personnelles | | [Pratique de frappe](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Typing-Practice-App.md) | Pratique de frappe | | [Application de vote](https://github.com/florinpop17/app-ideas/blob/master/Projects/2-Intermediate/Voting-App.md) | Application de vote | ### [Niveau 3 - Projets de niveau avancé](#user-content-niveau-3) | Nom de projet | Courte déscription | |------------------------------------------------------------------------------------------------------------------------------------------------|----------------------------------------------------------------------------------------------| | [Bot cuirassé](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Battleship-Bot.md) | Créez un bot Discord qui joue à Battleship | | [Moteur de jeu de cuirassé](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Battleship-Game-Engine.md) | Créez un moteur appelable pour jouer au jeu Battleship | | [Jeu Boole Bots](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Boole-Bot-Game.md) | Combattre des robots pilotés par l'algèbre booléenne | | [Calendrier](https://github.com/florinpop17/app-ideas/blob/master/Projects/1-Beginner/Calendar-App.md) | Créez votre propre calendrier | | [Compteur de calories](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Calorie-Counter-App.md) | Application nutritionnelle de compteur de calories | | [Application de discussion](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Chat-App.md) | Interface de discussion en temps réel | | [Application de suivi des contributions](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Contribution-Tracker-App.md) | Suivre les fonds donnés à des œuvres caritatives | | [Ascenseur](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Elevator-App.md) | Simulateur d'ascenseur | | [Simulateur de restauration rapide](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/FastFood-App.md) | Simulateur de restauration rapide | | [Cloner Instagram](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Instagram-Clone-App.md) | Un clone de l'application Instagram de Facebook | | [Chronologie GitHub](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/GitHub-Timeline-App.md) | Générer une chronologie des dépôts GitHub d'un utilisateur | | [Félicitations à Slackbot](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Kudos-Slackbot.md) | Donner de la reconnaissance à un pair méritant | | [Application de film](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Movie-App.md) | Parcourez, recherchez des notes, vérifiez les acteurs et trouvez le prochain film à regarder | | [Bibliothèque MyPodcast](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/MyPodcast-Library-app.md) | Créez une bibliothèque de podcasts préférés | | [Requête d'exoplanète de la NASA](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/NASA-Exoplanet-Query.md) | Interrogez les archives d'exoplanètes de la NASA | | [Jeu de coquille](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Shell-Game.md) | Jeu de coquille animé | | [Mélanger le jeu](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Shuffle-Deck-App.md) | Évaluer différents algorithmes pour mélanger un jeu de cartes | | [Archiveur Slack](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Slack-Archiver.md) | Archiver les messages Slack | | [Application Épeler](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/SpellIt-App.md) | Une variante du jeu classique Speak N Spell | | [Application d'enquête](https://github.com/florinpop17/app-ideas/blob/master/Projects/3-Advanced/Survey-App.md) | Définir, mener et afficher une enquête | ## [Awesome App Ideas (tastejs/awesome-app-ideas)](https://github.com/tastejs/awesome-app-ideas/) <!-- [...document.querySelectorAll('div.markdown-heading:has(>h3), div.markdown-heading:has(>h3)+p')].map(e => e.tagName.toLowerCase() === 'div' ? `- ${e.querySelector('h3').innerText}` : `\t- ${e.innerText}`).join("\n") --> - Jeu de tir d'arcade (Galaga, etc.) - Recherche de livres - Calculatrice - Un simple programme de calculatrice avec des fonctions standard ou des fonctions scientifiques. Opérations arithmétiques de base -> Opérations d'ajout, de soustraction, de multiplication, de division de la mémoire -> Enregistrer dans la mémoire, Rappel de la mémoire, Effacer la mémoire, Historique des opérations Autres opérations -> Effacer les données (Efface la zone de saisie et les données de la mémoire) - Calculateur de course à pied - Temps, distance, allure pour votre prochaine course - Application Calendrier - Application Compteur de calories (perte de poids) - Bot de discussion - Tchat - Éditeur de photos côté client (application VSCO/Darkroom) - Lecteur audio cloud - Editeur Markdown - Application de conférence - Cette application Web doit offrir une fonctionnalité à la fois à l'organisateur de la conférence et aux participants. Principales fonctionnalités : informations sur les pistes/conférences (bio du conférencier, liens vers les diapositives), planning avec notification push sur les conférences choisies par l'utilisateur. - Vérificateur de connectivité - Gestionnaire de contacts - Compte à rebours / Chronomètre - Tableau de bord - Cette application doit ressembler à un tableau de bord de type RH où un utilisateur peut se connecter et afficher des informations sur l'entreprise. Elle peut avoir une section Employé qui affiche les informations de cet employé comme le nom, l'adresse, le téléphone, l'e-mail, le poste dans l'entreprise, la durée de son emploi, la date de début, le temps de vacances restant, etc. L'application doit également avoir une sorte de projet. suivi. Vous pouvez inclure des graphiques et des tableaux montrant les progrès de l’entreprise d’une année à l’autre. Une autre chose serait d'ajouter un espace permettant au responsable des ressources humaines de faire une annonce à l'échelle de l'entreprise qui apparaîtrait sur l'intranet de l'entreprise. - Boussole dédiée - Suivi de régime - Client Docker - Gestionnaire d'employés - liseuse - Application de partage de fichiers - Lampe de poche - Application Galerie ou Portfolio - Application cadeaux (trouver des cadeaux pour des amis) - Client API GitHub - Application de notifications Github - Application de recherche de vidéos pour développeurs Google/Chrome/Android - Tablatures de guitare - Accordeur de guitare - Recherche d'accords pour guitare/instrument à cordes - Hacker News API/client de recherche - Détecteur/Traducteur de gestes de la main - Une application qui utilisera la caméra de l'appareil comme entrée, détectera les gestes et mouvements d'une personne et les traduira en un travail significatif, c'est-à-dire effectuera certaines actions basées sur les gestes de la main détectés. Le meilleur cas d’utilisation serait de l’utiliser pour enseigner de nouvelles choses aux tout-petits avec des sons et des animations. En outre, cela peut faciliter la compréhension et l’interaction avec les personnes sourdes-muettes. - Application de recherche de logement ciblant les besoins des familles - Client Instagram - Tableau Kanban - Traducteur de langue (pensez à Google Translate) - Client de messagerie - Critiques de films - Films / Recherche IMDB - Lecteur de nouvelles (par exemple lecteur RSS) - Application de prise de notes - Lecteur de livres hors ligne - Pédomètre - Photomaton - Recadrage de photos - Application de partage de photos - Composeur de commandes de pizza - Stocke les préférences des gens en matière de garnitures, et peut-être aussi les styles de croûte, c'est-à-dire ce qu'ils aiment, aiment, n'aiment pas, détestent ou sont neutres. (Autre idée : stockez uniquement les préférences du propriétaire de l'appareil, et plusieurs instances peuvent communiquer entre elles pour collaborer, en remplissant d'autres personnes de manière ponctuelle.) Pour préparer une commande, dites qui est là et à quel point il a faim. Il doit préparer une commande qui nourrira tout le monde, maximisera le bonheur avec les garnitures et minimisera le prix. Par exemple, "1 demi-champignon mi-pepperoni moyen plus 2 gros hawaïens". Il pourrait obtenir des prix, et peut-être des emplacements, à partir de diverses sources en ligne à déterminer, ou simplement faire des hypothèses. - Planification des cartes de poker - Lecteur de podcasts - Application Pomodoro - API Product Hunt/client de recherche - Scanner de QR codes - Application de quiz/questionnaire - Application de devis - Application de recettes - Client Reddit - Application de rappels - Jeu simple (par exemple cartes ou LetterPress) - Client Snap and Share (application Appareil photo, partage sur Drive) - Application Test de vitesse - Niveau à bulle - Client d'échange de pile - Application collante - Suivi du portefeuille d'actions - Application de surf - Laissez l'utilisateur enregistrer sa position, puis fournissez des rapports indiquant quelles plages sont les meilleures pour surfer dans les prochains jours. C'est une bonne opportunité d'utiliser les API météo pour quelque chose de plus spécifique. - Morpion - Application d'horaires - Liste de tâches (classique) - Application de voyage - Client API Trello - Mélodies / Recherche de musique / lecteur - Client Twitter - Test de dactylographie - Raccourcisseur d'URL - Cela prendra une URL complète ( https://foo.bar ) et la renverra dans une chaîne contenant 8 caractères alphanumériques (AZ, 0-9) qui représenteront une URL raccourcie. Vous devez mettre en place des fonctions de garde pour empêcher tout type d'attaque de type injection SQL. - Application météo - Qu'y a-t-il près de chez moi ? (API Google Maps) - Application de messagerie de style WhatsApp - Cave à vin (responsable des vins) - Un responsable d'un restaurant haut de gamme a besoin d'une application pour l'aider à gérer la collection de (x) bouteilles de vin du restaurant. Le gérant souhaite connaître le vignoble, la localisation, l'année, le style, l'emplacement en cave, le nombre de bouteilles restantes, le prix de vente, le prix d'achat, ainsi que des notes de dégustation. Tous les champs doivent être mis à jour car les prix, les notes de dégustation et les années changeront fréquemment. Il doit également contenir une image de l'étiquette/de la bouteille. - Application pour le dîner des parents qui travaillent - API YouTube/client de recherche - À l'aide de l'API YouTube, votre application devrait pouvoir saisir une chaîne de recherche et renvoyer les vidéos pour cette recherche. Par exemple, si je voulais regarder Starman de David Bowie, seules ces vidéos devraient être renvoyées. Cependant, si je ne suis pas pointilleux et que je veux simplement écouter David Bowie, cela devrait renvoyer un certain nombre de résultats relatifs à Bowie. Une fonctionnalité supplémentaire permettrait de choisir au hasard quelle vidéo est renvoyée ou de limiter le nombre de résultats renvoyés dans une seule recherche. ## [Build your own X (codecrafters-io/build-your-own-x)](https://github.com/codecrafters-io/build-your-own-x/) <!-- [...document.querySelectorAll('article ul:first-of-type li a')].map(e => `| <a href="#${e.getAttribute('href').replace('#build-your-own-', '')}-content" id="${e.getAttribute('href').replace('#build-your-own-', '')}-cat">${e.innerText}</a> |`).join("\n") --> | Catégories | |------------------------------------------------------------------------------------------------------------------------------| | <a href="#3d-renderer-content" id="3d-renderer-cat">Rendu 3D</a> | | <a href="#augmented-reality-content" id="augmented-reality-cat">Réalité augmentée</a> | | <a href="#bittorrent-client-content" id="bittorrent-client-cat">Client BitTorrent</a> | | <a href="#blockchain--cryptocurrency-content" id="blockchain--cryptocurrency-cat">Blockchain / Crypto-monnaie</a> | | <a href="#bot-content" id="bot-cat">Bot</a> | | <a href="#command-line-tool-content" id="command-line-tool-cat">Outil de ligne de commande</a> | | <a href="#database-content" id="database-cat">Base de données</a> | | <a href="#docker-content" id="docker-cat">Docker</a> | | <a href="#emulator--virtual-machine-content" id="emulator--virtual-machine-cat">Émulateur / Machine Virtuelle</a> | | <a href="#front-end-framework--library-content" id="front-end-framework--library-cat">Framework front-end / Bibliothèque</a> | | <a href="#game-content" id="game-cat">Jeu</a> | | <a href="#git-content" id="git-cat">Git</a> | | <a href="#network-stack-content" id="network-stack-cat">Pile réseau</a> | | <a href="#neural-network-content" id="neural-network-cat">Réseau neuronal</a> | | <a href="#operating-system-content" id="operating-system-cat">Système opérateur</a> | | <a href="#physics-engine-content" id="physics-engine-cat">Moteur physique</a> | | <a href="#programming-language-content" id="programming-language-cat">Langage de programmation</a> | | <a href="#regex-engine-content" id="regex-engine-cat">Moteur d'expression régulière</a> | | <a href="#search-engine-content" id="search-engine-cat">Moteur de recherche</a> | | <a href="#shell-content" id="shell-cat">Coquille</a> | | <a href="#template-engine-content" id="template-engine-cat">Moteur de modèles</a> | | <a href="#text-editor-content" id="text-editor-cat">Éditeur de texte</a> | | <a href="#visual-recognition-system-content" id="visual-recognition-system-cat">Système de reconnaissance visuelle</a> | | <a href="#voxel-engine-content" id="voxel-engine-cat">Moteur Voxel</a> | | <a href="#web-browser-content" id="web-browser-cat">Navigateur Web</a> | | <a href="#web-server-content" id="web-server-cat">Serveur Web</a> | | <a href="##uncategorized-content" id="#uncategorized-cat">Non classé</a> | <!-- Object.entries([...document.querySelectorAll('.markdown-heading:has(>h4),.markdown-heading:has(>h4)+ul li')].reduce((r, c) => { if (c.tagName.toLowerCase() === 'div') { r.lastKey = c.querySelector('code') ? c.querySelector('code').innerText : c.innerText; r.items[r.lastKey] = []; } else { r.items[r.lastKey].push({ language: c.querySelector('strong').innerText, title: c.querySelector('em') ? c.querySelector('em').innerText : c.querySelector('font').innerText, link: c.querySelector('a').getAttribute('href') }); } return r; }, {items: {}, lastKey: ''}).items).reduce((r, [category, tutos], i) => [ ...r, ` <tr> <th colspan=2" id="${category.replace(/ |\//g, '-').toLowerCase().replace(/---/g, '--')}-content">${category}</th> </tr>`, ...tutos.map(t => ` <tr> <td> <strong>${t.language}</strong> </td> <td> <a href="${t.link}">${t.title}</a> </td> </tr>`) ], []).join("\n") --> <table> <tr> <th>Langage</th> <th>Tutoriel</th> </tr> <tr> <th colspan="2" id="3d-renderer-content"> <a href="#3d-renderer-cat">3D Renderer</a> </th> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.scratchapixel.com/lessons/3d-basic-rendering/introduction-to-ray-tracing/how-does-it-work">Introduction au Ray Tracing : une méthode simple pour créer des images 3D</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://github.com/ssloy/tinyrenderer/wiki">Comment fonctionne OpenGL : rendu logiciel en 500 lignes de code</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://lodev.org/cgtutor/raycasting.html">Moteur Raycasting de Wolfenstein 3D</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://www.pbr-book.org/">Rendu physique : de la théorie à la mise en œuvre</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://raytracing.github.io/books/RayTracingInOneWeekend.html">Ray Tracing en un week-end</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.scratchapixel.com/lessons/3d-basic-rendering/rasterization-practical-implementation/overview-rasterization-algorithm">Rastérisation : une implémentation pratique</a> </td> </tr> <tr> <td> <strong>C# / TypeScript / JavaScript</strong> </td> <td> <a href="https://www.davrous.com/2013/06/13/tutorial-series-learning-how-to-write-a-3d-soft-engine-from-scratch-in-c-typescript-or-javascript/">Apprendre à écrire un moteur logiciel 3D à partir de zéro en C#, TypeScript ou JavaScript</a> </td> </tr> <tr> <td> <strong>Java / JavaScript</strong> </td> <td> <a href="https://avik-das.github.io/build-your-own-raytracer/">Créez votre propre moteur de rendu 3D</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="http://blog.rogach.org/2015/08/how-to-create-your-own-simple-3d-render.html">Comment créer votre propre moteur de rendu 3D simple en Java pur</a> </td> </tr> <tr> <td> <strong>JavaScript / Pseudocode</strong> </td> <td> <a href="http://www.gabrielgambetta.com/computer-graphics-from-scratch/introduction.html">Infographie à partir de zéro</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://aosabook.org/en/500L/a-3d-modeller.html">un modélisateur 3D</a> </td> </tr> <tr> <th colspan="2" id="augmented-reality-content"><a href="#augmented-reality-cat">Augmented Reality</a></th> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.youtube.com/watch?v=uXNjNcqW4kY">Comment : Tutoriel d'application de réalité augmentée pour les débutants avec Vuforia et Unity 3D</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLKIKuXdn4ZMjuUAtdQfK1vwTZPQn_rgSv">Comment Unity ARCore</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLPCqNOwwN794Gz5fzUSi1p4OqLU0HTmvn">Tutoriel AR Portal avec Unity</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.youtube.com/watch?v=qTSDPkPyPqs">Comment créer un Dragon en Réalité Augmentée dans Unity ARCore</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.youtube.com/watch?v=Z5AmqMuNi08">Tutoriel de réalité augmentée AR : portail ARKit vers l'envers</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://bitesofcode.wordpress.com/2017/09/12/augmented-reality-with-python-and-opencv-part-1/">Réalité Augmentée avec Python et OpenCV</a> </td> </tr> <tr> <th colspan="2" id="bittorrent-client-content"><a href="#bittorrent-client-cat">BitTorrent Client</a></th> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.seanjoflynn.com/research/bittorrent.html">Créer un client BitTorrent à partir de zéro en C#</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://blog.jse.li/posts/torrent/">Créer un client BitTorrent à partir de zéro dans Go</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day02_bencode.html">Écrire un analyseur Bencode</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://allenkim67.github.io/programming/2016/05/04/how-to-make-your-own-bittorrent-client.html">Écrivez votre propre client bittorrent</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://markuseliasson.se/article/bittorrent-in-python/">Un client BitTorrent en Python 3.5</a> </td> </tr> <tr> <th colspan="2" id="blockchain--cryptocurrency-content"><a href="#blockchain--cryptocurrency-cat">Blockchain / Cryptocurrency</a></th> </tr> <tr> <td> <strong>ATS</strong> </td> <td> <a href="https://beta.observablehq.com/@galletti94/functional-blockchain">Blockchain Fonctionnelle</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://programmingblockchain.gitbooks.io/programmingblockchain/">Programmation de la Blockchain en C#</a> </td> </tr> <tr> <td> <strong>Crystal</strong> </td> <td> <a href="https://medium.com/@bradford_hamilton/write-your-own-blockchain-and-pow-algorithm-using-crystal-d53d5d9d0c52">Écrivez votre propre algorithme blockchain et PoW à l'aide de Crystal</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://jeiwan.net/posts/building-blockchain-in-go-part-1/">Construire une blockchain dans Go</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://medium.com/@mycoralhealth/code-your-own-blockchain-in-less-than-200-lines-of-go-e296282bcffc">Codez votre propre blockchain en moins de 200 lignes de Go</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="https://medium.com/programmers-blockchain/create-simple-blockchain-java-tutorial-from-scratch-6eeed3cb03fa">Créer votre première blockchain avec Java</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/conradoqg/naivecoin">Une implémentation de cryptomonnaie en moins de 1500 lignes de code</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/nambrot/blockchain-in-js">Construisez votre propre Blockchain en JavaScript</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://medium.com/digital-alchemy-holdings/learn-build-a-javascript-blockchain-part-1-ca61c285821e">apprendre et créer une blockchain JavaScript</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/SavjeeTutorials/SavjeeCoin">Créer une blockchain avec JavaScript</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://hackernoon.com/how-to-launch-your-own-production-ready-cryptocurrency-ab97cb773371"> Comment lancer votre propre crypto-monnaie prête pour la production</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://www.smashingmagazine.com/2020/02/cryptocurrency-blockchain-node-js/">Écrire une Blockchain dans Node.js</a> </td> </tr> <tr> <td> <strong>Kotlin</strong> </td> <td> <a href="https://medium.com/@vasilyf/lets-implement-a-cryptocurrency-in-kotlin-part-1-blockchain-8704069f8580">Implémentons une cryptomonnaie dans Kotlin</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://hackernoon.com/learn-blockchains-by-building-one-117428612f46">Apprenez les blockchains en en construisant une</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://ecomunsing.com/build-your-own-blockchain">Construisez votre propre blockchain : un tutoriel Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://adilmoujahid.com/posts/2018/03/intro-blockchain-bitcoin-python/">Une introduction pratique à la Blockchain avec Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://medium.com/crypto-currently/lets-build-the-tiniest-blockchain-e70965a248b">Construisons la plus petite blockchain</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://github.com/yukimotopress/programming-blockchains-step-by-step">Programmation des blockchains étape par étape (édition du livre des manuscrits)</a> </td> </tr> <tr> <td> <strong>Scala</strong> </td> <td> <a href="https://medium.freecodecamp.org/how-to-build-a-simple-actor-based-blockchain-aac1e996c177">Comment construire une blockchain simple basée sur des acteurs</a> </td> </tr> <tr> <td> <strong>TypeScript</strong> </td> <td> <a href="https://lhartikk.github.io/">Naivecoin : un tutoriel pour construire une cryptomonnaie</a> </td> </tr> <tr> <td> <strong>TypeScript</strong> </td> <td> <a href="https://naivecoinstake.learn.uno/">NaivecoinStake : un tutoriel pour construire une cryptomonnaie avec le consensus Proof of Stake</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://hackernoon.com/building-a-blockchain-in-rust-and-substrate-a-step-by-step-guide-for-developers-kc223ybp">Construire une blockchain dans Rust & Substrat</a> </td> </tr> <tr> <th colspan="2" id="bot-content"><a href="#bot-cat">Bot</a></th> </tr> <tr> <td> <strong>Haskell</strong> </td> <td> <a href="https://wiki.haskell.org/Roll_your_own_IRC_bot">lancez votre propre bot IRC</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://tutorials.botsfloor.com/creating-a-simple-facebook-messenger-ai-bot-with-api-ai-in-node-js-50ae2fa5c80d">Création d'un simple robot IA Facebook Messenger avec API.ai dans Node.js</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://www.sohamkamani.com/blog/2016/09/21/making-a-telegram-bot/">Comment créer un bot de télégramme réactif</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://discordjs.guide/">Créer un bot Discord</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://blog.scottlogic.com/2017/05/22/gifbot-github-integration.html">gifbot - Créer une application GitHub</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://www.smashingmagazine.com/2017/08/ai-chatbot-web-speech-api-node-js/"> Créer un chatbot IA simple avec l'API Web Speech et Node.js</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.fullstackpython.com/blog/build-first-slack-bot-python.html">Comment créer votre premier robot Slack avec Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://medium.com/freehunch/how-to-build-a-slack-bot-with-python-using-slack-events-api-django-under-20-minute-code-included-269c3a9bf64e">Comment créer un Slack Bot avec Python à l'aide de l'API Slack Events et de Django en moins de 20 minutes</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://pythonforengineers.com/build-a-reddit-bot-part-1/">créer un robot Reddit</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.youtube.com/watch?v=krTUf7BpTc0">Comment créer un bot Reddit</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.freecodecamp.org/news/how-to-create-a-telegram-bot-using-python/">Comment créer un robot Telegram à l'aide de Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://medium.freecodecamp.org/creating-a-twitter-bot-in-python-with-tweepy-ac524157a607">Créer un robot Twitter en Python à l'aide de Tweepy</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLIFBTFgFpoJ9vmYYlfxRFV6U_XhG-4fpP">Créer un bot Reddit avec Python et PRAW</a> </td> </tr> <tr> <td> <strong>R</strong> </td> <td> <a href="https://towardsdatascience.com/build-a-cryptocurrency-trading-bot-with-r-1445c429e1b1"> Créez un robot de trading de crypto-monnaie avec R</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://habr.com/en/post/436254/">Un bot pour Starcraft en Rust, C ou tout autre langage</a> </td> </tr> <tr> <th colspan="2" id="command-line-tool-content"><a href="#command-line-tool-cat">Command-Line Tool</a></th> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://flaviocopes.com/go-git-contributions/">Visualisez vos contributions git locales avec Go</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://flaviocopes.com/go-tutorial-lolcat/">Créez une application en ligne de commande avec Go : lolcat</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://flaviocopes.com/go-tutorial-cowsay/">Construire une commande cli avec Go : cowsay</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://flaviocopes.com/go-tutorial-fortune/">Tutoriel Go CLI : clone de fortune</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day06_nistow.html">Ecrire une alternative stow pour gérer les dotfiles</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://citw.dev/tutorial/create-your-own-cli-tool">Créer un outil CLI en Javascript</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://rust-cli.github.io/book/index.html">applications en ligne de commande dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://mattgathu.dev/2017/08/29/writing-cli-app-rust.html">Écrire un outil de ligne de commande dans Rust</a> </td> </tr> <tr> <th colspan="2" id="database-content"><a href="#database-cat">Database</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://cstack.github.io/db_tutorial/">Construisons une base de données simple</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://build-your-own.org/redis">créez votre propre Redis à partir de zéro</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.codeproject.com/Articles/1029838/Build-Your-Own-Database">créez votre propre base de données</a> </td> </tr> <tr> <td> <strong>Clojure</strong> </td> <td> <a href="http://aosabook.org/en/500L/an-archaeology-inspired-database.html">une base de données inspirée de l'archéologie</a> </td> </tr> <tr> <td> <strong>Crystal</strong> </td> <td> <a href="https://medium.com/@marceloboeira/why-you-should-build-your-own-nosql-database-9bbba42039f5">Pourquoi devriez-vous créer votre propre base de données NoSQL</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://build-your-own.org/database/">Créez votre propre base de données à partir de zéro : persistance, indexation, concurrence</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://www.build-redis-from-scratch.dev/">créez votre propre Redis à partir de zéro</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://aosabook.org/en/500L/dagoba-an-in-memory-graph-database.html">Dagoba : une base de données de graphes en mémoire</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://aosabook.org/en/500L/dbdb-dog-bed-database.html">DBDB : base de données sur les lits pour chiens</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://charlesleifer.com/blog/building-a-simple-redis-server-with-python/">Écrivez votre propre Redis miniature avec Python</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://dineshgowda.com/posts/build-your-own-persistent-kv-store/">créez votre propre magasin KV rapide et persistant dans Ruby</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://tokio.rs/tokio/tutorial/setup">créez votre propre client et serveur Redis</a> </td> </tr> <tr> <th colspan="2" id="docker-content"><a href="#docker-cat">Docker</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://blog.lizzie.io/linux-containers-in-500-loc.html">Conteneurs Linux en 500 lignes de code</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://www.infoq.com/articles/build-a-container-golang">créez votre propre conteneur en utilisant moins de 100 lignes de Go</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://www.youtube.com/watch?v=8fi7uSYlOdc"> Construire un conteneur à partir de zéro dans Go</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://github.com/Fewbytes/rubber-docker">Un atelier sur les conteneurs Linux : Reconstruire Docker from Scratch</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://github.com/tonybaloney/mocker">Une imitation de preuve de concept de Docker, écrite en 100% Python</a> </td> </tr> <tr> <td> <strong>Shell</strong> </td> <td> <a href="https://github.com/p8952/bocker">Docker implémenté dans une centaine de lignes de bash</a> </td> </tr> <tr> <th colspan="2" id="emulator--virtual-machine-content"><a href="#emulator--virtual-machine-cat">Emulator / Virtual Machine</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://medium.com/bumble-tech/home-grown-bytecode-interpreters-51e12d59b25c">Interpréteurs de bytecode développés en interne</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://web.archive.org/web/20200121100942/https://blog.felixangell.com/virtual-machine-in-c/">Machine virtuelle en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://justinmeiners.github.io/lc3-vm/">Écrivez votre propre machine virtuelle</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://cturt.github.io/cinoop.html">Ecriture d'un émulateur Game Boy, Cinoop</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://www.multigesture.net/articles/how-to-write-an-emulator-chip-8-interpreter/">Comment écrire un émulateur (interpréteur CHIP-8)</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://www.codeslinger.co.uk/pages/projects/chip8.html">Tutoriel d'émulation (interpréteur CHIP-8)</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://www.codeslinger.co.uk/pages/projects/gameboy.html">Tutoriel d'émulation (émulateur GameBoy)</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://www.codeslinger.co.uk/pages/projects/mastersystem/memory.html">Tutoriel d'émulation (émulateur Master System)</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLrOv9FMX8xJHqMvSGB_9G9nZZ_4IgteYf">Émulateur NES From Scratch</a> </td> </tr> <tr> <td> <strong>Common Lisp</strong> </td> <td> <a href="http://stevelosh.com/blog/2016/12/chip8-cpu/">CHIP-8 en Common Lisp</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://imrannazar.com/GameBoy-Emulation-in-JavaScript">émulation GameBoy en JavaScript</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://omokute.blogspot.com.br/2012/06/emulation-basics-write-your-own-chip-8.html"> Bases de l'émulation : écrivez votre propre émulateur/interprète Chip 8</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://jeremybanks.github.io/0dmg/">0dmg : Apprendre Rust en créant un émulateur Game Boy partiel</a> </td> </tr> <tr> <th colspan="2" id="front-end-framework--library-content"><a href="#front-end-framework--library-cat">Front-end Framework / Library</a></th> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://jasonformat.com/wtf-is-jsx/">WTF est JSX (Construisons un moteur de rendu JSX)</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/hexacta/didact">Un guide DIY pour créer votre propre React</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://www.youtube.com/watch?v=_MAD4Oly9yg"> Construire React From Scratch</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://medium.com/@sweetpalma/gooact-react-in-160-lines-of-javascript-44e0742ad60f">Gooact : Réagissez en 160 lignes de JavaScript</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://www.mattgreer.org/articles/react-internals-part-one-basic-rendering/">composants internes de React</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://hackernoon.com/learn-you-some-custom-react-renderers-aed7164a4199">découvrez comment fonctionne le package React Reconciler en créant votre propre DOM React léger</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://zapier.com/engineering/how-to-build-redux/">Construisez-vous un Redux</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://www.jamasoftware.com/blog/lets-write-redux/">Écrivons Redux !</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://egghead.io/lessons/react-redux-implementing-store-from-scratch">Redux : implémentation de Store from Scratch</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://blog.mgechev.com/2015/03/09/build-learn-your-own-light-lightweight-angularjs/">créez votre propre AngularJS simplifié en 200 lignes de JavaScript</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://teropa.info/blog/2013/11/03/make-your-own-angular-part-1-scopes-and-digest.html">créez votre propre AngularJS</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://medium.com/@deathmood/how-to-write-your-own-virtual-dom-ee74acc13060">Comment écrire votre propre DOM virtuel</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://mfrachet.github.io/create-frontend-framework/">Construire un framework frontend, from scratch, avec des composants (templating, state, VDOM)</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://pomb.us/build-your-own-react/">créez votre propre React</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://youtu.be/CGpMlWVcHok"> Créer un moteur de rendu React personnalisé</a> </td> </tr> <tr> <th colspan="2" id="game-content"><a href="#game-cat">Game</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://handmadehero.org/"> Héros fait à la main</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://nesdoug.com/">Comment programmer un jeu NES en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLZ1QII7yudbc-Ky058TEaOstZHVbT-2hg">Moteur d'échecs en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLSkJey49cOgTSj465v2KbLZ7LMn10bCF9">Faisons : Dangerous Dave</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLT6WFYYZE6uLMcPGS3qfpYm7T_gViYMMt">Apprendre la programmation de jeux vidéo en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLkTXsX7igf8edTYU92nU-f5Ntzuf-RKvW">Codage d'un solveur de Sudoku en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLkTXsX7igf8erbWGYT4iSAhpnJLJ0Nk5G">Coder un RPG Rogue/Nethack en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://brennan.io/2015/06/12/tetris-reimplementation/">Sur Tetris et la réimplémentation</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://learnopengl.com/In-Practice/2D-Game/Breakout"> évasion</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://lazyfoo.net/tutorials/SDL/">Débuter la programmation de jeux v2.0</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://javilop.com/gamedev/tetris-tutorial-in-c-platform-independent-focused-in-game-logic-for-beginners/">Tutoriel Tetris en plateforme C++ indépendant axé sur la logique de jeu pour les débutants</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.youtube.com/watch?v=ETvApbD5xRo&list=PLNOBk_id22bw6LXhrGfhVwqQIa-M2MsLa">Refaire Cavestory en C++</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PL006xsVEsbKjSKBmLu1clo85yLrwjY67X">Reconstruire Cave Story</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://nicktasios.nl/posts/space-invaders-from-scratch-part-1.html">Space Invaders à partir de zéro</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="http://scottlilly.com/learn-c-by-building-a-simple-rpg-index/">Apprenez le C# en créant un RPG simple</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://roguesharp.wordpress.com/">Créer un jeu Roguelike en C#</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://scottlilly.com/build-a-cwpf-rpg/">Créer un RPG C#/WPF</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLDZujg-VgQlZUy1iCqBbe5faZLMkA3g2x">Jeux avec Go</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="https://www.youtube.com/watch?v=025QFeZfeyM">Coder un moteur de jeu 2D à l'aide de Java - Cours complet pour débutants</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="https://lwjglgamedev.gitbooks.io/3d-game-development-with-lwjgl/content/">Développement de jeux 3D avec LWJGL 3</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://developer.mozilla.org/en-US/docs/Games/Tutorials/2D_breakout_game_Phaser">jeu de réflexion 2D utilisant Phaser</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://www.lessmilk.com/tutorial/flappy-bird-phaser-1">Comment créer Flappy Bird en HTML5 avec Phaser</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://auth0.com/blog/developing-games-with-react-redux-and-svg-part-1/"> développer des jeux avec React, Redux et SVG</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://www.youtube.com/watch?v=aXwCrtAo4Wc">Créez votre propre jeu 8-Ball Pool à partir de zéro</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://gamedevelopment.tutsplus.com/tutorials/how-to-make-your-first-roguelike--gamedev-13677">Comment créer votre premier Roguelike</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://medium.freecodecamp.org/think-like-a-programmer-how-to-build-snake-using-only-javascript-html-and-css-7b1479c3339e">pensez comme un programmeur : comment créer Snake en utilisant uniquement JavaScript, HTML et CSS</a> </td> </tr> <tr> <td> <strong>Lua</strong> </td> <td> <a href="https://github.com/SSYGEN/blog/issues/30">BYTEPATH</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://pythonprogramming.net/pygame-python-3-part-1-intro/">Développer des jeux avec PyGame</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://inventwithpython.com/makinggames.pdf">Créer des jeux avec Python et Pygame</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://rogueliketutorials.com/">Tutoriel Roguelike révisé</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://leanpub.com/developing-games-with-ruby/read">Développer des jeux avec Ruby</a> </td> </tr> <tr> <td> <strong>Rubis</strong> </td> <td> <a href="https://www.diatomenterprises.com/gamedev-on-ruby-why-not/">Serpent Rubis</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://a5huynh.github.io/posts/2018/adventures-in-rust/">Adventures in Rust : un jeu 2D de base</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://tomassedovic.github.io/roguelike-tutorial/">Tutoriel Roguelike dans Rust + tcod</a> </td> </tr> <tr> <th colspan="2" id="git-content"><a href="#git-cat">Git</a></th> </tr> <tr> <td> <strong>Haskell</strong> </td> <td> <a href="http://stefan.saasen.me/articles/git-clone-in-haskell-from-the-bottom-up/">Réimplémenter « git clone » dans Haskell de bas en haut</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://gitlet.maryrosecook.com/docs/gitlet.html"> Gitlet</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://kushagra.dev/blog/build-git-learn-git/">Construire GIT - Apprendre GIT</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://benhoyt.com/writings/pygit/">juste assez d'un client Git pour créer un dépôt, valider et se pousser vers GitHub</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://wyag.thb.lt/">Écrivez-vous un Git !</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.leshenko.net/p/ugit/">ugit : Apprenez les composants internes de Git en créant vous-même Git</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://robots.thoughtbot.com/rebuilding-git-in-ruby">Reconstruire Git en Ruby</a> </td> </tr> <tr> <th colspan="2" id="network-stack-content"><a href="#network-stack-cat">Network Stack</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://beej.us/guide/bgnet/">Guide de Beej sur la programmation réseau</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://www.saminiir.com/lets-code-tcp-ip-stack-1-ethernet-arp/">Codons une pile TCP/IP</a> </td> </tr> <tr> <td> <strong>C / Python</strong> </td> <td> <a href="https://github.com/peiyuanix/build-your-own-zerotier">Construisez votre propre VPN/Switch virtuel</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://medium.com/geckoboard-under-the-hood/how-to-build-a-network-stack-in-ruby-f73aeb1b661b">Comment créer une pile réseau dans Ruby</a> </td> </tr> <tr> <th colspan="2" id="neural-network-content"><a href="#neural-network-cat">Neural Network</a></th> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.codeproject.com/Articles/11285/Neural-Network-OCR">OCR de réseau neuronal</a> </td> </tr> <tr> <td> <strong>F#</strong> </td> <td> <a href="https://towardsdatascience.com/building-neural-networks-in-f-part-1-a2832ae972e6"> Construire des réseaux de neurones en F#</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://made2591.github.io/posts/neuralnetwork">Construire un perceptron multicouche avec Golang</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://sausheong.github.io/posts/how-to-build-a-simple-artificial-neural-network-with-go/">Comment construire un réseau de neurones artificiels simple avec Go</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://datadan.io/blog/neural-net-with-go">Construire un réseau neuronal à partir de zéro dans Go</a> </td> </tr> <tr> <td> <strong>JavaScript / Java</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLRqwX-V7Uu6aCibgK1PTWWu9by6XFdCfh">Réseaux de neurones - La nature du code</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://hackernoon.com/neural-networks-from-scratch-for-javascript-linguists-part1-the-perceptron-632a4d1fbad2"> Réseaux de neurones à partir de zéro pour les linguistes JavaScript (Partie 1 — Le Perceptron)</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://iamtrask.github.io/2015/07/12/basic-python-network/">Un Réseau de Neurones en 11 lignes de Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://victorzhou.com/blog/intro-to-neural-networks/">implémenter un réseau de neurones à partir de zéro</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://aosabook.org/en/500L/optical-character-recognition-ocr.html">Reconnaissance Optique de Caractères (OCR)</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://navoshta.com/traffic-signs-classification/">Classification des panneaux de signalisation avec un réseau convolutif</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://towardsdatascience.com/how-to-generate-music-using-a-lstm-neural-network-in-keras-68786834d4c5">générer de la musique à l'aide du réseau neuronal LSTM dans Keras</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://victorzhou.com/blog/intro-to-cnns-part-1/"> une introduction aux réseaux de neurones convolutifs</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLAqhIrjkxbuWI23v9cThsA9GvCAUhRvKZ">Réseaux de neurones : de zéro à héros</a> </td> </tr> <tr> <th colspan="2" id="operating-system-content"><a href="#operating-system-cat">Operating System</a></th> </tr> <tr> <td> <strong>Assembleur</strong> </td> <td> <a href="http://joebergeron.io/posts/post_two.html">écriture d'un petit chargeur de démarrage x86</a> </td> </tr> <tr> <td> <strong>Assembleur</strong> </td> <td> <a href="http://www.cl.cam.ac.uk/projects/raspberrypi/tutorials/os/index.html">Baking Pi – Développement de systèmes d’exploitation</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.youtube.com/watch?v=ZjwvMcP3Nf0&list=PLU94OURih-CiP4WxKSMt3UcwMSDM3aTtX"> Construire une pile logicielle et matérielle pour un ordinateur simple à partir de zéro</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://tuhdo.github.io/os01/">Systèmes d'exploitation : De 0 à 1</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://littleosbook.github.io/">Le petit livre sur le développement des OS</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://jamesmolloy.co.uk/tutorial_html/"> roulez votre propre système d'exploitation clone UNIX jouet</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://arjunsreedharan.org/post/82710718100/kernel-101-lets-write-a-kernel">Kernel 101 – Écrivons un noyau</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://arjunsreedharan.org/post/99370248137/kernel-201-lets-write-a-kernel-with-keyboard">Kernel 201 – Écrivons un noyau avec prise en charge du clavier et de l'écran</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/jserv/mini-arm-os"> Construire un noyau multitâche minimal pour ARM à partir de zéro</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/cfenollosa/os-tutorial">Comment créer un OS à partir de zéro</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://danluu.com/malloc-tutorial/">Tutoriel Malloc</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://blog.holbertonschool.com/hack-the-virtual-memory-c-strings-proc/">Pirater la mémoire virtuelle</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/s-matyukevich/raspberry-pi-os">Apprentissage du développement de système d'exploitation utilisant le noyau Linux et Raspberry Pi</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://medium.com/@lduck11007/operating-systems-development-for-dummies-3d4d786e8ac">Développement de systèmes d'exploitation pour les nuls</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLHh55M_Kq4OApWScZyPl5HhgsTJS9MZ6M">Écrivez votre propre système d'exploitation</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://3zanders.co.uk/2017/10/13/writing-a-bootloader/"> Écriture d'un chargeur de démarrage</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://os.phil-opp.com/">Écrire un OS dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://osblog.stephenmarz.com/"> Ajouter le didacticiel du système d'exploitation RISC-V Rust</a> </td> </tr> <tr> <td> <strong>(n'importe lequel)</strong> </td> <td> <a href="https://linuxfromscratch.org/lfs">Linux à partir de zéro</a> </td> </tr> <tr> <th colspan="2" id="physics-engine-content"><a href="#physics-engine-cat">Physics Engine</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.toptal.com/game/video-game-physics-part-i-an-introduction-to-rigid-body-dynamics">Tutoriel de physique du jeu vidéo</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://allenchou.net/game-physics-series/">Série sur la physique des jeux par Allen Chou</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://gamedevelopment.tutsplus.com/series/how-to-create-a-custom-physics-engine--gamedev-12715">Comment créer un moteur physique personnalisé</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLEETnX-uPtBXm1KEr_2zQ6K_0hoGH6JJ0">Tutoriel du moteur physique 3D</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://buildnewgames.com/gamephysics/">Comment fonctionnent les moteurs physiques</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://buildnewgames.com/broad-phase-collision-detection/">Détection de collisions à grande phase à l'aide du partitionnement spatial</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://developer.ibm.com/tutorials/wa-build2dphysicsengine/?mhsrc=ibmsearch_a&mhq=2dphysic"> créez un moteur physique 2D simple pour les jeux JavaScript</a> </td> </tr> <tr> <th colspan="2" id="programming-language-content"><a href="#programming-language-cat">Programming Language</a></th> </tr> <tr> <td> <strong>(n'importe lequel)</strong> </td> <td> <a href="https://github.com/kanaka/mal#mal--make-a-lisp">mal - Faites un Lisp</a> </td> </tr> <tr> <td> <strong>Assembleur</strong> </td> <td> <a href="https://github.com/nornagon/jonesforth/blob/master/jonesforth.S">Jonesforth</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://journal.stuffwithstuff.com/2013/12/08/babys-first-garbage-collector/">Le premier éboueur de bébé</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://www.buildyourownlisp.com/">Construisez votre propre Lisp : Apprenez le C et créez votre propre langage de programmation en 1000 lignes de code</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://maplant.com/gc.html">Écrire un simple garbage collector en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/lotabout/write-a-C-interpreter">Interpréteur C qui s'interprète lui-même.</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/lotabout/Let-s-build-a-compiler">Version AC & x86 du "Let's Build a Compiler" de Jack Crenshaw</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/DoctorWkt/acwj"> Un parcours expliquant comment créer un compilateur à partir de zéro</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://gnuu.org/2009/09/18/writing-your-own-toy-compiler/">Écrire votre propre compilateur de jouets à l'aide de Flex</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.youtube.com/watch?v=eF9qWbuQLuw">Comment créer un compilateur</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://llvm.org/docs/tutorial/MyFirstLanguageFrontend/index.html">Kaléidoscope : Implémentation d'un langage avec LLVM</a> </td> </tr> <tr> <td> <strong>F#</strong> </td> <td> <a href="https://fsharpforfunandprofit.com/posts/understanding-parser-combinators/"> Comprendre les combinateurs d'analyseurs</a> </td> </tr> <tr> <td> <strong>Elixir</strong> </td> <td> <a href="https://www.youtube.com/watch?v=zMJYoYwOCd4">Démystifier les compilateurs en écrivant le vôtre</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://github.com/hazbo/the-super-tiny-compiler">Le compilateur Super Tiny</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://www.youtube.com/watch?v=HxaD_trXwRE">Analyse lexicale dans Go</a> </td> </tr> <tr> <td> <strong>Haskell</strong> </td> <td> <a href="https://g-ford.github.io/cradle/"> Construisons un compilateur</a> </td> </tr> <tr> <td> <strong>Haskell</strong> </td> <td> <a href="http://dev.stephendiehl.com/fun/">Écrivez-vous un Haskell</a> </td> </tr> <tr> <td> <strong>Haskell</strong> </td> <td> <a href="https://en.wikibooks.org/wiki/Write_Yourself_a_Scheme_in_48_Hours">Écrivez-vous un schéma en 48 heures</a> </td> </tr> <tr> <td> <strong>Haskell</strong> </td> <td> <a href="https://www.wespiser.com/writings/wyas/home.html">Écrivez-vous un plan</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="http://www.craftinginterpreters.com/">Création d'interpréteurs : Un manuel pour créer des langages de programmation</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="http://jakubdziworski.github.io/categories.html#Enkel-ref">Création du langage JVM</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/jamiebuilds/the-super-tiny-compiler">le compilateur Super Tiny</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/keyanzhang/the-super-tiny-interpreter"> le super petit interprète</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://maryrosecook.com/blog/post/little-lisp-interpreter">interpréteur Little Lisp</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://lisperator.net/pltut/">Comment implémenter un langage de programmation en JavaScript</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://idiocy.org/lets-go-write-a-lisp/part-1.html">Allons écrire un Lisp</a> </td> </tr> <tr> <td> <strong>OCaml</strong> </td> <td> <a href="https://norasandler.com/2017/11/29/Write-a-Compiler.html">Écrire un compilateur C</a> </td> </tr> <tr> <td> <strong>OCaml</strong> </td> <td> <a href="https://bernsteinbear.com/blog/lisp/">Writing a Lisp, la série</a> </td> </tr> <tr> <td> <strong>Pascal</strong> </td> <td> <a href="https://compilers.iecc.com/crenshaw/">Construisons un compilateur</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://aosabook.org/en/500L/a-python-interpreter-written-in-python.html">un interpréteur Python écrit en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://khamidou.com/compilers/lisp.py/">lisp.py : créez votre propre interpréteur Lisp</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://norvig.com/lispy.html">Comment écrire un interpréteur Lisp en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://ruslanspivak.com/lsbasi-part1/">Construisons un interpréteur simple</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.youtube.com/watch?v=dj9CBS3ikGA&list=PLZQftyCk7_SdoVexSmwy_tBgs7P0b97yD&index=1">créez votre propre langage de programmation simple interprété</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://build-your-own.org/compiler/">Du code source au code machine : créez votre propre compilateur à partir de zéro</a> </td> </tr> <tr> <td> <strong>Racket</strong> </td> <td> <a href="https://beautifulracket.com/">Beautiful Racket : Comment créer vos propres langages de programmation avec Racket</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://www.destroyallsoftware.com/screencasts/catalog/a-compiler-from-scratch">un compilateur à partir de zéro</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://blog.beezwax.net/2017/07/07/writing-a-markdown-compiler/">compilateur Markdown à partir de zéro dans Ruby</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://blog.subnetzero.io/post/building-language-vm-part-00/">Vous voulez donc créer une VM de langage</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://bodil.lol/parser-combinators/"> Apprendre les combinateurs d'analyseurs avec Rust</a> </td> </tr> <tr> <td> <strong>Swift</strong> </td> <td> <a href="https://www.uraimo.com/2017/02/05/building-a-lisp-from-scratch-with-swift/">Construire un LISP à partir de zéro avec Swift</a> </td> </tr> <tr> <td> <strong>TypeScript</strong> </td> <td> <a href="https://blog.scottlogic.com/2019/05/17/webassembly-compiler.html">créez votre propre compilateur WebAssembly</a> </td> </tr> <tr> <th colspan="2" id="regex-engine-content"><a href="#regex-engine-cat">Regex Engine</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.cs.princeton.edu/courses/archive/spr09/cos333/beautiful.html">Un matcheur d'expressions régulières</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://swtch.com/~rsc/regexp/regexp1.html">La correspondance d'expressions régulières peut être simple et rapide</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://rhaeguard.github.io/posts/regex"> Comment créer un moteur d'expressions régulières à partir de zéro</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://nickdrane.com/build-your-own-regex/">créez un moteur Regex en moins de 40 lignes de code</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://dpk.io/dregs/toydregs">Comment implémenter des expressions régulières en javascript fonctionnel à l'aide de dérivés</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://deniskyashif.com/2019/02/17/implementing-a-regular-expression-engine/">Implémentation d'un moteur d'expressions régulières</a> </td> </tr> <tr> <td> <strong>Perl</strong> </td> <td> <a href="https://perl.plover.com/Regex/article.html">Comment fonctionnent les expressions régulières</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://build-your-own.org/b2a/r0_intro">Créez vos propres moteurs d'expressions régulières : Backtracking, NFA, DFA</a> </td> </tr> <tr> <td> <strong>Scala</strong> </td> <td> <a href="https://rcoh.svbtle.com/no-magic-regular-expressions"> Pas de magie : expressions régulières</a> </td> </tr> <tr> <th colspan="2" id="search-engine-content"><a href="#search-engine-cat">Search Engine</a></th> </tr> <tr> <td> <strong>CSS</strong> </td> <td> <a href="https://stories.algolia.com/a-search-engine-in-css-b5ec4e902e97">Un moteur de recherche en CSS</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://www.dr-josiah.com/2010/07/building-search-engine-using-redis-and.html">Construire un moteur de recherche avec Redis et redis-py</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://boyter.org/2010/08/build-vector-space-search-engine-python/">Construire un moteur d'indexation d'espace vectoriel en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.youtube.com/watch?v=cY7pE7vX6MU">Créer un moteur de recherche basé sur Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://medium.com/filament-ai/making-text-search-learn-from-feedback-4fe210fd87b0">Faire en sorte que la recherche de texte apprenne des commentaires</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://stevenloria.com/tf-idf/"> Rechercher des mots importants dans un texte à l'aide de TF-IDF</a> </td> </tr> <tr> <th colspan="2" id="shell-content"><a href="#shell-cat">Shell</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://brennan.io/2015/01/16/write-a-shell-in-c/">Tutoriel - Ecrire un Shell en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/kamalmarhubi/shell-workshop">Construisons une coquille !</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://indradhanush.github.io/blog/writing-a-unix-shell-part-1/"> Écriture d'un shell UNIX</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/tokenrove/build-your-own-shell">Construisez votre propre coque</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://danishpraka.sh/posts/write-a-shell/">C</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://sj14.gitlab.io/post/2018-07-01-go-unix-shell/">Ecrire un shell simple en Go</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.joshmcguigan.com/blog/build-your-own-shell-rust/">créez votre propre shell en utilisant Rust</a> </td> </tr> <tr> <th colspan="2" id="template-engine-content"><a href="#template-engine-cat">Template Engine</a></th> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="http://krasimirtsonev.com/blog/article/Javascript-template-engine-in-just-20-line">moteur de template JavaScript en seulement 20 lignes</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://medium.com/wdstack/understanding-javascript-micro-templating-f37a37b3b40e">Comprendre les micro-modèles JavaScript</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://alexmic.net/building-a-template-engine/">Approche : Créer un moteur de modèles de jouets en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://aosabook.org/en/500L/a-template-engine.html">un moteur de modèles</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="http://bits.citrusbyte.com/how-to-write-a-template-library/">Comment écrire un moteur de template en moins de 30 lignes de code</a> </td> </tr> <tr> <th colspan="2" id="text-editor-content"><a href="#text-editor-cat">Text Editor</a></th> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://viewsourcecode.org/snaptoken/kilo/">Créez votre propre éditeur de texte</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://www.fltk.org/doc-1.1/editor.html">Concevoir un éditeur de texte simple</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.youtube.com/watch?v=xqDonHEYPgA">Tutoriel Python : Créez votre propre éditeur de texte</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://www.instructables.com/id/Create-a-Simple-Python-Text-Editor/">créez un éditeur de texte Python simple !</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://blog.aha.io/text-editor/"> Créer un éditeur de texte collaboratif à l'aide de Rails</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.flenker.blog/hecto/">Hecto : créez votre propre éditeur de texte dans Rust</a> </td> </tr> <tr> <th colspan="2" id="visual-recognition-system-content"><a href="#visual-recognition-system-cat">Visual Recognition System</a></th> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://blog.devcenter.co/developing-a-license-plate-recognition-system-with-machine-learning-in-python-787833569ccd">Développer un système de reconnaissance de plaque d'immatriculation avec Machine Learning en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://hackernoon.com/building-a-facial-recognition-pipeline-with-deep-learning-in-tensorflow-66e7645015b8">Construire un pipeline de reconnaissance faciale avec du Deep Learning dans Tensorflow</a> </td> </tr> <tr> <th colspan="2" id="voxel-engine-content"><a href="#voxel-engine-cat">Voxel Engine</a></th> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://sites.google.com/site/letsmakeavoxelengine/home">Créons un moteur Voxel</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="https://www.youtube.com/watch?v=QZ4Vk2PkPZk&list=PL80Zqpd23vJfyWQi-8FKDbeO_ZQamLKJL"> Tutoriel du moteur Java Voxel</a> </td> </tr> <tr> <th colspan="2" id="web-browser-content"><a href="#web-browser-cat">Web Browser</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://limpet.net/mbrubeck/2014/08/08/toy-layout-engine-1.html">construisons un moteur de navigateur</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://browser.engineering">Ingénierie du navigateur</a> </td> </tr> <tr> <th colspan="2" id="web-server-content"><a href="#web-server-cat">Web Server</a></th> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.codeproject.com/Articles/859108/Writing-a-Web-Server-from-Scratch">Écrire un serveur Web à partir de zéro</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://build-your-own.org/webserver/">créez votre propre serveur Web à partir de zéro en JavaScript</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://www.codementor.io/ziad-saab/let-s-code-a-web-server-from-scratch-with-nodejs-streams-h4uc9utji">Codons un serveur Web à partir de zéro avec NodeJS Streams</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://github.com/antoaravinth/lets-build-express">permet-build-express</a> </td> </tr> <tr> <td> <strong>PHP</strong> </td> <td> <a href="http://station.clancats.com/writing-a-webserver-in-pure-php/">Ecrire un serveur web en PHP pur</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://aosabook.org/en/500L/a-simple-web-server.html">un serveur Web simple</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://ruslanspivak.com/lsbaws-part1/">construisons un serveur Web.</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://defn.io/2018/02/25/web-app-from-scratch-01/">application Web à partir de zéro</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://joaoventura.net/blog/2017/python-webserver/">Construire un serveur HTTP de base à partir de zéro en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://blog.luisrei.com/articles/flaskrest.html">Implémentation d'une API Web RESTful avec Python & Flask</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="http://blog.honeybadger.io/building-a-simple-websockets-server-from-scratch-in-ruby/">Construire un serveur Websockets simple à partir de zéro dans Ruby</a> </td> </tr> <tr> <th colspan="2" id="non-classé-content">Non classé</th> </tr> <tr> <td> <strong>(tous)</strong> </td> <td> <a href="http://nand2tetris.org/">De la NAND à Tetris : construire un ordinateur moderne à partir des premiers principes</a> </td> </tr> <tr> <td> <strong>Alliage</strong> </td> <td> <a href="http://aosabook.org/en/500L/the-same-origin-policy.html">la politique de même origine</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="http://dranger.com/ffmpeg/ffmpeg.html">Comment écrire un lecteur vidéo en moins de 1000 lignes</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://github.com/jamesroutley/write-a-hash-table">Apprenez à écrire une table de hachage en C</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://www.uninformativ.de/blog/postings/2018-02-24/0/POSTING-en.html">Les bases d'un émulateur de terminal</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://brennan.io/2016/11/14/kernel-dev-ep3/">Écrire un appel système</a> </td> </tr> <tr> <td> <strong>C</strong> </td> <td> <a href="https://codepr.github.io/posts/sol-mqtt-broker">Sol - Un courtier MQTT à partir de zéro</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://github.com/relativty/Relativ">Construisez votre propre casque VR pour 200$</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://seasonofcode.com/posts/how-x-window-managers-work-and-how-to-write-one-part-i.html">Comment fonctionnent les gestionnaires de fenêtres X et comment en écrire un</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://blog.tartanllama.xyz/writing-a-linux-debugger-setup/">écriture d'un débogueur Linux</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="http://www.lofibucket.com/articles/64k_intro.html">Comment est réalisée une intro 64k</a> </td> </tr> <tr> <td> <strong>C++</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLlrATfBNZ98dC-V-N3m0Go4deliWHPFwT">Créez votre propre moteur de jeu</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://16bpp.net/tutorials/csharp-networking"> Réseau C# : créez un serveur de discussion TCP, des jeux TCP, UDP Pong et plus encore</a> </td> </tr> <tr> <td> <strong>C#</strong> </td> <td> <a href="https://www.seanjoflynn.com/research/skeletal-animation.html">Chargement et rendu d'animations squelettiques 3D à partir de zéro en C# et GLSL</a> </td> </tr> <tr> <td> <strong>Clojure</strong> </td> <td> <a href="https://bernhardwenzel.com/articles/clojure-spellchecker/">Construire un correcteur orthographique</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://ishuah.com/2021/03/10/build-a-terminal-emulator-in-100-lines-of-go/">Construisez un émulateur de terminal simple en 100 lignes de Golang</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://kasvith.me/posts/lets-create-a-simple-lb-go/">créons un équilibreur de charge simple</a> </td> </tr> <tr> <td> <strong>Go</strong> </td> <td> <a href="https://github.com/kevmo314/codec-from-scratch">Encodage vidéo à partir de zéro</a> </td> </tr> <tr> <td> <strong>Java</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLgCYzUzKIBE9HUJU-upNvl3TRVAo9W47y">Comment créer une application Android Reddit</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/ronami/minipack">Créez votre propre bundle de modules - Minipack</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://levelup.gitconnected.com/understand-javascript-promises-by-building-a-promise-from-scratch-84c0fd855720">apprenez les promesses JavaScript en créant une promesse à partir de zéro</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://www.mauriciopoppe.com/notes/computer-science/computation/promises/">Implémentation des promesses à partir de zéro (méthode TDD)</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://blog.usejournal.com/implement-your-own-call-apply-and-bind-method-in-javascript-42cc85dba1b">implémentez votre propre méthode : call(), apply() et bind() en JavaScript</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://github.com/trekhleb/javascript-algorithms">algorithmes JavaScript et structures de données</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://pusher.com/tutorials/ride-hailing-react-native"> créez une application de covoiturage avec React Native</a> </td> </tr> <tr> <td> <strong>JavaScript</strong> </td> <td> <a href="https://levelup.gitconnected.com/building-your-own-adblocker-in-literally-10-minutes-1eec093b04cd">créez votre propre AdBlocker en (littéralement) 10 minutes</a> </td> </tr> <tr> <td> <strong>Kotlin</strong> </td> <td> <a href="https://github.com/kezhenxu94/cache-lite">créez votre propre cache</a> </td> </tr> <tr> <td> <strong>Lua</strong> </td> <td> <a href="https://github.com/leandromoreira/cdn-up-and-running"> Construire un CDN à partir de zéro pour en savoir plus sur le CDN</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day12_resp.html"> Écriture d'un analyseur de protocole Redis</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day11_buildsystem.html">Ecrire un système de Build</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day08_minitest.html">Écriture d'un framework MiniTest</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day01_dmidecode.html"> Écriture d'un analyseur DMIDecode</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day05_iniparser.html">Écrire un analyseur INI</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day04_asynclinkschecker.html">Écrire un vérificateur de liens</a> </td> </tr> <tr> <td> <strong>Nim</strong> </td> <td> <a href="https://xmonader.github.io/nimdays/day07_shorturl.html"> Écriture d'un service de raccourcissement d'URL</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://www.webdevdrops.com/en/build-static-site-generator-nodejs-8969ebe34b22/">Construire un générateur de site statique en 40 lignes avec Node.js</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://codeburst.io/building-a-simple-single-sign-on-sso-server-and-solution-from-scratch-in-node-js-ea6ee5fdf340">Création d'un serveur et d'une solution d'authentification unique (SSO) simples à partir de zéro dans Node.js.</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://medium.freecodecamp.org/how-to-create-a-real-world-node-cli-app-with-node-391b727bbed3">Comment créer une application Node CLI réelle avec Node</a> </td> </tr> <tr> <td> <strong>Node.js</strong> </td> <td> <a href="https://engineerhead.github.io/dns-server/">Créer un serveur DNS dans Node.js</a> </td> </tr> <tr> <td> <strong>PHP</strong> </td> <td> <a href="https://chaitya62.github.io/2018/04/29/Writing-your-own-MVC-from-Scratch-in-PHP.html"> écrivez votre propre MVC à partir de zéro en PHP</a> </td> </tr> <tr> <td> <strong>PHP</strong> </td> <td> <a href="https://ilovephp.jondh.me.uk/en/tutorial/make-your-own-blog">Créez votre propre blog</a> </td> </tr> <tr> <td> <strong>PHP</strong> </td> <td> <a href="https://kevinsmith.io/modern-php-without-a-framework">PHP moderne sans framework</a> </td> </tr> <tr> <td> <strong>PHP</strong> </td> <td> <a href="https://boyter.org/2013/01/code-for-a-search-engine-in-php-part-1/">Coder un moteur de recherche Web en PHP</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.youtube.com/watch?v=o64FV-ez6Gw">Créer une bibliothèque de Deep Learning</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.pyimagesearch.com/2014/09/01/build-kick-ass-mobile-document-scanner-just-5-minutes/">Comment créer un scanner de documents mobile génial en seulement 5 minutes</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://aosabook.org/en/500L/a-continuous-integration-system.html">système d'intégration continue</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.datacamp.com/community/tutorials/recommender-systems-python"> Systèmes de recommandation en Python : tutoriel pour débutants</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://medium.com/@kopilov.vlad/detect-sms-spam-in-kaggle-with-scikit-learn-5f6afa7a3ca2">Écrivez un détecteur de spam SMS avec Scikit-learn</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="http://blog.untrod.com/2016/06/simple-similar-products-recommendation-engine-in-python.html">un moteur de recommandation simple basé sur le contenu en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://www.datacamp.com/community/tutorials/lstm-python-stock-market">Prédictions boursières avec LSTM en Python</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://franpapers.com/en/algorithmic/2018-introduction-to-fountain-codes-lt-codes-with-python/">créez votre propre code de fontaine de correction d'erreurs avec Luby Transform Codes</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://blog.paperspace.com/implementing-gans-in-tensorflow/">Construire un réseau contradictoire génératif (GAN) simple à l'aide de Tensorflow</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://lethalbrains.com/learn-ml-algorithms-by-coding-decision-trees-439ac503c9a4">Apprenez les algorithmes de ML en codant : arbres de décision</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://github.com/cheery/json-algorithm">algorithme de décodage JSON</a> </td> </tr> <tr> <td> <strong>Python</strong> </td> <td> <a href="https://joshburns-xyz.vercel.app/posts/build-your-own-git-plugin">Créez votre propre plugin Git avec python</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="http://aosabook.org/en/500L/a-pedometer-in-the-real-world.html">Un podomètre dans le monde réel</a> </td> </tr> <tr> <td> <strong>Ruby</strong> </td> <td> <a href="https://iridakos.com/tutorials/2018/01/25/creating-a-gtk-todo-application-with-ruby">Créer une application de bureau Linux avec Ruby</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://github.com/EmilHernvall/dnsguide/blob/master/README.md">Construire un serveur DNS dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://nbaksalyar.github.io/2015/07/10/writing-chat-in-rust.html">écrire un service de discussion évolutif à partir de zéro</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.chinedufn.com/3d-webgl-basic-water-tutorial/">WebGL + Rust : Tutoriel de base sur l'eau</a> </td> </tr> <tr> <td> <strong>TypeScript</strong> </td> <td> <a href="https://github.com/g-plane/tiny-package-manager">Tiny Package Manager : apprend le fonctionnement de npm ou Yarn</a> </td> </tr> </table> ### [Build your own X in Rust (osynavets/build-your-own-x-in-rust)](https://github.com/osynavets/build-your-own-x-in-rust) | Catégories | |----------------------------------------------------------------------------------------------------------------------------------| | <a href="#algorithms--data-structures-content" id="algorithms--data-structures-rust-cat">Algorithmes / Structures de données</a> | | <a href="#bot-rust-content" id="bot-rust-cat">Bot</a> | | <a href="#blockchain-rust-content" id="blockchain-rust-cat">Chaîne de blocs</a> | | <a href="#database-rust-content" id="database-rust-cat">Base de données</a> | | <a href="#embedded-system-rust-content" id="embedded-system-rust-cat">Système embarqué</a> | | <a href="#file-system-rust-content" id="file-system-rust-cat">Système de fichiers</a> | | <a href="#game-rust-content" id="game-rust-cat">Jeu</a> | | <a href="#garbage-collector-rust-content" id="garbage-collector-rust-cat">Garbage collector</a> | | <a href="#network-stack-rust-content" id="network-stack-rust-cat">Pile réseau</a> | | <a href="#operating-system-rust-content" id="operating-system-rust-cat">Système opérateur</a> | | <a href="#programming-language-rust-content" id="programming-language-rust-cat">Langage de programmation</a> | | <a href="#shell-rust-content" id="shell-rust-cat">Shell</a> | | <a href="#video-codecs-rust-content" id="video-codecs-rust-cat">Codecs vidéo</a> | | <a href="#virtual-machine-rust-content" id="virtual-machine-rust-cat">Machine virtuelle</a> | | <a href="#uncategorized-rust-content" id="uncategorized-rust-cat">Non classé</a> | <table> <tr> <th>Langage</th> <th>Tutoriel</th> </tr> <tr> <th colspan=2" id="algorithms--data-structures-rust-content"><a href="#algorithms--data-structures-rust-cat">Algorithmes / Structures de données</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://onatm.dev/2020/08/10/let-s-implement-a-bloom-filter/">Implémentons un filtre Bloom</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLqbS7AVVErFj824-6QgnK_Za1187rNfnl">ConcurrentHashMap de Java dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.youtube.com/watch?v=k6xR2kf9hlA">Codage en direct d'une carte de hachage liée dans Rust</a> </td> </tr> <tr> <th colspan=2" id="bot-rust-content"><a href="#bot-rust-cat">Bot</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://habr.com/en/post/436254/">Un bot pour Starcraft en Rust, C ou tout autre langage</a> </td> </tr> <tr> <th colspan=2" id="blockchain-rust-content"><a href="#blockchain-rust-cat">Blockchain</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLwnSaD6BDfXL0RiKT_5nOIdxTxZWpPtAv">Créez une crypto-monnaie ! - Blockchain dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://hackernoon.com/building-a-blockchain-in-rust-and-substrate-a-step-by-step-guide-for-developers-kc223ybp">Construire une blockchain dans Rust & Substrat</a> </td> </tr> <tr> <th colspan=2" id="database-rust-content"><a href="#database-rust-cat">Base de données</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://samrat.me/posts/2017-11-04-kvstore-linear-hashing/">Implémentation d'un magasin clé-valeur</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://tokio.rs/tokio/tutorial">Construire un client et un serveur Redis</a> </td> </tr> <tr> <th colspan=2" id="embedded-system-rust-content"><a href="#embedded-system-rust-cat">Système embarqué</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://mabez.dev/blog/posts/esp32-rust/">Rouille sur l'ESP32</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://mabez.dev/blog/posts/esp-rust-espressif/">Rouille sur les chips Espressif</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://github.com/rust-embedded/rust-raspberrypi-OS-tutorials">Système d'exploitation Raspberry Pi</a> </td> </tr> <tr> <th colspan=2" id="file-system-rust-content"><a href="#file-system-rust-cat">Système de fichier</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://blog.carlosgaldino.com/writing-a-file-system-from-scratch-in-rust.html">Écrire un système de fichiers à partir de zéro dans Rust</a> </td> </tr> <tr> <th colspan=2" id="game-rust-content"><a href="#game-rust-cat">Jeu</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://grantshandy.github.io/posts/raycasting/">Écrivez un jeu à la première personne en 2 Ko avec Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://a5huynh.github.io/posts/2018/adventures-in-rust/">Adventures in Rust : un jeu 2D de base</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://tomassedovic.github.io/roguelike-tutorial/">Tutoriel Roguelike dans Rust + tcod</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://bfnightly.bracketproductions.com/">Tutoriel Roguelike - Dans Rust + RLTK</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://rustwasm.github.io/docs/book/game-of-life/introduction.html#tutorial-conways-game-of-life">Le jeu de la vie de Conway dans Rust et WebAssembly</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://tetra.seventeencups.net/tutorial/">Créer un clone de Pong avec Rust et Tetra</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://sokoban.iolivia.me/c01-00-intro.html">Sokoban rouille</a> </td> </tr> <tr> <th colspan=2" id="garbage-collector-rust-content"><a href="#garbage-collector-rust-cat">Garbage collector</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://manishearth.github.io/blog/2015/09/01/designing-a-gc-in-rust/">Concevoir un GC dans Rust</a> </td> </tr> <tr> <th colspan=2" id="network-stack-rust-content"><a href="#network-stack-rust-cat">Pille Réseau</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://github.com/EmilHernvall/dnsguide/blob/master/README.md">Construire un serveur DNS dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://nbaksalyar.github.io/2015/07/10/writing-chat-in-rust.html">Écrire un service de chat évolutif à partir de zéro</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://fasterthanli.me/series/making-our-own-ping">Faire notre propre ping</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.youtube.com/watch?v=bzja9fQWzdA">Implémentation de TCP dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.youtube.com/watch?v=RBQwZthJjoM&list=PLqbS7AVVErFjzlF3JSwzxttE1G0awWimV">Codage en direct d'une caisse Rust pour les connexions SSH asynchrones</a> </td> </tr> <tr> <th colspan=2" id="operating-system-rust-content"><a href="#operating-system-rust-cat">Système d'exploitation</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://os.phil-opp.com/">Écrire un système d'exploitation dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="http://intermezzos.github.io/">intermezzOS - système d'exploitation pédagogique</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="http://osblog.stephenmarz.com/">Les aventures du système d'exploitation : créer un système d'exploitation RISC-V avec Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://gil0mendes.io/blog/2020/08/an-efi-app-a-bit-rusty">Créer une application UEFI dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="#build-your-own-embedded-system">voir également </a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://itnext.io/container-runtime-in-rust-part-0-7af709415cda">Exécution de conteneur compatible OCI dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://betrusted.io/xous-book/title-page.html">Le système d'exploitation Xous - un système d'exploitation de transmission de messages à micro-noyau écrit en pur Rust</a> </td> </tr> <tr> <th colspan=2" id="programming-language-rust-content"><a href="#programming-language-rust-cat">Langage de programmation</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://blog.subnetzero.io/post/building-language-vm-part-00/">Vous voulez donc créer une machine virtuelle de langage</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://bodil.lol/parser-combinators/">Apprendre les combinateurs d’analyseurs avec Rust</a> </td> </tr> <tr> <th colspan=2" id="shell-rust-content"><a href="#shell-rust-cat">Shell</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.joshmcguigan.com/blog/build-your-own-shell-rust/">Construisez votre propre shell en utilisant Rust</a> </td> </tr> <tr> <th colspan=2" id="video-codecs-rust-content"><a href="#video-codecs-rust-cat">Codecs Video</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://blog.tempus-ex.com/hello-video-codec/">Bonjour, Codec vidéo. En implémenter un à partir de zéro</a> </td> </tr> <tr> <th colspan=2" id="virtual-machine-rust-content"><a href="#virtual-machine-rust-cat">Machine Virtuelle</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://justinmeiners.github.io/lc3-vm/">Écrivez votre propre machine virtuelle</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://litchipi.github.io/series/container_in_rust">Écrire un conteneur dans Rust</a> </td> </tr> <tr> <th colspan=2" id="uncategorized-rust-content"><a href="#uncategorized-rust-cat">Non classé</a></th> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://limpet.net/mbrubeck/2014/08/08/toy-layout-engine-1.html">Créons un moteur de navigateur</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://nelari.us/post/raytracer_with_rust_and_zig/#implementing-the-ray-tracer">Écrire un petit traceur de rayons dans Rust et Zig</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://suhr.github.io/gsgt/">Graphiques par carrés : un didacticiel Gfx-rs</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://fasterthanli.me/series/making-our-own-executable-packer">Créer notre propre packer exécutable</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://cfsamson.github.io/books-futures-explained/6_future_example.html">Implémentez votre propre fil vert</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLqbS7AVVErFimAvMW-kIJUwxpPvcPBCsz">Portage de Flamegraph vers Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.youtube.com/playlist?list=PLqbS7AVVErFg_DTNScO6_XHGUN9Fs1-bA">Client asynchrone ZooKeeper dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://dpbriggs.ca/blog/Implementing-A-Copyless-Redis-Protocol-in-Rust-With-Parsing-Combinators">Implémentation d'un protocole Redis sans copie dans Rust avec des combinateurs d'analyse</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://www.philippflenker.com/hecto/">Hecto : créez votre propre éditeur de texte dans Rust</a> </td> </tr> <tr> <td> <strong>Rust</strong> </td> <td> <a href="https://jesselawson.org/rust/getting-started-with-rust-by-building-a-tiny-markdown-compiler/">Construire un petit compilateur Markdown</a> </td> </tr> </table> ### [Build your own X in PHP (akondas/build-your-own-x-in-php)](https://github.com/akondas/build-your-own-x-in-php) <table> <tr> <th>Language</th> <th>Tutoriel</th> </tr> <tr> <th colspan="2">Blockchain / Cryptocurrency</th> </tr> <tr> <th>PHP</th> <td><a href="https://github.com/akondas/php-blockchain">Blockchain de travail minimal implémenté en PHP</a></td> </tr> <tr> <th colspan="2">Bot</th> </tr> <tr> <th>PHP</th> <td><a href="https://github.com/botman/botman">Une bibliothèque PHP indépendante du framework pour créer des chatbots</a></td> </tr> <tr> <th colspan="2">Emulator</th> </tr> <tr> <th>PHP</th> <td><a href="https://github.com/gabrielrcouto/php-terminal-gameboy-emulator">Un émulateur GameBoy de terminal PHP</a></td> </tr> <tr> <th colspan="2">Web Search Engine</th> </tr> <tr> <th>PHP</th> <td><a href="https://boyter.org/2013/01/code-for-a-search-engine-in-php-part-1/">Coder un moteur de recherche en PHP</a></td> </tr> <tr> <th colspan="2">Web Server</th> </tr> <tr> <th>PHP</th> <td><a href="http://station.clancats.com/writing-a-webserver-in-pure-php/">Ecrire un serveur web en PHP pur</a></td> </tr> <tr> <th colspan="2">Non classé</th> </tr> <tr> <th>PHP</th> <td><a href="http://nand2tetris.org/">De la NAND à Tetris : construire un ordinateur moderne à partir des premiers principes</a></td> </tr> </table> ## Idées de développements hors répos <table> <tr> <th>Langage</th> <th>Tutoriel</th> </tr> <tr> <td colspan="2"> <h3> <a href="#user-content-niveau-2"> Niveau 2 - Projets de niveau intermédière </a> </h3> </td> </tr> <tr> <td> <strong> <img src="https://img.shields.io/badge/JavaScript-000?logo=javascript&logoColor=pin" alt="JavaScript"> </strong> </td> <td> <a href="https://www.freecodecamp.org/news/s-expressions-in-javascript/?ref=dailydev"> Créez votre propre parseur <strong>Lisp</strong> </a> </td> </tr> <tr> <td> <strong> <img src="https://img.shields.io/badge/JavaScript-000?logo=javascript&logoColor=pin" alt="JavaScript"> </strong> <strong> <img src="https://img.shields.io/badge/PHP-000?logo=php&logoColor=pin" alt="PHP"> </strong> </td> <td> <a href="https://betterprogramming.pub/create-your-own-markdown-parser-bffb392a06db"> Créez votre propre parseur <strong>Markdown</strong> </a> </td> </tr> </table> ## Challanges ### Types Challenge (type-challenges/type-challenges) [![Challange typescript types](./assets/screenshot-tsch.png)](https://tsch.js.org/) [![Github](https://img.shields.io/badge/GitHub-fff?style=social&logo=github&logoColor=pin)](https://github.com/type-challenges/type-challenges) ### Processing One Billion Rows [![One Billion Rows](./assets/screenshot-one-billion.png)](https://www.morling.dev/blog/one-billion-row-challenge) [![Github](https://img.shields.io/badge/GitHub-fff?style=social&logo=github&logoColor=pin)](https://github.com/gunnarmorling/1brc?tab=readme-ov-file)<br> [![Article](https://img.shields.io/badge/Dev.to-fff?style=social&logo=devdotto&logoColor=black)](https://dev.to/realflowcontrol/processing-one-billion-rows-in-php-3eg0) --- ## Veille ### Les APIs - [rest-api-guidelines.pdf](./assets/rest-api-guidelines.pdf) ### JavaScript - [JavaScript Visualized: Promise Execution](https://www.lydiahallie.com/blog/promise-execution?ref=dailydev) - [La concurence en JavaScript: Les workers](https://dev.to/olyop/concurrency-in-javascript-and-the-power-of-web-workers-4278?ref=dailydev) - <h4>React</h4> - [Les nouveautés **React 19**](https://www.freecodecamp.org/news/new-react-19-features/?ref=dailydev) - <h4>Astro</h4> - [Les nouveautés Astro de Mars 2024](https://astro.build/blog/whats-new-march-2024/?ref=dailydev) - <h4>TypeScript</h4> - [Apprendre TypeScript par la pratique](https://www.freecodecamp.org/news/learn-typescript-for-practical-projects) ### GitHub - [Etat de disponibilité des services GitHub](https://www.githubstatus.com/) - [Validateur de GitHub Actions](https://rhysd.github.io/actionlint/) ## Outils | Nom de l'outil | Description | |:-------------------------------------------------------------------------------|:--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------| | [Ray.so](https://ray.so/) | Créer une image pour présenter votre code sous forme d'une fenêtre d'IDE MacOS | | [Image ColorPicker](https://imagecolorpicker.com/) | Récupérez n'importe quelle couleur pixel par pixel sur une image que vous uploadrez | | [Regex101](https://regex101.com/) | Testez vos regex et récupérez le code correspondant dans différent languages | | [Omatsuri](https://omatsuri.app/?homescreen) | Liste de différents outils dont : un générateur de triangle, un générateur de palettes de couleur, un générateur de dégradé, un générateur de diviseurs de pages, un compresseur de svg, un convertisseur de svg en jsx, un encodeur de documents base64, un générateur de fausses données, une collection de symboles utiles, un générateur de lorem ipsum, un la liste des curseurs css, et un générateurs d'évènements claviers ( récupère aussi les différentes information sur la touche tapée pour vous la donner ) | | [NetTools](https://www.nettools.club/) | Liste d'outils réseau | | [Readme.so](https://readme.so/fr) | Editeur de readme via templates de blocs avec preview | | [10015.io](https://10015.io/) | 10015.io est une solution de "boîte à outils tout-en-un gratuite" créée pour vous faciliter la vie en évitant le gâchis des racourcis. | | [Gradient Generator](https://www.joshwcomeau.com/gradient-generator/) | Générez vos dégradés CSS de manière entièrement paramétrable | | [GetWaves](https://getwaves.io/) | Générateur de vagues de différentes formes en csv | | [GetShapes](https://www.blobmaker.app/) | Générateur de formes aléatoires en csv | | [Photopea](https://www.photopea.com/) | Photoshop like **`Gratuit`** | | [Diff checker](https://www.diffchecker.com/) | Permet de vérifier les différences entre 2 contenus text, images, PDFs, Word et Excel | | [GetNada](https://getnada.cc/) | Boite mail temporaire ( pour les tests de développement ) | | [Smile.cool](https://smiley.cool/fr/emoji-list.php) | Liste de tous les émojis que vous pouvez copier en cliquant dessus | | [OnlinePHP](https://onlinephp.io/) | Sandbox PHP avec plusieurs versions disponibles | | [Image2Text](https://www.imagetotext.info/) | Extracteur de text d'une image | | [Text2Ascii](https://www.asciiart.eu/text-to-ascii-art) | Convertisseur de text en Ascii & Art | | [Image2Ascii](https://www.asciiart.eu/image-to-ascii) | Convertisseur d'images en Ascii & Art | | [OnlineBashInterpreter](https://www.jdoodle.com/test-bash-shell-script-online) | Interpreteur bash en ligne | | [PWABuilder](https://www.pwabuilder.com/) | Constructeur de progressive web app | | [PHPLand](https://lands.php.earth/) | Carte du monde PHP sous forme de carte de pirate | ## Langages de programmation <table> <tr> <th>Nom du langage</th> <th>Gestionaire de packages</th> <th>Tags</th> </tr> <tr> <td> <a href="https://www.php.net/"> <img src="https://img.shields.io/badge/php-000?logo=php&logoColor=pin" alt="php"> </a> </td> <td> <a href="https://getcomposer.org/"> <img src="https://img.shields.io/badge/composer-000?logo=composer&logoColor=pin" alt="composer"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/scripting-000" alt="scripting"> <img src="https://img.shields.io/badge/interprété-000" alt="interprété"> <img src="https://img.shields.io/badge/multiparadigme-000" alt="multiparadigme"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/procédurale-000" alt="procédurale"> <img src="https://img.shields.io/badge/orientée_objet-000" alt="orientée objet"> <img src="https://img.shields.io/badge/typage_dynamique-000" alt="typage dynamique"> </td> </tr> <tr> <td> <a href="https://javascript.info/"> <img src="https://img.shields.io/badge/JavaScript-000?logo=javascript&logoColor=pin" alt="JavaScript"> </a> </td> <td> <a href="https://www.npmjs.com/"> <img src="https://img.shields.io/badge/npm-000?logo=npm&logoColor=pin" alt="npm"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/front-000" alt="front"> <img src="https://img.shields.io/badge/scripting-000" alt="scripting"> <img src="https://img.shields.io/badge/interprété-000" alt="interprété"> <img src="https://img.shields.io/badge/multiparadigme-000" alt="multiparadigme"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/procédurale-000" alt="procédurale"> <img src="https://img.shields.io/badge/orientée_objet-000" alt="orientée objet"> <img src="https://img.shields.io/badge/typage_dynamique-000" alt="typage dynamique"> </td> </tr> <tr> <td> <a href="https://www.typescriptlang.org/"> <img src="https://img.shields.io/badge/TypeScript-000?logo=typescript&logoColor=pin" alt="TypeScript"> </a> </td> <td> <a href="https://www.npmjs.com/"> <img src="https://img.shields.io/badge/npm-000?logo=npm&logoColor=pin" alt="npm"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/front-000" alt="front"> <img src="https://img.shields.io/badge/scripting-000" alt="scripting"> <img src="https://img.shields.io/badge/transpileur-000" alt="transpileur"> <img src="https://img.shields.io/badge/multiparadigme-000" alt="multiparadigme"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/procédurale-000" alt="procédurale"> <img src="https://img.shields.io/badge/orientée_objet-000" alt="orientée objet"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://www.python.org/"> <img src="https://img.shields.io/badge/Python-000?logo=python&logoColor=pin" alt="Python"> </a> </td> <td> <a href="https://pypi.org/project/pip/"> <img src="https://img.shields.io/badge/pip-000?logo=pypi&logoColor=pin" alt="pip"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/scripting-000" alt="scripting"> <img src="https://img.shields.io/badge/interprété-000" alt="interprété"> <img src="https://img.shields.io/badge/multiparadigme-000" alt="multiparadigme"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/procédurale-000" alt="procédurale"> <img src="https://img.shields.io/badge/orientée_objet-000" alt="orientée objet"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://reasonml.github.io/fr/"> <img src="https://img.shields.io/badge/Reason-000?logo=reason&logoColor=pin" alt="Reason"> </a> </td> <td> <a href="https://www.npmjs.com/"> <img src="https://img.shields.io/badge/npm-000?logo=npm&logoColor=pin" alt="npm"> </a> <a href="https://opam.ocaml.org/"> <img src="https://img.shields.io/badge/opam-000?logo=ocaml&logoColor=pin" alt="opam"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/scripting-000" alt="scripting"> <img src="https://img.shields.io/badge/JavaScript-000" alt="JavaScript"> <img src="https://img.shields.io/badge/Ocaml-000" alt="Ocaml"> <img src="https://img.shields.io/badge/transpilé-000" alt="transpilé"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://elm-lang.org/"> <img src="https://img.shields.io/badge/Elm-000?logo=elm&logoColor=pin" alt="Elm"> </a> </td> <td> <a href="https://elm-lang.org/"> <img src="https://img.shields.io/badge/elm_get-000?logo=elm&logoColor=pin" alt="elm"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/front-000" alt="front"> <img src="https://img.shields.io/badge/mvc-000" alt="mvc"> <img src="https://img.shields.io/badge/transpilé-000" alt="transpilé"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://www.purescript.org/"> <img src="https://img.shields.io/badge/Purescript-000?logo=purescript&logoColor=pin" alt="Purescript"> </a> </td> <td> <a href="https://www.npmjs.com/"> <img src="https://img.shields.io/badge/npm-000?logo=npm&logoColor=pin" alt="npm"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/front-000" alt="front"> <img src="https://img.shields.io/badge/mvc-000" alt="mvc"> <img src="https://img.shields.io/badge/transpilé-000" alt="transpilé"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://rescript-lang.org/"> <img src="https://img.shields.io/badge/ReScript-000?logo=rescript&logoColor=pin" alt="ReScript"> </a> </td> <td> <a href="https://www.npmjs.com/"> <img src="https://img.shields.io/badge/npm-000?logo=npm&logoColor=pin" alt="npm"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/front-000" alt="front"> <img src="https://img.shields.io/badge/react-000" alt="react"> <img src="https://img.shields.io/badge/transpilé-000" alt="transpilé"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://imba.io/"> <img src="https://img.shields.io/badge/Imba-000?logo=javascript&logoColor=pin" alt="Imba"> </a> </td> <td> <a href="https://www.npmjs.com/"> <img src="https://img.shields.io/badge/npm-000?logo=npm&logoColor=pin" alt="npm"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/front-000" alt="front"> <img src="https://img.shields.io/badge/transpilé-000" alt="transpilé"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://elixir-lang.org/"> <img src="https://img.shields.io/badge/Elixir-000?logo=elixir&logoColor=pin" alt="Elixir"> </a> </td> <td> <a href="https://hexdocs.pm/"> <img src="https://img.shields.io/badge/hex-000?logo=erlang&logoColor=pin" alt="hex"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/front-000" alt="front"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/interprété-000" alt="interprété"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://dart.dev/"> <img src="https://img.shields.io/badge/Dart-000?logo=dart&logoColor=pin" alt="Dart"> </a> </td> <td> <a href="https://pub.dev/"> <img src="https://img.shields.io/badge/pub-000?logo=dart&logoColor=pin" alt="pub"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/mobile-000" alt="mobile"> <img src="https://img.shields.io/badge/desktop-000" alt="desktop"> <img src="https://img.shields.io/badge/compilé-000" alt="compilé"> <img src="https://img.shields.io/badge/déclaratif-000" alt="déclaratif"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://go.dev/"> <img src="https://img.shields.io/badge/Go-000?logo=go&logoColor=pin" alt="Go"> </a> </td> <td> <a href="https://go.dev/"> <img src="https://img.shields.io/badge/Go-000?logo=go&logoColor=pin" alt="Go"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/mobile-000" alt="mobile"> <img src="https://img.shields.io/badge/cli-000" alt="cli"> <img src="https://img.shields.io/badge/desktop-000" alt="desktop"> <img src="https://img.shields.io/badge/hybride-000" alt="hybride"> <img src="https://img.shields.io/badge/compilé-000" alt="compilé"> <img src="https://img.shields.io/badge/déclaratif-000" alt="déclaratif"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://www.swift.org/"> <img src="https://img.shields.io/badge/Swift-000?logo=swift&logoColor=pin" alt="Swift"> </a> </td> <td> <a href="https://swiftpackageindex.com/apple/swift-package-manager"> <img src="https://img.shields.io/badge/Cargo-000?logo=swift&logoColor=pin" alt="SwiftPM"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/cli-000" alt="cli"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/compilé-000" alt="compilé"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> <tr> <td> <a href="https://www.rust-lang.org/"> <img src="https://img.shields.io/badge/Rust-000?logo=rust&logoColor=pin" alt="Rust"> </a> </td> <td> <a href="https://doc.rust-lang.org/cargo/"> <img src="https://img.shields.io/badge/Cargo-000?logo=rust&logoColor=pin" alt="Cargo"> </a> </td> <td> <img src="https://img.shields.io/badge/web-000" alt="web"> <img src="https://img.shields.io/badge/cli-000" alt="cli"> <img src="https://img.shields.io/badge/back-000" alt="back"> <img src="https://img.shields.io/badge/compilé-000" alt="compilé"> <img src="https://img.shields.io/badge/fonctionnel-000" alt="fonctionnel"> <img src="https://img.shields.io/badge/typage_statique_fort-000" alt="typage statique fort"> </td> </tr> </table> ## Formats de données <table> <tr> <th>Nom du format</th> </tr> <tr> <td> <a href="https://yaml.org/"> <img src="https://img.shields.io/badge/Yaml-000?logo=yaml&logoColor=pin" alt="Yaml"> </a> </td> </tr> <tr> <td> <a href="https://www.json.org/json-fr.html"> <img src="https://img.shields.io/badge/Json-000?logo=json&logoColor=pin" alt="Json"> </a> </td> </tr> <tr> <td> <a href="https://hjson.github.io/"> <img src="https://img.shields.io/badge/Hjson-000?logo=json&logoColor=pin" alt="Hjson"> </a> </td> </tr> <tr> <td> <a href="https://toml.io/fr/"> <img src="https://img.shields.io/badge/Toml-000?logo=toml&logoColor=pin" alt="Toml"> </a> </td> </tr> </table> [![Top](./assets/arrow-top.png)](#top)
Constitution d'une liste d'outils, répos, d'idées d'apps, challanges ou tout autre ressource pour s'améliorer en programmation peux importe son niveau.
clang,cpp,css,golang,java,javascript,nim-lang,nodejs,php,python3
2024-03-28T13:29:04Z
2024-04-10T00:00:16Z
null
2
1
75
0
0
3
null
null
null
BrayamValero/vue3-skeleton
main
# :skull: Vue3-Skeleton Build and craft amazing loading experiences that automatically adapts to your Vue app. <div align="center"> <h4> <a href="https://stackblitz.com/edit/vue3-skeleton?file=src%2FApp.vue">Open Stackblitz Demo</a> </h4> <img src="https://media2.giphy.com/media/v1.Y2lkPTc5MGI3NjExcXdjMnM1OWNrYmQyeTZteTQxOTJrcXVkMWpjbW4xcGNwYXNxanVyZSZlcD12MV9pbnRlcm5hbF9naWZfYnlfaWQmY3Q9Zw/GrHJfT7omWaebHkJ6b/giphy.gif" alt="Skeleton GIF"> </div> This repository is inspired by [react-loading-skeleton](https://github.com/dvtng/react-loading-skeleton) ## :rocket: Install Install the package via [NPM](https://www.npmjs.com/package/@brayamvalero/vue3-skeleton) ```bash npm i @brayamvalero/vue3-skeleton ``` ### :memo: Basic usage Install the plugin globally. ```tsx import { createApp } from 'vue' import App from './App.vue' // Import the component library & Stylesheet import Skeleton from '@brayamvalero/vue3-skeleton' import '@brayamvalero/vue3-skeleton/dist/style.css' createApp(App) // Install the Skeleton Plugin .use(Skeleton) .mount('#app') ``` Or, install the plugin locally, whether be `<script>` or `<script setup>` ```html <script> import { Skeleton } from '@brayamvalero/vue3-skeleton' import '@brayamvalero/vue3-skeleton/dist/style.css' export default { components: { Skeleton }, } </script> ``` ```html <script setup> import { Skeleton } from '@brayamvalero/vue3-skeleton' import '@brayamvalero/vue3-skeleton/dist/style.css' </script> ``` Now, you're ready to go ```html <template> <div class="Home"> <h1> <!--Skeleton will inherit <h1> height --> <Skeleton /> </h1> <p> <!--Skeleton will inherit <p> height --> <Skeleton :rows="3" /> </p> </div> </template> ``` ### :sparkles: Features Adapting to your defined styles seamlessly, The `<Skeleton />` module seamlessly integrates into your components, filling the void during loading. Unlike other frameworks where crafting a skeleton screen is a meticulous task of matching font size, line height, and margins, our Skeleton component effortlessly adjusts to the correct dimensions. Take, for instance: ```html <template> <div class="Home"> <h1> <Skeleton>{{ data.title }}</Skeleton> </h1> <p> <Skeleton :rows="3">{{ data.description }}</Skeleton> </p> </div> </template> ``` This code snippet ensures the generation of precisely proportioned skeletons for both the `<h1>` and `<p>` elements without needing any additional configuration. Moreover, it orchestrates a seamless transition, waiting until the content is fully loaded before concealing the Skeleton and unveiling the loaded content gracefully. ### :warning: Avoid the creation of dedicated skeleton screens Instead, craft components equipped with integrated skeleton states. **This methodology offers several advantages:** - **Harmonized Styles:** Ensures consistency across styles. - **Comprehensive Representation:** Components should embody all conceivable states, including loading. - **Enhanced Loading Flexibility:** Enables more adaptable loading sequences. ### :art: Theming Customize individual skeletons with props, or render a SkeletonTheme to style all skeletons below it. ```html <script setup> import { Skeleton, SkeletonTheme } from '@brayamvalero/vue3-skeleton' import '@brayamvalero/vue3-skeleton/dist/style.css' </script> <template> <div class="Home"> <!-- This applies Base Color and Highligh Color to all Skeletons --> <SkeletonTheme background-color="#303030"> <h1> <Skeleton>{{ data.title }}</Skeleton> </h1> <p> <Skeleton :rows="3">{{ data.description }}</Skeleton> </p> </SkeletonTheme> </div> </template> ``` > Props declared inside `<Skeleton />` will take priority over `<SkeletonTheme />` props. ### :page_facing_up: Props Declaration Down bellow you can take a look at each prop available. ### `<Skeleton>` | Name | Type | Description | Default | | -------------- | --------- | -------------------------------------------------------------------- | ------- | | rows | `number` | Set component amount of rows | `1` | | circle | `boolean` | Set component `border-radius` to 50%, it replaces borderRadius props | `false` | | containerClass | `string` | Set component class to skeleton container | `null` | | childClass | `string` | Set component class to each skeleton child | `null` | ### `<Skeleton>` `<SkeletonTheme>` | Name | Type | Description | Default | | ----------------- | ----------------- | ------------------------------------------------------------------------------------------------------ | --------- | | width | `string` `number` | Set component `width`, it can be either number `px` or string with its corresponding css value | `100%` | | height | `string` `number` | Set component `height`, it can be either number `px` or string with its corresponding css value | `inherit` | | borderRadius | `string` `number` | Set component `border-radius`, it can be either number `px` or string with its corresponding css value | `0.25rem` | | backgroundColor | `string` | Set component `background-color` | `#e1e1e1` | | animationDuration | `number` | Set component `animation-duration` in seconds | `2` | | enableAnimation | `boolean` | Set component animation status `running` or `paused` | `true` | | inline | `boolean` | Set component inline behavior | `false` | ### Troubleshooting The skeleton width is 0 when the parent has `display: flex` In the example below, the width of the skeleton will be 0: ```html <div :style="{ display: 'flex' }"> <Skeleton :style="{ flex: 1 }" /> </div> ``` This happens because the skeleton has no intrinsic width. You can fix it by applying `flex: 1` to the skeleton container, you can also set this style via the `containerClass` prop.
An elegant skeleton library compatible with Vue 3, build and craft amazing loading experiences that automatically adapts to your app.
npm-package,skeleton,vue,vue3,vue-component-library,javascript,loading-animations,placeholder
2024-03-17T23:20:47Z
2024-04-09T15:52:40Z
null
1
2
26
0
0
3
null
MIT
Vue
Alex5ander/detector-de-moedas-de-1-real-e-50-centavos-wasm
main
# Detector de moedas de 1 real e 50 centavos utilizando a plataforma [Edge Impulse](https://edgeimpulse.com/). ![preview](preview.png) ### Para começar abra o terminal ou o prompt de comando. ### Clone esse repositório. ``` git clone https://github.com/Alex5ander/detector-de-moedas-de-1-real-e-50-centavos-wasm.git ``` ### Entre na pasta do projeto. ``` cd detector-de-moedas-de-1-real-e-50-centavos-wasm ``` ### Execute o comando abaixo. ``` npm run dev ``` #### Observação: Os navegadores só permitem acessar a câmera em origem segura, então para contornar isso você vai precisar de um certificado e uma key na raiz do projeto. E então acesse o url http://localhost:8080 em um navegador para ver a aplicação funcionando. Caso queira apenas ver a aplicação acesse: [aqui](https://alex5ander.github.io/detector-de-moedas-de-1-real-e-50-centavos-wasm/)
Detector de moedas de 1 real e 50 centavos utilizando a plataforma Edge Impulse.
computer-vision,css3,edgeimpulse,html5,iac,javascript
2024-04-16T21:50:58Z
2024-04-17T15:15:41Z
null
1
0
9
0
0
3
null
null
JavaScript
snowdiamonds/react-email-shopify-liquid
main
# React Email Shopify Liquid > Create shopify notification emails with a combination of React and Liquid <p align="center"> <img src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/8a7fe588-c2e7-4a67-958a-02014efeb539" width="400" /> </p> ## Table of Contents - [Getting Started](#getting-started) - [Example templates](examples/emails) - [Images](#images) - [Custom Fonts](#custom-fonts) - [Important Notes](#important-notes) ## Problem You are building a headless ecommerce experience using shopify. Probably with Hydrogen, Remix, NextJS, etc. You've built a set of composable components using React, however there is one critical piece that is missing: Email Notifications. Emails for Order confirmation, shipping, etc. You'll need to use Shopify's `Liquid` to build all of your email templates, which is a completely different developer experience than React. ## This Solution We've build a set of components using React Email to help you create beautiful email templates. Helping consolidate the developer experience when creating headless shopify store. ## Getting Started **In your project directory:** 1. Install: `pnpm add react-email @react-email/components react-email-shopify-liquid -E` 2. Create an `emails` folder at the top level of your project directory. 3. Create a file named `OrderConfirmation.tsx` and paste the following: > This template is from [`examples/emails/OrderConfirmation.tsx`](examples/emails/OrderConfirmation.tsx): ```jsx import React from 'react'; import { Hr, Preview, Section, Text } from '@react-email/components'; import { EmailContainer, Greeting, OrderLineItems, OrderStatusLink, OrderTransactions, PaymentTerms, ShippingAddress, Subtotals } from 'react-email-shopify-liquid'; export const OrderConfirmation = () => ( <EmailContainer> <Preview>Order Confirmation</Preview> <Section> <Greeting /> <Text> Thank you for placing your order ({'{{ order.name }}'}). As soon as your order ships, you will receive a separate shipping confirmation email with tracking information. </Text> </Section> <Section className="mt-6"> <OrderStatusLink /> </Section> <Hr className="border-black my-10"></Hr> <OrderLineItems /> <Subtotals /> <Hr className="border-black my-10"></Hr> <PaymentTerms /> <OrderTransactions /> <ShippingAddress /> </EmailContainer> ); export default OrderConfirmation; ``` 4. Add the following script to your `package.json` which will generate the email template html files ``` "email:export": "email export && decode-entities" ``` > This package includes a simple `decode-entities` bin script. React will encode things like quotes and `>`, `<`, which might be used within liquid expressins into html entites. Hence we need to decode those for liquid to render properly. > Example: `Payment of {{ order.total_outstanding | money }} is due {{ due_date | date: format: &#x27;date&#x27; }}` will become `Payment of {{ order.total_outstanding | money }} is due {{ due_date | date: format: 'date' }}` once decoded. <details> <summary>Decode entities advanced usage</summary> 1. If you have a more complex workflow, create your own script to handle decoding the html files. ```javascript #!/usr/bin/env node import { readFileSync, writeFileSync } from 'fs'; import path from 'path'; import { glob } from 'glob'; import { decode } from 'html-entities'; // React will encode quotes and etc that might be used within liquid expressions into entites. // Hence we need to decode those for liquid to render properly export const decodeEntities = () => { const generatedEmailPaths = glob.sync(path.join(process.cwd(), 'out', '**/*.html')) for (const emailPath of generatedEmailPaths) { const html = decode(readFileSync(emailPath, { 'encoding': 'utf-8' })); writeFileSync(emailPath, html, { encoding: 'utf-8' }); } }; decodeEntities(); ``` </details> 5. Run the script `pnpm run email:export`. And look in the new folder `out` that was created. - This command will create a new directory `out` at the root level of your project. All of the generated html files for your email templates will be placed here. See react-email documentation for more information on the `email export` command. The default source directory for your templates is `emails`. <img width="629" alt="Screenshot 2024-04-22 at 11 43 30 AM" src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/2c905381-c372-494f-bff4-6697a4769ff5"> 6. **Let's preview the email template:** Head over to the shopify admin page. 7. Click on the `Settings` ⚙️ icon <img width="336" alt="step-1" src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/185570ea-b17d-4914-963c-e523e83c2f4c"> 8. Select the `Notifications` menu item <img width="345" alt="step-2" src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/bcfea313-043e-45c7-8fae-3bd7698a45b4"> 9. Click on the `Customer Notifications` menu item <img width="809" alt="step-3" src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/959c95fb-cb73-47bc-b50c-db7c4e241b1c"> 10. Select the `Order Confirmation` notification <img width="785" alt="step-4" src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/ccb541f9-45ac-48a9-8a72-cf072a3e97d7"> 11. Hit the `Edit Code` button <img width="917" alt="step-5" src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/b0e334c9-b801-4ca3-a061-606cdddb86f7"> 12. Paste the generated html from `OrderConfirmation.html` into the textarea <img width="827" alt="step-6" src="https://github.com/snowdiamonds/react-email-shopify-liquid/assets/1103708/61a23a35-d7cb-48c3-b345-e8e0b1a41759"> 13. Preview your changes and hit save. > Can I preview my email templates with react-email's `email:dev` script? Yes, but it won't be that helpful. Since the templates include liquid template syntax for retrieving like order details, line items, product information, we need these objects provided to us. > Shopify's email template preview functionality will actually render your email template using the liquid template engine and provide all the relevant objects like `order`, `product`, etc. The `email:dev` script would just render the raw liquid syntax. 14. **That's it.** Now, repeat for the rest of your email templates! Head over to [`examples/emails`](examples/emails) to see more templates. ## Provided Example Templates | Template | |--------------------------------------------------| | [`ContactCustomer.tsx`](examples/emails/) | | [`DraftOrderInvoice.tsx`](examples/emails/) | | [`OrderCanceled.tsx`](examples/emails/) | | [`OrderConfirmation.tsx`](examples/emails/) | | [`OrderInvoice.tsx`](examples/emails/) | | [`OrderPaymentReceipt.tsx`](examples/emails/) | | [`OrderRefund.tsx`](examples/emails/) | | [`OrderUpdated.tsx`](examples/emails/) | | [`PaymentError.tsx`](examples/emails/) | | [`PaymentReminder.tsx`](examples/emails/) | | [`PaymentSuccess.tsx`](examples/emails/) | | [`ShippingConfirmation.tsx`](examples/emails/) | | [`ShippingDelivered.tsx`](examples/emails/) | | [`ShippingOutForDelivery.tsx`](examples/emails/) | | [`ShippingUpdated.tsx`](examples/emails/) | ## Images 1. You should either upload images to shopify as files, aws s3, or any other type of CDN. 2. Then use the CDN urls in the react-email `Image` component within the template. ```jsx <Img src="https://some.cdn.com/image.png" width="76"/> ``` ## Custom Fonts 1. You should either upload your custom font to shopify as files, aws s3, or any other type of CDN. 2. Then use the CDN urls in the react-email `Font` component within the template. 3. See the react-email docs on how to use the `Font` component. ```jsx <Font fallbackFontFamily={['Helvetica']} fontFamily="MyCustomFont" webFont={{ url: 'https://cdn.shopify.com/s/files/.../my-custom-font.woff2', format: 'woff2' }} fontWeight={400} fontStyle="normal"/> ``` ## Important Notes If you take a look at the default shopify email templates available in shopify admin, you'll see there is a lot of logic involved. Not every single piece of logic is ported over to this package. If any custom logic is required, just create your own component using our provided `Liquid` components. See the [example templates](examples/emails) for how this can be done.
If you're building headless Shopify stores, you're probably already using React. This package helps you continue using React for building customer notification emails.
email,javascript,react,react-email,react-email-component,shopify,shopify-theme,typescript
2024-04-09T18:52:11Z
2024-04-25T16:57:08Z
2024-04-23T19:05:43Z
1
0
24
0
0
3
null
MIT
TypeScript
Megh2005/Meet-Me
main
<p align="center"> <a href="https://linktr.ee/meghdeb" target="_blank"> <img src="https://i.pinimg.com/originals/8b/c8/13/8bc8138470ece0f8c5a6dc3cd715de92.png" alt="banner"/> </a> <h1 align="center">Hi 👋, I'm Megh Deb</h1> # 💫 About Me 🔭 I’m currently studying at Heritage Institute of Technology<br>👯 I’m looking to collaborate on a Women Empowerment App<br>🤝 I’m looking for help with Firebase<br>🌱 I’m currently learning Kotlin<br>💬 Ask me about Android Development<br> ## 🌐 My Socials [![Facebook](https://img.shields.io/badge/Facebook-%231877F2.svg?logo=Facebook&logoColor=white)](https://facebook.com/iammeghdeb) [![Instagram](https://img.shields.io/badge/Instagram-%23E4405F.svg?logo=Instagram&logoColor=white)](https://instagram.com/iammeghdeb) [![LinkedIn](https://img.shields.io/badge/LinkedIn-%230077B5.svg?logo=linkedin&logoColor=white)](https://linkedin.com/in/megh-deb-20637a2a1/) [![Medium](https://img.shields.io/badge/Medium-12100E?logo=medium&logoColor=white)](https://medium.com/@meghdeb) [![Pinterest](https://img.shields.io/badge/Pinterest-%23E60023.svg?logo=Pinterest&logoColor=white)](https://pinterest.com/thisismeghdeb) [![Stack Overflow](https://img.shields.io/badge/-Stackoverflow-FE7A16?logo=stack-overflow&logoColor=white)](https://stackoverflow.com/users/23300734) [![X](https://img.shields.io/badge/X-black.svg?logo=X&logoColor=white)](https://x.com/ThisIsMeghDeb) [![YouTube](https://img.shields.io/badge/YouTube-%23FF0000.svg?logo=YouTube&logoColor=white)](https://youtube.com/@digital_sea_05) [![Codepen](https://img.shields.io/badge/Codepen-000000?style=for-the-badge&logo=codepen&logoColor=white)](https://codepen.io/Megh-Deb) [![Mastodon](https://img.shields.io/badge/-MASTODON-%232B90D9?style=for-the-badge&logo=mastodon&logoColor=white)](https://mastodon.social/@cloudsay) # 💻 My Tech Experience ![C](https://img.shields.io/badge/c-%2300599C.svg?style=for-the-badge&logo=c&logoColor=white) ![HTML5](https://img.shields.io/badge/html5-%23E34F26.svg?style=for-the-badge&logo=html5&logoColor=white) ![JavaScript](https://img.shields.io/badge/javascript-%23323330.svg?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E) ![Markdown](https://img.shields.io/badge/markdown-%23000000.svg?style=for-the-badge&logo=markdown&logoColor=white) ![Kotlin](https://img.shields.io/badge/kotlin-%237F52FF.svg?style=for-the-badge&logo=kotlin&logoColor=white) ![TypeScript](https://img.shields.io/badge/typescript-%23007ACC.svg?style=for-the-badge&logo=typescript&logoColor=white) ![Windows Terminal](https://img.shields.io/badge/Windows%20Terminal-%234D4D4D.svg?style=for-the-badge&logo=windows-terminal&logoColor=white) ![Google Cloud](https://img.shields.io/badge/GoogleCloud-%234285F4.svg?style=for-the-badge&logo=google-cloud&logoColor=white) ![Vercel](https://img.shields.io/badge/vercel-%23000000.svg?style=for-the-badge&logo=vercel&logoColor=white) ![Angular.js](https://img.shields.io/badge/angular.js-%23E23237.svg?style=for-the-badge&logo=angularjs&logoColor=white) ![Bootstrap](https://img.shields.io/badge/bootstrap-%238511FA.svg?style=for-the-badge&logo=bootstrap&logoColor=white) ![Express.js](https://img.shields.io/badge/express.js-%23404d59.svg?style=for-the-badge&logo=express&logoColor=%2361DAFB) ![Next JS](https://img.shields.io/badge/Next-black?style=for-the-badge&logo=next.js&logoColor=white) ![NodeJS](https://img.shields.io/badge/node.js-6DA55F?style=for-the-badge&logo=node.js&logoColor=white) ![TailwindCSS](https://img.shields.io/badge/tailwindcss-%2338B2AC.svg?style=for-the-badge&logo=tailwind-css&logoColor=white) ![Three js](https://img.shields.io/badge/threejs-black?style=for-the-badge&logo=three.js&logoColor=white) ![Apache](https://img.shields.io/badge/apache-%23D42029.svg?style=for-the-badge&logo=apache&logoColor=white) ![MongoDB](https://img.shields.io/badge/MongoDB-%234ea94b.svg?style=for-the-badge&logo=mongodb&logoColor=white) ![Adobe Illustrator](https://img.shields.io/badge/adobe%20illustrator-%23FF9A00.svg?style=for-the-badge&logo=adobe%20illustrator&logoColor=white) ![Adobe XD](https://img.shields.io/badge/Adobe%20XD-470137?style=for-the-badge&logo=Adobe%20XD&logoColor=#FF61F6) ![Figma](https://img.shields.io/badge/figma-%23F24E1E.svg?style=for-the-badge&logo=figma&logoColor=white) ![Docker](https://img.shields.io/badge/docker-%230db7ed.svg?style=for-the-badge&logo=docker&logoColor=white) ![Postman](https://img.shields.io/badge/Postman-FF6C37?style=for-the-badge&logo=postman&logoColor=white) ![CSS3](https://img.shields.io/badge/css3-%231572B6.svg?style=for-the-badge&logo=css3&logoColor=white) ![Netlify](https://img.shields.io/badge/netlify-%23000000.svg?style=for-the-badge&logo=netlify&logoColor=#00C7B7) # 📊 My GitHub Stats ![](https://github-readme-stats.vercel.app/api?username=Megh2005&theme=bear&hide_border=false&include_all_commits=true&count_private=true)<br/> ![](https://github-readme-streak-stats.herokuapp.com/?user=Megh2005&theme=bear&hide_border=false)<br/> ## 🏆 My GitHub Trophies ![](https://github-profile-trophy.vercel.app/?username=Megh2005&theme=dracula&no-frame=true&no-bg=true&margin-w=4) ## ✍️ Quote of the Day ![](https://quotes-github-readme.vercel.app/api?type=horizontal&theme=tokyonight) <br/> # 🤗 Thank You For Visiting My Profile
This Website Is To Contact Me & To Know More About Me
css,google-sheets-api,html,javascript,portfolio
2024-03-24T03:14:14Z
2024-03-24T03:08:47Z
null
1
0
1
0
0
3
null
null
HTML
13RTK/React-Concise-Course
main
# This tutorial materials base on: - [bilibili](https://www.bilibili.com/video/BV1qK421x79b/) - [西瓜视频](https://www.ixigua.com/7352100939946033674)
Course material of react
javascript,react
2024-03-25T14:10:50Z
2024-05-15T10:05:45Z
null
1
0
36
0
0
3
null
MIT
JavaScript
AmulyaMachhan/stopwatch
master
# Stopwatch Website This is a simple stopwatch website built using HTML, CSS, and JavaScript. It allows users to start, pause, and reset the stopwatch. You can view this site [here](https://amulyamachhan.github.io/stopwatch/). ## Preview ![amulyamachhan github io_stopwatch_](https://github.com/AmulyaMachhan/stopwatch/assets/111338400/e612b5bb-2592-46e9-8361-b9bc74144b67) ## Features - **Start:** Begin the stopwatch to measure elapsed time. - **Pause:** Pause the stopwatch to temporarily stop measuring time. - **Reset:** Reset the stopwatch to zero, clearing all elapsed time. ## Technologies Used - **HTML:** Markup language for creating the structure of the webpage. - **CSS:** Styling language for designing the layout and appearance of the webpage. - **JavaScript:** Programming language for adding interactivity and functionality to the webpage. ## Usage 1. **Clone the repository** to your local machine: ``` git clone https://github.com/AmulyaMachhan/stopwatch.git ``` 2. Open the index.html file in your web browser. 3. Use the buttons provided to start, pause, and reset the stopwatch. ## Folder Structure - index.html: HTML file containing the structure of the webpage. - styles.css: CSS file containing the styles for the webpage. - script.js: JavaScript file containing the functionality for the stopwatch. Author Amulya Machhan
This is a simple stopwatch website built using HTML, CSS, and JavaScript. It allows users to start, pause, and reset the stopwatch.
css,html,javascript,web-design,webdevelopment,event-mani
2024-04-14T18:40:19Z
2024-04-14T19:04:24Z
null
1
0
5
0
0
3
null
null
HTML
MastooraTurkmen/Cocktails-React-Project
main
## Cocktails Project Live: [React Cocktails Project](https://my-react-project-cocktail.netlify.app/) #### React Router Fix (Fix)[https://dev.to/dance2die/page-not-found-on-netlify-with-react-router-58mc] #### CRA Fix ``` "build": "CI= react-scripts build", ``` ```sh npm install react-router-dom@6 ``` ### Languages and Tools 🗣️🔧 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) - [React](https://github.com/topics/react) 2. **Tools** 🔧 - [Chrome](https://github.com/topics/chrome) - [Figma](https://github.com/topics/figma) - [VSCode](https://github.com/topics/vscode) - [Netlify](https://github.com/topics/netlify) ### Screenshots of the Project #### Home page ![alt text](./Screenshots/image.png) #### When Loading ![alt text](./Screenshots/image-4.png) ![alt text](./Screenshots/image-7.png) #### Cocktails types ![alt text](./Screenshots/image-1.png) ![alt text](./Screenshots/image-2.png) #### Single Cocktail ![alt text](./Screenshots/image-8.png) ![alt text](./Screenshots/image-3.png) #### Error ![alt text](./Screenshots/image-5.png) #### About page ![alt text](./Screenshots/image-6.png)
Cocktails React Project using API
api,css,css3,html,html5,javascript,javascript-library,react,react-router
2024-03-26T04:29:21Z
2024-03-29T18:40:38Z
null
1
0
70
0
0
3
null
null
JavaScript
Nikhilgholap1304/Animiz
master
# Animiz 👒 🌟Welcome to the Highly Responsive Anime Website project! This project is a sleek and modern website dedicated to anime content, featuring a highly responsive design with dark/light mode switch and a working feedback form.🌟 ## 🕶 Preview ![Animiz Preview](animiz.png) ## 📝 Overview This website offers anime enthusiasts a visually appealing and user-friendly platform to explore their favorite anime series, movies, characters, and more. With its responsive design and dark/light mode switch, users can enjoy an optimized viewing experience across various devices and preferences. ## 💎 Key Features - **Responsive Design**: Enjoy a seamless browsing experience on desktops, tablets, and mobile devices, ensuring content is accessible and visually appealing across all screen sizes. - **Dark/Light Mode Switch**: Toggle between dark and light mode to suit your viewing preferences and reduce eye strain during nighttime browsing. - **Anime Catalog**: Browse through a curated catalog of anime series and movies with detailed descriptions, images, and ratings. - **Feedback Form**: Engage with the website by providing feedback, suggestions, or inquiries through the integrated feedback form. - **Sleek Design**: Experience a modern and visually stunning design with carefully crafted UI elements and animations. ## 🛠️ Technologies Used - **HTML5**: Structure the content of the website. - **CSS3**: Style the layout and design elements, including dark/light mode styling. - **JavaScript**: Implement dynamic functionality, including the dark/light mode switch and feedback form validation. ## 🚀 Getting Started To explore the website or contribute to the project, follow these steps: 1. Clone the repository: ```bash git clone https://github.com/Nikhilgholap1304/Animiz.git 2. Open the project directory in your code editor. 3. Launch the index.html file in your web browser to view the website. ## 🤝 Contributing Contributions to enhance the website's features or fix issues 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: ```bash git checkout -b feature-name 3. Make your changes and commit them: ```bash git commit -m "Add feature or fix" 4. Push your changes to your fork: ```bash git push origin feature-name 5. Create a pull request on the original repository. ## 📄 License Check out the license ✒ [License](LICENSE.txt)
Animiz ☠ - A frontend template for Anime website which is highly responsive to most kind of displays 💻, impressive dark / light mode 🎴, with working feedback form where I can get the feedbacks in my gmail account.
css3,html5,javascript
2024-03-29T11:29:11Z
2024-05-13T13:32:40Z
null
1
0
5
0
0
3
null
MIT
HTML
AvayaExperiencePlatform/omni-sdk-js
master
# Avaya Experience Platform™ Web Omni SDK > **:warning: Disclaimer** > > Installing, downloading, copying or using this SDK is subject to terms and conditions available in the LICENSE file. ## Prerequisites Before you start integrating your web application with the Avaya Experience Platform™ (AXP) Web Omni SDK, you need to make sure that you have the required information, like the `integrationId`, `appKey`, and `region`. The Avaya Experience Platform™ account administrator should be able to provide you with these details. Your backend application server additionally needs changes to be able to acquire JWT tokens for your web application. Refer to [this guide](https://developers.avayacloud.com/avaya-experience-platform/docs/omni-sdk-overview#provisioning-an-integration) for a detailed description about this. ## Getting Started The Avaya Experience Platform™ Web Omni SDK consist of three modules: - [AXP Core](./core.md) - [AXP Messaging](./messaging.md) - [AXP Messaging UI](./messaging-ui.md) - [AXP Calling](./calling.md) Start with the [AXP Core](./core.md) module to initialize the SDK and establish a session with AXP. The easiest and fastest way to enable your application with AXP Messaging capabilities is to use the built-in [AXP Messaging UI](./messaging-ui.md). In case your application needs to handle messaging events or you want to create your own Messaging UI, use the [AXP Messaging](./messaging.md) module. For Calling application, use the [AXP Calling](./calling.md). ## License View [LICENSE](./LICENSE) ## Changelog View [CHANGELOG.md](./CHANGELOG.md)
Avaya Experience Platform™ provides Omni SDK using which you can enable your client applications with Messaging and WebRTC capabilities of Avaya Experience Platform™
avaya,avaya-cloud,avaya-experience-platform,axp,messaging,sdk,javascript,web
2024-03-19T17:05:12Z
2024-05-23T09:20:00Z
null
14
6
29
0
1
3
null
NOASSERTION
JavaScript
Megh2005/Green-Guardians-Guild
main
[![](https://github.com/jpoehnelt/in-solidarity-bot/raw/main/static//badge-for-the-badge.png)](https://github.com/apps/in-solidarity) <p align="center"> <a href="https://linktr.ee/meghdeb" target="_blank"> <img src="https://i.pinimg.com/originals/8b/c8/13/8bc8138470ece0f8c5a6dc3cd715de92.png" alt="banner"/> </a> <h1 align="center">Hi 👋, I'm Megh Deb</h1> # 💫 About The Developer 🔭 I’m currently studying at **Heritage Institute of Technology**<br>👯 I’m looking to collaborate on a **Women Empowerment App**<br>🤝 I’m looking for help with **Firebase**<br>🌱 I’m currently learning **Kotlin**<br>💬 Tou can ask me about **Android Development**<br> ## 🌐 My Socials [![Facebook](https://img.shields.io/badge/Facebook-%231877F2.svg?logo=Facebook&logoColor=white)](https://facebook.com/iammeghdeb) [![Instagram](https://img.shields.io/badge/Instagram-%23E4405F.svg?logo=Instagram&logoColor=white)](https://instagram.com/iammeghdeb) [![LinkedIn](https://img.shields.io/badge/LinkedIn-%230077B5.svg?logo=linkedin&logoColor=white)](https://linkedin.com/in/megh-deb-20637a2a1/) [![Medium](https://img.shields.io/badge/Medium-12100E?logo=medium&logoColor=white)](https://medium.com/@meghdeb) [![Pinterest](https://img.shields.io/badge/Pinterest-%23E60023.svg?logo=Pinterest&logoColor=white)](https://pinterest.com/thisismeghdeb) [![Stack Overflow](https://img.shields.io/badge/-Stackoverflow-FE7A16?logo=stack-overflow&logoColor=white)](https://stackoverflow.com/users/23300734) [![X](https://img.shields.io/badge/X-black.svg?logo=X&logoColor=white)](https://x.com/ThisIsMeghDeb) [![YouTube](https://img.shields.io/badge/YouTube-%23FF0000.svg?logo=YouTube&logoColor=white)](https://youtube.com/@digital_sea_05) [![Codepen](https://img.shields.io/badge/Codepen-000000?style=for-the-badge&logo=codepen&logoColor=white)](https://codepen.io/Megh-Deb) [![Mastodon](https://img.shields.io/badge/-MASTODON-%232B90D9?style=for-the-badge&logo=mastodon&logoColor=white)](https://mastodon.social/@cloudsay) ![](https://komarev.com/ghpvc/?username=Megh2005&style=for-the-badge&base=2300&color=ce5e50) # 💻 My Tech Experience ![C](https://img.shields.io/badge/c-%2300599C.svg?style=for-the-badge&logo=c&logoColor=white) ![HTML5](https://img.shields.io/badge/html5-%23E34F26.svg?style=for-the-badge&logo=html5&logoColor=white) ![JavaScript](https://img.shields.io/badge/javascript-%23323330.svg?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E) ![Markdown](https://img.shields.io/badge/markdown-%23000000.svg?style=for-the-badge&logo=markdown&logoColor=white) ![Kotlin](https://img.shields.io/badge/kotlin-%237F52FF.svg?style=for-the-badge&logo=kotlin&logoColor=white) ![TypeScript](https://img.shields.io/badge/typescript-%23007ACC.svg?style=for-the-badge&logo=typescript&logoColor=white) ![Windows Terminal](https://img.shields.io/badge/Windows%20Terminal-%234D4D4D.svg?style=for-the-badge&logo=windows-terminal&logoColor=white) ![Google Cloud](https://img.shields.io/badge/GoogleCloud-%234285F4.svg?style=for-the-badge&logo=google-cloud&logoColor=white) ![Vercel](https://img.shields.io/badge/vercel-%23000000.svg?style=for-the-badge&logo=vercel&logoColor=white) ![Angular.js](https://img.shields.io/badge/angular.js-%23E23237.svg?style=for-the-badge&logo=angularjs&logoColor=white) ![Bootstrap](https://img.shields.io/badge/bootstrap-%238511FA.svg?style=for-the-badge&logo=bootstrap&logoColor=white) ![Express.js](https://img.shields.io/badge/express.js-%23404d59.svg?style=for-the-badge&logo=express&logoColor=%2361DAFB) ![Next JS](https://img.shields.io/badge/Next-black?style=for-the-badge&logo=next.js&logoColor=white) ![NodeJS](https://img.shields.io/badge/node.js-6DA55F?style=for-the-badge&logo=node.js&logoColor=white) ![TailwindCSS](https://img.shields.io/badge/tailwindcss-%2338B2AC.svg?style=for-the-badge&logo=tailwind-css&logoColor=white) ![Three js](https://img.shields.io/badge/threejs-black?style=for-the-badge&logo=three.js&logoColor=white) ![Apache](https://img.shields.io/badge/apache-%23D42029.svg?style=for-the-badge&logo=apache&logoColor=white) ![MongoDB](https://img.shields.io/badge/MongoDB-%234ea94b.svg?style=for-the-badge&logo=mongodb&logoColor=white) ![Adobe Illustrator](https://img.shields.io/badge/adobe%20illustrator-%23FF9A00.svg?style=for-the-badge&logo=adobe%20illustrator&logoColor=white) ![Adobe XD](https://img.shields.io/badge/Adobe%20XD-470137?style=for-the-badge&logo=Adobe%20XD&logoColor=#FF61F6) ![Figma](https://img.shields.io/badge/figma-%23F24E1E.svg?style=for-the-badge&logo=figma&logoColor=white) ![Docker](https://img.shields.io/badge/docker-%230db7ed.svg?style=for-the-badge&logo=docker&logoColor=white) ![Postman](https://img.shields.io/badge/Postman-FF6C37?style=for-the-badge&logo=postman&logoColor=white) ![CSS3](https://img.shields.io/badge/css3-%231572B6.svg?style=for-the-badge&logo=css3&logoColor=white) ![Netlify](https://img.shields.io/badge/netlify-%23000000.svg?style=for-the-badge&logo=netlify&logoColor=#00C7B7) # 📊 My GitHub Stats ![](https://github-readme-stats.vercel.app/api?username=Megh2005&show_icons=true&theme=radical)<hr/> ![](https://stats.quine.sh/MeghDeb/topics-over-time?theme=dark)<hr/> ![](https://stats.quine.sh/MeghDeb/languages-over-time?theme=dark)<hr/> ## 🏆 My GitHub Trophies ![](https://github-profile-trophy.vercel.app/?username=Megh2005&theme=radical&no-frame=false&no-bg=true&margin-w=4) ## ✍️ Quote of the Day ![](https://quotes-github-readme.vercel.app/api?type=horizontal&theme=tokyonight) # 🤗 Thank You For Visiting My Profile
Official Website of Green Guardians Guild
css,html,javascript
2024-04-20T15:58:34Z
2024-04-20T16:09:40Z
null
1
0
7
0
0
3
null
Apache-2.0
HTML
Ashu7891/Death-Wish-Coffee-Clone
main
## Death Wish Coffee Website Clone ### Introduction Hello Everyone! This documentation provides an overview of Death Wish Coffee. This project is clone of Death wish coffee website which is a coffee brand based in the United States. Their coffee is primarily sold online, but can also be found in grocery stores across the United States. This project was complete with 10 days and it showcases the usage of various technologies, including JavaScript, HTML, CSS, and bootstrap framework. ### Project Details - Project Name: Death wish coffee Clone (https://death-wish-coffee-website.vercel.app/) - Real website: deathwishcoffee.com (https://www.deathwishcoffee.com/) - Project Duration: 10 Days - Usage Tools: HTML5, CSS3, Javascript, Bootstrap, JSON-Server ### Features 1. User Registration and Authentication: - Users can create accounts and securely log in to Death Wish Coffee website. 2. Cart Functionality: - Users can add products to their shopping cart for a convenient shopping experience. - The cart displays a summary of the selected items, including the total price. 3. Filtering: - Filtering options allow users to refine their search results based on best selling, price low to high and high to low, alphabetically A-Z and Z-A. 4. Responsive also. - users can also view this website in mobile, tablet, laptop and computer. ### Screenshots Here are some screenshots of the Death Wish Coffee website for you to preview. ![landing page](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/711cb90b-ed2e-4197-9181-0db8142e4740) ![slider](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/c76b701a-6301-4e11-aa4f-6782e1137354) ![landing page 2](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/8aeb8962-66d1-411d-abdc-fcfa1f64810e) ![add to cart page](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/a01e0abd-ce6a-40a9-a47b-633bd8f01096) ![Coffee Data Page](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/fe18a8a9-2309-4852-b35a-dde394ceda41) ![Feedback page](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/493f40d9-c32f-496c-b7fc-4fa912a651aa) ![Merch Data Page](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/684db302-d49e-4049-ab94-1bbc17b9c2cd) ![Login Page](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/ddc2b5f4-8b27-4b67-874b-a6c810718384) ![SignUp Page](https://github.com/Ashu7891/Death-Wish-Coffee-Clone/assets/143114291/31b7ae61-31d2-4ed0-92c5-58116a797e80) Thank you for your interest in Death Wish Coffee Website!
This is death wish coffee website that offers coffee
css3,html5,javascript,json-api,json-server,bootstrap5
2024-04-30T15:06:05Z
2024-05-11T10:12:57Z
null
1
0
13
0
0
3
null
null
HTML
santoshkpatro/taskite
main
# taskite Open source Trello, JIRA, Asana alternative. # Installation ## Run Minio Storage Server minio server $(pwd)/data --console-address :9001
Open source Task Management Tool. Trello, Jira alternative.
django,javascript,postgresql,python,vite,vuejs
2024-04-09T09:10:35Z
2024-05-21T07:32:42Z
null
2
17
45
1
1
3
null
GPL-3.0
Python
passiondev2024/Web-Stack-Table
main
![TanStack Table Header](https://github.com/tanstack/table/raw/main/media/repo-header.png) # [TanStack](https://tanstack.com) Table v8 Headless UI for building **powerful tables & datagrids** for **React, Solid, Vue, Svelte and TS/JS**. <a href="https://twitter.com/intent/tweet?button_hashtag=TanStack" target="\_parent"> <img alt="#TanStack" src="https://img.shields.io/twitter/url?color=%2308a0e9&label=%23TanStack&style=social&url=https%3A%2F%2Ftwitter.com%2Fintent%2Ftweet%3Fbutton_hashtag%3DTanStack" /> </a> <a href="https://github.com/tanstack/table/actions?table=workflow%3A%22react-table+tests%22"> <img src="https://github.com/tanstack/table/workflows/react-table%20tests/badge.svg" /> </a> <a href="https://npmjs.com/package/@tanstack/react-table" target="\_parent"> <img alt="" src="https://img.shields.io/npm/dm/@tanstack/react-table.svg" /> </a> <a href="https://bundlephobia.com/result?p=@tanstack/react-table@latest" target="\_parent"> <img alt="" src="https://badgen.net/bundlephobia/minzip/@tanstack/react-table@latest" /> </a> <a href="#badge"> <img alt="semantic-release" src="https://img.shields.io/badge/%20%20%F0%9F%93%A6%F0%9F%9A%80-semantic--release-e10079.svg"> </a> <a href="https://github.com/tanstack/table/discussions"> <img alt="Join the discussion on Github" src="https://img.shields.io/badge/Github%20Discussions%20%26%20Support-Chat%20now!-blue" /> </a> <a href="https://github.com/tanstack/table" target="\_parent"> <img alt="" src="https://img.shields.io/github/stars/tanstack/react-table.svg?style=social&label=Star" /> </a> <a href="https://twitter.com/tannerlinsley" target="\_parent"> <img alt="" src="https://img.shields.io/twitter/follow/tannerlinsley.svg?style=social&label=Follow" /> </a> > [Looking for version 7 of `react-table`? Click here!](https://github.com/tanstack/table/tree/v7) ## Enjoy this library? Try other [TanStack](https://tanstack.com) libraries: - [TanStack Query](https://github.com/TanStack/query) <img alt="" src="https://img.shields.io/github/stars/tanstack/query.svg" /> - [TanStack Table](https://github.com/TanStack/table) <img alt="" src="https://img.shields.io/github/stars/tanstack/table.svg" /> - [TanStack Router](https://github.com/TanStack/router) <img alt="" src="https://img.shields.io/github/stars/tanstack/router.svg" /> - [TanStack Virtual](https://github.com/TanStack/virtual) <img alt="" src="https://img.shields.io/github/stars/tanstack/virtual.svg" /> - [TanStack Form](https://github.com/TanStack/form) <img alt="" src="https://img.shields.io/github/stars/tanstack/form.svg" /> - [TanStack Ranger](https://github.com/TanStack/ranger) <img alt="" src="https://img.shields.io/github/stars/tanstack/ranger.svg" /> ## Visit [tanstack.com/table](https://tanstack.com/table) for docs, guides, API and more! You may know **TanStack Table** by our adapter names, too! - [React Table](https://tanstack.com/table/v8/docs/adapters/react-table) - [Solid Table](https://tanstack.com/table/v8/docs/adapters/solid-table) - [Svelte Table](https://tanstack.com/table/v8/docs/adapters/svelte-table) - [Vue Table](https://tanstack.com/table/v8/docs/adapters/vue-table) ## Summary TanStack Table is a **headless** table library, which means it does not ship with components, markup or styles. This means that you have **full control** over markup and styles (CSS, CSS-in-JS, UI Component Libraries, etc) and this is also what gives it its portable nature. You can even use it in React Native! If you want a **lightweight table with full control over markup and implementation**, then you should consider using **TanStack Table, a headless table library**. If you want a **ready-to-use component-based table with more power but more constraints around markup/styles/implementation**, you should consider using [AG Grid](https://ag-grid.com/react-data-grid/?utm_source=reacttable&utm_campaign=githubreacttable), a component-based table library from our OSS partner [AG Grid](https://ag-grid.com). TanStack Table and AG Grid are respectfully the **best table/datagrid libraries around**. Instead of competing, we're working together to ensure the highest quality table/datagrid options are available for the entire JS/TS ecosystem and every use-case. ## Quick Features - Agnostic core (JS/TS) - 1st-class framework bindings for React, Vue, Solid - ~15kb or less (with tree-shaking) - 100% TypeScript (but not required) - Headless (100% customizable, Bring-your-own-UI) - Auto out of the box, opt-in controllable state - Filters (column and global) - Sorting (multi-column, multi-directional) - Grouping & Aggregation - Pivoting (coming soon!) - Row Selection - Row Expansion - Column Visibility/Ordering/Pinning/Resizing - Table Splitting - Animatable - Virtualizable - Server-side/external data model support # Migrating from React Table v7 ## Notable Changes - Full rewrite to TypeScript with types included in the base package - Removal of plugin system to favor more inversion of control - Vastly larger and improved API (and new features like pinning) - Better controlled state management - Better support for server-side operations - Complete (but optional) data pipeline control - Agnostic core with framework adapters for React, Solid, Svelte, Vue, and potentially more in the future - New Dev Tools ## Migration There are a fair amount of breaking changes (they're worth it, trust us!): - Turns out that TypeScript makes your code **a lot** better/safer, but also usually requires breaking changes to architecture. - Plugin system has been removed so plugins must be rewritten to wrap/compose the new functional API. Contact us if you need help! - Column configuration options have changed, but only slightly. - Table options are mostly the same, with some larger changes around optional state management/control and data pipeline control - The `table` instance while similar in spirit to v7 has been reconfigured to be much faster. ## Installation Install one of the following packages based on your framework of choice: ```bash # Npm npm install @tanstack/react-table npm install @tanstack/solid-table npm install @tanstack/vue-table npm install @tanstack/svelte-table ``` ## How to help? - Try out the already-migrated examples - Try it out in your own projects. - Introspect the types! Even without the docs finished, the library ships with 100% typescript to help you explore its capabilities. - [Read the contribution guidelines](https://github.com/tanstack/table/tree/main/CONTRIBUTING.md) - Write some docs! Start with the [API docs](https://github.com/TanStack/react-table/tree/main/docs/api) and try adding some information about one or more of the features. The types do a decent job of showing what's supported and the capabilities of the library. - **Using a plugin?** Try rewriting your plugin (v8 doesn't have a plugin system any more) as a functional wrapper that uses TanStack Table internally. The new API is much more powerful and easier to compose. If you find something you can't figure out, let us know and we'll add it to the API. ### [Become a Sponsor](https://github.com/sponsors/tannerlinsley/) <!-- USE THE FORCE LUKE -->
🤖 Headless UI for building powerful tables & datagrids for TS/JS - React-Table, Vue-Table, Solid-Table, Svelte-Table
datatable,filtering,grid,grouping,hooks,javascript,pagination,react,solid,sorting
2024-03-18T21:08:05Z
2024-03-18T21:23:33Z
null
13
3
2,324
0
0
3
null
MIT
TypeScript
larkes-cyber/HackathonPriceApp
main
# Hackathon price app An application that analyzes photos of price tags, allowing you to classify the product represented by the price tag and compare the price of the product with the "social" (maximum recommended) price ## Mobile tech: Kotlin Multiplatform, Jetpack Compose, SwiftUI ## Web tech: Java Script, React ## Backend tech: Python, Yolo ## Screencast https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/0d2b89d2-039e-407a-a6b5-3d9b3dafb14e ## Task overview <img width="1385" alt="image" src="https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/ba5589a4-7bd4-4cc8-be93-ba316f69a3bb"> <img width="1293" alt="image" src="https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/5a3ea038-7b56-492a-8fe5-e26e3e8cca90"> <img width="1387" alt="image" src="https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/f7bc80d3-f7bd-4d98-94bf-f3f4a656b8a3"> ## Screens: <img width="300" alt="Снимок экрана 2024-01-04 в 15 09 34" src="https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/a22b54f3-0ce8-4964-a719-5c5fd6e0bebc"> <img width="300" alt="Снимок экрана 2024-01-04 в 15 09 34" src="https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/972373e9-083d-4fb1-aa4c-229ed7a7d544"> <img width="300" alt="Снимок экрана 2024-01-04 в 15 09 34" src="https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/318f32f4-82ab-40ad-ba86-eafb62d260fd"> <img width="300" alt="Снимок экрана 2024-01-04 в 15 09 34" src="https://github.com/larkes-cyber/HackathonPriceApp/assets/79082708/3e7a6885-a7cf-426c-af10-f96e10cecfbe">
An application that analyzes photos of price tags, allowing you to classify the product represented by the price tag and compare the price of the product with the "social" (maximum recommended) price
javascript,jetpack-compose,kotlin-multiplatform,python,swiftui
2024-04-08T14:15:14Z
2024-04-23T15:16:39Z
null
4
0
42
0
0
3
null
null
Kotlin
programmer-xiaosa/weblog
main
## 一、项目介绍 `Weblog` 项目就是完成一个完整的前后端分离的博客项目,包含服务端接口API,管理后台以及部署上线流程。这个项目主要介绍使用 `SpringBoot2.6 ` 开发一套完整的 RESTful 风格服务端接口 API 和使用 `Vue2` 开发管理后台。(本项目只给小伙伴学习使用的,不能做任何开源商业使用,请尊重作者-🔜[犬小哈](https://www.quanxiaoha.com/)) ### 1.1 项目展示 - 前端线上展示地址:https://blog.arnasoft.site/#/ - 首页 ![](./pic/home.png) - 详情页 ![](./pic/detail.png) - 移动端 ![](./pic/移动端首页.png) ![](./pic/移动端详情页.png) ## 二、使用项目 ### 2.1 克隆项目 ``` # 克隆项目代码 git clone git@github.com:programmer-xiaosa/weblog.git ``` ### 2.2 项目部署 小伙伴们可以使用传统方式部署也可以使用 `docker jenkins` 自动化部署,推荐使用 `docker` - [Docker 教程](https://www.quanxiaoha.com/docker/docker-tutorial.html) - [Linux常用命令](https://www.quanxiaoha.com/linux-command/linux-shutdown.html) ## 三、FAQ 1. 没有yarn环境,npm 可以吗? > 答:可以的,建议使用 yarn,yarn 比 npm 速度快,主要是安装版本统一。 2. npm 下载依赖包失败,卡住? > 答:本项目采用的事vue3,建议使用 node版本是 v18.12.1.,小伙伴们可以使用 `n` 或者 `nvm` 来切换电脑上的node版本,这样可以使用多个版本的系统,不会冲突。 3. ... 更多问题请到 [Issues](https://github.com/programmer-xiaosa/weblog/issues)查阅,或者有问题请到 [Issues 提问](https://github.com/programmer-xiaosa/weblog/issues/new)。 4. 本项目学习[犬小哈老师](https://www.quanxiaoha.com/)的课程后开发的博客项目,代码基本跟源码一致,只做部分修改和优化,,修改和优化可以到生产环境看下,[点这里](https://blog.arnasoft.site/#/)。小伙伴们可以参考学习,希望大家多多支持犬小哈老师的课程,我个人认为犬小哈老师的图文教程是特别棒的,肯定会有收获 ## License [MIT](https://github.com/programmer-xiaosa/Weblog/blob/main/LICENSE), by [programmer-xiaosa](https://github.com/programmer-xiaosa/Weblog/commits?author=programmer-xiaosa) 喜欢或对你有帮助的话,请你点一个星星 <strong style='color:red;'>star</strong> 鼓励我,或者您有更好的建议和意见,请提出来告知我,可以留言 [Issues](https://github.com/programmer-xiaosa/weblog/issues/new)。希望能够帮助到你学习!Thanks
基于 Springboot Vue3 实战开发的一套完整的博客管理系统
blog,javascript,mybatis-plus,mysql,springboot,vue3
2024-04-24T02:58:41Z
2024-04-24T03:35:06Z
null
1
0
3
0
1
3
null
MIT
Vue
SofiaXu/BilibiliComicToolBox
master
# B 漫工具箱 简单方便的修改 Bilibili 漫画的功能,叔叔给不了的,我来给,妈妈再也不用担心我不好好看漫画了 > [!IMPORTANT] > 免责声明: > > 1. 本脚本仅供学习和交流之用,严禁用于任何商业目的。 > 2. 本脚本使用官方阅读器接口,不影响 Bilibili 漫画的正常运行。 > 3. 本脚本不会获取或上传您的账号密码信息。 > 4. 所有购买操作均通过官方阅读器接口执行,使用通用券或漫读券,不消耗漫币等其他资源。 > 5. 使用本脚本即表示您同意上述声明。作者、本脚本及代码托管平台不承担因使用本脚本引发的任何责任。 > 6. 本脚本与 Bilibili 漫画无任何关联。如认为本脚本侵犯了您的权益,请联系我们进行删除。 > 7. 本脚本不含任何恶意代码,源代码开放供自行审查。 > 8. 本脚本完全免费,若有人以本脚本名义收费,请立即举报。 ## 功能 1. 不能下载漫画?好,上 2.5MiB 的原图批量下载,Chrome/Edge 用户直接存到本地文件夹,不需要任何操作 ![下载漫画](https://github.com/SofiaXu/BilibiliComicToolBox/raw/master/img/001.png) 2. 不能看原图质量?好,每个漫画都可以看到原图质量,不需要任何操作 ![设置分辨率](https://github.com/SofiaXu/BilibiliComicToolBox/raw/master/img/005.png) ![查看原图](https://github.com/SofiaXu/BilibiliComicToolBox/raw/master/img/002.png) 3. 每次活动完都送一堆券?慢慢点购买很累?好,一键用券购买整本漫画,不需要任何操作 ![一键购买](https://github.com/SofiaXu/BilibiliComicToolBox/raw/master/img/003.png) 4. 漫画太多了?更新了一堆想不起来哪个没看?好,书架自带已读高亮 ![已读高亮](https://github.com/SofiaXu/BilibiliComicToolBox/raw/master/img/004.png) ## 安装 1. 安装油猴脚本插件,推荐使用 Tampermonkey 2. 安装脚本,点击 [这里](https://greasyfork.org/zh-CN/scripts/493408-b-%E6%BC%AB%E5%B7%A5%E5%85%B7%E7%AE%B1) 前往 Greasy Fork 安装 ## 许可证 MIT ## 仓库 [GitHub](https://github.com/SofiaXu/BilibiliComicToolBox)
进行一键购买和下载漫画的工具箱,对历史/收藏已读完漫画进行高亮为绿色,将阅读页面图片替换成原图大小
bilibili,javascript,tampermonkey,userscript
2024-04-25T02:59:14Z
2024-05-11T02:20:28Z
null
2
2
32
0
1
3
null
MIT
JavaScript
azuresphere7/Emma-Portfolio
master
null
Portfolio website built for Emma Trueman from Canada. 💑
bootstrap,css3,font-awesome,html5,javascript,jquery,portfolio
2024-03-19T18:28:03Z
2024-03-19T18:35:20Z
null
1
0
38
0
0
3
null
null
JavaScript
warioddly/orbit-trace
main
# orbit-trace
The Javascript library adds interactivity to your cursor on the site ⚔️. The circle will follow the cursor and animate in various ways that you can customize 🌌
animation,animation-css,javascript,js,mouse,mouse-events,mouse-tracking,npm,npm-package,script
2024-04-14T15:59:34Z
2024-04-17T08:51:29Z
null
1
1
22
0
0
3
null
MIT
TypeScript
ronjj/ProfessorPeek
main
ProfessorPeek is a Chrome Extension that helps Cornell students select classes # Installation Options ###### Note: You must be using a Chrome based browser (Google Chrome, Brave, Arc, etc..). Safari and Firefox are not Chrome Based ## 1. Download on Chrome Webstore https://chromewebstore.google.com/detail/professorpeek/jilfmfcpampggogoeppklpbkkejnoglo ## 2. Load Unpacked - Download ProfessorPeek as a ZIP - Click the green "Code" button - Click "Download ZIP" - Navigate to your broswer's extension settings: chrome://extensions/ - Turn on developer mode (top right of the page for Brave and Google Chrome) - Click "Load Unpacked" - Select the unzipped "ProfessorPeak Extension" folder - Head to Course Roster and navigate to a page with professors and classes. Refresh the page if you don't see the RateMyProfessor or CUReviews scores Tech Stack: - Javascript - Built V1 in a weekend ## What It Looks Like <img src="demo-1.png" alt="demo picture" title="Demo Picture" height = "375" width = "900">
Easily see the RateMyProfessor and CUReview ratings for classes on Cornell Course Roster
chrome-extension,javascript
2024-04-19T15:35:21Z
2024-05-19T22:22:13Z
null
1
14
132
0
0
3
null
null
JavaScript
soumya-rayast/HomeRentalsApplication
main
null
Building a Full Stack Home Rentals Application
expressjs,html,javascript,mongodb,nextjs,reactjs,redux-toolkit,scss
2024-04-02T09:43:10Z
2024-05-23T13:31:39Z
null
1
0
34
0
0
3
null
null
JavaScript
SmartProgSolutions/CineMania
main
<div align="center" id="top"> <img src="./.github/home.png" alt="CineMania" /> &#xa0; <a href="https://smartprogsolutions.github.io/CineMania/">Demo</a> </div> <h1 align="center">CineMania</h1> <p align="center"> <img alt="Github language count" src="https://img.shields.io/github/languages/count/SmartProgSolutions/CineMania?color=56BEB8"> <img alt="Repository size" src="https://img.shields.io/github/repo-size/SmartProgSolutions/CineMania?color=56BEB8"> <img alt="License" src="https://img.shields.io/github/license/SmartProgSolutions/CineMania?color=56BEB8"> <img alt="Github issues" src="https://img.shields.io/github/issues/SmartProgSolutions/CineMania?color=56BEB8" /> <img alt="Github forks" src="https://img.shields.io/github/forks/SmartProgSolutions/CineMania?color=56BEB8" /> <img alt="Github stars" src="https://img.shields.io/github/stars/SmartProgSolutions/CineMania?color=56BEB8" /> </p> <hr> <p align="center"> <a href="#-sobre">Sobre</a> &#xa0; | &#xa0; <a href="#telas-da-aplicação">Telas</a> &#xa0; | &#xa0; <a href="#skateboard-funcionalidades">Funcionalidades</a> &#xa0; | &#xa0; <a href="#rocket-tecnologias">Tecnologias</a> &#xa0; | &#xa0; <a href="#white_check_mark-requisitos-para-rodar-a-aplicação">Requisitos</a> &#xa0; | &#xa0; <a href="#checkered_flag-iniciando">Iniciando</a> &#xa0; | &#xa0; <a href="#-configurações-adicionais-ao-projeto">Schemas</a> &#xa0; | &#xa0; <a href="#memo-licença">Licença</a> &#xa0; | &#xa0; <a href="https://github.com/SmartProgSolutions/CineMania" target="_blank">Autor</a> </p> <br> ## Requisitos Mínimos ## :white_check_mark: Minimo 8 páginas \ :white_check_mark: Navegação entre páginas \ :white_check_mark: Minimo 3 imagens \ :white_check_mark: 1 áudio \ :white_check_mark: 1 vídeo \ :white_check_mark: Estilização CSS\ :white_check_mark: Minimo 1 Formulário\ :white_check_mark: estrutura básica HTML <header> <section> <footer>\ :white_check_mark: Minimo 3 eventos DOM\ ## Visão Geral ## O CineMania é uma aplicação web que oferece aos usuários um vasto catálogo de filmes, buscando proporcionar uma experiência completa e intuitiva para a navegação e pesquisa de obras cinematográficas. A plataforma foi desenvolvida utilizando tecnologias modernas e segue os princípios de acessibilidade e design responsivo, garantindo uma experiência agradável em diferentes dispositivos. usamos conceitos de Abstração de POO, para reutilização de código, ## Telas da aplicação ### 1-Login ## <img src="./.github/login.png" alt="Imagem da tela Login" /> ### 2-Register ## <img src="./.github/cadastro.png" alt="Imagem da tela registro" /> ## 3-Preferências ## <img src="./.github/preferences.png" alt="Imagem da tela de Preferencias" /> ## 4-Home ## <img src="./.github/home.png" alt="Imagem da tela Home" /> ## 5-Discover ## <img src="./.github/discover.png" alt="Imagem da tela de Discover" /> ## 6-Categorias ## <img src="./.github/categorias.png" alt="Imagem da tela de Categorias" /> ## 7-Contato ## <img src="./.github/contato.png" alt="Imagem da tela de Contato" /> ## 8-Detalhes do Movie ## <img src="./.github/details.png" alt="Imagem da tela de detalhes" /> ## 9-Lançamentos ## <img src="./.github/lancamento.png" alt="Imagem da tela de lançamentos" /> ## 10- Resultados da pesquisa ## <img src="./.github/results.png" alt="Imagem da tela de results" /> ## 10- Resultados da pesquisa ## <img src="./.github/results.png" alt="Imagem da tela de results" /> ## :skateboard: Funcionalidades ## :heavy_check_mark: Catálogo Extenso: Acesse um vasto acervo de filmes provenientes da API The Movie Database (https://www.themoviedb.org/), com opções para filtrar e encontrar o filme perfeito para você :heavy_check_mark: Navegação por Categorias: Explore filmes por diferentes categorias, como gêneros, popularidade e lançamentos recentes. :heavy_check_mark: Página Detalhada do Filme: Obtenha informações completas sobre cada filme, incluindo título, ano de lançamento, sinopse, classificação e trailer (quando disponível). :heavy_check_mark: Busca Personalizada: Utilize a barra de busca para encontrar filmes por título, gênero, diretor ou palavras-chave. :heavy_check_mark: Página de Login e Cadastro: Crie uma conta para salvar suas preferências e acompanhar seus filmes favoritos. :heavy_check_mark: Página de Contato: Entre em contato com a equipe do CineMania para enviar sugestões ou relatar problemas. :heavy_check_mark: Design Responsivo: Acesse o CineMania de qualquer dispositivo, seja ele um computador, tablet ou smartphone, com a interface se adaptando perfeitamente à tela. :heavy_check_mark: Desempenho Otimizado: Navegue pelo CineMania com rapidez e fluidez, graças à otimização do código e da estrutura da aplicação. # Tecnologias Utilizadas :rocket: - [HTML 5](#) - [CSS 3](#) - [Live Server](#) - [JavaScript](#) - [API TMDB](https://www.themoviedb.org/) - [envio de emails com FormSpree](#) # Equipe de Desenvolvimento Feito com ❤️ por <a href="https://github.com/KevillaAguiar" target="_blank">Kevilla Aguiar🦅</a> <a href="https://github.com/WendrilXX" target="_blank">Wendrill Gabriel</a> <a href="https://github.com/AlcivanLucas" target="_blank">Alcivan Lucas</a> <a href="https://github.com/Joap-Filho" target="_blank">João Filho</a> <a href="https://github.com/heitorviana-dev" target="_blank">Heitor Viana</a>
O CineMania é uma aplicação web com um amplo catálogo de filmes, projetada para proporcionar uma experiência intuitiva e completa aos usuários durante a navegação e busca por obras cinematográficas.
css3,dom,flexbox,html5,javascript,liveserver,site,tmdb-api
2024-04-22T03:44:13Z
2024-04-27T03:48:42Z
null
5
17
83
0
3
3
null
null
JavaScript
renansouz/ADHD-WordSearch-ReactNative
main
# Focus Word - TCC Project 🧩 Welcome to the repository of Focus Word, our Undergraduate Thesis Project developed as part of our journey in the Systems Development course at ETEC Professor Camargo Aranha. This README aims to provide an overview of our project and its significance. <div > <img src="https://i.imgur.com/quLMp9z.jpeg" width="250px"> <img src="https://i.imgur.com/PDRvyab.jpeg" width="250px"> <img src="https://i.imgur.com/voHnKvB.jpeg" width="250px"> </div> ## Project Overview Focus Word is a mobile application developed as a word search game aimed at children with ADHD (Attention Deficit Hyperactivity Disorder). Our goal is to provide a therapeutic tool that helps improve the focus and cognitive skills of these children through an engaging and educational gaming experience. ### Team Members - [Renan de Souza Silva](https://github.com/renansouz) - [Gabriel Sancinetti](https://github.com/TheGVictor) - [Murilo Barros do Carmo](https://github.com/MuriloBC2) - [Marcelo Henrique](https://github.com/marcelinho0938) ### Technology Used - **React Native** - **JavaScript** - **Figma** (for user interface design) ## Project Highlights - **Therapeutic Purpose**: Specifically developed for children with ADHD, "Focus Word" aims to aid in the development of their cognitive skills. - **Engaging Gameplay Experience**: The game is designed to be engaging and fun, maintaining children's interest while helping them develop their skills. - **Ease of Access**: User-friendly and intuitive interface, making the app accessible for children of all ages. ## Project Prototype If you want to see the project prototype, access [this link](https://www.figma.com/file/IHHEyHFp9y8i7GsC84H3kt/Focus-Word?type=design&node-id=0%3A1&mode=design&t=XnxelqtdYtIht8jK-1). ## Skills Acquired During the development of this project, we acquired a series of valuable skills, including: - Effective teamwork - Programming languages such as JavaScript - User interface design with Figma ## Final Thoughts Although Focus Word has not been publicly released, the development process has provided us with valuable learning experience. We are confident that the skills acquired during this project will help us in our future careers in the software development field. --- Made by [Team AUTH](https://www.linkedin.com/posts/renansilvadev_authcompany-academiccompletion-systemsdevelopment-activity-7132809324782903296-0Y_u?utm_source=share&utm_medium=member_desktop)
Focus Word is a mobile application developed as a therapeutic word search game for children with ADHD. The aim is to improve focus and cognitive skills in a fun and educational manner.
adhd,figma,javascript,react-native,software-development,ui,ux,wordsearch
2024-03-22T23:56:28Z
2024-03-23T00:50:05Z
null
2
0
6
0
0
3
null
null
JavaScript
thwonghin/vdf-parser
master
[![npm version](https://img.shields.io/npm/v/%40hinw%2Fvdf-parser)](https://www.npmjs.com/package/@hinw/vdf-parser) [![JSR](https://jsr.io/badges/@hinw/vdf-parser)](https://jsr.io/@hinw/vdf-parser) # @hinw/vdf-parser A simple parser for Valve's KeyValue text file format (VDF) https://developer.valvesoftware.com/wiki/KeyValues. Written in JavaScript (TypeScript). Support both returning an object OR piping readable stream to the parser streaming out key-value pairs. ## Installation Pick your favorite package manager. For example using `npm`: ```bash npm install @hinw/vdf-parser ``` ## Interfaces ### Parse as an object #### Parse a file ```ts import { VdfParser } from '@hinw/vdf-parser'; // file content: "key" { "nested_key" "value" }" const filePath = 'input/sample.vdf'; const parser = new VdfParser(); const result = await parser.parseFile(filePath); // assert.assertEqual(result, { key: { nested_key: 'value' } }); ``` #### Parse a read stream ```ts import stream from 'node:stream'; import { VdfParser } from '@hinw/vdf-parser'; const readStream = stream.Readable.from(`"key" { "nested_key" "value" }"`); const parser = new VdfParser(); const result = await parser.parseStream(readStream); // assert.assertEqual(result, { key: { nested_key: 'value' } }); ``` #### Parse a string ```ts import { VdfParser } from '@hinw/vdf-parser'; const input = `"key" { "nested_key" "value" }"`; const parser = new VdfParser(); const result = await parser.parseText(input); // assert.assertEqual(result, { key: { nested_key: 'value' } }); ``` ### Stream interface related #### `pipe` to the parser and build the object from the stream output ```ts import fs from 'node:fs' import { VdfParser } from '@hinw/vdf-parser'; // file content: "key" { "nested_key" "value" }" const filePath = 'input/sample.vdf'; const parser = new VdfParser(); const fileStream = fs.createReadStream(filePath) const parserStream = fileStream.pipe(parser) for await (const pair of parserStream) { // assert.assertEqual(pair, { keyParts: ['key', 'nested_key'], value: 'value' }); } ``` #### Condense the pairs to an object using `condensePairs` or `condensePairsAsync` ```ts // You can build the object from the stream using async iterator interface: const fileStream = fs.createReadStream(filePath) const parserStream = fileStream.pipe(parser) const result = await parser.condensePairsAsync(parserStream) // Or you can store the pairs somewhere, and build it afterwards with normal iterator interface: const fileStream = fs.createReadStream(filePath) const parserStream = fileStream.pipe(parser) const pairs = await Array.fromAsync(parserStream) const result = parser.condensePairs(pairs) ``` ## Options ### Escape sequence By default, the parser will handle escape sequence. To disable this behavior, you can set `disableEscape` to `true`. ```ts import { VdfParser } from '@hinw/vdf-parser'; const input = `"\\"quoted key\\"" "value"`; const parser = new VdfParser({ disableEscape: true }); const result = await parser.parseText(input); // assert.assertEqual(result, { '\\"quoted key\\"': 'value' }); ``` ### Handling duplicated keys #### Separated maps If the values of the duplicated keys are all maps, they will be merged together ```ts import { VdfParser } from '@hinw/vdf-parser'; const input = `"key" { "nested_key" "value" }" "key" { "nested_key_2" "value" }"`; const parser = new VdfParser({ useLatestValue: true }); const result = await parser.parseText(input); // assert.assertEqual(result, { key: { nested_key: 'value', nested_key_2: 'value' } }); ``` #### Map vs normal value By default, the parser will use the earliest seen value for the duplicated keys. ```ts import { VdfParser } from '@hinw/vdf-parser'; const input = `"key" { "nested_key" "value" }" "key" "value"`; const parser = new VdfParser(); const result = await parser.parseText(input); // assert.assertEqual(result, { key: { nested_key: 'value' } }); ``` However, you can set `useLatestValue` to `true` to use the latest seen value instead. ```ts import { VdfParser } from '@hinw/vdf-parser'; const input = `"key" { "nested_key" "value" }" "key" "value"`; const parser = new VdfParser({ useLatestValue: true }); const result = await parser.parseText(input); // assert.assertEqual(result, { key: 'value' }); ``` ## Misc ### No type conversion Since the VDF specification does not contain any type info, it would be a guess work to convert some value to a certain type. To keep this library simple, it would not provide an option to do auto type detection / conversion. In theory if the user is interested in using the values of a VDF they should know the schema of the file well and it is the responsibiliy for the user to convert the types instead of this library doing the guess work.
A simple parser for Valve's KeyValue text file format (VDF). Written in JavaScript (TypeScript).
cs2,dota2,javascript,typescript,valve,valve-data-format,vdf,vdf-converter,vdf-format,vdf-parser
2024-03-17T22:38:16Z
2024-04-25T03:43:07Z
null
1
0
63
0
0
3
null
MIT
TypeScript
libraiger/djangoMarketplace
main
![304739666-a74021ea-9e83-4b79-b944-6f367cf906d9](https://github.com/libraiger/djangoMarketplace/assets/48214830/34206574-7abe-499b-9d87-e613042c82d9) ## Setting Up Your Development Environment ### Without Docker #### Database Set Up Before cloning and running the project, make sure to have PostgreSQL install on your machine. You can either download and install PostgreSQL or you can use the Docker image of PostgreSQL. You can download the latest version of PostgreSQL [here](https://www.postgresql.org/download/). Follow the instructions and install it. You can also pull the image of PostgreSQL. It is assumed that you have Docker install on your machine. After that, you can pull it with this command: `docker pull postgres` By default, the OpenUnited platform will look for a database named `ou_db` and use `postgres` as both the username and password. For development purposes, if you already have a postgres server running locally with this default username/password combination, the easiest thing is to just create a database named: `ou_db`. To override the database settings, you can copy `.env.example` to `.env` and set the values you want. #### Running the Project When the database it set up, copy `.env.example` to `.env`, if you haven't already, generate `DJANGO_SECRET_KEY` using [this website](https://djecrety.ir/) and set the value on the `.env` file. After that, run the following commands: ```bash git clone git@github.com:<your-username>/platform.git cd platform python3 -m venv env source env/bin/activate pip install -r requirements.txt export DJANGO_SETTINGS_MODULE=openunited.settings.development ./setup.sh ``` Run the tests: `python manage.py test` Finally, start the server: `python manage.py runserver` Then navigate to: http://localhost:8000/ in your browser. #### Customizations If you want to extend your local development, create a `local.py` in `openunited/settings`. Import `base.py` or `development.py` and make sure to export it: `export DJANGO_SETTINGS_MODULE=openunited.settings.local` *It is advised to put this line into your bash configuration.* ### With Docker Make sure you have docker install on your machine. ``` cp .env.example .env cp docker.env.example docker.env # create a network named as platform_default docker network create platform_default docker compose --env-file docker.env up --build ``` Run the tests: `docker-compose --env-file docker.env exec platform sh -c "python manage.py test"` Then navigate to: http://localhost:8000/ in your browser. **Notes: Docker Networking** - For linux machine you can set the `network_name=host` in `docker.env` - For docker desktop in Mac or Windows you can set the custom network `network_name=custom_network_name` in `docker.env`. (N.B. If you facing issue like `network custom_network_name not found`, you have to create it like `docker network create custom_network_name` ) **Not working?** Please double-check your settings and if you still continue to experience problems, [create an issue](https://github.com/OpenUnited/platform/issues) detailing your problem. #### Docker Compose Notes - If you want to have auto-reload during development and use ipdb/pdb/breakpoint add following to docker-compose.yml > services > platform ```yaml services: platform: # ... volumes: - .:/code/ # ... stdin_open: true tty: true ``` - After adding ipdb/pdb/breakpoint, you can check container id by `docker ps` and attach it to debug `docker attach <container-id>` ### How to Make a Contribution Before moving on, please make sure that the project is run locally on your machine without any problem. Here's a quick rundown on how you can make a contribution: 1) Find an issue that you are interested in addressing or a feature that you would like to add. 2) Create a new branch for your fix using `git checkout -b branch-name-here` 3) Make the appropriate changes for the issue you are trying to address or the feature that you want to add. 4) Use `git add insert-paths-of-changed-files-here` to add the file contents of the changed files. 5) Commit your changes. The commit messages should follow [this format](https://github.com/angular/angular.js/blob/master/DEVELOPERS.md#commit-message-format). 6) Push the changes to the remote repository using `git push origin branch-name-here` and submit a pull request. 7) Wait for the pull request to be reviewed by a maintainer. 8) Make changes to the pull request if the reviewing maintainer recommends them. 9) Celebrate your success after your pull request is merged! #### Making Changes Every change that is made needs to be formatted according to [Black](https://black.readthedocs.io/en/stable/). You can run `black .` before pushing your changes but it is recommended to use an extenstion that runs this command every time you save a file. For VS Code, you can install the extension in [here](https://marketplace.visualstudio.com/items?itemName=ms-python.black-formatter). - If your changes introduces a new feature, make sure to include the necessary tests such as unit tests, integration tests etc. - If your changes modifies the existing implementation, make sure to extend and/or modify the tests. - If your changes requires an update on the documentation, please update the documentation accordingly. **NOTE:** If your work includes changes in the front-end, make sure to run `watch_css_changes.sh` script during the development. Otherwise, the styles might not apply.
Big database management with Django.
django,html,javascript,postgresql,python,tailwind-css,ubuntu
2024-04-29T23:16:06Z
2024-04-04T08:42:39Z
null
1
0
1,122
0
0
3
null
NOASSERTION
Python
passiondev2024/best-resume-ever
main
<h1 align="center"> <br> <a href="https://github.com/salomonelli/best-resume-ever"> <img src="src/assets/logo.png" alt="Markdownify" width="200"></a> <br> best-resume-ever <br> </h1> <div align="center"> [![Travis badge](https://travis-ci.org/salomonelli/best-resume-ever.svg?branch=master)](https://travis-ci.org/salomonelli/best-resume-ever) </div> <h4 align="center"> :necktie: :briefcase: Build fast :rocket: and easy multiple beautiful resumes and create your best CV ever! <br><br> Made with Vue and LESS. </h4> <br> <br> <p align="left"> <p>Cool<br> <img src="src/assets/preview/resume-cool.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-cool-rtl2.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-cool-rtl.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> <p>Creative<br> <img src="src/assets/preview/resume-creative.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> <p>Green<br> <img src="src/assets/preview/resume-green.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> <p>Purple<br> <img src="src/assets/preview/resume-purple.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> <p>Side Bar<br> <img src="src/assets/preview/resume-side-bar.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-side-bar-rtl.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-side-bar-projects.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> <p>Left Right<br> <img src="src/assets/preview/resume-left-right.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-left-right-rtl.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-left-right-projects.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> <p>Material Dark<br> <img src="src/assets/preview/resume-material-dark.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-material-dark-projects.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> <p>Oblique<br> <img src="src/assets/preview/resume-oblique.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-oblique-rtl.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> <img src="src/assets/preview/resume-oblique-projects.png" width="150" style="margin-right:5px; border: 1px solid #ccc;" /> </p> </p> <br> <br> ## Prerequisite 1. It is required to have Node.js with version 8.5.0 or higher. To see what version of Node.js is installed on your machine type the following command in the terminal: ``` node -v ``` 2. If you do not have installed Node.js in your machine then go to [this link](https://nodejs.org/en/download/) in order to install node. ## How to use 1. Clone this repository. ``` git clone https://github.com/salomonelli/best-resume-ever.git ``` 2. Go to the cloned directory (e.g. `cd best-resume-ever`). 3. Run `npm install`. This may take a few seconds. 4. Customize your resume in the `resume/` directory: edit your data `data.yml` and replace the default profile-picture `id.jpg` with your picture. Rename your picture as `id.jpg` and copy it in the `resume/` directory. During this step, you may find it easier to navigate with Finder or File Explorer to get to the files. This will allow you to edit files with your computers default text editor. 5. Preview resumes with `npm run dev`. The command will start a server instance and listen on port 8080. Open (http://localhost:8080/home) in your browser. The page will show some resume previews. To see the preview of your resume, with your picture and data, click on one layout that you like and the resume will be opened in the same window. ![Resume previews](/readme-images/resumePreviews.png) 6. Export your resume as pdf by running the command `npm run export`. In order to avoid errors due to the concurrency of two `npm run` commands, stop the execution of the previus `npm run dev` and then type the export command. All resumes will be exported to the `pdf/` folder. <br> ## Creating and Updating Templates Please read the <a href="DEVELOPER.md">developer docs</a> on how to create or update templates. <br> ## Contribute Feel free to add your own templates, language supports, fix bugs or improve the docs. Any kind of help is appreciated! If you make any kind of changes to an existing template, please commit them as new templates. <br> ## Sponsored by <p align="center"> <a href="https://rxdb.info/nodejs-database.html"> <img src="https://rxdb.info/files/logo/logo_text.svg" alt="Sponsored by RxDB - NodeJs Database" width="300" /> <br /> <br /> <span>The <b>NodeJs Database</b></span> </a> </p> ## Credits This project uses several open source packages: - <a href="https://github.com/vuejs/vue" target="_blank">Vue</a> - <a href="https://github.com/GoogleChrome/puppeteer" target="_blank">Puppeteer</a> - <a href="https://github.com/less/less.js" target="_blank">LESS</a> <br> --- > [sarasteiert.com](https://www.sarasteiert.com) &nbsp;&middot;&nbsp; > GitHub [@salomonelli](https://github.com/salomonelli) &nbsp;&middot;&nbsp; > Twitter [@salomonelli](https://twitter.com/salomonelli) ## License [MIT](https://github.com/salomonelli/best-resume-ever/blob/master/LICENCE.md)
👔 💼 Build fast 🚀 and easy multiple beautiful resumes and create your best CV ever! Made with Vue and LESS.
cv,javascript,nodejs,pdf,vue
2024-03-18T20:52:32Z
2023-02-15T17:35:49Z
null
1
0
705
0
0
3
null
MIT
Vue
BolajiAyodeji/attraktives-headshot
main
<div align="center"> <img src="./public/ahs.svg" width="100" height="100" /> A web application that enables users to remove the background of an image and craft attractive profile pictures for social media platforms. --- [![](./public/demo-1.png)](https://attraktives-hs.vercel.app/start) [![](./public/demo-2.png)](https://attraktives-hs.vercel.app/start) [![](./public/demo-3.png)](https://attraktives-hs.vercel.app/start) </div> > [!TIP] > > Kindly read [this comprehensive tutorial](#) (TBA) to learn how to build editing apps using IMGLY’s [CE.SDK](https://img.ly/docs/cesdk?utm_source=https://bolajiayodeji.com) Engine and SDK. --- ## Table of Contents * [Apps](#apps) * [Features and Todos](#features-and-todos) * [Important Files and Folders](#important-files-and-folders) * [Getting Started](#getting-started) * [Repo Stats Summary](#repo-stats-summary) * [Contributors Guide](#contributors-guide) * [License](#license) --- ## Apps There are three apps in this project, namely: 1. Remove Image Background (`/bg-remove`): can be accessed with this [live link](https://attraktives-hs.vercel.app/bg-remove) (doesn't require a license). 2. Add Image Background Color (`/bg-add`): can be tested only in development using the demo license. 3. General Design Editor (`/editor`): can be tested only in development using the demo license. ## Features and Todos * [x] Remove the background from an image ([try it live](https://attraktives-hs.vercel.app/bg-remove)). * [x] The above uses the [ONNX model](https://onnx.ai) and WASM files hosted by IMG.LY. * [x] Add background color options to a transparent image. * [x] Create and edit designs with a Canva-like editor. * [x] Authentication and protected pages. * [x] Show download progress (background removal). * [ ] Add background-removal plugin to the editor. ## Important Files and Folders | **Path** | **Description** | | ---------------------------------- | ----------------------------------------------- | | `.env.example` | Example file with all the required environment variables. | | `/app/auth` | `/auth/sign-in` and `auth/sign-up` authentication pages. | | `/app/bg-add/page.tsx` | Page for the background removal app. | | `/app/bg-remove/page.tsx` | Page for the background color add app. | | `/app/editor/page.tsx` | Page for the general design editor app. | | `/app/start/page.tsx` | Page for the start page (select app). | | `/app/components/editorCanvas.tsx` | React component for the `/editor` page. | | `/app/components/headshotCanvas.tsx` | React component for the `/bg-add` page. | | `/app/layout.tsx` | Shared UI for fonts and metadata configuration. | | `/app/page.tsx` | Home page (`/`). | | `/utils/grid.ts` | Utility file for the grid layout options. | | `middleware.ts` | Handle protected pages before processing all requests. | ## Getting Started To run this application locally, kindly follow the steps below: 1. Rename the `.env.example` file to `.env.local` and fill in the required environment variables (leave the pre-filled ones as they are). * `NEXT_PUBLIC_CESDK_LICENSE`: IMG.LY CE.SDK license (sign up for one or get a demo [here](https://img.ly/docs/cesdk/engine/quickstart)). * `NEXT_PUBLIC_CLERK_PUBLISHABLE_KEY`: Clerk publishable API key (sign up and copy this from the [dashboard](https://dashboard.clerk.com)). * `CLERK_SECRET_KEY`: Clerk secret API key (sign up and copy this from the [dashboard](https://dashboard.clerk.com)). 3. Install all required dependencies with the `npm install` command (or use `yarn` / `pnpm`). 4. Run the development server with the `npm run dev` command. 5. Open [`http://localhost:3000`](http://localhost:3000) with your browser to see the result. 6. All good! You can start modifying any page and the app will auto-update. ## Repo Stats Summary ![GitHub Repository Statistics](https://repobeats.axiom.co/api/embed/71444e09ae3b50f07bda15bd645f7f5fc4e1c647.svg) ## Contributors Guide 1. Fork [this repository](https://github.com/BolajiAyodeji/attraktives-headshot) (learn how to do this [here](https://help.github.com/articles/fork-a-repo)). 2. Clone the forked repository like so: ```bash git clone https://github.com/<your username>/attraktives-headshot.git && cd attraktives-headshot ``` 3. Make your changes and create a pull request ([learn how to do this](https://docs.github.com/en/github/collaborating-with-issues-and-pull-requests/creating-a-pull-request)). 4. I'll attend to your pull request soon and provide some feedback. ## License This repository is published under the [MIT](LICENSE) license. --- <div align="center"> <a href="https://bolajiayodeji.com" target="_blank" rel="noopener noreferrer"><img src="https://bolajiayodeji.com/favicon.png" width="30" /></a> </div>
An image background removal app and a demo design editor built using CreativeEditor Engine/SDK and Clerk.
cesdk,imgly,clerkauth,cesdk-engine,clerk,javascript,nextjs,typescript
2024-04-12T19:52:17Z
2024-04-24T11:04:23Z
null
1
0
46
0
0
3
null
MIT
TypeScript
notalicialol/Chocolet
main
<div align="center"> <a href="https://rewrite.chocolet.xyz"> <img src="./github/logo.png" alt="logo" width="160" height="160" /> </a> <h3 align="center">Chocolet</h3> <p align="center">The first ever chocolate-themed Blooket private server with mini-games, custom packs, and more, written in TypeScript by alicialol.</p> </div>
The first ever chocolate-themed Blooket private server with mini-games, custom packs, and more, written in TypeScript by alicialol.
blooket,javascript,nodejs,private-server,react,typescript,chocolet
2024-04-09T00:54:53Z
2024-05-06T23:47:42Z
null
1
1
64
0
1
3
null
null
TypeScript
chrisburnell/event-countdown
main
# `event-countdown` A Web Component to display an event countdown. **[Demo](https://chrisburnell.github.io/event-countdown/demo.html)** | **[Further reading](https://chrisburnell.com/event-countdown/)** ## Usage ### General usage example ```html <script type="module" src="event-countdown.js"></script> <event-countdown name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> ``` ### With end point ```html <script type="module" src="event-countdown.js"></script> <event-countdown name="My event">My event ends on <time end datetime="2024-04-09T23:59:59-12:00">9 April 2024 23:59:59 UTC-12</time>.</event-countdown> ``` ### Both start and end points ```html <script type="module" src="event-countdown.js"></script> <event-countdown name="My event" start="2024-04-09T00:00:00+14:00" end="2024-04-09T23:59:59-12:00">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time> and ends on <time end datetime="2024-04-09T23:59:59-12:00">9 April 2024 23:59:59 UTC-12</time>.</event-countdown> ``` ### Annual events ```html <script type="module" src="event-countdown.js"></script> <!-- Roll over to next year if event has passed --> <event-countdown annual="true" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> ``` ### Update frequency ```html <script type="module" src="event-countdown.js"></script> <!-- Updates every 1 second --> <event-countdown update="1" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> <!-- Disable updates --> <event-countdown update="false" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> ``` ### Specific division ```html <script type="module" src="event-countdown.js"></script> <!-- Always format using seconds --> <event-countdown division="second" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> ``` ### Maximum division ```html <script type="module" src="event-countdown.js"></script> <!-- Format using seconds up to minutes --> <event-countdown max-division="minute" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> ``` ### Numeric format ```html <script type="module" src="event-countdown.js"></script> <!-- Automatically choose when to use numbers vs. words in formatting --> <event-countdown format-numeric="auto" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> <!-- Always use numbers in time formatting --> <event-countdown format-numeric="always" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> ``` ### Style format ```html <script type="module" src="event-countdown.js"></script> <!-- Long formatting (e.g. 1 second) --> <event-countdown format-style="long" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> <!-- Short formatting (e.g. 1 sec.) --> <event-countdown format-style="short" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> <!-- Narrow formatting (e.g. 1s) --> <event-countdown format-style="narrow" name="My event">My event starts on <time start datetime="2024-04-09T00:00:00+14:00">9 April 2024 00:00:00 UTC+14</time>.</event-countdown> ``` ## Installation You have a few options (choose one of these): 1. Install via [npm](https://www.npmjs.com/package/@chrisburnell/event-countdown): `npm install @chrisburnell/event-countdown` 1. [Download the source manually from GitHub](https://github.com/chrisburnell/event-countdown/releases) into your project. 1. Skip this step and use the script directly via a 3rd party CDN (not recommended for production use) ## Usage Make sure you include the `<script>` in your project (choose one of these): ```html <!-- Host yourself --> <script type="module" src="event-countdown.js"></script> ``` ```html <!-- 3rd party CDN, not recommended for production use --> <script type="module" src="https://www.unpkg.com/@chrisburnell/event-countdown/event-countdown.js" ></script> ``` ```html <!-- 3rd party CDN, not recommended for production use --> <script type="module" src="https://esm.sh/@chrisburnell/event-countdown" ></script> ``` ## Credit With thanks to the following people: - [David Darnes](https://darn.es) for creating this [Web Component repo template](https://github.com/daviddarnes/component-template)
A Web Component to display an event countdown.
countdown,custom-element,custom-elements,customelement,customelements,javascript,web-component,web-components,webcomponent,webcomponents
2024-04-07T17:22:24Z
2024-05-20T13:13:53Z
2024-05-20T13:13:53Z
1
0
12
0
0
3
null
MIT
JavaScript
isolcat/MemoMark
main
# MemoMark: Your Markdown-Powered Note-Taking Companion MemoMark is a convenient Markdown-based note-taking application built with Electron. It provides live preview and window pinning functionality, allowing you to quickly jot down and view your notes in Markdown format. ## Features - **Live Preview**: Write your Markdown content in the input area, and see the rendered HTML preview in real-time on the right side. - **Window Pinning**: Keep the notepad window always on top of other windows for easy access. - **Markdown Support**: Supports basic Markdown syntax for formatting your notes. - **Minimalistic Design**: Clean and distraction-free interface for focused writing. ## Usage 1. Clone or download the source code of this project. 2. Install dependencies by running `npm install` in the project directory. 3. Start the application with the `npm run start` command. 4. The MemoMark window will open. 5. Write your Markdown content in the input area. 6. Toggle the live preview mode by clicking the "👌🏻 Preview" button. 7. Pin the notepad window to keep it always on top by clicking the "📌 Toggle Pin" button. ## Download [Click this](https://github.com/isolcat/MemoMark/releases/tag/v0.0.1) ## Technologies Used - [Electron](https://www.electronjs.org/) - [Marked](https://github.com/markedjs/marked) ## Contributing 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).
MemoMark is a convenient Markdown-based note-taking application built with Electron. It provides live preview and window pinning functionality, allowing you to quickly jot down and view your notes in Markdown format.
electron,javascript,markdown
2024-03-22T06:35:00Z
2024-03-24T04:46:18Z
null
1
0
13
0
0
3
null
MIT
JavaScript
freddysae0/TicTacToe-Web
master
null
The Tic Tac Toe Game made with html, css, and javascript
game-development,javascript,tic-tac-toe,tictactoe,vanilla-javascript,vanilla-js
2024-04-15T09:20:54Z
2024-04-15T09:33:16Z
null
1
0
5
0
0
3
null
null
HTML
NekruzAsh/Google-AI-Hack
main
## Inspiration Our inspiration came from our grandparents, most of our grandparents live in retirement homes and rarely get to see us and experience life with us. So, we wanted to help them out and bring out their happiness and connect them to the youth in the world again. We decided to build a platform that connects the young volunteers that are willing to get on a call and chat for a few minutes with the elderly. As researched by us, this helps the elderly people with depression and they tend to be more happy after socializing with the youth. ## What it does Our product connects the youth with the elderly to help reduce their depression and loneliness. With the use of the Gemini AI API, we can match their accounts and find the closest partner for them with the same interests. This will help grow and bridge the community of both young and elderly people with the use of AI technology. ## How we built it We developed this software with NextJS, React, Tailwind CSS, Agora RTC (for video calls), Supabase, and Gemini AI API. We used NextJS because it was full stack friendly, we implemented the frontend with React and Tailwind CSS. Our video calls came from the Agora RTC api. We stored the user account data in our Supabase database. Our matching algorithm is developed with Gemini AI API. ## Challenges we ran into Some of the challenges that we encountered was correctly setting up the gemini AI API, like for instance, we couldn't use a .env file to store the API keys because they wouldnt work in the JS file afterwards, so we had to hard code the API keys in our JS files. Also, we had initial trouble testing the API where we learned how to make the API read and scan the user bio and for any likes or dislikes. We had trouble formatting the output the AI was giving. We also had trouble finishing the project because of our own work and coursework in our lives. This project is a great idea that can grow the community but we also needed more help in terms of developing the backend and different systems and features. ## Accomplishments that we're proud of We are proud of implementing the AI matching algorithm and developing this platform to give back to the seniors because they have done their best to educate us the youngsters. So, we were really happy to give back to them by implementing such features as the video calls and using AI to connect both the young and elderly in this world. ## What we learned We learned to identify the needs and emotional intelligence when coming up with our idea. In terms of technologies we learned how to use APIs correctly by fetching and calling. We also learned the two different ways we can develop a software like monolithic style or micro-services, which allows us to either scale or not scale our software. ## What's next for Friendli In the future, we want keep working on this software and potentially start a non-profit so that our product ends up in every computer and desk in every elderly home in the United States. We want to refine our product, this includes making it responsive and accessible and possibly developing a mobile application for it so that it is available for mobile also. We want to first test this product in a nearby retirement home and see how it does within that home and we can identify the needs better by testing it there. This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app). ## Getting Started First, run the development server: ```bash npm run dev # or yarn dev # or pnpm dev # or bun dev ``` Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. You can start editing the page by modifying `app/page.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.
This is our project for the Google AI Hackathon 2024. This is a website that connects volunteers and elderly people in one platform. We used Google's Gemini AI API to make a matching algorithm that connects a volunteer with an elderly based on their likes, and then put them on a video call to chat, this is made to prevent loneliness and depression.
javascript,nextjs,react,supabase,tailwindcss,gemini-api
2024-03-27T02:52:41Z
2024-05-03T02:21:39Z
null
4
27
85
0
2
3
null
null
JavaScript
AmulyaMachhan/DSA
main
# DSA Questions from Striver's.com This repository contains solutions to Data Structures and Algorithms (DSA) questions from Striver's.com implemented in JavaScript. ## Overview Striver's.com is a popular platform for learning and practicing DSA questions, particularly for competitive programming and technical interviews. This repository aims to provide JavaScript solutions to the questions available on Striver's.com to help JavaScript developers enhance their DSA skills. ## Acknowledgments - Striver's.com for providing a platform to practice DSA questions and improve coding skills. - [Striver](https://www.youtube.com/c/striver91) for his tutorials and guidance on competitive programming and DSA.
This repository contains solutions to Data Structures and Algorithms (DSA) questions from Striver's.com implemented in JavaScript.
algorithms,arrays,binary-search,data-structures,dsa,dsa-practice,hashing,javascript,patterns,recursion
2024-03-17T00:02:49Z
2024-05-09T21:48:23Z
null
1
0
219
0
0
3
null
null
JavaScript
SonNguyen25/ai4career
main
# ai4Career - Personal Career Advisor # 2nd Place in innovAIte AINU x BAIC Hackathon ![Example Image](images/loginui.png "Login UI") ## Overview AI4Career is a student for student project, it leverages cutting-edge AI technology to provide personalized, insightful career advice and academic planning support to students at crucial pathways of their educational journey. Targeted at high school students applying to university, first-year university students, and those uncertain about their career paths, AI4Career aims to demystify the process of making informed decisions regarding education and career. ## Target Audience - High school students applying to universities - First-year university students - Students uncertain about their career paths ## Features - **User Authentication and Profile Management**: Implements Firebase for secure user authentication, enabling the creation and management of detailed user profiles. - **Survey-Driven Insights**: Customizable surveys/questionaires to understand user preferences, skills, and interests, aiding in the accurate personalization of career advice. - **Personalized Career Advice**: Utilizes AI to offer tailored career guidance, answering questions and providing recommendations based on individual user profiles. - **Interactive Career Path Exploration**: Engages users with a swiping action - simulating a dating app, allowing them to explore various career and academic paths through interactive decision-making. - **Data Analysis and Visualization (Future Extensions)**: Employs advanced data processing techniques for insightful user profile analysis, showcased through interactive graphs and history tracking. - **Resource Hub**: Provides access to a curated collection of resources for personal development, academic planning, and career exploration. ![Example Image](images/ui.png "UI") ## Technical Stack - **Frontend**: React.js and JavaScript - Utilized for building a dynamic and responsive user interface that enhances user experience. - **Backend**: Node.js with Express.js - Employs Node.js as the runtime environment and Express.js for structuring the server-side logic, facilitating efficient data processing and API management. - **Database**: Firebase - Used for secure user authentication, real-time data storage, and user profile management. ## Project Setup To get started with AI4Career: ```bash # Clone the repository git clone ... # Navigate to the project directory cd backend # Install dependencies npm install # Start the server npm start ``` For frontend: ```bash # Navigate to the project directory cd frontend # Install dependencies npm install # Start the server npm start ``` ## Contributions - Team AI4Good - Son Nguyen - Full Stack (Frontend, Backend, Database) - Khoi Ngo - Backend, Prompt Engineer - Jonathan Sudarpo - Backend, Prompt Engineer - Vidyut Ramanan - Frontend, Presenter - Yuxi Zhou - Designer, Presenter - Nikita Sopochkin - Presenter, Financial + Ethics Analyst
2nd Place in innovAIte AINU x BAIC Hackathon. AI4Career is a student for student project, it leverages cutting-edge AI technology to provide personalized, insightful career advice and academic planning support to students at crucial pathways of their educational journey.
ai,career-guide,expressjs,javascript,nodejs,reactjs,rest-api
2024-03-31T01:27:33Z
2024-04-15T06:10:52Z
null
3
0
41
0
2
3
null
MIT
JavaScript
PriDebnath/Quotes-Keeper-2
main
<div style="text-align: center;"> <pre style="display: inline-block; width:0px; text-align: left; text-decoration: none; " > ____ __ __ __ ___ / __ \__ ______ / /____ / //_/__ ___ ____ ___ _____ |__ \ / / / / / / / __ \/ __/ _ \ / ,< / _ \/ _ \/ __ \/ _ \/ ___/ __/ / / /_/ / /_/ / /_/ / /_/ __/ / /| / __/ __/ /_/ / __/ / / __/ \___\_\__,_/\____/\__/\___/ /_/ |_\___/\___/ .___/\___/_/ /____/ /_/ </pre> </div> <h2>Live 🔴 </h2> ### [Quotes Keeper 2](https://quote-keeper-2.netlify.app/all-quote-list) ##### https://quote-keeper-2.netlify.app/all-quote-list <div style="width:100%;"> <a href="https://quote-keeper-2.netlify.app/all-quote-list"> <img src = "frontend/src/assets/images/quotes_keeper_2.0.jpg" /> </a> </div>
Keep your unique quotes here
bootstrap,css,django,html,javascript,python,sql,angular,cypress,jasmine
2024-04-13T20:27:49Z
2024-05-15T13:20:06Z
null
1
24
92
0
0
3
null
null
TypeScript
picardjs/picard
main
[![Picard.js Logo](https://picardjs.github.io/picard-logo-256.png)](https://picardjs.github.io) # [Picard.js](https://picardjs.github.io) &middot; [![GitHub License](https://img.shields.io/badge/license-MIT-blue.svg)](https://github.com/picardjs/picard/blob/main/LICENSE) [![Build Status](https://github.com/picardjs/picard/actions/workflows/npm-publish.yml/badge.svg)](https://github.com/picardjs/picard/actions) [![npm](https://img.shields.io/npm/v/picard-js.svg)](https://www.npmjs.com/package/picard-js) [![GitHub tag](https://img.shields.io/github/tag/picardjs/picard.svg)](https://github.com/picardjs/picard/releases) [![GitHub issues](https://img.shields.io/github/issues/picardjs/picard.svg)](https://github.com/picardjs/picard/issues) The next generation of micro frontend orchestrators. > A micro frontend *orchestrator* is a library that helps you loading, mounting, and unmounting micro frontends incl. their exposed functionality such as components. ## Getting Started (tbd) ## Further Information 👉 For more information visit the [documentation](https://picardjs.github.io). ## License Picard.js is released using the MIT license. For more information see the [license file](./LICENSE).
Expanding the Frontier of Micro Frontends. 🖖 👩🏽‍🚀
distributed,frontends,javascript,js,micro,microfrontends,orchestrator,webapps,webdev
2024-03-22T14:04:50Z
2024-05-19T21:30:18Z
null
2
1
11
0
0
3
null
MIT
TypeScript
Choaib-ELMADI/echolens
main
[![Choaib ELMADI - EchoLens](https://img.shields.io/badge/Choaib_ELMADI-EchoLens-8800dd)](https://elmadichoaib.vercel.app) ![Status - Building](https://img.shields.io/badge/Status-Building-2bd729) [![Credit - Start ASL](https://img.shields.io/badge/Credit-Start_ASL-3b8af2)](https://www.startasl.com/) # EchoLens: ESP32-CAM based, AI powered Smart Glasses ## Presentation (in French): ![Page 01](./Media/Docs/EchoLens/01.jpg) ![Page 02](./Media/Docs/EchoLens/02.jpg) ![Page 03](./Media/Docs/EchoLens/03.jpg) ![Page 04](./Media/Docs/EchoLens/04.jpg) ![Page 05](./Media/Docs/EchoLens/05.jpg) ![Page 06](./Media/Docs/EchoLens/06.jpg) ![Page 07](./Media/Docs/EchoLens/07.jpg) ![Page 08](./Media/Docs/EchoLens/08.jpg) ![Page 09](./Media/Docs/EchoLens/09.jpg) ![Page 10](./Media/Docs/EchoLens/10.jpg) ![Page 11](./Media/Docs/EchoLens/11.jpg) ![Page 12](./Media/Docs/EchoLens/12.jpg) [![Credit - Start ASL](https://img.shields.io/badge/Credit-Start_ASL-3b8af2?style=for-the-badge)](https://www.startasl.com/) Special thanks to [Start ASL](https://www.startasl.com/) for providing free meanings for American Sign Language (ASL) signs used in our smart glasses project for the deaf community. Check their website for more details. ![Warning:](https://img.shields.io/badge/Warning%3A-fb151a?style=for-the-badge) Please note that while we strive for accuracy, our sign interpretations may not be 100% correct. We appreciate your understanding.
EchoLens - ESP32-CAM based, AI powered smart glasses.
arduino,cpp,esp32,esp32-cam,internet-of-things,iot,python,css,html,javascript
2024-03-15T21:33:10Z
2024-05-22T02:02:47Z
null
1
0
76
0
0
3
null
null
Jupyter Notebook
AmulyaMachhan/vite-project
gh-pages
null
This project is a clone of the Nike website built using Vite. It aims to replicate the layout and design of the official Nike website, providing users with a similar browsing experience.
css,htm,javascript,reactjs,responsive-web-design,resposive-layout,scss,vite,webdesign
2024-03-29T10:39:06Z
2024-04-15T09:40:26Z
null
1
0
11
0
0
3
null
null
HTML
Stoic-Foundation/Stocks-API
main
# Stocks API Welcome to the Stocks API! This API allows you to access stock information. ## Introduction This API is built using Node.js and Express.js. It provides a simple yet powerful interface for retrieving stock data from various sources. Whether you're building a financial app, conducting research, or just curious about stock prices, this API has you covered. ## Installation To install and run the Stocks API locally, follow these steps: 1. Clone this repository to your local machine. 2. Navigate to the project directory. 3. Run npm install to install the dependencies. 4. Configure environment variables (if necessary). 5. Run npm start to start the server. ## Usage Once the server is running, you can make HTTP requests to the provided endpoints to retrieve stock data. You can use tools like cURL, Postman, or your preferred programming language/library to interact with the API. ## Endpoints The API provides the following endpoints: - `GET /search`: Search for a particular stock. - `GET /details`: Retrieve information about a specific stock. - `GET /chart`: Retrieve stock chart data. - `GET /recommendations`: Retrieve stock recommendations. - `GET /trending`: Retrieve trending stocks. ### Endpoint Details #### `/search` - **Method:** GET - **Description:** Search for stocks by query. - **Parameters:** - `q` (required): Query string for search. #### `/details` - **Method:** GET - **Description:** Get details about a specific stock. - **Parameters:** - `name` (required): Stock name. #### `/chart` - **Method:** GET - **Description:** Get chart data for a specific stock. - **Parameters:** - `name` (required): Stock name. - `period1` (required): Start timestamp for the chart data. #### `/recommendations` - **Method:** GET - **Description:** Get recommendations for a specific stock. - **Parameters:** - `name` (required): Stock name. #### `/trending` - **Method:** GET - **Description:** Get trending stocks. - **Parameters:** - `region` (required): Region for trending stocks. - `count` (required): Number of trending stocks to retrieve. ## Contributing Contributions to this project are welcome! If you encounter any bugs, have feature requests, or would like to contribute code, please open an issue or submit a pull request on GitHub.
This API is built using Node.js and Express.js. It provides a simple yet powerful interface for retrieving stock data from Yahoo Finance. Whether you're building a financial app, conducting research, or just curious about stock prices, this API has you covered.
api,express,expressjs,javascript,nodejs,stocks,stocks-api,collaborate,yahoo-finance,yahoo-finance-api
2024-03-20T05:26:42Z
2024-04-07T06:26:37Z
null
2
2
22
1
1
3
null
BSD-3-Clause
JavaScript
krisograbek/ai-voice-minimal
main
# AI Voice Assistant (Flask + ReactJS) This application utilizes OpenAI's API to transcribe audio inputs from the user, generate text-based responses, and synthesize these responses back into audio. It features a ReactJS frontend for user interaction and a Flask backend for handling the audio processing and API communication. ## Demo of the App [![Video](https://github.com/krisograbek/ai-voice-minimal/assets/48050596/4ac20f8f-d4cf-490a-97e4-57ee75d6cc5a)](https://github.com/krisograbek/ai-voice-minimal/assets/48050596/a0a3c8b8-fac6-4d83-822f-a2b1e919d22b) ## Prerequisites Before you begin, ensure you have met the following requirements: - Python 3.8 or higher - Node.js and npm - An OpenAI API key ## Installation Clone this repository to your local machine: ```bash git clone https://github.com/krisograbek/ai-voice-minimal cd ai-voice-minimal ``` ## Setting up the Backend Create a virtual environment in the back-end directory: ```bash python -m venv venv ``` **Activate the virtual environment:** - On Windows: `venv\Scripts\activate` - On macOS/Linux: `source venv/bin/activate` **Install the required Python dependencies:** ```bash pip install -r requirements.txt ``` **Create a .env file based on the provided .env.example. Replace `OPENAI_API_KEY` with your actual OpenAI API key.** ## Setting up the Frontend Navigate to the frontend directory: ```bash cd client ``` **Install the required npm packages:** ```bash npm install ``` ## Running the Application ### Starting the Backend Server Ensure your virtual environment is activated, then run: ```bash python app.py ``` This will start the Flask server on http://localhost:5000/. ## Starting the Frontend Application Open a new terminal window, navigate to the frontend directory, and run: ```bash npm start ``` This will start the React application and open it in your default web browser at http://localhost:3000/. ## Using the Application Once both servers are running, go to http://localhost:3000/ in your browser. Click on the microphone icon to start recording your message. Click the stop icon to end the recording. The application will then transcribe your message, generate a response, and synthesize this response into audio. Listen to the synthesized response through the audio player that appears.
The AI Voice Assistant to transcript your voice into text, send that text to GPT-3.5 and synthesize the response into audio
flask,gpt-3,javascript,large-language-models,openai-api,python,reactjs,speech-to-text,text-to-speech,websocket
2024-03-22T09:33:57Z
2024-03-22T10:13:07Z
null
1
0
13
0
0
3
null
MIT
JavaScript
SH20RAJ/BlurryImageLoader
main
# BlurryImageLoader [![Visitors](https://api.visitorbadge.io/api/visitors?path=https%3A%2F%2Fgithub.com%2FSH20RAJ%2FBlurryImageLoader%2F&labelColor=%23ff8a65&countColor=%23d9e3f0&style=flat)](https://visitorbadge.io/status?path=https%3A%2F%2Fgithub.com%2FSH20RAJ%2FBlurryImageLoader%2F) ![GitHub](https://img.shields.io/github/license/SH20RAJ/BlurryImageLoader?) ![GitHub last commit](https://img.shields.io/github/last-commit/SH20RAJ/BlurryImageLoader) ![GitHub issues](https://img.shields.io/github/issues/SH20RAJ/BlurryImageLoader) ![GitHub pull requests](https://img.shields.io/github/issues-pr/SH20RAJ/BlurryImageLoader) ![GitHub stars](https://img.shields.io/github/stars/SH20RAJ/BlurryImageLoader?style=social) [![](https://data.jsdelivr.com/v1/package/gh/sh20raj/BlurryImageLoader/badge)](https://www.jsdelivr.com/package/gh/sh20raj/BlurryImageLoader) [![npm version](https://img.shields.io/npm/v/blurry-image-loader )](https://npmjs.com/blurry-image-loader) A JavaScript library for loading images with a blur effect. [Demo](https://sh20raj.github.io/BlurryImageLoader/demo.html) | [Codepen](https://codepen.io/SH20RAJ/pen/oNOozqW?editors=1010) ## Description `BlurryImageLoader` is a lightweight JavaScript library that simplifies the process of loading images with a blur effect, providing a smooth transition from blurred placeholders to clear images. ## Features - Automatically applies a blur effect to images while they are loading. - Supports images with `data-src` attributes (for lazy loading) or regular `src` attributes. - Provides a clean API for easy integration into projects. ## Installation ### Via npm You can install `BlurryImageLoader` using npm: ```bash npm install blurry-image-loader ``` ### Using jsDelivr CDN You can also include `BlurryImageLoader` in your HTML directly from the jsDelivr CDN: ```html <!-- Latest version --> <script src="https://cdn.jsdelivr.net/gh/SH20RAJ/BlurryImageLoader@latest/BlurryImageLoader.js"></script> ``` or ```html <!-- Specific version with npm (replace 1.0.1 with the version you need) --> <script src="https://cdn.jsdelivr.net/npm/blurry-image-loader@1.0.1"></script> ``` or ```html <!-- Specific version with npm (replace 1.0.1 with the version you need) --> <script defer async src="https://unpkg.com/blurry-image-loader"></script> ``` ## Usage ### Loading Specific Images To load specific images with a blur effect, use `loadImageWithBlur`: ```javascript var img = document.getElementById('blurImage'); BlurryImageLoader.loadImageWithBlur(img); ``` ### Loading All Images To load all images on a page with a blur effect, use `loadAllImagesWithBlur`: ```javascript BlurryImageLoader.loadAllImagesWithBlur(); ``` ### Using Selectors: ```javascript // Load all images with class .blurry-image BlurryImageLoader.loadAllImagesWithBlur('.blurry-image'); ``` ### Example HTML ```html <div class="image-container"> <!-- Example with data-src attribute --> <img class="blurry-image" data-src="path/to/image.jpg" alt="Image"> </div> <div class="image-container"> <!-- Example with regular src attribute --> <img class="blurry-image" src="path/to/image.jpg" alt="Image"> </div> ``` ## Usage in Node.js You can also use `BlurryImageLoader` in Node.js environments. Here's an example: ```javascript const BlurryImageLoader = require('./blurry-image-loader'); // Example usage in Node.js const images = [ 'path/to/image1.jpg', 'path/to/image2.jpg', 'path/to/image3.jpg' ]; BlurryImageLoader.loadAllImagesWithBlur(images); ``` You can use the cdn in Node.js or NextJS accordingly. ## License This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details. ## Contribution Contributions are welcome! Fork the repository, make your changes, and submit a pull request. ## Issues and Support If you encounter any issues or need support, please [open an issue](https://github.com/SH20RAJ/BlurryImageLoader/issues). ## Credits This library was created by [SH20RAJ](https://github.com/SH20RAJ). --- Feel free to give a ⭐️ if this project helped you!
A JavaScript library for loading images with a blur effect.
image-loading-library,javascript
2024-04-01T01:48:27Z
2024-04-01T02:53:16Z
null
1
0
13
0
0
3
null
MIT
HTML
kartikeysharmaks/Chrome-Extension-React-Webpack-TailwindCSS
master
# How to install and run this project? Clone this git repository on your device.\ Then open the project folder on Code Editor(VS Code).\ Run this command to install all the dependencies inside the project - npm install.\ Now one need to build the "dist" folder which will be uploaded using this command - npm run build.\ Now upload that "dist" folder to chrome extension on google chrome.\ For that, open chrome extension now click on "load unpacked" button and select the "dist" folder from the project.\ Then, activate the chrome extension and go to Linkedin to test it.\ Click on message form container, a "magic icon" icon will appear.\ On clicking on it, the modal will open with the required functionality.\ Tried to implement almost every functionalities, however kept UI a little bit different.\ For generating response, used setTimeout to generate response 1 sec later to make it more genuine and smooth. ## Technologies Used React.js, Tailwind CSS, Node.js, Webpack https://github.com/kartikeysharmaks/Chrome-Extension-React-Webpack-TailwindCSS/assets/100989693/aa2267db-a706-4dbb-ad0a-8a0be8adb41e
Chrome Extension that will help users modify or write the message and replies using ChatGPT or any other AI Tool. Built using Webpack 5, React.js, Content Scripts, Tailwind CSS, Iconify Icons, etc.
ai,chatgpt,chrome-extension,contentscript,dom-manipulation,javascript,linkedin,reactjs,tailwindcss,webpack
2024-03-17T19:31:06Z
2024-03-17T21:32:22Z
null
1
0
4
0
0
3
null
null
JavaScript
MastooraTurkmen/React-Hacker-News-Project
main
# Hacker News [React Hacker News Project](https://react-hackers-news-project.netlify.app/) #### Screenshots ![alt text](./screenshots/image.png) ![alt text](./screenshots/image-2.png) #### While Loading ![alt text](./screenshots/image-1.png)
Latest Hacker News
api,css3,html5,javascript,reactjs
2024-04-07T16:30:09Z
2024-04-18T04:59:42Z
null
1
0
68
0
0
3
null
null
JavaScript
elmurodvokhidov/UITC-CRM-MOBILE
main
# 🚀 UITC-CRM-MOBILE Project Welcome to the CRM Mobile Project repository! This project partially duplicates the [UITC-CRM-FRONTEND](https://github.com/elmurodvokhidov/UITC-CRM-FRONTEND) project, the project provides services for existing students. Those who do not have the opportunity or desire to use the web project can use this project on the Android or IOS operating system using this project. This is the current main goal of the project! --- ## 🛠️ Technologies Used [![Made with JavaScript](https://img.shields.io/badge/Made_with-JavaScript-F7DF1E?style=for-the-badge&logo=javascript)](https://developer.mozilla.org/en-US/docs/Web/JavaScript) [![Made with React Native](https://img.shields.io/badge/Made_with-React_Native-61DAFB?style=for-the-badge&logo=react)](https://reactnative.dev/) [![Made with Expo](https://img.shields.io/badge/Made_with-Expo-000020?style=for-the-badge&logo=expo)](https://expo.io/) [![Made with Redux Toolkit](https://img.shields.io/badge/Made_with-Redux_Toolkit-764ABC?style=for-the-badge&logo=redux)](https://redux-toolkit.js.org/) [![Made with Nativewind](https://img.shields.io/badge/Made_with-Nativewind-6CB2EB?style=for-the-badge&logo=nativewind)](https://nativewind.dev/) [![License: MIT](https://img.shields.io/badge/License-MIT-yellow.svg?style=for-the-badge)](https://opensource.org/licenses/MIT)
This project is a mobile version of the UITC-CRM-FRONTEND project, built mainly for use by enterprise students. As you understand, this is not a complete mobile view of the UITC-CRM-FRONTEND project, only the student part!
expo,javascript,nativewind,reactnative,redux-toolkit
2024-04-21T15:09:11Z
2024-05-04T18:39:59Z
null
1
0
5
0
0
3
null
null
JavaScript
dutchcalcifer/CMD-Block-Tech-Group-3
main
# CMD Block Tech Group 3 # Band Buddy A school project where users can make an account and search for new band users. ## Technologies Used - Node.js - Express - EJS - Nodemon - Mongoose - Dotenv ## Installation 1. Clone the repository from GitHub. 2. Run `npm install` to install dependencies. 3. Duplicatie the `.env.example` and remove the `.example`. Configure your MongoDB connection in the newly created `.env` file. 4. Run `npm run start` to start the server. ## License This project is licensed under the MIT License. ## Contributors - Dante Piekart - Laurens Mudde - ziggy van de Weetering - Amber Venema
Repository for the CMD Block Tech Group 3 project called "Band Buddy".
css,dotenv,ejs,expressjs,javascript,mongoose,nodejs,nodemon
2024-04-26T09:34:41Z
2024-05-07T09:34:45Z
null
4
4
10
4
0
3
null
MIT
JavaScript
wlsf82/EngageSphere-Test-Design-Masterclass-TAT
main
# EngangeSphere Sample project with a Node.js backend and a React frontend. ## Business rules Read the following [doc](./docs/Requirements.md) to understand all the EngangeSphere application's functionalities. ## Pre-requirements To run this project, you will need: - [git](https://git-scm.com/downloads) (I've used version `2.42.1` while writing this doc) - [Node.js](https://nodejs.org/en/) (I've used version `v20.11.1` while writing this doc) - npm (I've used version `10.5.2` while writing this doc) **Note:** When installing Node.js, npm is automatically installed too. ## Installing and starting the servers Read the following [doc](./docs/TestEnvironment.md) to install and start the backend and frontend servers. ## Tests Read the following [doc](./docs/TestCases.md) to get a list of the possible test cases that could be written for this app. ___ Made with ❤️ by [Walmyr](https://walmyr.dev).
Sample project with a Node.js backend and a React frontend.
backend,frontend,github,javascript,js,nodejs,react
2024-04-28T19:32:32Z
2024-05-03T16:24:23Z
null
1
12
1
0
10
3
null
MIT
JavaScript
WebRevo/RevoStore
main
# Revo's Store Welcome to Revo Store! This project is an front-end e-commerce website crafted with React, Tailwind CSS, Vite, TypeScript, and Redux Toolkit. Its primary objective is to demonstrate a range of functionalities typically encountered in e-commerce platforms. These include a dynamic homepage, comprehensive product listing pages, seamless cart management, and personalized user experiences such as account management and wishlist functionality. ## Features - **Homepage:** Welcome users to our e-commerce platform through captivating banners, highlighted products, and intuitive navigation. - **Product Page:** Showcase a comprehensive collection of products, complete with detailed descriptions, high-quality images, and transparent pricing. - **Cart:** Facilitate seamless shopping experiences by enabling users to effortlessly add products to their cart, review their selections, and smoothly proceed through the checkout process. - **User Authentication:** Provide a secure environment where users can register, log in, and unlock personalized functionalities such as wishlist management and account customization. - **Wishlist:** Empower users to curate their shopping experience by saving items of interest for future consideration. ## Technologies Used - **React:** Renowned as a leading JavaScript library, React empowers developers to construct dynamic user interfaces with ease. - **Tailwind CSS:** Leveraging a utility-first approach, Tailwind CSS accelerates the creation of bespoke designs, fostering rapid development. - **Vite:** As a cutting-edge build tool, Vite optimizes performance by serving code through native ES Module imports during development, ensuring swift execution. - **TypeScript:** Elevated as a statically typed superset of JavaScript, TypeScript elevates code integrity and developer efficiency through enhanced type safety. - **Redux Toolkit:** Streamlining state management, Redux Toolkit offers a simplified yet robust solution for effectively managing application state. ## Getting Started 1. Download this repository 2. Install dependencies using `npm install` or `yarn install`. 3. Start the development server using `npm run dev` or `yarn dev`. 4. Open your browser and navigate to `http://localhost:5173` to view the application. ## Acknowledgements - Since this is a frontend only project, all the data have been collected from [DummyJSON](https://dummyjson.com/). - Special thanks to [Tailwind Labs](https://tailwindcss.com/) and [Redux Toolkit](https://redux-toolkit.js.org/) for their amazing tools and documentation. ## Contact For any inquiries or feedback, feel free to contact [me](mailto:sarathi2021ai@gmail.com). Happy coding! 🚀
null
ecommerce-website,frontend,javascript,react,redux,typescript
2024-05-01T12:14:38Z
2024-05-01T12:29:05Z
null
1
0
4
0
0
3
null
null
TypeScript
binary-blazer/discord-activity-boilerplate
main
![discord-activity-boilerplate](https://raw.githubusercontent.com/binary-blazer/repo-svgs/main/out/discord-activity-boilerplate/image.svg) # discord-activity-boilerplate > A simple boilerplate for a Discord activity using the discord activity sdk. >[!WARNING] > This project is still in development and is not ready for production use yet, use at your own risk. ## 📖 Usage 1. Clone the repository 2. Enter your values in the `.env` file 3. Use Cloudflare Tunnel or Ngrok to expose the server to the internet 4. Go to your discord application in the dev portal and add the Cloudflare Tunnel or Ngrok URL to the ``URL-Mappings`` and hit save 5. Activate ``Developer Mode`` in Discord (``Settings`` -> ``Advanced`` -> ``Developer Mode``) 6. Run the project using `pnpm start` 7. Hop in a voice channel on your server and click the Activity button (🚀) and you should see your activity at the start of the list. ## 🤝 Contributing 1. Fork the repository 2. Create a new branch 3. Make your changes 4. Commit your changes 5. Push your changes 6. Create a pull request ## 📜 License [Apace 2.0](https://github.com/binary-blazer/discord-activity-boilerplate/blob/main/LICENSE) ```plaintext Apache License Version 2.0, January 2004 http://www.apache.org/licenses/ TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 1. Definitions. "License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document. "Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License. "Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity. "You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License. "Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files. "Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types. "Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below). "Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof. "Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution." "Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work. 2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form. 3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed. 4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions: (a) You must give any other recipients of the Work or Derivative Works a copy of this License; and (b) You must cause any modified files to carry prominent notices stating that You changed the files; and (c) You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and (d) If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License. 5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions. 6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file. 7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License. 8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages. 9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability. END OF TERMS AND CONDITIONS APPENDIX: How to apply the Apache License to your work. To apply the Apache License to your work, attach the following boilerplate notice, with the fields enclosed by brackets "[]" replaced with your own identifying information. (Don't include the brackets!) The text should be enclosed in the appropriate comment syntax for the file format. We also recommend that a file or class name and description of purpose be included on the same "printed page" as the copyright notice for easier identification within third-party archives. Copyright 2024 Jonas Franke <@binary-blazer> Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. ```
discord activity boilerplate
activity,boilerplate,discord,javascript,nodejs,eslint,expressjs,prettier,vite
2024-03-18T17:29:22Z
2024-04-11T21:07:22Z
null
1
0
19
0
0
3
null
Apache-2.0
JavaScript
AmulyaMachhan/Weather-App
main
# Weather Website App This Weather Website App allows users to search for the weather of a particular city. It fetches real-time weather data such as temperature, wind speed, humidity, and visibility factors using the OpenWeatherMap API. The app is built using HTML, CSS, and JavaScript. You can view this website [here](https://amulyamachhan.github.io/Weather-App/). ## Screenshot ![weatherapp](https://github.com/AmulyaMachhan/Weather-App/assets/111338400/076e54ab-8d10-4a19-8cf4-c5cc6828e622) ## Features - **Search Functionality:** Users can input the name of a city and search for its weather information. - **Real-time Weather Data:** The app fetches real-time weather data from the OpenWeatherMap API, ensuring accuracy and reliability. - **Temperature Display:** Displays the current temperature of the searched city in Celsius. - **Wind Speed:** Provides information about the wind speed in meters per second. - **Humidity:** Displays the humidity percentage of the searched city. - **Visibility:** Shows the visibility factor in meters. ## Technologies Used - **HTML:** Used for the structure and layout of the web page. - **CSS:** Used for styling the user interface and enhancing the visual appeal. - **JavaScript:** Used to fetch data from the OpenWeatherMap API and dynamically update the UI based on user input. - **OpenWeatherMap API:** Utilized to retrieve real-time weather data for the searched city. ## Installation To run the Weather Website App locally, follow these steps: 1. Clone this repository to your local machine: `` git clone https://github.com/your-username/weather-website-app.git `` 2. Navigate to the project directory: `` cd weather-website-app `` 3. Open the `index.html` file in your preferred web browser. ## Usage 1. Enter the name of a city in the search bar. 2. Press the "Search" button or hit Enter. 3. The app will fetch the weather data for the entered city and display it on the page. ## Contributing Contributions are welcome! If you'd like to contribute to this project, please fork the repository, make your changes, and submit a pull request. ## Credits This Weather Website App was created by Amulya Machhan.
This Weather Website App allows users to search for the weather of a particular city. It fetches real-time weather data such as temperature, wind speed, humidity, and visibility factors using the OpenWeatherMap API. The app is built using HTML, CSS, and JavaScript.
asynchronous,css,html,javascript,openweather-api,responsive-web-design,web-design
2024-04-11T14:18:52Z
2024-04-11T15:01:47Z
null
1
0
6
0
0
3
null
null
CSS
pevss/to-do-list
main
To Do List 📝 === [Clique aqui e fique a vontade para usar meu projeto como uma ferramenta para se organizar!](https://pevss.github.io/to-do-list/) A ideia === Após finalizar a Seção 13 do [curso de JavaScript](https://www.udemy.com/course/the-complete-javascript-course/?couponCode=KEEPLEARNING), que fala sobre manipulação avançada do DOM (DOM Traversing, Event Bubbling, Event Delegation, Intersection Observer API, criação programática de elementos, alteração programática de atributos e propriedades, etc), decidi que antes de avançar para a próxima seção (Programação Orientada ao Objeto), eu gostaria de por tudo aquilo que eu aprendi em prática. Assim, decidi criar essa to-do list (assim como todo aspirante a desenvolvimento Front-End 😂). Para esse projeto eu escrevi uma lista com as técnicas aprendidas que eu gostaria de praticar sozinho: - Criação de elementos do DOM - Exclusao de elementos do DOM - setTimeout e setInterval - new intl - new date - Delegação de eventos E já devo adiantar que todos essas (e muitas outras) habilidades foram aplicadas! Atualmente, uso o bloco de notas para organizar minhas tarefas (quando elas são muitas), não uso o Notion nem nada do tipo pois não acho legal eu ter que sempre abrir um software extra para alguma tarefa específica que pode ser facilmente feita com ferramentas nativas do sistema operacional. Então, usei de base a maneira que eu anoto minhas tarefas: - As tarefas são divididas entre três prazos diferentes: Hoje, Amanhã e Para essa semana. - As tarefas podem ter subtarefas. A execução === Protótipo e estruturação do HTML --- Para começar, é claro, criei o [protótipo](https://www.figma.com/file/OZoExm6g7MWVfyUnalp1XR/Todo-app?type=design&node-id=0%3A1&mode=design&t=pW87gJ2zF4JjFoVz-1) no Figma para eu não começar o desenvolvimento as cegas, afinal de contas, eu queria que o projeto tivese um acabamento especial (e, por experiência própria, sei que tentar fazer uma interface com dois temas (claro e escuro) na improvisação é quase impossível). Observação: Do protótipo que vieram as variáveis de cor do CSS ;) Ao finalizar o protótipo, comecei a traduzir ele para o HTML, indo de componente em componente, de camada em camada, afim de deixar o produto final o mais fiel ao seu protótipo. Essa habilidade para mim, é uma das mais importantes de um desenvolvedor Front-End. Css --- Com a estrutura do HTML pronta, parti para a estilização. Nessa etapa do processo, usei diversos seletores interessantes e me aproveitei dos atributos dos elementos ao máximo, aqui vão alguns exemplos: - .radio-prazo:nth-of-type(1):has(input:checked) div - .tarefas>*:last-child - .tarefa-child:has(.check-tarefa[data-concluido="true"]) .tarefa-risco Também me aproveitei bastante de transições de propriedades de elementos baseados em atributos específicos, por exemplo quando uma tarefa foi completa, sem JS nenhum, ela é "riscada". E eu acho que práticas como essa (resolver o mínimo de coisas com JS) podem aumentar a performance de um sistema. JavaScript --- Com toda a parte de estruturação e estilização feitas, parti para a codificação das funcionalidades. Tratei meu sistema como se eu estivesse recebendo dados de uma API externa ligada a um banco de dados relacional que me devolve dois arrays no formato JSON: "tarefas" e "subtarefas". Para fazer com que o sistema "se lembre" coloquei essa "API" no localStorage, mas acho que peguei a noção de como trabalhar com dados assim. Para começar, eu tinha que dar um jeito de agrupar as tarefas vindas do "banco de dados" por prazo (hoje, amanha, essa semana). Para fazer isso, usei a propriedade "dataPrazo" de cada tarefa e as comparei com a data atual usando "new Date().getTime()", e após alguns testes lógicos, criei um novo objeto que agrupa todas as tarefas por prazo, assim como o desejado. Depois disso, eu precisava, nesse mesmo objeto criado, atrelar as subtarefas de tarefas que tenham subtarefas as suas respectivas tarefas. Para isso, eu loopei por esse novo objeto criado e dentro desse loop eu checkei se alguma subtarefa tinha o id da tarefa da iteração atual, caso tivesse, uma nova propriedade "subtarefas" no objeto da tarefa seria criada, contendo o valor de todas as subtarefas relacionadas ao seu id. Feito isso, agora, eu tenho o objeto que irá ser consumido pelo meu código para gerar todas as tarefas na interface. Durante a codificação, me preocupei em deixar o ambiente de variáveis global o mais limpo possível, criando uma função para cada uma das funcionalidades do meu sistema. Isso se provou bastante valioso conforme o código foi crescendo, pois quando eu chegava em algum erro ou alguma interações esquisita acontecia, era muito fácil de identificá-lo. Além disso, adicionar novas funcionalidades que não estavam 100% previstas no protótipo foi bem menos doloroso por conta dessa prática. Após finalizar a codificação, revisei meu código para tentar idenficar alguma redundância, e eu percebi que a função "criarTarefas()" estava COLOSSAL, e eu não sabia muito bem como resumir ela, não sabia se ela estava redundante ou se ela era naturalmente grande. Depois de tentar refatorá-la sem sucesso, me voltei ao ChatGPT como ferramenta de aprendizado e pedi para ele me oferecer uma maneira de deixá-la mais otimizada. A solução da IA foi: - Criar uma função que cria um novo elemento ao mesmo tempo que define suas classes e seu conteúdo de texto. - Criar uma função para cada tipo de tarefa. Mas fora isso, nenhuma a alteração a lógica principal foi criada (o que para mim foi um grande boost no ego). Refatorei a minha função dessa maneira nova e acho que nunca mais criarei um elemento sem essa função personalizada! Essa refatoração poupou em torno de 75 linhas! Aproveitei e voltei para outra função que estava bem grande, a "handleModeSwitch()", onde eu repetia o comando "document.documentElement.style.setProperty("--variavel-css", "valor")" para cada cor que eu queria mudar para cada esquema de cor, ou seja, 28 vezes. A alterativa que a IA me ofereceu foi, criar um objeto para cada esquema de cor, onde a chave é o nome da propriedade e o valor é o valor da variável, e então loopar esse objeto de acordo com o modo desejado pelo usuário. Conclusão === Com o projeto pronto, criei um sistema de organização de tarefas baseado em datas que se auto ordena de acordo com o dia atual. Concluí todo o projeto em 5 dias e estou bastante satisfeito com o resultado final! Algumas features que desejo adicionar no futuro: - Drag and drop para reorganizar a ordem em que as tarefas são exibidas. - Responsividade para uso da ferramenta em celulares e outros dispositivos menores (Não sei como posso deixar uma tabela resposiva, elas são muito longas. Devo aprender isso quando eu fizer o [curso de css](https://www.udemy.com/course/advanced-css-and-sass/?couponCode=KEEPLEARNING)). - Adição de tarefas diárias (tarefas fixas que reaparecem todos os dias). - Adição da aba "tarefas concluidas", que mostra todas as tarefas já conluídas pelo usuário. - Sugestão de projetos com projetos já "criados" pelo usuário. - Tarefas flutuantes (que não tem data). Observação: Não ficou nada óbvio, mas para editar uma tarefa ou o nome do seu projeto, basta dar duplo click! (não funciona para tarefas vencidas por motivos óbvios)
Prática de manipulação avançada do DOM
css,javascript,to-do-list
2024-04-05T17:48:04Z
2024-04-22T12:42:18Z
null
1
0
22
0
0
3
null
null
null
freddysae0/harbour-space
master
# Challenge of Harbour Space 🚀 This project is a responsive landing page, imitating the design of [Harbour Space](https://harbour.space). It features advanced animations using CSS + JavaScript. The project is built with: - [Vue.js 3](https://vuejs.org) - [Pinia](https://pinia.vuejs.org/) for state management - [Tailwind CSS](https://tailwindcss.com) - [Sass](https://sass-lang.com) (minimal use). You can view the project live at [Freddy's HS Challenge](https://hschallenge.netlify.app/). ## Desktop Preview 🖥️ Upon startup, the site prompts the user to select an API for a specific scholarship. Due to time constraints, the API is only consumed and displayed in the first section, [HeroSection.vue](./src/sections/HeroSection.vue). However, data handling for displaying it throughout the project is implemented using [Pinia](https://pinia.vuejs.org/). The API base url is located in the `/src/api.js` file: ```js export const apiListUrl = "https://pre-prod.harbour.space/api/v1/scholarship_pages/"; ``` The fetching to this route indicates us the different APIs available that we can show to the user, as shown in the following image: ![Choose Api](./readme/choose-api.png) Here's a demonstration of the landing page: - ![Hero](./readme/hero.png) - ![About](./readme/about.png) - ![Testimonials Animation](./readme/testimonial-animation.gif) - ![FAQ](./readme/faq.png) - ![Footer](./readme/footer.png) - ![Button animation](./readme/button-animation.gif) #### Connectivity error There is also this component that I hope if you are not intentionally looking to provoke it, you will never have to see it, it is activated if any API request fails, you can test it by running the project locally, and disconnecting from the Internet, it will be the first thing you will see when you open the project. - ![Error](./readme/error.png) ## Mobile Preview 📱 - ![Mobile preview](./readme/mobile-animation.gif) ## Installing the Project 🛠️ Ensure you have [Node.js](https://nodejs.org) and [npm](https://www.npmjs.com/) installed on your system. If you do, follow these steps: ### Clone the Project ```bash git clone https://github.com/freddysae0/harbour-space.git ``` ### Access the Project Folder ```bash cd harbour-space ``` ### Install Dependencies ```bash npm i ``` ### Run the Project Locally ```bash npm run serve ``` If successful, the project will run in development mode on your system. ## Building the Project 🏗️ ### Compile and Minify for Production ```bash npm run build ``` This `readme.md` wasn't generated by AI; it was carefully crafted, including compressing GIFs with the Cuba's slow internet 😂. All information is organized for clarity. If you're interested in the project, consider leaving a star in the repo or following me. 🌟 PS: There is an [auto-generated pdf](./README.pdf), with the same content as this README. ## Development Process ☕ <img src="./readme/development.jpg" width="500"> # That is all. Thanks for Reading!
Front-end challenge for Harbour Space University
animations,css,css-animations,javascript,landing-page,pinia,pinia-vuejs,vue,vue3,vuejs
2024-04-15T20:00:32Z
2024-04-19T12:39:01Z
null
1
3
45
0
0
3
null
null
Vue
carlosrrdev/divvy
main
# Divvy Group expense tracking & splitting > A work in progress ### Disclaimer Divvy is a personal side project. It was built primarily for my own personal educational purposes and as a way to showcase my skills with particular technologies (see tech stack). ### Cloning > You will need to have Node.js installed to run this project. Click [here](https://nodejs.org/en/download) for details Clone the project using whichever method you prefer, after cloning install dependencies: ```shell cd divvy && npm i ``` or if you're already in the divvy directory ```shell npm i ``` Start up development server ```shell npm run dev ``` ## Description Divvy's primary goal is to track and split expenses between groups of people. Simply add participating members, expenses, and then assign expenses to each member, or split all expenses evenly between everyone. Results page will clearly show any expenses shared between the group, as well as any additional expenses assigned to a particular member. Save the results locally in your browser and/or download results as an image/pdf. ## Use case Admittedly, the use-case for Divvy is rather niche. In most cases, Divvy can simply be used as a tool to quickly split expenses evenly between a group of people. But where Divvy truly shines is in its ability to assign expenses at an individual level. This is particularly helpful when a large group of people are splitting expenses with some members but not all of them, while others are paying for their own expenses. ## Tech Stack Divvy is based on my own [HAX Stack](https://github.com/carlosrrdev/hax-stack-template.git) template. The core technologies being HTML, Alpine.js, and HTMX. See template repo for more information. ## Contributions As mentioned in the disclaimer, Divvy is a personal side project. I am not actively looking for any contributors. However, if you have a feature you'd like to suggest, or encounter an issue, please feel free to submit a pull request! I am open to any suggestions and constructive criticism. ## License This project is licensed under [MIT](https://github.com/carlosrrdev/divvy-legacy/blob/main/LICENSE).
Expense tracking and splitting
alpinejs,css,daisyui,html,htmx,javascript,tailwindcss,hax-stack
2024-04-04T02:44:15Z
2024-05-17T12:40:51Z
null
3
4
32
3
2
3
null
MIT
HTML
Ronak1257/Crowd-Funding
master
# Crowdfunding DApp on Hedera Testnet This decentralized application (DApp) is a crowdfunding platform built upon the Hedera testnet network. It allows users to create, contribute to, and manage crowdfunding campaigns securely using blockchain technology. site Link : https://ronak-crowd-funding.vercel.app ## Features ### Campaign Creation: Users can create new crowdfunding campaigns by providing details such as title, description, funding goal, and duration. ### Campaign Contribution: Contributors can browse existing campaigns and contribute funds to support projects they're interested in. ### Transparent and Immutable: Utilizes blockchain technology to ensure transparency, immutability, and security of all transactions and campaign details. ## Technologies Used ### React: Frontend development framework for building user interfaces. ### Solidity: Backend smart contract language for implementing business logic on the blockchain. ### Thirdweb: Utilized for interaction with the Hedera testnet network and deployment of smart contracts. ## Contributing Contributions are welcome! Please fork this repository and create a pull request with your proposed changes. ## Screenshots ### Homepage ![Home page](https://github.com/Ronak1257/Crowd-Funding/assets/130481625/eae815ef-b52c-4d20-9d5f-a2c97b0ad343) ### User Campaign Page ![User campaign](https://github.com/Ronak1257/Crowd-Funding/assets/130481625/a6778de2-6f44-4785-8a36-b8992c35960c) ### Create Campaign Page ![create campaign](https://github.com/Ronak1257/Crowd-Funding/assets/130481625/7b850cb3-3628-40c2-9a46-c18e9e1644e9) ### Campaign Detail Page ![campaigns details](https://github.com/Ronak1257/Crowd-Funding/assets/130481625/248cd8e1-a91b-4212-958f-2800f4074b77)
crowd funding dapp build upon hedera blockchain
blockcahin,contributions-welcome,crowdfunding,css,hardhat,hedera,html,javascript,responsive-design,thirdweb
2024-03-25T13:59:11Z
2024-03-30T06:36:39Z
null
1
0
10
0
2
3
null
null
JavaScript
Megh2005/portfolio
main
null
Hello I am Megh Deb. A guy fueled by curiosity and a passion for technology. Co-founding Cloud Rest Solutions has allowed me to channel my enthusiasm into building modern tech projects that make a difference. Let's connect and inspire!
css,html,javascript,mongodb,portfolio
2024-04-12T03:17:47Z
2024-04-12T13:05:02Z
null
1
0
3
0
0
3
null
Apache-2.0
HTML
YashBhalekar07/BookStore-Website
main
# BookStore-Website
BookStore Website
css,css-flexbox,css-grid,html,html-css,html-css-javascript,html-css-js,javascript
2024-04-28T08:48:00Z
2024-04-28T08:48:45Z
null
1
0
2
0
0
3
null
null
HTML
ElieRu/user-admin-ui
main
The User Admin Ui is a showcase site or a template which require the server side to allow admins to manage users in entrepises.
vuejs,bootstrap,css,javascript,bootrtap-studio
2024-03-16T14:55:04Z
2024-05-09T01:06:02Z
null
2
8
40
0
0
3
null
null
Vue
clasSeven7/kitanda-delivery
main
<h1 align="center"> <img src=".github/logo.png"> Kitanda Delivery </h1> <div align="center"> <img alt="GitHub top language" src="https://img.shields.io/github/languages/top/clasSeven7/kitanda-delivery.svg" /> <img alt="GitHub language count" src="https://img.shields.io/github/languages/count/clasSeven7/kitanda-delivery.svg" /> <img alt="Repository size" src="https://img.shields.io/github/repo-size/clasSeven7/kitanda-delivery.svg" /> <a href="https://github.com/saulojustiniano1/projeto-login/commits/master"> <img alt="GitHub last commit" src="https://img.shields.io/github/last-commit/clasSeven7/kitanda-delivery.svg" /> </a> <a href="https://github.com/clasSeven7/kitanda-delivery/issues"> <img alt="Repository issues" src="https://img.shields.io/github/issues/clasSeven7/kitanda-delivery.svg" /> </a> </div> <div align="center"> <img src=".github/preview.png" width="100%"/> </div> ## 💻Projeto **Kitanda Delivery** - é um projeto de uma loja virtual de produtos orgânicos, onde o usuário pode visualizar os produtos, adicionar ao carrinho e finalizar a compra. ## 📌Características **Autenticação de Usuários:** O sistema permite o registro e autenticação de usuários. **CRUD de Dados:** Os usuários autenticados podem criar, ler, atualizar e deletar dados. **Interface Responsiva:** A interface do usuário é projetada para ser responsiva e fácil de usar em vários dispositivos. **Paginação:** A interface do usuário é projetada para ser responsiva e fácil de usar em vários dispositivos. **Filtros de Pesquisa:** Os usuários podem filtrar os produtos por categoria e preço. **Carrinho de Compras:** Os usuários podem adicionar produtos ao carrinho e finalizar a compra. ## ⌨️Tecnologias Utilizadas **Django:** Django é um framework de alto nível para Python que incentiva o desenvolvimento rápido e o design limpo e pragmático. **Postgres:** Postgres é um sistema de gerenciamento de banco de dados SQL de objeto-relacional. ## 📋Pré-requisitos - HTML5 - CSS3 - JavaScript - Django ## 📚Bibliotecas utilizadas - [Font Awesome](./docs/font-awesome.md) - [Swiper.js](./docs/swiper-js.md) - [Django](./docs/django.md) - [Django-environ](./docs/django-environ.md) - [Psychopg2](./docs/psychopg2.md) ## 🚀Tecnologias - [VSCode](https://code.visualstudio.com) - [Git](https://git-scm.com) ## 🔑Instalação 1. Clone o repositório: ```bash git clone https://github.com/seu-usuario/nome-do-repositorio.git ``` 2. Instale as dependências com `pip install -r requirements.txt` 3. Execute as migrações com `python manage.py migrate` para linux use `python3 manage.py migrate` 4. Inicie o servidor com `python manage.py runserver` para linux use `python3 manage.py runserver` ## 💡Commit - 📦 Create - _Funcionalidades novas_ - 📤 Update - _Atualizações de códigos_ - 🐞 Bug - _Correções de Bugs_ - 🚩 Realese - _Versões do projeto_
Kitanda Delivery - é um projeto de uma loja virtual de produtos orgânicos, onde o usuário pode visualizar os produtos, adicionar ao carrinho e finalizar a compra.
css3,django,html5,javascript,postgresql
2024-04-29T13:54:54Z
2024-05-07T19:51:47Z
null
2
0
43
0
0
3
null
null
Python
thakordixit567/react-news-app
master
React News App ---> Dix- News ==================== Using React Js, Bootstrap, HTML, News API --------------------- --------------------- ![image](https://github.com/thakordixit567/react-news-app/blob/master/dix-news/src/demo/Screenshot%202024-05-08%20120827.png) How to clone this peoject in your machine ```sh cd your peoject name git clone link of this peoject ```
This is News API based react web app
api,bootstrap,html-css-javascript,javascript,reactjs
2024-04-03T11:28:48Z
2024-05-18T14:12:20Z
null
1
2
13
0
2
3
null
null
JavaScript
EduMMorenolp/PetShop
master
# PetShop PetShop es un proyecto para una tienda virtual de productos para mascotas. Este repositorio contiene los archivos necesarios para el desarrollo del sitio web, incluyendo HTML, CSS y JavaScript. ## Contenido - [Descripción](#petshop) - [Características](#características) - [Tecnologías Utilizadas](#tecnologías-utilizadas) - [Roles](#roles) - [Requisitos](#requisitos) - [Contribución](#contribuciones) - [Autores](#autores) - [Licencia](#licencia) # Características - Página de inicio con información sobre la tienda. - Sección de productos con un carrusel de imágenes. - Formulario de contacto para que los clientes se comuniquen con la tienda. # Tecnologías Utilizadas * HTML * CSS3 * JavaScript * [Trello](https://trello.com/b/IsmsZJQY) * [Figma](https://www.figma.com/file/jOf4Ulvs9djb5bw7Rew1sg/UML-PetShop?type=whiteboard&node-id=0-1&t=MdLPax89qCqaJfmv-0) <p align="center"> <a href=""> <img src="https://skillicons.dev/icons?i=html,css,js,figma&perline=14" /> </a> </p> # Roles * Representante : Luis Amaison * Scrum Master : Eduardo M Moreno * Desarrolador : Guillermo Darío Arias * Desarroladora : Ferreyra Emilse Antonella # Requisitos Para ejecutar este proyecto localmente, necesitarás: * Un navegador web actualizado (Google Chrome, Mozilla Firefox, etc.). * Un editor de código (Visual Studio Code, Sublime Text, etc.). * Opcional: Node.js y npm (para instalar paquetes de desarrollo). # Instalación 1. Clona este repositorio en tu máquina local utilizando Git: ``` git clone https://github.com/EduMMorenolp/PetShop ``` 2. Abre el archivo index.html en tu navegador web. # Contribuciones ¡Las contribuciones son bienvenidas! Si deseas contribuir a este proyecto, sigue estos pasos: 1. Haz un fork de este repositorio. 2. Crea una rama con una descripción clara de la función o corrección que estás realizando (git checkout -b nombre-de-la-rama). 3. Realiza tus cambios y haz commits explicativos (git commit -m "Explicación de los cambios"). 4. Sube tus cambios a tu fork (git push origin nombre-de-la-rama). 5. Abre un Pull Request describiendo los cambios realizados. # Autores - Eduardo M Moreno - Luis Amaison - Emilse Antonella Ferreyra - Guillermo Dario Arias # Licencia Este proyecto está bajo la Licencia MIT - consulta el archivo LICENSE para más detalles.
Este es el repositorio para el proyecto de Codo a Codo - NodeJs#24138 G21 llamada PetShop es una tienda virtual de productos para mascotas.
css,html,javascript,figma,trello
2024-03-29T17:50:35Z
2024-05-20T18:15:21Z
null
4
12
159
0
1
3
null
null
HTML
PedroVegaDamian/Orimi
main
# React + TypeScript + Vite This template provides a minimal setup to get React working in Vite with HMR and some ESLint rules. Currently, two official plugins are available: - [@vitejs/plugin-react](https://github.com/vitejs/vite-plugin-react/blob/main/packages/plugin-react/README.md) uses [Babel](https://babeljs.io/) for Fast Refresh - [@vitejs/plugin-react-swc](https://github.com/vitejs/vite-plugin-react-swc) uses [SWC](https://swc.rs/) for Fast Refresh ## Expanding the ESLint configuration If you are developing a production application, we recommend updating the configuration to enable type aware lint rules: - Configure the top-level `parserOptions` property like this: ```js export default { // other rules... parserOptions: { ecmaVersion: 'latest', sourceType: 'module', project: ['./tsconfig.json', './tsconfig.node.json'], tsconfigRootDir: __dirname, }, } ``` - Replace `plugin:@typescript-eslint/recommended` to `plugin:@typescript-eslint/recommended-type-checked` or `plugin:@typescript-eslint/strict-type-checked` - Optionally add `plugin:@typescript-eslint/stylistic-type-checked` - Install [eslint-plugin-react](https://github.com/jsx-eslint/eslint-plugin-react) and add `plugin:react/recommended` & `plugin:react/jsx-runtime` to the `extends` list
null
firabase,react,tailwindcss,typescript,vite,css,html,javascript
2024-04-09T21:20:21Z
2024-04-09T19:09:21Z
null
5
22
1
0
0
3
null
null
CSS
SH20RAJ/rateLimitjs
master
This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app). ## Getting Started First, run the development server: ```bash npm run dev # or yarn dev # or pnpm dev # or bun dev ``` Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. You can start editing the page by modifying `app/page.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.
Rate Limit in NextJS
javascript,nextjs
2024-04-09T03:50:34Z
2024-04-09T03:50:21Z
null
1
0
2
0
1
3
null
null
CSS
Krypto-etox/asianpaint-home-service-website
main
# AsianPaint Home Services Website Welcome to the AsianPaint Home Services Website repository! 🏡🎨 This repository contains the source code and files for the AsianPaint Home Services Website, a platform designed to facilitate home services such as painting, renovation, and interior design, provided by AsianPaint. ## Website Link The website is hosted on GitHub Pages and can be accessed using the following link: [AsianPaint Home Services Website](https://krypto-etox.github.io/asianpaint-home-service-website/) 🖌️✨ ## Features - **Service Offerings**: Browse through various home services provided by AsianPaint including painting, renovation, and interior design. - **Request a Quote**: Users can request a quote for their desired service by filling out a simple form. - **Gallery**: Explore a gallery of completed projects to get inspiration and ideas. - **Contact Information**: Find contact details to get in touch with AsianPaint for inquiries and appointments. ## Technologies Used The website is built using the following technologies: - HTML5 - CSS3 (SCSS) - JavaScript ## How to Use To use this project, simply clone the repository to your local machine and open the `index.html` file in your web browser. ```bash git clone https://github.com/Krypto-ETOX/asianpaint-home-service-website.git ``` For more detailed instructions on how to contribute or customize the project, please refer to the [CONTRIBUTING.md](CONTRIBUTING.md) file. ## Contributing Contributions to the AsianPaint Home Services Website are welcome! If you find any issues or have suggestions for improvements, feel free to open an issue or submit a pull request. ## License This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details. ## About This project is developed and maintained by [Krypto-ETOX](https://github.com/Krypto-ETOX). If you have any questions or inquiries about the project, you can reach out via GitHub. Thank you for visiting the AsianPaint Home Services Website repository! We hope you find our services helpful for your home improvement needs. 🏠✨
Asianpaints home service website is a SAAS kind of website that can be used to showcase different services of house maintenance.
asianpaints,bootrap-5,css,html,javascript,scss,web-development,web3,website,home-repair-website
2024-04-06T17:53:02Z
2024-04-06T18:10:58Z
null
1
0
7
0
0
3
null
Apache-2.0
SCSS
gowthamsundaresan/eigenevents
main
# EigenEvents Library Documentation ## Overview Provides an easy interface for querying historical transaction data or listening to real-time blockchain data from EigenLayer contracts on Ethereum Mainnet based on emitted events from the proxy contracts of DelegationManager, AVSDirectory, StrategyManager, and EigenPodManager. ABIs and contract addresses included. ## Installation Clone the repo ```bash git clone https://github.com/gowthamsundaresan/eigenevents.git cd eigenevents ``` Install the necessary Node.js dependencies: ```bash yarn install ``` ## How to Use Every event defined in DelegationManager.sol, AVSDirectory.sol, StrategyManager.sol, and EigenPodManager.sol has a corresponding function you can call to query for either historical data or real-time feeds (via websocket). <br> Look at the list in the next section to view all callable functions. ### Calling a function Every function has the same parameters and return data structure. <br> Params: 1. fromBlock (number) - Starting block number to fetch events (optional, not required for real-time data) 2. toBlock (number) - Ending block number to fetch events (optional, not required for real-time data) 3. realTime (bool) - Whether to listen to events in real-time 4. callback (function) - (Optional) callback to handle the events (optional, use this to handle real-time data) ### Fetching data in real time ```bash import EigenEvents from "path/to/EigenEvents.js" function listenToEvents() { const wsURL = "wss://<YOUR_URL>" const eigenEventsRealTime = new EigenEvents( wsURL, "ws", handleConnection, ) function handleConnection() { console.log("Initializing event listeners...") setEventListeners(eigenEventsRealTime) } } function setEventListeners(eigenEventsRealTime) { eigenEventsRealTime.getOperatorRegisteredEvents(null, null, true, handleEventResponse) eigenEventsRealTime.getOperatorMetadataURIUpdatedEvents(null, null, true, handleEventResponse) console.log("All listeners initialized...") } function handleEventResponse(err, data) { if (err) { console.error("Error receiving data:", err) } else { console.log(data) } } listenToEvents() ``` ### Fetching historical data ```bash import EigenEvents from "path/to/EigenEvents.js" const rpcUrl = "https://<YOUR_URL>" const eigenEventsHistoric = new EigenEvents(rpcUrl, "http") const fromBlock = 19492759 const toBlock = 19692759 try { console.log("Fetching historical data...") const historicalData = await eigenEventsHistoric.getStakerDelegatedEvents(fromBlock, toBlock) console.log(historicalData) } catch (error) { console.error("Error fetching events:", error) } ``` Example outputs: ```bash { transactionHash: '0x57efb8f76321a2a2c5bb4219bef3147593ab177ae067d30b4178114aa7f43e18', blockNumber: 19733953n, event: 'StakerDelegated', returnValues: { staker: '0xeeba069d1d131428145c337212E42c9e2f0FCa07', operator: '0xDbEd88D83176316fc46797B43aDeE927Dc2ff2F5' }, message: '0xeeba069d1d131428145c337212E42c9e2f0FCa07 delegated stake to 0xDbEd88D83176316fc46797B43aDeE927Dc2ff2F5.' } ``` ```bash { transactionHash: '0xcaac0ff38f399af949517e1d8c32ce9788cfb31fbb29c02f8f30ff03fb557530', blockNumber: 19733959n, event: 'OperatorMetadataURIUpdated', returnValues: { operator: '0x3dd86570a944D9fFAaEB0297b8B54531367D7521', metadataURI: 'https://raw.githubusercontent.com/GateOmega/eigenlayer-metadata/main/metadata.json' }, message: '0x3dd86570a944D9fFAaEB0297b8B54531367D7521 updated their metadata URI to https://raw.githubusercontent.com/GateOmega/eigenlayer-metadata/main/metadata.json.' } ``` ## Events That Can Be Retrieved ### DelegationManager.sol | Function and Description | Output Parameters | | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ | | **`getOperatorRegisteredEvents`**<br/>Emitted when a caller registers as an operator in EigenLayer. | `operator: address, operatorDetails: { earningsReceiver: address, delegationApprover: address, stakerOptOutWindowBlocks: uint256 }` | | **`getOperatorMetadataURIUpdatedEvents`**<br/>Emitted when an operator updates their metadata URI, typically to reflect changes in operational status or offerings. | `operator: address, metadataURI: string` | | **`getMinWithdrawalDelayBlocksSetEvents`**<br/>Emitted when the minimum withdrawal delay blocks are set. This configuration defines the minimum number of blocks that must be waited from the time of queuing a withdrawal to when it can be executed. | `previousMinWithdrawalDelayBlocks: uint256, newMinWithdrawalDelayBlocks: uint256` | | **`getOperatorDetailsModifiedEvents`**<br/>Emitted when an operator's details are modified. This can involve changes to parameters like the earnings receiver or details about the staker's options. | `operator: address, newOperatorDetails: { earningsReceiver: address, delegationApprover: address, stakerOptOutWindowBlocks: uint256 }` | | **`getOperatorSharesDecreasedEvents`**<br/>Emitted when an operator's share count in a strategy is decreased, which typically occurs when a staker undelegates or withdraws their stake. | `operator: address, staker: address, strategy: address, shares: uint256` | | **`getOperatorSharesIncreasedEvents`**<br/>Emitted when an operator's share count in a strategy is increased. This can happen when a new staker delegates to them, or existing stakes are increased. | `operator: address, staker: address, strategy: address, shares: uint256` | | **`getStakerDelegatedEvents`**<br/>Emitted when a staker delegates their stake to an operator. This event marks the initiation of the delegation relationship. | `staker: address, operator: address` | | **`getStakerForceUndelegatedEvents`**<br/>Emitted in cases where a staker is forcibly undelegated by an operator or due to other administrative actions. This event is important for audit and tracking purposes to ensure transparency in delegation management. | `staker: address, operator: address` | | **`getStakerUndelegatedEvents`**<br/>Emitted when a staker voluntarily undelegates from an operator. This might occur if a staker decides to withdraw their stake or simply end their delegation agreement. | `staker: address, operator: address` | | **`getStrategyWithdrawalDelayBlocksSetEvents`**<br/>Emitted when the withdrawal delay blocks for a strategy are set or updated. This delay is crucial for security and operational flexibility, allowing operators to prepare for potential liquidity adjustments. | `strategy: address, previousWithdrawalDelayBlocks: uint256, newWithdrawalDelayBlocks: uint256` | | **`getWithdrawalCompletedEvents`**<br/>Emitted when a withdrawal process is completed. This finalizes the withdrawal action, transferring the staked assets back to the staker or to a new designated receiver. | `withdrawalRoot: bytes32` | | **`getWithdrawalMigratedEvents`**<br/>Emitted during the migration of a queued withdrawal from one contract to another, particularly in cases of upgrades or changes in contract architecture. This event is critical for ensuring that all stakeholders are aware of the movement and status of pending withdrawals. | `oldWithdrawalRoot: bytes32, newWithdrawalRoot: bytes32` | | **`getWithdrawalQueuedEvents`**<br/>Emitted when a withdrawal is queued, marking the initiation of the withdrawal process. This event is used to track the start of the withdrawal's waiting period, governed by the previously set withdrawal delay blocks. | `withdrawalRoot: bytes32, withdrawal: { staker: address, delegatedTo: address, withdrawer: address, nonce: uint256, startBlock: uint256, strategies: [address], shares: [uint256] }` | ### StrategyManager.sol | Function and Description | Output Parameters | | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ---------------------------------------------------------------------- | | **`getDepositEvents`**<br/>Emitted when a deposit is made into a strategy. This event logs the details of the deposit including the staker, the token used, the strategy, and the amount of shares created by the deposit. | `staker: address, token: IERC20, strategy: IStrategy, shares: uint256` | | **`getOwnershipTransferredEvents`**<br/>Emitted when ownership of the contract is transferred. This is a common event in upgradable contracts and ownership models to signify change in control or upgradeability. | `previousOwner: address, newOwner: address` | | **`getStrategyAddedToDepositWhitelistEvents`**<br/>Emitted when a strategy is added to the whitelist that allows deposits. This event is used to log the inclusion of new strategies that users can deposit into, reflecting changes in the contract's operational parameters. | `strategy: IStrategy` | | **`getStrategyRemovedFromDepositWhitelistEvents`**<br/>Emitted when a strategy is removed from the deposit whitelist. This event logs the removal of strategies from being eligible for deposits, which could be due to various operational or strategic reasons. | `strategy: IStrategy` | | **`getStrategyWhitelisterChangedEvents`**<br/>Emitted when the `strategyWhitelister` address is changed. This event reflects a change in the control or administration of strategy whitelisting, which can affect how strategies are managed within the platform. | `oldStrategyWhitelister: address, newStrategyWhitelister: address` | | **`getUpdatedThirdPartyTransfersForbiddenEvents`**<br/>Emitted when the `thirdPartyTransfersForbidden` status is updated for a strategy. This event logs changes to the policy regarding third-party transfers, which can affect how shares are managed and withdrawn in the context of the strategy. | `strategy: IStrategy, newValue: bool` | ### EigenPodManager.sol | Function and Description | Output Parameters | | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ | ---------------------------------------- | | **`getBeaconChainETHDepositedEvents`**<br/>Emitted when ETH is deposited into a Beacon Chain validator through an EigenPod. This event logs the deposit details including the amount of ETH deposited, which is crucial for tracking staking activities and the corresponding changes in the balance of Beacon Chain ETH. | `podOwner: address, amount: uint256` | | **`getBeaconChainETHWithdrawalCompletedEvents`**<br/>Emitted after a withdrawal of ETH from a Beacon Chain validator is completed. This event is crucial for tracking when staked ETH is returned to a pod owner, representing a significant lifecycle event in the staking process. | `podOwner: address, amount: uint256` | | **`getBeaconOracleUpdatedEvents`**<br/>Emitted when the Beacon Chain Oracle is updated. This event signifies a change in the oracle address that provides data from the Beacon Chain, which is a critical piece of infrastructure for ensuring the correct operation of the staking logic. | `newOracleAddress: address` | | **`getPodDeployedEvents`**<br/>Emitted when a new EigenPod is deployed. This event logs the creation of a new pod, which is a key event in the lifecycle of pod management as it represents the setup of a new entity capable of participating in staking operations on the Beacon Chain. | `podAddress: address, podOwner: address` | | **`getPodSharesUpdatedEvents`**<br/>Emitted when there is an update to the shares associated with a pod owner. This event is used to log changes in the number of shares a pod owner has, which can affect their participation in staking and the corresponding rewards. Changes in shares can occur due to various actions like stakes, withdrawals, or rewards distribution. | `podOwner: address, sharesDelta: int256` | ### AVSDirectory.sol | Function and Description | Output Parameters | | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------ | | **`getOperatorAVSRegistrationStatusUpdatedEvents`**<br/>Emitted when an operator's registration status to AVS is updated. This could be due to a new registration or deregistration. The event logs the change and is crucial for tracking the registration lifecycle of operators within the AVS ecosystem, helping to manage and verify operator permissions and statuses effectively. | `operator: address, avs: address, status: OperatorAVSRegistrationStatus` | | **`getAVSMetadataURIUpdatedEvents`**<br/>Emitted when the metadata URI for an AVS is updated. This event is used to log updates to the metadata associated with an AVS, which can include changes in service descriptions or operational details. This is essential for maintaining current and accessible service information for users of the AVS. | `avs: address, metadataURI: string` | ## Contributing Contributions to this project are welcome! Please follow these steps: 1. Fork the repo. 2. Create a new branch for your feature. 3. Commit your changes. 4. Push to the branch. 5. Open a pull request.
easily query eigenlayer mainnet contracts for emitted events (historical + real-time)
eigenlayer,ethereum,javascript,web3
2024-04-22T18:18:07Z
2024-05-02T11:22:59Z
null
1
0
20
0
0
3
null
null
JavaScript
lucasgearhead/React-Weather-Front
main
# Weather Forecast App ![Weather Forecast App Demo](images/fast-video.gif) ## Overview This project aims to provide weather information and showcase development skills. It includes features like displaying current weather conditions, a 5-day forecast, interactive weather charts, and customizable units (°C/°F, km/h/mph). ## Key Features - **Current Weather**: Displays temperature, cloudiness, humidity, and wind speed. Allows users to choose between Celsius and Fahrenheit. - **5-Day Forecast**: Shows weather information for the current day and the next 5 days, including descriptions, icons, and min/max temperatures. - **Location Search**: Enables users to search for weather information based on their desired location. The initial location is determined using the user's IP address or defaults to London if not detected. - **Interactive Theme**: The theme changes dynamically based on the time of day, with a sun icon during the day and a moon icon at night. - **Customizable Charts**: Users can select which weather data to view in charts, such as temperature for the next 24 hours, humidity, or wind direction/speed. ## Technologies Used - React - Chart.js - JavaScript - Node.js (for development) ## Getting Started 1. Clone the repository: `git clone https://github.com/lucasgearhead/React-Weather-Front` 2. Install dependencies: `npm install` 3. Replace `'your api key'` in `app.jsx` with your OpenWeatherMap API key. 4. Start the application: `npm start` Note: You need an OpenWeatherMap API key. Sign up at [OpenWeatherMap](https://openweathermap.org/) to get your API key. ## Screenshots ![Screenshot 1](images/day-screenshot.png) ![Screenshot 2](images/night-screenshot.png)
A front-end project built with React that utilizes the OpenWeatherMap API to display weather information, including current conditions and a 5-day forecast. Additionally, the project features an interactive chart showing temperature, humidity, wind direction, and speed in km/h or mph, based on user preference in °C or °F.
api,chart-js,front-end,graphics,javascript,openweathermap-api,react,weather
2024-04-03T22:01:17Z
2024-05-03T17:54:47Z
null
1
28
100
0
0
3
null
null
JavaScript
rikurauhala/insights
main
<div align="center"> <img height="100px" src="docs/img/logo.png" width="100px" /> </div> <h1 align="center"> Insights </h1> <div align="center"> Visualize your coding journey! </div> <div align="center"> ![GitHub](https://img.shields.io/badge/github-%23121011.svg?style=for-the-badge&logo=github&logoColor=white) ![JavaScript](https://img.shields.io/badge/javascript-%23323330.svg?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E) ![Linux](https://img.shields.io/badge/Linux-FCC624?style=for-the-badge&logo=linux&logoColor=black) ![MUI](https://img.shields.io/badge/MUI-%230081CB.svg?style=for-the-badge&logo=mui&logoColor=white) ![NPM](https://img.shields.io/badge/NPM-%23CB3837.svg?style=for-the-badge&logo=npm&logoColor=white) ![React](https://img.shields.io/badge/react-%2320232a.svg?style=for-the-badge&logo=react&logoColor=%2361DAFB) ![TypeScript](https://img.shields.io/badge/typescript-%23007ACC.svg?style=for-the-badge&logo=typescript&logoColor=white) </div> ## About > [!IMPORTANT] > This project is not associated with or endorsed by GitHub. A fun, interactive web application to visualize your activity on GitHub. ## Features - Commits - See how many commits you have made each month or year - Issues and pull requests - See how many issues and pull requests you have opened or closed so far - Top programming languages - See what are your most used programming, scripting or markup languages - Topics - See which topics are most common across all your repositories ## Installation ### Prerequisites You should have the following software installed. The application has been developed and tested with these versions but more recent and some older versions should be fine as well. If you run into any issues, try updating to a newer version. - `git: 2.25.1` - `node: v20.10.0` - `npm: 10.2.3` You can check which version you have installed from the command line by typing the name of the command followed by the `--version` flag. It is also recommended to use Linux as everything has been tested only on a Linux distro. To use other operating systems, you may have to do some research of your own. ### Download Start by getting the source code by cloning the repository from the command line. Alternatively, you may download the source code as a [zip archive](https://github.com/rikurauhala/insights/archive/refs/heads/main.zip) or use [other methods](https://docs.github.com/en/repositories/creating-and-managing-repositories/cloning-a-repository). ```bash git clone git@github.com:rikurauhala/insights.git ``` ### Install Next, make sure you are in the correct folder and install dependencies. The application will not work without installing dependencies first! ```bash cd insights && npm install ``` ### Configure > [!WARNING] > **Do not** commit or share your personal access token, it should remain private. To use the application, you must use your own [personal access token](https://docs.github.com/en/authentication/keeping-your-account-and-data-secure/managing-your-personal-access-tokens). The application **will not work without it** as the token is used to authenticate with the GitHub API and fetch all the data used by the application. You can create a new personal access token in the [settings](https://github.com/settings/tokens) of your GitHub account. 1. Click the `Generate new token` button and choose `classic` 2. Choose a name and expiration time for the token 3. Select the scopes `repo` (everything) and `read:user` 4. Copy your token Paste your token in a file named `.env` at the root of the project directory. Your token should be the value of the variable `VITE_TOKEN`. ```bash echo 'VITE_TOKEN=your-token' >> .env ``` The file should look like this ```bash # File: .env VITE_TOKEN='your-token' ``` ### Run To start the application in your browser, run the `dev` command. By default the application should be available at http://localhost:5173. Run `npm run dev -- --host` to access the application from your network with another device. ```bash npm run dev ``` ## Documentation - [Architecture](./docs/architecture.md) - [Credits](./docs/credits.md) - [License](./LICENSE.md)
Visualize your coding journey
data,data-visualization,github,javascript,react,statistics,typescript,vite,github-api,material-ui
2024-04-15T17:11:08Z
2024-05-14T09:47:52Z
null
1
0
143
8
0
3
null
MIT
TypeScript
apify/super-scraper
master
# SuperScraper SuperScraper is an Actor that provides a REST API for scraping websites. Just pass a URL of a web page and get back the fully-rendered HTML content. The SuperScraper API is compatible with [ScrapingBee](https://www.scrapingbee.com/), [ScrapingAnt](https://scrapingant.com/), and [ScraperAPI](https://scraperapi.com/). That means the Actor can be used as a potentially cheaper drop-in replacement for these services. Main features: - Extract HTML from arbitrary URLs with a headless browser for dynamic content rendering. - Circumvent blocking using datacenter or residential proxies, as well as browser fingerprinting. - Seamlessly scale to a large number of web pages as needed. - Capture screenshots of the web pages. Note that SuperScraper uses the new experimental Actor Standby mode, so it's not started the traditional way from Apify Console. Instead, it's invoked via the HTTP REST API provided directly by the Actor. See the examples below. ## Usage examples To run these examples, you need an Apify API token, which you can find under [Settings > Integrations](https://console.apify.com/account/integrations) in Apify Console. You can create an Apify account free of charge. ### Node.js ```ts import axios from 'axios'; const resp = await axios.get('https://apify--super-scraper-api.apify.actor/', { params: { url: 'https://apify.com/store', wait_for: '.ActorStoreItem-title', json_response: true, screenshot: true, }, headers: { Authorization: 'Bearer <YOUR_APIFY_API_TOKEN>', }, }); console.log(resp.data); ``` ### curl ```shell curl -X GET \ 'https://apify--super-scraper-api.apify.actor/?url=https://apify.com/store&wait_for=.ActorStoreItem-title&screenshot=true&json_response=true' \ --header 'Authorization: Bearer <YOUR_APIFY_API_TOKEN>' ``` ## Authentication The best way to authenticate is to pass your Apify API token using the `Authorization` HTTP header. Alternatively, you can pass the API token via the `token` query parameter to authenticate the requests, which is more convenient for testing in a web browser. ### Node.js ```ts const resp = await axios.get('https://apify--super-scraper-api.apify.actor/', { params: { url: 'https://apify.com/store', token: '<YOUR_APIFY_API_TOKEN>' }, }); ``` ### curl ```shell curl -X GET 'https://apify--super-scraper-api.apify.actor/?url=https://apify.com/store&wait_for=.ActorStoreItem-title&json_response=true&token=<YOUR_APIFY_API_TOKEN>' ``` ## Pricing When using SuperScraper, you're charged based on your actual usage of the Apify platform's computing, storage, and networking resources. Cost depends on the target sites, your settings and API parameters, the load of your requests, and random network and target site conditions. From our testing, SuperScraper is cheaper than ScrapingBee, ScrapingAnt, and ScraperAPI in many configurations, while in some others, it's more expensive. The best way to see your price is to conduct a real-world test. An example cost on a free account (the pricing is cheaper on higher plans) for 30 one-by-one requests plus 50 batched requests test: | parameters | cost estimate | ------------- |-----------------------------------| | no `render_js` + basic proxy | $1/1000 requests | no `render_js` + premium (residential) proxy | $2/1000 requests | `render_js` + basic proxy | $4/1000 requests | `render_js` + premium (residential) proxy | $5/1000 requests ## API parameters ### ScrapingBee API parameters SuperScraper supports most of the API parameters of [ScrapingBee](https://www.scrapingbee.com/documentation/): | parameter | description | | -------- |-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------| | `url` | URL of the webpage to be scraped. **This parameter is required.** | | `json_response` | Return a verbose JSON response with additional details about the webpage. Can be either `true` or `false`, default is `false`. | | `extract_rules` | A stringified JSON containing custom rules how to extract data from the webpage. | | `render_js` | Indicates that the webpage should be scraped using a headless browser, with dynamic content rendered. Can be `true` or `false`, default is `true`. This is equivalent to ScrapingAnt's `browser`. | | `screenshot` | Get screenshot of the browser's current viewport. If `json_response` is set to `true`, screenshot will be returned in the Base64 encoding. Can be `true` or `false`, default is `false`. | | `screenshot_full_page` | Get screenshot of the full page. If `json_response` is set to `true`, screenshot will be returned in the Base64 encoding. Can be `true` or `false`, default is `false`. | | `screenshot_selector` | Get screenshot of the element specified by the selector. If `json_response` is set to `true`, screenshot will be returned in Base64. Must be a non-empty string. | | `js_scenario` | JavaScript instructions that will be executed after loading the webpage. | | `wait` | Specify a duration that the browser will wait after loading the page, in milliseconds. | | `wait_for` | Specify a CSS selector of an element for which the browser will wait after loading the page. | | `wait_browser` | Specify a browser event to wait for. Can be either `load`, `domcontentloaded`, or `networkidle`. | | `block_resources` | Specify that you want to block images and CSS. Can be `true` or `false`, default is `true`. | | `window_width` | Specify the width of the browser's viewport, in pixels. | | `window_height` | Specify the height of the browser's viewport, in pixels. | | `cookies` | Custom cookies to use to fetch the web pages. This is useful for fetching webpage behing login. The cookies must be specified in a string format: `cookie_name_1=cookie_value1;cookie_name_2=cookie_value_2`. | | `own_proxy` | A custom proxy to be used for scraping, in the format `<protocol><username>:<password>@<host>:<port>`. | | `premium_proxy` | Use residential proxies to fetch the web content, in order to reduce the probability of being blocked. Can be either `true` or `false`, default is `false`. | | `stealth_proxy` | Works same as `premium_proxy`. | | `country_code` | Use IP addresses that are geolocated in the specified country by specifying its [2-letter ISO code](https://en.wikipedia.org/wiki/ISO_3166-1_alpha-2#Officially_assigned_code_elements). When using code other than `US`, `premium_proxy` must be set to `true`. This is equivalent to setting ScrapingAnt's `proxy_country`. | | `custom_google` | Use this option if you want to scrape Google-related websites (such as Google Searach or Google Shopping). Can be `true` or `false`, default is `false`. | | `return_page_source` | Return HTML of the webpage from the response before any dynamic JavaSript rendering. Can be `true` or `false`, default is `false`. | | `transparent_status_code` | By default, if target webpage responds with HTTP status code other than a 200-299 or a 404, the API will return a HTTP status code 500. Set this paremeter to `true` to disable this behavior and return the status code of the actual response. | | `timeout` | Set maximum timeout for the response from this Actor, in milliseconds. The default is 140 000 ms. | | `forward_headers` | If set to `true`, HTTP headers starting with prefix `Spb-` or `Ant-` will be forwarded to the target webpage alongside headers generated by us (the prefix will be trimmed). | | `forward_headers_pure` | If set to `true`, only headers starting with prefix `Spb-` or `Ant-` will be forwarded to the target webpage (prefix will be trimmed), without any other HTTP headers from our side. | | `device` | Can be either `desktop` (default) or `mobile`. | ScrapingBee's API parameters `block_ads` and `session_id` are currently not supported. ### ScrapingAnt API parameters SuperScraper supports most of the API parameters of [ScrapingAnt](https://docs.scrapingant.com/request-response-format#available-parameters): | parameter | description | | -------- |----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------| | `url` | URL of the webpage to be scraped. **This parameter is required.** | | `browser` | Indicates that the webpage should be scraped using a headless browser, with dynamic content rendered. Can be `true` or `false`, default is `true`. This is equivalent as ScrapingBee's `render_js`. | (Same as `render_js`.) | | `cookies` | Use custom cookies, must be in a string format: `cookie_name_1=cookie_value1;cookie_name_2=cookie_value_2`. | | `js_snippet` | A Base64-encoded JavaScript code to be executed on the webpage. Will be treated as the [evaluate](#evaluate) instruction. | | `proxy_type` | Specify the type of proxies, which can be either `datacenter` (default) or `residential`. This is equivalent to setting ScrapingBee's `premium_proxy` or `steath_proxy` to `true`. | | `wait_for_selector` | Specify a CSS selector of an element for which the browser will wait after loading the page. This is equivalent to setting ScrapingBee's `wait_for`. | | `block_resource` | Specify one or more resources types you want to block from being downloaded. The parameter can be repeated in the URL (e.g. `block_resource=image&block_resource=media`). Available options are: `document`, `stylesheet`, `image`, `media`, `font`, `script`, `texttrack`, `xhr`, `fetch`, `eventsource`, `websocket`, `manifest`, `other`. | | `return_page_source` | Return HTML of the webpage from the response before any dynamic JavaSript rendering. Can be `true` or `false`, default is `false`. | | `proxy_country` | Use IP addresses that are geolocated in the specified country by specifying its [2-letter ISO code](https://en.wikipedia.org/wiki/ISO_3166-1_alpha-2#Officially_assigned_code_elements). When using code other than `US`, `premium_proxy` must be set to `true`. This is equivalent to setting ScrapingBee's `country_code`. | ScrapingAnt's API parameter `x-api-key` is not supported. Note that HTTP headers in a request to this Actor beginning with prefix `Ant-` will be forwarded (without the prefix) to the target webpage alongside headers generated by the Actor. This behavior can be changed using ScrapingBee's `forward_headers` or `forward_headers_pure` parameters. ### ScraperAPI API parameters The Super-Scraper Actor supports most of the API parameters of [ScraperAPI](https://docs.scraperapi.com/making-requests/customizing-requests): | parameter | description | | -------- |-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------| | `url` | URL of the webpage to be scraped. **This parameter is required.** | | `render` | Specify, if you want to scrape the webpage with or without using a headless browser, can be `true` or `false`, default `true`. (Same as `render_js`.) | | `wait_for_selector` | Specify a CSS selector of an element for which the browser will wait after loading the page. This is equivalent to setting ScrapingBee's `wait_for`. | | `premium` | Use residential proxies to fetch the web content, in order to reduce the probability of being blocked. Can be either `true` or `false`, default is `false`. This is equivalent to setting ScrapingBee's `premium_proxy`. | | `ultra_premium` | Same as `premium`. | | `country_code` | Use IP addresses that are geolocated in the specified country by specifying its [2-letter ISO code](https://en.wikipedia.org/wiki/ISO_3166-1_alpha-2#Officially_assigned_code_elements). When using code other than `US`, `premium_proxy` must be set to `true`. This is equivalent to setting ScrapingAnt's `proxy_country`. | | `keep_headers` | If `true`, then all headers sent to this Actor will be forwarded to the target website. The `Authorization` header will be removed. | | `device_type` | Can be either `desktop` (default) or `mobile`. This is equivalent to setting ScrapingBees's `device`. | | `binary_target` | Specify whether the target is a file. Can be `true` or `false`, default is `false`. Currently only supported when JS rendering is set to `false` via the `render_js`, `browser`, or `render` parameters. | ScraperAPI's API parameters `session_number` and `autoparse` are currently not supported, and they are ignored. ### Custom extraction rules Using ScrapingBee's `extract_rules` parameter, you can specify a set of rules to extract specific data from the target web pages. You can create an extraction rule in one of two ways: with shortened options, or with full options. #### Shortened options - value for the given key serves as a `selector` - using `@`, we can access attribute of the selected element ##### Example: ```json { "title": "h1", "link": "a@href" } ``` #### Full options - `selector` is required - `type` can be either `item` (default) or `list` - `output` indicates how the result for these element(s) will look like. It can be: - `text` (default option when `output` is omitted) - text of the element - `html` - HTML of the element - attribute name (starts with `@`, for example `@href`) - object with other extract rules for the given item (key + shortened or full options) - `table_json` or `table_array` to scrape a table in a json or array format - `clean` - relevant when having `text` as `output`, specifies whether the text of the element should be trimmed of whitespaces (can be `true` or `false`, default `true`) ##### Example: ```json { "custom key for links": { "selector": "a", "type": "list", "output": { "linkName" : { "selector": "a", "clean": "false" }, "href": { "selector": "a", "output": "@href" } } } } ``` #### Example This example extracts all links from [Apify Blog](https://blog.apify.com/) along with their titles. ```ts const extractRules = { title: 'h1', allLinks: { selector: 'a', type: 'list', output: { title: 'a', link: 'a@href', }, }, }; const resp = await axios.get('https://apify--super-scraper-api.apify.actor/', { params: { url: 'https://blog.apify.com/', extract_rules: JSON.stringify(extractRules), // verbose: true, }, headers: { Authorization: 'Bearer <YOUR_APIFY_API_TOKEN>', }, }); console.log(resp.data); ``` The results look like this: ```json { "title": "Apify Blog", "allLinks": [ { "title": "Data for generative AI & LLM", "link": "https://apify.com/data-for-generative-ai" }, { "title": "Product matching AI", "link": "https://apify.com/product-matching-ai" }, { "title": "Universal web scrapers", "link": "https://apify.com/store/scrapers/universal-web-scrapers" } ] } ``` ### Custom JavaScript code Use ScrapingBee's `js_scenario` parameter to specify instructions in order to be executed one by one after opening the page. Set `json_response` to `true` to get a full report of the executed instructions, the results of `evaluate` instructions will be added to the `evaluate_results` field. Example of clicking a button: ```ts const instructions = { instructions: [ { click: '#button' }, ], }; const resp = await axios.get('https://apify--super-scraper-api.apify.actor/', { params: { url: 'https://www.example.com', js_scenario: JSON.stringify(instructions), }, headers: { Authorization: 'Bearer <YOUR_APIFY_API_TOKEN>', }, }); console.log(resp.data); ``` #### Strict mode If one instruction fails, then the subsequent instructions will not be executed. To disable this behavior, you can optionally set `strict` to `false` (by default it's `true`): ```json { "instructions": [ { "click": "#button1" }, { "click": "#button2" } ], "strict": false } ``` #### Supported instructions ##### `wait` - wait for some time specified in ms - example: `{"wait": 10000}` ##### `wait_for` - wait for an element specified by the selector - example `{"wait_for": "#element"}` ##### `click` - click on an element specified by the selector - example `{"click": "#button"}` ##### `wait_for_and_click` - combination of previous two - example `{"wait_for_and_click": "#button"}` ##### `scroll_x` and `scroll_y` - scroll a specified number of pixels horizontally or vertically - example `{"scroll_y": 1000}` or `{"scroll_x": 1000}` ##### `fill` - specify a selector of the input element and the value you want to fill - example `{"fill": ["input_1", "value_1"]}` ##### `evaluate` - evaluate custom javascript on the webpage - text/number/object results will be saved in the `evaluate_results` field - example `{"evaluate":"document.querySelectorAll('a').length"}`
Generic REST API for scraping websites. Drop-in replacement for ScrapingBee, ScrapingAnt, and ScraperAPI services. And it is open-source!
api,scraping,apify,cheerio,javascript,nodejs,playwright,typescript,web-scraping
2024-03-18T11:30:12Z
2024-05-16T20:16:32Z
null
29
23
34
0
2
3
null
null
TypeScript
JulieGibbs/LunarSpace
main
# Angular 13 Login and Registration with JWT and Web API example Build Angular 13 Token based Authentication & Authorization Application with Web Api and JWT (including HttpInterceptor, Router & Form Validation). - JWT Authentication Flow for User Registration (Signup) & User Login - Project Structure with HttpInterceptor, Router - How to implement HttpInterceptor - Creating Login, Signup Components with Form Validation - Angular Components for accessing protected Resources - How to add a dynamic Navigation Bar to Angular App - Working with Browser Session Storage ## Flow for User Registration and User Login For JWT – Token based Authentication with Web API, we’re gonna call 2 endpoints: - POST `api/auth/signup` for User Registration - POST `api/auth/signin` for User Login You can take a look at following flow to have an overview of Requests and Responses that Angular 13 JWT Authentication & Authorization Client will make or receive. ![angular-13-login-registration-flow](angular-13-login-registration-flow.png) ## Angular JWT App Diagram with Router and HttpInterceptor ![angular-13-login-registration-overview](angular-13-login-registration-overview.png) For more detail, please visit the tutorial: > [Angular Login and Registration with JWT and Web API example](https://bezkoder.com/angular-13-jwt-auth/) ## With Spring Boot back-end > [Angular + Spring Boot: JWT Authentication and Authorization example](https://bezkoder.com/angular-13-spring-boot-jwt-auth/) ## With Node.js Express back-end > [Angular + Node.js Express: JWT Authentication and Authorization example](https://bezkoder.com/node-js-angular-13-jwt-auth/) Depending on the backend you choose, you need to open `app/_helpers/auth.interceptor.js`, modify the code like this: ```js ... // const TOKEN_HEADER_KEY = 'Authorization'; // for Spring Boot back-end const TOKEN_HEADER_KEY = 'x-access-token'; // for Node.js Express back-end @Injectable() export class AuthInterceptor implements HttpInterceptor { ... intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> { ... if (token != null) { // for Spring Boot back-end // authReq = req.clone({ headers: req.headers.set(TOKEN_HEADER_KEY, 'Bearer ' + token) }); // for Node.js Express back-end authReq = req.clone({ headers: req.headers.set(TOKEN_HEADER_KEY, token) }); } return next.handle(authReq); } } ... ``` Run `ng serve --port 8081` for a dev server. Navigate to `http://localhost:8081/`. ## More practice > [Angular JWT Refresh Token example with Http Interceptor](https://www.bezkoder.com/angular-12-refresh-token/) > [Angular CRUD Application example with Web API](https://www.bezkoder.com/angular-13-crud-example/) > [Angular Pagination example | ngx-pagination](https://www.bezkoder.com/angular-13-pagination-ngx/) > [Angular File upload example with Progress bar](https://www.bezkoder.com/angular-13-file-upload/) Fullstack with Node: > [Angular + Node Express + MySQL example](https://www.bezkoder.com/angular-13-node-js-express-mysql/) > [Angular + Node Express + PostgreSQL example](https://www.bezkoder.com/angular-13-node-js-express-postgresql/) > [Angular + Node Express + MongoDB example](https://www.bezkoder.com/mean-stack-crud-example-angular-13/) > [Angular + Node Express: File upload example](https://www.bezkoder.com/angular-13-node-express-file-upload/) Fullstack with Spring Boot: > [Angular + Spring Boot + H2 Embedded Database example](https://www.bezkoder.com/spring-boot-angular-13-crud/) > [Angular + Spring Boot + MySQL example](https://www.bezkoder.com/spring-boot-angular-13-mysql/) > [Angular + Spring Boot + PostgreSQL example](https://www.bezkoder.com/spring-boot-angular-13-postgresql/) > [Angular + Spring Boot + MongoDB example](https://www.bezkoder.com/angular-13-spring-boot-mongodb/) > [Angular + Spring Boot: File upload example](https://www.bezkoder.com/angular-13-spring-boot-file-upload/) Fullstack with Django: > [Angular + Django example](https://bezkoder.com/django-angular-13-crud-rest-framework/) Serverless with Firebase: > [Angular Firebase CRUD with Realtime DataBase | AngularFireDatabase](https://www.bezkoder.com/angular-13-firebase-crud/) > [Angular Firestore CRUD example with AngularFireStore](https://www.bezkoder.com/angular-13-firestore-crud-angularfirestore/) > [Angular Firebase Storage: File Upload/Display/Delete example](https://www.bezkoder.com/angular-13-firebase-storage/) Integration (run back-end & front-end on same server/port) > [How to integrate Angular with Node Restful Services](https://bezkoder.com/integrate-angular-12-node-js/) > [How to Integrate Angular with Spring Boot Rest API](https://bezkoder.com/integrate-angular-12-spring-boot/)
Build Angular 13 Token based Authentication & Authorization Application with Web Api and JWT (including HttpInterceptor, Router & Form Validation).
angular,javascript,jwt
2024-03-20T17:52:10Z
2022-06-21T21:12:34Z
null
1
0
1
0
0
3
null
null
TypeScript
ruddarr/apns-worker
main
# Ruddarr APNs Worker The APNs worker that poweres Ruddarr's push notifications. ## Environment Variables - `APPLE_KEYID` - `APPLE_TEAMID` - `APPLE_AUTHKEY` (encrypted) - `WEBHOOK_SECRET` (encrypted) ## Testing ```bash cat payloads/health-restored.json | http post https://notify.ruddarr.com/{CK.UserRecordID} User-Agent:Radarr/1.0 ``` ## WAF The WAF blocks: - `method` other than `POST` - `content-type` other than `application/json` - `path` other than `/register` and `/push/+` - `user-agent` other than: `Ruddarr/*`, `Radarr/*` and `Sonarr/*`
The APNs worker for Ruddarr's push notifications.
cloudflare-workers,javascript
2024-04-17T14:55:40Z
2024-05-10T16:03:25Z
null
1
0
13
0
0
3
null
MIT
JavaScript
ckb-ecofund/ccc
master
<h1 align="center" style="font-size: 64px;"> CCC </h1> <p align="center"> <a href="https://www.npmjs.com/package/@ckb-ccc/ccc"><img alt="NPM Version" src="https://img.shields.io/npm/v/%40ckb-ccc%2Fccc" /></a> <img alt="GitHub commit activity" src="https://img.shields.io/github/commit-activity/m/ckb-ecofund/ccc" /> <img alt="GitHub last commit" src="https://img.shields.io/github/last-commit/ckb-ecofund/ccc/master" /> <img alt="GitHub deployments" src="https://img.shields.io/github/deployments/ckb-ecofund/ccc/production" /> <a href="https://ckbccc-demo.vercel.app/"><img alt="Demo" src="https://img.shields.io/website?url=https%3A%2F%2Fckbccc-demo.vercel.app%2F&label=Demo" /></a> </p> <p align="center"> "Common Chains Connector" is where CCC begins. <br /> CCC helps you to interoperate wallets from different chain ecosystems with CKB, <br /> fully enabling CKB's cryptographic freedom power. </p> ## Preview <p align="center"> <a href="https://ckbccc-demo.vercel.app/"> <img src="https://raw.githubusercontent.com/ckb-ecofund/ccc/master/assets/preview.png" width="30%" /> </a> </p> This project is still under active development, and we are looking forward to your feedback. [Try its demo now here](https://ckbccc-demo.vercel.app/). ## Installing We design CCC for both front-end and back-end developers. You need only one package to fulfil all your needs: * [NodeJS](https://www.npmjs.com/package/@ckb-ccc/ccc): ```npm install @ckb-ccc/ccc``` * [Web Component](https://www.npmjs.com/package/@ckb-ccc/connector): ```npm install @ckb-ccc/connector``` * [React](https://www.npmjs.com/package/@ckb-ccc/connector-react): ```npm install @ckb-ccc/connector-react``` CCC exports everything on the `ccc` object: ```typescript import { ccc } from "@ckb-ccc/<package-name>"; ``` ## Links * [Lumos](https://github.com/ckb-js/lumos) and its [Docs](https://lumos-website.vercel.app/): Lumos provides utils to help compose CKB transactions. * [RGB++ SDK](https://github.com/ckb-cell/rgbpp-sdk) and its [Design](https://github.com/ckb-cell/RGBPlusPlus-design): RGB++ is a protocol for issuing assets with Turing-completed VM on BTC L1. * [Spore SDK](https://github.com/sporeprotocol/spore-sdk) and its [Docs](https://docs.spore.pro/): The on-chain digital object (DOBs) protocol designed to empower ownership, distribution, and value capture.
Common Chains Connector
ckb,ckbtc,javascript,nervos,nervosnetwork,sdk,typescript,wallets,blockchain,utxo
2024-04-20T14:53:09Z
2024-05-23T09:09:52Z
null
2
1
49
0
2
3
null
null
TypeScript
mlane/marcuslane.com
master
# Portfolio Video Game Project Welcome to my Portfolio Showcase Game! As a frontend developer, I wanted to present my resume/portfolio in a unique and interactive way. Instead of a traditional document or website, I've created this game to showcase my skills, projects, and experience. Dive into the immersive world of this game to explore various levels representing different aspects of my portfolio. From web development projects to design concepts, this game offers a fresh perspective on my capabilities as a frontend developer. Enjoy the adventure and get to know me and my work in a fun and engaging way! ## Live Demo Play the game online at [marcuslane.com](http://marcuslane.com). ## Technologies Used - **JavaScript (JS)**: JavaScript is the primary programming language used for implementing the game logic and interactivity, ensuring smooth gameplay and dynamic interactions. - **CSS**: CSS is utilized for styling the game elements, enhancing the visual appeal and user experience with custom designs and animations. - **HTML**: HTML is used to structure the game's web page, providing the foundation for integrating the game components and assets seamlessly. - **Kaboom.js**: Kaboom.js is the game development library employed for creating the game environment, handling physics, collisions, and other game mechanics with ease and efficiency. ## Installation To run the game locally, follow these steps: 1. Clone this repository: `git clone https://github.com/mlane/marcuslane.com.git` 2. Navigate to the project directory: `cd marcuslane.com` 3. Install the dependencies: `npm install` 4. Start the development server: `npm run dev` 5. Open your preferred web browser and navigate to `http://localhost:3000` to play the game. ## Usage To play the game, use the arrow keys or mouse to move the character throughout the world. ## Contact For any questions or inquiries regarding this project, feel free to contact me.
Experience my Portfolio Showcase Game, a dynamic fusion of frontend development and gaming, showcasing my skills and projects in an interactive adventure. Utilizing Svelte, JavaScript, CSS, HTML, and Kaboom.js, navigate through levels to explore different aspects of my portfolio and enjoy a fresh take on resume presentation.
css,frontend-development,game-development,html,interactive-resume,javascript,kaboom-js,portfolio-showcase,ux-design,ux-ui-design
2024-04-14T17:48:51Z
2024-05-22T12:07:39Z
null
1
0
5
0
0
3
null
null
TypeScript
Joe12387/safari-canvas-fingerprinting-exploit
main
# Safari 17.4 Canvas Fingerprinting Protections Bypass This is an exploit for Safari 17.4 and lower that enables fingerprinting Safari users using `OffscreenCanvas` and `SharedWorker` even if fingerprinting protections are enabled. <s>Apple seems to be unconcerned about this</s>, so here it is! [Apple seems to have changed their tune.](/img/appleActuallyCaresAboutYourPrivacy.png "Apple seems to have changed their tune.") Demo: https://detectincognito.com/whatAreYouSmokingApple.html Update: While the included PoC doesn't display this, [Firefox also seems to be vulnerable](https://bugzilla.mozilla.org/show_bug.cgi?id=1885471 "Firefox also seems to be vulnerable"). # The Vulnerability As of Safari 17.4 on both macOS and iOS, canvas fingerprinting protections are not applied to `SharedWorker` and `ServiceWorker` web workers. Protections still apply to the `Worker` context, as well as in the main `window` context. # The Proof of Concept The included script runs a simple canvas fingerprinting technique using `OffscreenCanvas` in the `SharedWorker` scope. The output is then hashed. In addition, a function has been included that is able to detect if noise is being added to the `OffscreenCanvas` output for each included context. While the `ServiceWorker` context is also vulnerable to this attack, it is not implemented in order to keep the PoC as a single file. To test the script, run it in Safari in a private window. The expected behavior is that each context should have the same hash value and all return `Noise: true`. However, as of Safari 17.4, `SharedWorker` will return a hash value that can aide in browser fingerprinting that is likely unique to the version of Safari used and maybe also to the hardware it's running on. While Safari is generally very resistant to being fingerprinted and this is certainly not enough alone to track a specific browser, this is not an ideal situation and must be addressed by Apple. Please keep in mind that as of Safari 17.4, Safari only adds noise to canvases in private windows/tabs and not regular windows/tabs by default. To change this, you must change Safari's Settings under `Advanced` > `Use advanced tracking and fingerprinting protection` > `in all browsing`. # Apple's Response <img width="651" alt="Apple cares about your privacy" src="/img/appleCaresAboutYourPrivacy.png"> Update: [Apple seems to have changed their tune.](/img/appleActuallyCaresAboutYourPrivacy.png "Apple seems to have changed their tune.") # Credits * [abrahamjuliot](https://github.com/abrahamjuliot "abrahamjuliot") for writing [the script](https://abrahamjuliot.github.io/fpworker/ "the script") that brought this issue to my attention and being generally awesome. * <s>Apple's Security Engineers for being comically incompetent.</s> # Copyright (c) 2024 Joe Rutkowski (Joe12387), released under the MIT License
An exploit for Safari 17.4 and lower that enables fingerprinting Safari users using OffscreenCanvas and SharedWorkers even if fingerprinting protections are enabled.
apple,browser,browser-fingerprint,browser-fingerprinting,exploit,fingerprint,fingerprinting,ios,javascript,macos
2024-03-15T00:04:53Z
2024-03-24T01:03:40Z
null
1
0
5
0
0
3
null
MIT
HTML
passiondev2024/YesPlayMusic
main
<br /> <p align="center"> <a href="https://music.qier222.com" target="blank"> <img src="images/logo.png" alt="Logo" width="156" height="156"> </a> <h2 align="center" style="font-weight: 600">YesPlayMusic</h2> <p align="center"> 高颜值的第三方网易云播放器 <br /> <a href="https://music.qier222.com" target="blank"><strong>🌎 访问DEMO</strong></a>&nbsp;&nbsp;|&nbsp;&nbsp; <a href="#%EF%B8%8F-安装" target="blank"><strong>📦️ 下载安装包</strong></a>&nbsp;&nbsp;|&nbsp;&nbsp; <a href="https://t.me/yesplaymusic" target="blank"><strong>💬 加入交流群</strong></a> <br /> <br /> </p> </p> [![Library][library-screenshot]](https://music.qier222.com) ## 全新版本 全新2.0 Alpha测试版已发布,欢迎前往 [Releases](https://github.com/qier222/YesPlayMusic/releases) 页面下载。 当前版本将会进入维护模式,除重大bug修复外,不会再更新新功能。 ## ✨ 特性 - ✅ 使用 Vue.js 全家桶开发 - 🔴 网易云账号登录(扫码/手机/邮箱登录) - 📺 支持 MV 播放 - 📃 支持歌词显示 - 📻 支持私人 FM / 每日推荐歌曲 - 🚫🤝 无任何社交功能 - 🌎️ 海外用户可直接播放(需要登录网易云账号) - 🔐 支持 [UnblockNeteaseMusic](https://github.com/UnblockNeteaseMusic/server#音源清单),自动使用[各类音源](https://github.com/UnblockNeteaseMusic/server#音源清单)替换变灰歌曲链接 (网页版不支持) - 「各类音源」指默认启用的音源。 - YouTube 音源需自行安装 `yt-dlp`。 - ✔️ 每日自动签到(手机端和电脑端同时签到) - 🌚 Light/Dark Mode 自动切换 - 👆 支持 Touch Bar - 🖥️ 支持 PWA,可在 Chrome/Edge 里点击地址栏右边的 ➕ 安装到电脑 - 🟥 支持 Last.fm Scrobble - ☁️ 支持音乐云盘 - ⌨️ 自定义快捷键和全局快捷键 - 🎧 支持 Mpris - 🛠 更多特性开发中 ## 📦️ 安装 Electron 版本由 [@hawtim](https://github.com/hawtim) 和 [@qier222](https://github.com/qier222) 适配并维护,支持 macOS、Windows、Linux。 访问本项目的 [Releases](https://github.com/qier222/YesPlayMusic/releases) 页面下载安装包。 - macOS 用户可以通过 Homebrew 来安装:`brew install --cask yesplaymusic` - Windows 用户可以通过 Scoop 来安装:`scoop install extras/yesplaymusic` ## ⚙️ 部署至 Vercel 除了下载安装包使用,你还可以将本项目部署到 Vercel 或你的服务器上。下面是部署到 Vercel 的方法。 本项目的 Demo (https://music.qier222.com) 就是部署在 Vercel 上的网站。 [![Powered by Vercel](https://www.datocms-assets.com/31049/1618983297-powered-by-vercel.svg)](https://vercel.com/?utm_source=ohmusic&utm_campaign=oss) 1. 部署网易云 API,详情参见 [Binaryify/NeteaseCloudMusicApi](https://neteasecloudmusicapi.vercel.app/#/?id=%e5%ae%89%e8%a3%85) 。你也可以将 API 部署到 Vercel。 2. 点击本仓库右上角的 Fork,复制本仓库到你的 GitHub 账号。 3. 点击仓库的 Add File,选择 Create new file,输入 `vercel.json`,将下面的内容复制粘贴到文件中,并将 `https://your-netease-api.example.com` 替换为你刚刚部署的网易云 API 地址: ```json { "rewrites": [ { "source": "/api/:match*", "destination": "https://your-netease-api.example.com/:match*" } ] } ``` 4. 打开 [Vercel.com](https://vercel.com),使用 GitHub 登录。 5. 点击 Import Git Repository 并选择你刚刚复制的仓库并点击 Import。 6. 点击 PERSONAL ACCOUNT 旁边的 Select。 7. 点击 Environment Variables,填写 Name 为 `VUE_APP_NETEASE_API_URL`,Value 为 `/api`,点击 Add。最后点击底部的 Deploy 就可以部署到 Vercel 了。 ## ⚙️ 部署到自己的服务器 除了部署到 Vercel,你还可以部署到自己的服务器上 1. 部署网易云 API,详情参见 [Binaryify/NeteaseCloudMusicApi](https://github.com/Binaryify/NeteaseCloudMusicApi) 2. 克隆本仓库 ```sh git clone --recursive https://github.com/qier222/YesPlayMusic.git ``` 3. 安装依赖 ```sh yarn install ``` 4. (可选)使用 Nginx 反向代理 API,将 API 路径映射为 `/api`,如果 API 和网页不在同一个域名下的话(跨域),会有一些 bug。 5. 复制 `/.env.example` 文件为 `/.env`,修改里面 `VUE_APP_NETEASE_API_URL` 的值为网易云 API 地址。本地开发的话可以填写 API 地址为 `http://localhost:3000`,YesPlayMusic 地址为 `http://localhost:8080`。如果你使用了反向代理 API,可以填写 API 地址为 `/api`。 ``` VUE_APP_NETEASE_API_URL=http://localhost:3000 ``` 6. 编译打包 ```sh yarn run build ``` 7. 将 `/dist` 目录下的文件上传到你的 Web 服务器 ## ⚙️ Docker 部署 1. 构建 Docker Image ```sh docker build -t yesplaymusic . ``` 2. 启动 Docker Container ```sh docker run -d --name YesPlayMusic -p 80:80 yesplaymusic ``` 3. Docker Compose 启动 ```sh docker-compose up -d ``` YesPlayMusic 地址为 `http://localhost` ## ⚙️ 部署至 Replit 1. 新建 Repl,选择 Bash 模板 2. 在 Replit shell 中运行以下命令 ```sh bash <(curl -s -L https://raw.githubusercontent.com/qier222/YesPlayMusic/main/install-replit.sh) ``` 3. 首次运行成功后,只需点击绿色按钮 `Run` 即可再次运行 4. 由于 replit 个人版限制内存为 1G(教育版为 3G),构建过程中可能会失败,请再次运行上述命令或运行以下命令: ```sh cd /home/runner/${REPL_SLUG}/music && yarn install && yarn run build ``` ## 👷‍♂️ 打包客户端 如果在 Release 页面没有找到适合你的设备的安装包的话,你可以根据下面的步骤来打包自己的客户端。 1. 打包 Electron 需要用到 Node.js 和 Yarn。可前往 [Node.js 官网](https://nodejs.org/zh-cn/) 下载安装包。安装 Node.js 后可在终端里执行 `npm install -g yarn` 来安装 Yarn。 2. 使用 `git clone --recursive https://github.com/qier222/YesPlayMusic.git` 克隆本仓库到本地。 3. 使用 `yarn install` 安装项目依赖。 4. 复制 `/.env.example` 文件为 `/.env` 。 5. 选择下列表格的命令来打包适合的你的安装包,打包出来的文件在 `/dist_electron` 目录下。了解更多信息可访问 [electron-builder 文档](https://www.electron.build/cli) | 命令 | 说明 | | ------------------------------------------ | ------------------------- | | `yarn electron:build --windows nsis:ia32` | Windows 32 位 | | `yarn electron:build --windows nsis:arm64` | Windows ARM | | `yarn electron:build --linux deb:armv7l` | Debian armv7l(树莓派等) | | `yarn electron:build --macos dir:arm64` | macOS ARM | ## :computer: 配置开发环境 本项目由 [NeteaseCloudMusicApi](https://github.com/Binaryify/NeteaseCloudMusicApi) 提供 API。 运行本项目 ```shell # 安装依赖 yarn install # 创建本地环境变量 cp .env.example .env # 运行(网页端) yarn serve # 运行(electron) yarn electron:serve ``` 本地运行 NeteaseCloudMusicApi,或者将 API [部署至 Vercel](#%EF%B8%8F-部署至-vercel) ```shell # 运行 API (默认 3000 端口) yarn netease_api:run ``` ## ☑️ Todo 查看 Todo 请访问本项目的 [Projects](https://github.com/qier222/YesPlayMusic/projects/1) 欢迎提 Issue 和 Pull request。 ## 📜 开源许可 本项目仅供个人学习研究使用,禁止用于商业及非法用途。 基于 [MIT license](https://opensource.org/licenses/MIT) 许可进行开源。 ## 灵感来源 API 源代码来自 [Binaryify/NeteaseCloudMusicApi](https://github.com/Binaryify/NeteaseCloudMusicApi) - [Apple Music](https://music.apple.com) - [YouTube Music](https://music.youtube.com) - [Spotify](https://www.spotify.com) - [网易云音乐](https://music.163.com) ## 🖼️ 截图 ![lyrics][lyrics-screenshot] ![library-dark][library-dark-screenshot] ![album][album-screenshot] ![home-2][home-2-screenshot] ![artist][artist-screenshot] ![search][search-screenshot] ![home][home-screenshot] ![explore][explore-screenshot] <!-- MARKDOWN LINKS & IMAGES --> <!-- https://www.markdownguide.org/basic-syntax/#reference-style-links --> [album-screenshot]: images/album.png [artist-screenshot]: images/artist.png [explore-screenshot]: images/explore.png [home-screenshot]: images/home.png [home-2-screenshot]: images/home-2.png [lyrics-screenshot]: images/lyrics.png [library-screenshot]: images/library.png [library-dark-screenshot]: images/library-dark.png [search-screenshot]: images/search.png
高颜值的第三方网易云播放器,支持 Windows / macOS / Linux :electron:
electron,javascript,linux,mac,macos,music,player,progressive-web-app,vue,vue-cli
2024-03-19T07:03:45Z
2024-03-18T07:16:48Z
null
8
0
696
0
0
3
null
MIT
Vue
AmulyaMachhan/myPorfolio
main
# Amulya's Portfolio Welcome to my portfolio website! This is where I showcase my projects, share my resume, and blog about my experiences and insights in web development. To view my portfolio website, simply visit [Amulya's Portfolio](https://amulyamachhan.github.io/myPorfolio/). ## About Me I'm Amulya Machhan, a passionate web developer with a focus on creating immersive digital experiences. I have a strong foundation in HTML, CSS, and JavaScript, and I'm currently expanding my skills in ReactJS, NodeJS, and ExpressJS. ## Screenshots ![Portfolio ss](https://github.com/AmulyaMachhan/myPorfolio/assets/111338400/3ead8938-418a-4d32-b1d8-a72c5f92b7df) ## Features - **Projects:** Explore my latest projects, including web designs, web apps, and more. - **Resume:** View my educational background, work experience, and skills. - **Blog:** Read my articles on web development, technology, and industry trends. - **Contact:** Reach out to me via the contact form or connect with me on social media. ## Technologies Used - HTML - CSS / SCSS - JavaScript - Git / GitHub ## Getting Started To run the website locally: 1. Clone this repository: `git clone https://github.com/your-username/your-portfolio-repo.git` 2. Navigate to the project directory: `cd your-portfolio-repo` 3. Install dependencies: `npm install` 4. Start the development server: `npm start` 5. Open your browser and go to `http://localhost:port` (port may vary depending on your setup) ## Feedback If you have any feedback, questions, or suggestions, feel free to reach out to me. I'd love to hear from you! ## Acknowledgements - Special thanks to [CareerFoundry](https://careerfoundry.com) for providing inspiration and resources for web
Welcome to my portfolio website! This is where I showcase my projects, share my resume, and blog about my experiences and insights in web development.
css3,design,html,javascript,react,responsive-web-design,webdesign,webforms-api
2024-04-07T22:45:59Z
2024-04-19T13:50:42Z
null
1
0
12
0
0
3
null
null
HTML
SySafarila/js-paginate
main
# JS-Paginate An agnostic pagination package for JavaScript. <p style="text-align: center;"><img src="https://img.shields.io/npm/l/%40sysafarila%2Fjs-paginate?style=flat-square" alt="NPM License"> <img src="https://img.shields.io/github/actions/workflow/status/sysafarila/js-paginate/.github%2Fworkflows%2Ftest.yml?style=flat-square&amp;label=github%20test" alt="GitHub Actions Workflow Status"> <img src="https://img.shields.io/github/actions/workflow/status/sysafarila/js-paginate/.github%2Fworkflows%2Fnpm-publish.yml?style=flat-square&amp;label=auto%20publish" alt="GitHub Actions Workflow Status"> <img src="https://img.shields.io/npm/dy/%40sysafarila%2Fjs-paginate?style=flat-square" alt="NPM Downloads"> <img src="https://img.shields.io/npm/v/%40sysafarila%2Fjs-paginate?style=flat-square&amp;label=npm%20version" alt="NPM Version"> <img src="https://img.shields.io/github/v/release/sysafarila/js-paginate?style=flat-square" alt="GitHub Release"> <img src="https://img.shields.io/bundlephobia/minzip/%40sysafarila%2Fjs-paginate?style=flat-square" alt="npm bundle size"> <img src="https://img.shields.io/npm/unpacked-size/%40sysafarila%2Fjs-paginate?style=flat-square" alt="NPM Unpacked Size"></p> # Installation Run this command below on your terminal ``` npm i @sysafarila/js-paginate ``` # Usage | Parameter | Description | Required | | ------------ | ------------------------------------ | :---------------------------: | | current_page | Current page or active page | YES | | pages | Total pages (Received from Back-end) | YES | | length | Limit generated array length | YES, Optional since `v0.0.12` | ### CDN jsDelivr https://www.jsdelivr.com/package/npm/@sysafarila/js-paginate ```html <script src="https://cdn.jsdelivr.net/npm/@sysafarila/js-paginate@0.0.12/dist/index.min.js"></script> <script> const result = paginate({ current_page: 12, length: 9, pages: 20, }); console.log(result); </script> ``` or ```html <script type="module"> import { paginate } from "https://cdn.jsdelivr.net/npm/@sysafarila/js-paginate@0.0.12/+esm"; const result = paginate({ current_page: 12, length: 9, pages: 20, }); console.log(result); </script> ``` ### ES Module ```js import { paginate } from "@sysafarila/js-paginate"; const result = paginate({ current_page: 12, length: 9, pages: 20, }); console.log(result); ``` ### CommonJs ```js const { paginate } = require("@sysafarila/js-paginate"); const result = paginate({ current_page: 12, length: 9, pages: 20, }); console.log(result); ``` ### Result Return value of `paginate` function: ```js [8, 9, 10, 11, 12, 13, 14, 15, 16]; ``` Next, you have to `loop` this generated array to build your own UI.
An agnostic pagination package for JavaScript.
javascript,median,nodejs,pagination,typescript
2024-04-09T07:55:29Z
2024-04-29T23:56:45Z
2024-04-29T23:57:03Z
1
0
38
0
0
3
null
MIT
TypeScript
GoodKodersUnV/studysphere
main
# **Study Sphere** ### Getting Started To explore our website, you can use the following credentials: - **Username**: test@gmail.com - **Password**: test@gmail.com ## Login Screen ![image](https://github.com/WebWizards-Git/studysphere/assets/156537424/8ab48d1c-ad06-42ac-b086-759942d5eece) ## User Dashboard ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/791d437b-e845-4583-8026-4a580965b5a3) ## Join a quiz room ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/ba88e60b-9843-4f61-ad73-b43aef79206b) ## Quiz ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/e7206884-23e8-4233-9a56-f2be2b929d88) ## Leaderboaord ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/7c79e906-9183-41e3-8568-4609ae83f046) ## Creation of Room # 1. Generate Quiz from a file using ai ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/c25d994d-24b0-4ce4-82eb-77364941829a) # 2. Generate Quiz based on a topic using ai ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/cb95e2a8-77d6-460f-8729-208304a836ca) # 3. Manual Quiz creation ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/5b4e0e76-7586-4240-8305-78f4559d1849) ## Manage Rooms ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/6c91b292-c9cf-4b59-9eb0-8794e1ddbb98) ## Share directly to whatsapp ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/8674e9ed-b7ec-493e-822f-874ed8f538ed) ## Edit profile page ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/9d52979d-a049-4f4a-ae6e-df0680328791) ## Add friends ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/88ad1d91-0d2d-417b-928e-76b0a04e69dc) ## Others profile ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/e64fda73-7d37-44cf-8482-821c2b788eaf) ## Accesability features ![image](https://github.com/UdaySagar-Git/studysphere/assets/111575806/198ff76b-25ab-4414-afea-3c19419eb7da)
Revolutionary AI-powered interactive quizzing Platform
javascript,mongodb,nextauth,nextjs14,openai,prisma-orm,razorpay,typescript
2024-03-25T13:38:02Z
2024-04-03T07:35:42Z
2024-03-31T09:05:30Z
5
36
199
9
4
3
null
null
JavaScript
EmperorMurfy/Sakura
main
# Sakura - Custom Discord Bot Written using Java Script. Very basic discord bot to experiment, test, & learn discord bots as a whole. This bot currently is designed to be ran in Visual Studio Code with node.js [Current version using v20.11.1] Has very basic functions, works with one server at a time at the moment. Note: I'll add a quick setup guide soon ## Current Functions * Slash commands - try /hey * Custom bot status - 'Fying pan asmr' in desc * Checks for message events and responds - type 'domain expansion' * Cont from above - can check for user ID and self detection ## Future Goals * Multiple commands * Send embeds - gifs * Jujutsu Kaisen interactions & events * minigames? JJK themed? * add previously coded java games that work in console into chat? * add multi-server support * add java game and import to java script (nim) ## System Requirements * A Computer with Internet Connection * Visual Studio Code * Node.js # Notes: me when the code isn't working ![](https://github.com/EmperorMurfy/Sakura/blob/main/sukuna.gif)
Sakura, developed as a personal JJK themed custom discord bot
discord,discord-bot,discord-js,java,javascript,bot
2024-03-17T21:44:08Z
2024-05-01T02:56:41Z
null
1
2
44
0
0
3
null
MIT
JavaScript
Hatmic/Project-Showcase
main
# Hatmic's Project Showcase ## English ### About You can visit my website at [https://pro.hatmic.com](https://pro.hatmic.com/)! This website serves as a showcase for personal projects developed by Hatmic. The website is developed using JavaScript, HTML, and CSS. You can modify the CSS and JS files in the style and script directories, respectively. The website is hosted on Github Pages, with the code available on the [GitHub repository](https://github.com/Hatmic/Project-Showcase), released under the MIT license. According to the MIT open-source license, anyone reproducing this work must respect my copyright and must retain the original copyright notice and license declaration. Welcome to follow me on GitHub at https://github.com/Hatmic! ### Clone You can click fork to clone my repository to your GitHub account; or you can open the folder you want to clone to your local machine and enter `git clone https://github.com/Hatmic/Project-pro.hatmic.com.git` in the command line to clone the code locally. ### Modify **You can modify the information in [script/information.js](https://github.com/Hatmic/Project-pro.hatmic.com/blob/main/script/information.js) to display your content and become your project showcase page!** ## Chinese ### 关于 你可以在 [https://pro.hatmic.com](https://pro.hatmic.com/) 访问我的网站!此网站为 Hatmic 自主开发的个人项目的展示页面。 本网站使用 JavaScript, HTML, CSS 开发,你可以在 style 和 script 目录中分别修改 CSS 和 JS 文件。 此网站托管在 GitHub Pages 上,代码发布在 [Github 仓库](https://github.com/Hatmic/Project-Showcase) 中并以 MIT 协议开源。 根据 MIT 开源协议,任何人转载此作品都必须尊重我的著作权,并且必须保留原始的版权声明和许可声明。 欢迎在 GitHub 上关注我 [https://github.com/Hatmic](https://github.com/Hatmic)! ### 克隆 你可以点击 fork,将我的仓库复刻到你的 GitHub 账号上;也可以打开你要克隆到本地的文件夹,在命令行中输入 `git clone https://github.com/Hatmic/Project-pro.hatmic.com.git` 将代码克隆到本地。 ### 修改 **你可以在 [script/information.js](https://github.com/Hatmic/Project-pro.hatmic.com/blob/main/script/information.js) 中修改信息,这样就可以显示你的内容,成为你的项目展示页面了!** ### Star History [![Star History Chart](https://api.star-history.com/svg?repos=hatmic/Project-pro.hatmic.com&type=Date)](https://star-history.com/#hatmic/Project-pro.hatmic.com&Date)
Personal Project Showcase Page Template 个人项目展示页面模板【pro.hatmic.com hatmic.com Projects 项目 Homepage 个人主页 UI-design UI 设计 Vercel GitHub Pages GitHub 网页托管 MIT License MIT 开源协议 HTML CSS JavaScript Frontend development 前端开发】
css,hatmic,homepage,html,javascript,project,web,projects,projects-list,sass
2024-04-21T07:43:26Z
2024-05-19T12:29:56Z
null
1
0
59
1
3
3
null
MIT
JavaScript
creuserr/browser-signature
main
# browser-signature `browser-signature` is a client-side library that generates custom browser signature, relying on the browser's navigator, window, and screen. Browser signatures are used to identify devices, even with different user-agents or IP origins. [^1] <p align="center"><a href="https://crebin.vercel.app/demo/signature.html"><kbd>Try it online :green_circle:</kbd></a></p> # Installation ```html <script src="https://cdn.jsdelivr.net/gh/creuserr/browser-signature/dist/browser-signature.js"></script> ``` # Usage ```js getBrowserSignature() // Returns an object ``` ```js { software: String, hardware: String, compatibility: String, signature: { all: String, softcomp: String, hardcomp: String, softhard: String } } ``` ## Comparison | Negative Feature | Hardware | Software | Compatibility | |:--------|:--------:|:--------:|:-------------:| | Modifiable | No | Yes | No | | Dependability by browser | No | Yes | Yes | | Similarity conflicts | Yes | No | Yes | `Modifiable` refers to values that can be modified by the browser, server-side, or even the client-side. `Dependability by browser` refers to values that depend on whether they are supported by the browser. `Similarity conflicts` refers to values that are too weak and can cause similarity conflicts with other devices. > [!TIP] > Based on the comparison, `hardcomp` is the best signature to use. The vulnerability can somehow be replenished by combining the two constant components. # Under the hood ## Software `software` is a signature derived from the navigator's client information. It is made up of: - App name - App code name - Product - Sub-product - Vendor ## Hardware `hardware` is a signature derived from the navigator's hardware information and the device's screen information. It is made up of: - Device's available height - Device's available width - Pixel depth - Color depth - Hardware concurrency - Maximum touch points - Device's pixel ratio ## Compatibility `compatibility`, on the other hand, is a signature derived from a set of 1s and 0s depending on the compatibility of: - `WebGL2RenderingContext` - `Worker` - `WebSocket` - `WebAssembly` - `RTCCertificate` - `IDBDatabase` ## Signatures `signatures` is a compilation of overall signatures. It consists of four signatures: `softcomp` refers to the overall signature of software and compatibility. `hardcomp` refers to the overall signature of hardware and compatibility. `softhard` refers to the overall signature of software and hardware. `all` refers to the overall signature of software, hardware, and compatibility. [^1]: Since this browser signature library uses software-based information, I'm still unsure if it can affect the signature. <p>If so, please report an issue regarding it. Thank you!</p> <p align="center"><a href="https://github.com/creuserr/browser-signature/issues/new?assignees=&labels=&projects=&template=report---signature-inaccuracy.md&title=Report+~+Signature+inaccuracy"><kbd>Submit a report :red_circle:</kbd></a></p>
a client-side library for generating browser signatures
browser,browser-info,javascript,navigator,open-source,signature,tracking,vanilla-js
2024-04-19T05:53:15Z
2024-04-25T05:15:00Z
null
1
0
24
0
1
3
null
MIT
null
N0r3f/CapsuleOS
main
# CapsuleOS Un site permettant de tester des environnements de bureau, les appréhender en jouant et choisir ses préférences. [TOC] ## État des lieux et objectifs ▼ L'idée émerge d'une étude à propos des ressources numériques à portée pédagogiques offrant aux personnes éloignées du numérique la possibilité de s'accaparer les TICs, notamment dans l'objectif d'effectuer les démarches en ligne, autrement appelées "démarches dématérialisées". Celle-ci nous amène à la conclusion que les ressources sont nombreuses, éparses, douteuses mais nullement adaptées à la situation de crise que nous vivons. Malgré la mise en place de conseillers numériques et de maison France service sur tout le territoire français, l’illectronisme reste grandissant et les acteurs du numérique que sont ces conseillers n'ont pas révolutionné la pédagogie en matière d'usage numérique. L'objectif de ce projet est d'utiliser leurs témoignages et ceux de leurs usagers afin de fournir une nouvelle approche, par le biais d'une "sandbox" et de la "gamification". Ce projet ne peut prétendre devenir la panacée en matière de pédagogie numérique mais il fera l'objet de nombreux tests sur le terrain car il restera gratuit, léger et accessible à tous. Nous espérons de nombreux retour et de l'enthousiasme. ## Fiche technique et spécificités ▼ Le présent site web est constitué de manière à optimiser les ressources au mieux ▼ - éviter les surcharges de transfert client/serveur - charger les styles par le biais de variables afin de privilégier le calcul à la déclaration stricte - permettre une exécution orientée navigateur - offrir une exécution hors ligne ### Les langages ▼ Seuls trois langages sont utilisés dans ce projet afin de le rendre accessible, efficient et utilisable hors ligne. - le HTML (version 5) (sémantique) - le CSS (Version 3) (sans nesting) - le JavaScript (ecmascript 6) ### Les styles ▼ Tous les styles ne sont déclarés qu'une fois sous forme de variable dans le fichier 📁 style ➤ 📄 variables.css Ils sont ensuite utilisés tels quels ou calculés dans chaque feuille de style exemple : Prenons la variable suivante : ```css --head: 40px; ``` Elle sera utilisée dans un `<header>` afin de définir les marges de cette manière : ```css margin: calc(var(--head) / 4) calc(var(--head) / 4) calc(var(--head) / 10) calc(var(--head) / 4); ``` Dans cette exemple, le navigateur interprétera ce code tel quel : ```css margin-top: 10px; margin-right: 10px; margin-bottom: 4px; margin-left: 10px; ``` ### La convention des styles ▼ Les déclarations CSS suivent un schéma conventionnel. - position (si absolute, le positionnement est précisé à la suite) - display + templating (ex : si flexbox, le flow, l'alignement et la justification sont précisé à la suite) - width - height - margin - padding - border - font - color - background - transform - animation - transition - overflow - z-index ### Les scripts ▼ Afin de permettre une exécution pondérée des scripts, de soulager les threads et de permettre une prise en main facile, chaque script est commenté de manière claire. Chaque script est écrit from scratch en ecmascript 6 et s’exécute côté navigateur. Ils sont tous réutilisables dans chaque environnement. Ceci évite d'atteindre un nombre critique de scripts et permet d'alléger la charge sur le navigateur et le système hôte. ## Définition de l'arborescence ▼ 📄 index.html 📁 assets ▼ ​ ☰ favicon 📁 js ▼ ​ 📄 background.js ​ 📄 date.js ​ 📄 dock.js ​ 📄 index.js ​ 📄 main.js ​ 📄 menu.js ​ 📄 windows.js 📁 OS ▼ ​ 📁 linux ▼ ​ 📁 capsule ▼ ​ 📄 index.html ​ 📁 assets ▼ ​ ☰ menu_logo ​ 📁 media ▼ ​ 📁 img ▼ ​ 📁 dock ▼ ​ 📁 menu ▼ ​ 📁 pages ▼ ​ 📄 menu.html ​ 📁 style ▼ ​ 📄 animations.css ​ 📄 footer.css ​ 📄 header.css ​ 📄 imports.css ​ 📄 menu.css ​ 📄 style.css ​ 📄 windows.css 📁 pages ▼ 📁 style ▼ ​ 📄 imports.css ​ 📄 reset.css ​ 📄 variables.css
Un site permettant de tester des environnements de bureau, les appréhender en jouant et choisir ses préférences.
11,all,android,bsd,css,emulation,es6,full,html,ios
2024-03-16T18:21:02Z
2024-05-22T12:57:29Z
null
5
3
154
1
3
3
null
GPL-3.0
JavaScript
filipmariania/React-all-about
main
<!-- PROJECT LOGO --> <br /> <div align="center"> <a href="https://github.com/Techwards/all-about-react"> <img src="images/logo.png" alt="Logo" height="80"> </a> <h2 align="center"><b>All About React</b></h2> <p align="center"> A curated list of react resources from industry experts </p> <hr /> </div> <!-- PROJECT SHIELDS --> <!-- *** I'm using markdown "reference style" links for readability. *** Reference links are enclosed in brackets [ ] instead of parentheses ( ). *** See the bottom of this document for the declaration of the reference variables *** for contributors-url, forks-url, etc. This is an optional, concise syntax you may use. *** https://www.markdownguide.org/basic-syntax/#reference-style-links --> <div align="center"> [![Contributors][contributors-shield]][contributors-url] [![Forks][forks-shield]][forks-url] [![Stargazers][stars-shield]][stars-url] [![Issues][issues-shield]][issues-url] [![MIT License][license-shield]][license-url] </div> <!-- ABOUT THE PROJECT --> ## About The Project This Project is created to help developers master their concepts and expertise in React by learning from articles, talks, and podcasts from industry experts in this domain. It serves as a curated list of React material and content to help in learning react in-depth and build a solid foundation of programming concepts. We organized the material topic-wise and categorized it into articles, talks, and podcasts for now. ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- EXPERTS --> ## Experts These are the react experts to whom content and resources we are referring <table> <tr> <td align="center"><a href="#personal_blog"><img src="https://avatars.githubusercontent.com/u/3624098?v=4?s=100" width="100px;" alt="Andrew Clark"/><br /><sub><b>Andrew Clark</b></sub></a><br /><a href="https://github.com/acdlite" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp;<a href="https://twitter.com/acdlite" title="Twitter Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/twitter.svg" alt="twitter handle" height="20" width="20" /></a> </td> <td align="center"><a href="http://www.briandavidvaughn.com"><img src="https://avatars.githubusercontent.com/u/29597?v=4?s=100" width="100px;" alt="Brian Vaughn"/><br /><sub><b>Brian Vaughn</b></sub></a><br /><a href="https://github.com/bvaughn" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp;<a href="https://mobile.twitter.com/brian_d_vaughn" title="Twitter Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/twitter.svg" alt="twitter handle" height="20" width="20" /></a> </td> <td align="center"><a href="https://overreacted.io"><img src="https://avatars.githubusercontent.com/u/810438?v=4?s=100" width="100px;" alt="Dan Abramov"/><br /><sub><b>Dan Abramov</b></sub></a><br /><a href="https://github.com/gaearon" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp;<a href="https://twitter.com/dan_abramov" title="Twitter Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/twitter.svg" alt="twitter handle" height="20" width="20" /></a> </td> <td align="center"><a href="https://ryanflorence.com"><img src="https://avatars.githubusercontent.com/u/100200?v=4?s=100" width="100px;" alt="Ryan Florence"/><br /><sub><b>Ryan Florence</b></sub></a><br /><a href="https://github.com/ryanflorence" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp;<a href="https://mobile.twitter.com/ryanflorence" title="Twitter Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/twitter.svg" alt="twitter handle" height="20" width="20" /></a> </td> <td align="center"><a href="https://kentcdodds.com"><img src="https://avatars.githubusercontent.com/u/1500684?v=4?s=100" width="100px;" alt="Kent C. Dodds"/><br /><sub><b>Kent C. Dodds</b></sub></a><br /><a href="https://github.com/kentcdodds" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp;<a href="https://twitter.com/kentcdodds" title="Twitter Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/twitter.svg" alt="twitter handle" height="20" width="20" /></a> </td> <td align="center"><a href="http://bradwestfall.com"><img src="https://avatars.githubusercontent.com/u/2272118?v=4?s=100" width="100px;" alt="Brad Westfall"/><br /><sub><b>Brad Westfall</b></sub></a><br /><a href="https://github.com/bradwestfall" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp;<a href="https://twitter.com/bradwestfall" title="Twitter Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/twitter.svg" alt="twitter handle" height="20" width="20" /></a> </td> <td align="center"><a href="https://mjackson.me"><img src="https://avatars.githubusercontent.com/u/92839?v=4?s=100" width="100px;" alt="Michael Jackson"/><br /><sub><b>Michael Jackson</b></sub></a><br /><a href="https://github.com/mjackson" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp;<a href="https://twitter.com/mjackson" title="Twitter Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/twitter.svg" alt="twitter handle" height="20" width="20" /></a> </td> </tr> </table> ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- TABLE OF CONTENT --> ## <a id="table-of-contents">Table of Contents</a> - **[State and Props](#state-and-props)** - **[Hooks](#hooks)** - [useState](#use-state) - [useEffect](#use-effect) - [useCallback](#use-callback) - [useContext](#use-context) - [useDebugValue](#use-debug-value) - [useDeferredValue](#use-deferred-value) - [useEvent](#use-event) - [useId](#use-id) - [useImperativeHandle](#use-imperative-handle) - [useInsertionEffect](#use-insertion-effect) - [useLayoutEffect](#use-layout-effect) - [useMemo](#use-memo) - [useReducer](#use-reducer) - [useRef](#use-ref) - [useSyncExternalStore](#use-sync-external-store) - [useTransition](#use-transition) - **[Routing](#routing)** - [React Router](#react-router) - **[Styling](#styling)** - [CSS-in-JS](#css-in-js) - [Inline Styling](#inline-styling) - [Styled Components](#styled-components) - [CSS Modules](#css-modules) - [React Router](#react-router) - [Tailwind CSS](#tailwind-css) - **[Global State Management](#global-state-management)** - [Redux](#redux) - [Recoil](#recoil) - [Jotai](#jotai) - [Rematch](#rematch) - [Hookstate](#hook-state) - [MobX](#mobx) - [Zustand](#zustand) - **[Data Fetching](#data-fetching)** - [React Query](#react-query) - [SWR](#swr) - [RTK Query](#rtk-query) - [Apollo](#apollo) - **[Rendering](#rendering)** - **[Patterns](#patterns)** - [Composition vs Inheritance](#com-vs-int) - [Custom Hooks](#custom-hooks) - [Compound Component Pattern](#cmd-comp-pattern) - [Composition Components vs Configuration Components](#cc-vs-cc) - **[Testing](#testing)** - [React Testing Library](#react-testing-library) - [Jest](#jest) - [Enzyme](#enzyme) - **[React in Typescript](#react-in-typescript)** - **[Server Side Rendering](#server-side-rendering)** - [React Dom Server](#react-dom-server) - [NextJS](#next-js) - [Remix](#remix) - [Gatsby](#gatsby) - **[Security](#security)** - [Cyber Attacks](#cyber-attacks) - [Vulnerabilities](#vulnerabilities) - [Best Practices](#sec-best-practices) - **[Architecture](#architecture)** - **[Toolchains](#toolchains)** - [Create React App](#create-react-app) - [Vite](#vite) - [Nx](#nx) - **[Dockerization](#dockerization)** ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- STATE AND PROPS --> ## <a id="state-and-props">State and Props</a> [🔝](#table-of-contents) ### Blogs and Articles - 📜 [You Probably Don't Need Derived State by Brian Vaughn](https://reactjs.org/blog/2018/06/07/you-probably-dont-need-derived-state.html#when-to-use-derived-state) - 📜 [Props vs State by Kent C. Dodds](https://kentcdodds.com/blog/props-vs-state) - 📜 [Don't Sync State. Derive It by Kent C. Dodds](https://kentcdodds.com/blog/application-state-management-with-react) - 📜 [Application State Management with React by Kent C. Dodds](https://kentcdodds.com/blog/application-state-management-with-react) - 📜 [State Colocation will make your React app faster by Kent C. Dodds](https://kentcdodds.com/blog/understanding-reacts-key-prop) - 📜 [Understanding React's key prop by Kent C. Dodds](https://kentcdodds.com/blog/use-state-lazy-initialization-and-function-updates) - 📜 [useState lazy initialization and function updates by Kent C. Dodds](https://kentcdodds.com/blog/use-state-lazy-initialization-and-function-updates) - 📜 [Should I useState or useReducer? by Kent C. Dodds](https://kentcdodds.com/blog/should-i-usestate-or-usereducer) - 📜 [How to implement useState with useReducer by Kent C. Dodds](https://kentcdodds.com/blog/how-to-implement-usestate-with-usereducer) - 📜 [My State Management Mistake by Kent C. Dodds](https://epicreact.dev/my-state-management-mistake/) - 📜 [How To Use and Not Use State By Brad Westfall](https://reacttraining.com/blog/how-to-use-and-not-use-state/) - 📜 [How is state related to the declarative approach in React? by Brad Westfall](https://reacttraining.com/blog/state-and-the-declarative-approach/) ### Talks - 🎥 [Using Composition in React to Avoid "Prop Drilling" By Michael Jackson](https://www.youtube.com/watch?v=3XaXKiXtNjw) - 🎥 [The Actor Model: a new mental model for React by Farzad YousefZadeh](https://portal.gitnation.org/contents/the-actor-model-a-new-mental-model-for-react) - 🎥 [setState, We Need to Talk! by Nikhil Sharma](https://portal.gitnation.org/contents/setstate-we-need-to-talk) <!-- HOOKS --> ## <a id="hooks">Hooks</a> [🔝](#table-of-contents) ### Blogs and Articles - 📜 [Why Do React Hooks Rely on Call Order by Dan Abramov](https://overreacted.io/why-do-hooks-rely-on-call-order/) - 📜 [Before You memo() by Dan Abramov](https://overreacted.io/before-you-memo/) - 📜 [A Complete Guide to useEffect by Dan Abramov](https://overreacted.io/a-complete-guide-to-useeffect/) - 📜 [Synchronizing with Effects by Dan Abramov](https://beta.reactjs.org/learn/synchronizing-with-effects) - 📜 [Making setInterval Declarative with React Hooks by Dan Abramov](https://overreacted.io/making-setinterval-declarative-with-react-hooks/) - 📜 [Reconciling the useEffect Tree By Ryan Florence](https://reacttraining.com/blog/react-effect-tree/) - 📜 [Using Hooks in Classes By Ryan Florence](https://reacttraining.com/blog/using-hooks-in-classes/) - 📜 [useEffect vs useLayoutEffect by Kent C. Dodds](https://kentcdodds.com/blog/useeffect-vs-uselayouteffect) - 📜 [React Hooks: Compound Components by Kent C. Dodds](https://kentcdodds.com/blog/compound-components-with-react-hooks) - 📜 [5 Tips to Help You Avoid React Hooks Pitfalls by Kent C. Dodds](https://kentcdodds.com/blog/react-hooks-pitfalls) - 📜 [When to useMemo and useCallback by Kent C. Dodds](https://kentcdodds.com/blog/usememo-and-usecallback) - 📜 [Myths about useEffect by Kent C. Dodds](https://epicreact.dev/myths-about-useeffect/) - 📜 [useEffect(fn, []) is not the new componentDidMount() by Brad Westfall](https://reacttraining.com/blog/useEffect-is-not-the-new-componentDidMount/) - 📜 [When do I use functions in a Hooks Dependency Array? By Brad Westfall](https://reacttraining.com/blog/when-to-use-functions-in-hooks-dependency-array/) - 📜 [Wins for Hooks By Brad Westfall](https://reacttraining.com/blog/wins-for-hooks/) - 📜 [Blog Claps, and lessons on Hooks By Brad Westfall](https://reacttraining.com/blog/blog-claps-and-lessons-on-hooks/) ### Talks - 🎥 [React Today and Tomorrow and 90% Cleaner React With Hooks by Dan Abramov](https://www.youtube.com/watch?v=dpw9EHDh2bM&list=RDCMUCz5vTaEhvh7dOHEyd1efcaQ&start_radio=1&rv=dpw9EHDh2bM&t=4) - 🎥 [90% Cleaner React With Hooks by Ryan Florence](https://youtu.be/wXLf18DsV-I) - 🎥 [Fun with React Hooks by Michael Jackson and Ryan Florence](https://youtu.be/1jWS7cCuUXw) - 🎥 [Modern React Workshop: Hooks and Suspense (Part 1) by Kent C. Dodds](https://www.youtube.com/watch?v=xcZXS_VEJS0) - 🎥 [Modern React Workshop: Hooks and Suspense (Part 2) by Kent C. Dodds](https://www.youtube.com/watch?v=NKAfuguroRY) - 🎥 [Live with Kent: TypeScriptifying the "Advanced React Hooks" workshop by Kent C. Dodds](https://www.youtube.com/watch?v=wsTKYr2acl8) - 🎥 [React Hook Pitfalls - React Rally 2019 by Kent C. Dodds](https://www.youtube.com/watch?v=VIRcX2X7EUk) - 🎥 [React useEffect - What goes in the dependency array? What do functions sometimes go in the array? By Brad Westfall](https://www.youtube.com/watch?v=NbzDb15j_WU) - 🎥 [Composing Behavior in React or Why React Hooks are Awesome by Michael Jackson](https://www.youtube.com/watch?v=nUzLlHFVXx0) - 🎥 [Hooks are a great abstraction model by Calin Tamas](https://portal.gitnation.org/contents/hooks-are-a-great-abstraction-model) - 🎥 [We Don’t Know How React State Hooks Work by Adam Klein](https://portal.gitnation.org/contents/we-dont-know-how-react-state-hooks-work-456) - 🎥 [Don't Forget React Memo by Khrystyna Landvytovych](https://portal.gitnation.org/contents/dont-forget-react-memo) - 🎥 [Requisite React: Learn how to use React Hooks, Suspense & JSX by Kent C. Dodds](https://www.youtube.com/watch?v=tO8qHlr6Wqg&list=PLNBNS7NRGKMHLTeH4qfD3F320GXfj97kc&index=1) - 🎥 [React's Tackle Box, Using the Right Hooks for the Job by Bryan Pitt](https://www.youtube.com/watch?v=uDguyp13pl8) - 🎥 [Build Modern React apps with Hooks, Suspense, Context, and Firebase by Jeff Huleatt](https://www.youtube.com/watch?v=Mi9aKDcpRYA&list=PLNBNS7NRGKMH-zMH-MG7wSszTThAKFi3S&index=11) - 🎥 [The Psychological Effects of useEffect by Sara Vieira](https://www.youtube.com/watch?v=0Mfk9k1eXME) - 🎥 [React without memo by Xuan Huang](https://www.youtube.com/watch?v=lGEMwh32soc&t=404s) ### Podcasts - 🎙️ [Realigning Your Model of React After Hooks With Dan Abramov](https://kentcdodds.com/chats/01/03/realigning-your-model-of-react-after-hooks-with-dan-abramov) - 🎙️ [Trying React Hooks for the first time with Dan Abramov](https://www.youtube.com/watch?v=G-aO5hzo1aw) - 🎙️ [Hooks are Mixins with Ryan Florence](https://spec.fm/podcasts/reactpodcast/6495881a) ## <a id="rendering">Rendering</a> [🔝](#table-of-contents) ### Blogs and Articles - 📜 [Introducing the React Profiler By Brian Vaughn](https://reactjs.org/blog/2018/09/10/introducing-the-react-profiler.html) - 📜 [Introducing the New React DevTools By Brian Vaughn](https://reactjs.org/blog/2019/08/15/new-react-devtools.html) - 📜 [React Inline Functions And Performance By Ryan Florence](https://reacttraining.com/blog/react-inline-functions-and-performance/) - 📜 [React Context and Re-Renders: React Take the Wheel By Ryan Florence](https://medium.com/@ryanflorence/react-context-and-re-renders-react-take-the-wheel-cd1d20663647) - 📜 [Fix the slow render before you fix the re-render by Kent C. Dodds](https://kentcdodds.com/blog/fix-the-slow-render-before-you-fix-the-re-render) - 📜 [React: "mount" vs "render"? By Brad Westfall](https://reacttraining.com/blog/mount-vs-render/) - 📜 [Portals with Context By Brad Westfall](https://reacttraining.com/blog/portals-with-context/) - 📜 [Flow Control in React By Brad Westfall](https://reacttraining.com/blog/flow-control-in-react/) - 📜 [Use a render prop by Michael Jackson](https://reactjs.org/docs/render-props.html) ### Talks - 🎥 [Concurrent Rendering in React by Andrew Clark and Brian Vaughn](https://www.youtube.com/watch?v=ByBPyMBTzM0) - 🎥 [Creating More Efficient React Views with Windowing By Brian Vaughn](https://www.youtube.com/watch?v=t4tuhg7b50I) - 🎥 [React Developer tooling By Brian Vaughn](https://www.youtube.com/watch?v=Mjrfb1r3XEM) - 🎥 [React Developer Tooling React Conf 2021 By Brian Vaughn](https://www.youtube.com/watch?v=oxDfrke8rZg) - 🎥 [Playing with React suspense and DevTools By Brian Vaughn](https://www.youtube.com/watch?v=5RzOiibu8sg) - 🎥 [Deep dive with the React DevTools profiler By Brian Vaughn](https://www.youtube.com/watch?v=nySib7ipZdk) - 🎥 [Why The Form? Data Mutations on the Web - RenderATL 2022 by Ryan Florence](https://www.youtube.com/watch?v=CbW6gGfXUE8) - 🎥 [Never Write Another HoC by Michael Jackson](https://www.youtube.com/watch?v=BcVAq3YFiuc) - 🎥 [Road to a Better UX with Suspense and Concurrent UI by Nikhil Sharma](https://www.youtube.com/watch?v=mTCjvL3x04k) - 🎥 [Cracking the Concurrent Mode by Sudhanshu Yadav](https://portal.gitnation.org/contents/cracking-the-concurrent-mode) - 🎥 [Beyond Virtual Lists: How to Render 100K Items with 100s of Updates/sec in React by Michel Weststrate](https://portal.gitnation.org/contents/beyond-virtual-lists-how-to-render-100k-items-with-100s-of-updatessec-in-react) - 🎥 [The Worlds Most Expensive React Component and How to Stop Writing It by Michael Chan](https://portal.gitnation.org/contents/the-worlds-most-expensive-react-component-and-how-to-stop-writing-it) - 🎥 [Inside Fiber: the in-depth overview you wanted a TLDR for by Matheus Albuquerque](https://portal.gitnation.org/contents/inside-fiber-the-in-depth-overview-you-wanted-a-tldr-for) - 🎥 [Let's Talk about Re-renders by Nadia Makarevich](https://portal.gitnation.org/contents/lets-talk-about-re-renders) - 🎥 [React Advanced Keynote: Performance is magic by Ken Wheeler](https://www.youtube.com/watch?v=t8svxxtUTl8) - 🎥 [Track and increase speed of your apps by Jessica Leach](https://www.youtube.com/watch?v=vDXF7iGEGzo) - 🎥 [An Overview of React's Reconciliation Algorithm by Elad Tzemach](https://www.youtube.com/watch?v=3_g_kv1PWXI) ### Podcasts - 🎙️ [Decide with Your Human Brain, with Brian Vaughn. On the new React profiler, windowing, and intelligent performance tuning.](https://reactpodcast.com/episodes/37) - 🎙️ [Brian Vaughn on Fast Refresh for Web and Concurrent React Dev Tools](https://play.acast.com/s/the-react-podcast/dc1f412e-e108-4497-9c62-a152c21a488a) - 🎙️ [Brian Vaughn on Async Rendering System and New Component Lifecycle Methods](https://podcast.codingzeal.com/114820/696362-brian-vaughn-react-core-team-member) - 🎙️ [Michael Jackson on Async React with Andrew Clark](https://reactpodcast.com/6) ## <a id="patterns">Patterns</a> [🔝](#table-of-contents) ### Blogs and Articles - 📜 [Advanced Element Composition in React by Ryan Florence](https://ryanflorence.dev/p/advanced-element-composition-in-react) - 📜 [The State Initializer Pattern by Kent C. Dodds](https://kentcdodds.com/blog/the-state-initializer-pattern) - 📜 [Advanced React Component Patterns by Kent C. Dodds](https://kentcdodds.com/blog/updated-advanced-react-component-patterns) - 📜 [The state reducer pattern by Kent C. Dodds](https://kentcdodds.com/blog/the-state-reducer-pattern) - 📜 [Stop using isLoading booleans by Kent C. Dodds](https://kentcdodds.com/blog/stop-using-isloading-booleans) - 📜 [Why you shouldn't put refs in a dependency array by Kent C. Dodds](https://epicreact.dev/why-you-shouldnt-put-refs-in-a-dependency-array/) - 📜 [The Latest Ref Pattern in React by Kent C. Dodds](https://epicreact.dev/the-latest-ref-pattern-in-react/) - 📜 [One React mistake that's slowing you down by Kent C. Dodds](https://epicreact.dev/one-react-mistake-thats-slowing-you-down/) - 📜 [Memoization and React by Kent C. Dodds](https://epicreact.dev/memoization-and-react/) ### Talks - 🎥 [When To Fetch: Remixing React Router by Ryan Florence](https://www.youtube.com/watch?v=95B8mnhzoCM) - 🎥 [The Curse Of React By Ryan Florence](https://www.youtube.com/watch?v=orq9XnHGTgQ) - 🎥 [Making The DOM Declarative by Michael Jackson](https://www.youtube.com/watch?v=vyO5wKHlWZg) - 🎥 [Components, Patterns and sh*t it's Hard to Deal with by Marco Cedaro](https://portal.gitnation.org/contents/components-patterns-and-sht-its-hard-to-deal-with) - 🎥 [Refactoring React: Which component pattern can improve your codebase? by Siddharth Kshetrapal](https://www.youtube.com/watch?v=2Dw8gA60d_k&list=PLNBNS7NRGKMHLTeH4qfD3F320GXfj97kc&index=3) - 🎥 [UI as API by Narendra Shetty](https://www.youtube.com/watch?v=VN43HsCU3qM) - 🎥 [How Many Ways to Say I'm Sorry, Error Handling in React by Jesse Martin](https://www.youtube.com/watch?v=ExC0N1XHaRQ) - 🎥 [Scalable React Development for Large Projects by Jason Jean](https://www.youtube.com/watch?v=Lr-u2ALSEQg) - 🎥 [Designing with Code in Mind by Elizabet Oliveira](https://www.youtube.com/watch?v=fYQoeaJMLjw) - 🎥 [Setting Up Feature Flags with React by Talia Nassi](https://www.youtube.com/watch?v=533cKBMyKWg) ### Podcasts - 🎙️ [Building Accessible UI Components by Ryan Florence](https://fullstackradio.com/97) ## <a id="testing">Testing</a> [🔝](#table-of-contents) ### Blogs and Articles - 📜 [Introducing the react-testing-library by Kent C. Dodds](https://kentcdodds.com/blog/introducing-the-react-testing-library) - 📜 [Static vs Unit vs Integration vs E2E Testing for Frontend Apps by Kent C. Dodds](https://kentcdodds.com/blog/static-vs-unit-vs-integration-vs-e2e-tests) - 📜 [React Hooks: What's going to happen to my tests? by Kent C. Dodds](https://kentcdodds.com/blog/react-hooks-whats-going-to-happen-to-my-tests) - 📜 [Common mistakes with React Testing Library by Kent C. Dodds](https://kentcdodds.com/blog/common-mistakes-with-react-testing-library) - 📜 [How to test custom React hooks by Kent C. Dodds](https://kentcdodds.com/blog/how-to-test-custom-react-hooks) - 📜 [Testing Implementation Details by Kent C. Dodds](https://kentcdodds.com/blog/testing-implementation-details) - 📜 [Write fewer, longer tests by Kent C. Dodds](https://kentcdodds.com/blog/write-fewer-longer-tests) - 📜 [How to Test React.useEffect by Kent C. Dodds](https://epicreact.dev/how-to-test-react-use-effect/) ### Talks - 🎥 [Automating All the Code & Testing Things with GitHub Actions by Colby Fayock](https://portal.gitnation.org/contents/automating-all-the-code-and-testing-things-with-github-actions) - 🎥 [To Mock or Not to Mock - That's the Question by Rita Castro](https://portal.gitnation.org/contents/to-mock-or-not-to-mock-thats-the-question) - 🎥 [Don’t Let Your Unit Tests Slow You Down: Improve your front-end testing by Daniel Irvine](https://www.youtube.com/watch?v=1vDXRDQ9aJE&list=PLNBNS7NRGKMH7yfpYQD4TrFV25SMOCIPM&index=4) - 🎥 [Testing Is All About Principles by Alex Lobera](https://www.youtube.com/watch?v=xjP3Ll1UhEw) - 🎥 [BDD & TDD in React by Laura Beatris](https://www.youtube.com/watch?v=IbAiiHMD0Mg) - 🎥 [Write Tests. Generate UI. Profit! by Ed Bentley](https://www.youtube.com/watch?v=zy6qz5_CFc0) <!-- REACT IN TYPESCRIPT --> ## <a id="react-in-typescript">React in TypeScript</a> [🔝](#table-of-contents) ### Blogs and Articles - 📜 [Wrapping React.useState with TypeScript by Kent C. Dodds](https://kentcdodds.com/blog/wrapping-react-use-state-with-type-script?ck_subscriber_id=363851721) - 📜 [How to write a React Component in TypeScript by Kent C. Dodds](https://kentcdodds.com/blog/how-to-write-a-react-component-in-typescript) ### Talks - 🎥 [TypeScript-ifying react-workshop-app by Kent C. Dodds](https://www.youtube.com/watch?v=3gGoV1TYmFk) - 🎥 [TypeScript-ifying EpicReact.dev workshops by Kent C. Dodds](https://www.youtube.com/watch?v=ouKooD-Afjo) - 🎥 [TypeScript-ifying the React Fundamentals workshop by Kent C. Dodds](https://www.youtube.com/watch?v=-p4RXvG9x-U) - 🎥 [TypeScript-ifying EpicReact.dev workshops by Kent C. Dodds](https://www.youtube.com/watch?v=N59_LYnf_SI) - 🎥 [TypeScriptifying the "Advanced React Hooks" workshop by Kent C. Dodds](https://www.youtube.com/watch?v=wsTKYr2acl8) ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- CONTRIBUTION --> ## Contribution Contributions are what make the open source community such an amazing place to learn, inspire, and create. Any contributions you make are **greatly appreciated!**. Please read the [contribution guidelines](CONTRIBUTING.md) first. ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- MAINTAINERS --> ## Maintainers <table> <tr> <td align="center"> <a href="#personal_blog"><img src="https://avatars.githubusercontent.com/u/39087083?v=4?s=100" width="100px;" alt="Nabeel Shakeel"/><br /><sub><b>Nabeel Shakeel</b></sub></a><br /> <a href="https://github.com/nabeel-shakeel" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp; <a href="https://www.linkedin.com/in/nabeel-shakeel-130" title="LinkedIn Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/linked-in-alt.svg" alt="linkedin handle" height="20" width="20" /></a> </td> <td align="center"> <a href="#personal_blog"><img src="https://avatars.githubusercontent.com/u/77956492?v=4?s=100" width="100px;" alt="Sheraz Siddiqui"/><br /><sub><b>Sheraz Siddiqui</b></sub></a><br /> <a href="https://github.com/Sheraz064-ai" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp; <a href="https://www.linkedin.com/in/sherazsiddiqui0456" title="LinkedIn Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/linked-in-alt.svg" alt="linkedin handle" height="20" width="20" /></a> </td> <td align="center"> <a href="#personal_blog"><img src="https://avatars.githubusercontent.com/u/34398018?v=4?s=100" width="100px;" alt="Muhammad Abdullah"/><br /><sub><b>Muhammad Abdullah</b></sub></a><br /> <a href="https://github.com/MAb540" title="Github Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/github.svg" alt="github handle" height="20" width="20" /></a>&nbsp;&nbsp; <a href="https://www.linkedin.com/in/muhammad-abdullah-b1a315197" title="LinkedIn Profile"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/linked-in-alt.svg" alt="linkedin handle" height="20" width="20" /></a> </td> </tr> </table> ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- Star --> ## Star Don't forget to hit the ⭐, If you like this repository. ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- LICENSE --> ## License Distributed under the MIT License. See `LICENSE` for more information. ![-----------------------------------------------------](https://raw.githubusercontent.com/andreasbm/readme/master/assets/lines/grass.png) <!-- MARKDOWN LINKS & IMAGES --> <!-- https://www.markdownguide.org/basic-syntax/#reference-style-links --> [contributors-shield]: https://img.shields.io/github/contributors/Techwards/all-about-react.svg?style=for-the-badge [contributors-url]: https://github.com/Techwards/all-about-react/graphs/contributors [forks-shield]: https://img.shields.io/github/forks/Techwards/all-about-react.svg?style=for-the-badge [forks-url]: https://github.com/Techwards/all-about-react/network/members [stars-shield]: https://img.shields.io/github/stars/Techwards/all-about-react.svg?style=for-the-badge [stars-url]: https://github.com/Techwards/all-about-react/stargazers [issues-shield]: https://img.shields.io/github/issues/Techwards/all-about-react?style=for-the-badge [issues-url]: https://github.com/Techwards/all-about-react/issues [license-shield]: https://img.shields.io/github/license/Techwards/all-about-react?style=for-the-badge [license-url]: https://github.com/Techwards/all-about-react [good-first-issue-shield]: https://img.shields.io/github/labels/Techwards/all-about-react/good%20first%20issue?style=for-the-badge [good-first-issues]: https://github.com/Techwards/all-about-react/issues?q=is%3Aopen+is%3Aissue+label%3A%22good+first+issue%22
A curated list of react blogs, talks, podcast from industry experts
awesome-list,community,content,documentation,excellence,expert,guide,javascript,open-source,react
2024-04-06T17:59:48Z
2022-11-01T04:28:22Z
null
1
0
52
0
0
3
null
MIT
JavaScript
Sandeepkonjeti/E-Commerce_Website
main
# E-Commerce_Website A project done for the course Java Full Stack Development - **Under** **EDUNXT** **Team** **members** - Sandeep Konjeti - Narasimharao Dasari - Gopavarapu Karthik **Abstract** _____________________________________________________________________________ Our e-commerce platform offers a seamless shopping experience, catering to a diverse range of users with its intuitive interface and extensive product categories. From electronics to fashion and beyond, our website boasts a user-friendly design coupled with secure payment options, ensuring peace of mind for every transaction. With personalized recommendations and exclusive deals, users enjoy a tailored shopping journey, while sellers benefit from easy store setup and access to a vast customer base. Embracing mobile responsiveness and social media integration, our platform fosters convenience and connectivity for all parties involved. Join us and discover the next level of online retail experience. **Introduction** _____________________________________________________________________________ Writing a thousand lines of code and turning that into a website is one of the creative and complicated things for web developers. If you get excited seeing a lot of beautiful web sites and thinking to try your hands on it then we need to open your eyes telling some important things that you should know as a web developer. Creating a website that gets a lot of users attention is not just about learning various programming languages, you also need to learn some other concepts like Dev Tools, data formats, testing, APIs, authentication and a lot of stuff like that once you will dig yourself into thisfield. The most important skill or knowledge every developer should lea rn first is thesethree basic building blocks i.e. HTML, CSS, and JavaScript. We will be using HTML and CSS in frontend for interfaces. Just right click on our web browser and then selecting view page source option does it. We can find the structure of your website where a lot of HTML tags are used for different purposes.CSS is also used in the frontend that decides the style, design, layout and how HTML elements need to be displayed on the screen. Java script is high in demand nowadays and it is basically responsible for making our HTML pages dynamic and interactive. Java script also comes with a variety of languages like to make our website more interactive. If we’re gonna specialize in java script like MEAN Stack then we’re gonna deep dive into this language because this one will be our front end as well as backend language. You can do a lot of stuff using browser Dev Tools like debugging, editing HTML elements, editing CSS properties, checking device, tracking java script error, etc. Every developer should be aware of using different tabs (elements, console, network, etc.) in Dev Tools to make their work easier and faster. **NSKY** **Shopping** **Website** ______________________________________________________________________ **ABSTRACT** : NSKY is a shopping website other than any other website we had a very smooth interface with a good transistion between the pages and had a great visuals and no crashes between the one page to the another page . NSKY is just a start up company which provide the great clothing and the foot wear to the users in wide range not only these you can see the all stuff need for the daily fashion. Creation of welcome page : ![image](https://github.com/Sandeepkonjeti/E-Commerce_Website/assets/158014653/0cfc5313-d860-47e1-843d-781b302597c4) Login & Sign up page : By using the **signup** **page** user can access there account in any mobile simply with there password and e mail id so that can use the same account in multiple devices ![image](https://github.com/Sandeepkonjeti/E-Commerce_Website/assets/158014653/01c9bd76-01cd-472f-93b3-41bffca44e38) This **login** **page** provides a extra security to the user for account conformation and for the shopping ![image](https://github.com/Sandeepkonjeti/E-Commerce_Website/assets/158014653/03045a96-1a31-47c5-817b-63770c944fd0) Home page and product page : This is the main page and it is the heart of the website which has taken all the sweat and we really worked very hard for the product page for the good interface and the easy identification of the products and easy access for the user what they used to find for the shopping and in the home page we have - Banner - Product page - Cart Banner: This banner page will show the offers and the products which are available for the user in the shopping site and this banner is completely scrollable and they can have a multiple banners for different offers Product page: In this we can have a multiple access for the different products like sweatshirts, shirts, trousers ,jeans ,rings ,watches ,shoes, and night were so that you can select from the required range so that they can have a multiple range of products and the can easily add the products in to cart with out any interruptions and they can add the multiple range products and from the clothing to foot ware and we have a very smooth interactions Cart: In this user can see the what they have added in cart and what the value of the total order after this page we will have a address page and the shipment page and the and were you will get the conformation of the order and the you will receive the order details to the regester mail id and the mobile number In the index page we created a advertisement container which consists of trending offers and coupons on the events . Here we just used the wrogn photos for ad-congtainer to just make the website beautifull **Home Page:** ![image](https://github.com/Sandeepkonjeti/E-Commerce_Website/assets/158014653/26ee2296-038f-40e6-81b4-c760cdcca036) **Products Page:** ![image](https://github.com/Sandeepkonjeti/E-Commerce_Website/assets/158014653/6035b6c8-f39d-42c7-86d8-a76815c23ce4) **Cart Page:** ![image](https://github.com/Sandeepkonjeti/E-Commerce_Website/assets/158014653/c5e92ae7-5be7-4a45-863d-026efaea6813) **Payment Page:** In this payment page we inserted two payment options : 1. Cash on delivery 2. Online payment ![image](https://github.com/Sandeepkonjeti/E-Commerce_Website/assets/158014653/da2500c1-1213-4c64-88c0-978822280400) **Conclusion:** NSKY presents a dynamic and user-centric shopping experience, underpinned by a seamless interface and a vast array of products. From its welcoming homepage to the intuitive product pages and convenient checkout process, NSKY prioritizes user satisfaction and ease of use. With secure login and payment options, coupled with responsive customer support, our platform ensures a worry-free shopping journey for every visitor. Whether you're browsing for fashion essentials or exploring the latest trends, NSKY strives to exceed expectations and deliver excellence at every touchpoint. Join us in redefining the online shopping experience, one click at a time.
Developed and implemented new Animations to the E-Commerce website using HTML, CSS, Java Script. Led cross-functional troubleshooting sessions with a team of 4 to diagnose and resolve 2many software glitches, enhancing product performance. Conducted market research and competitor analysis to identify opportunities for improvement in the E-Commerce
bootstrap,css3,html5,javascript
2024-04-03T09:11:17Z
2024-04-19T06:37:51Z
null
1
0
4
0
0
3
null
null
HTML
danishi/textlint-rule-gc-product-name
main
# textlint-rule-gc-product-name [![ci](https://github.com/danishi/textlint-rule-gc-product-name/actions/workflows/ci.yml/badge.svg)](https://github.com/danishi/textlint-rule-gc-product-name/actions/workflows/ci.yml) [![Contributors](https://img.shields.io/github/contributors/danishi/textlint-rule-gc-product-name)](https://github.com/danishi/textlint-rule-gc-product-name/contributors) [![Last Commit](https://img.shields.io/github/last-commit/danishi/textlint-rule-gc-product-name)](https://github.com/danishi/textlint-rule-gc-product-name/last-commit) [![Open Issues](https://img.shields.io/github/issues-raw/danishi/textlint-rule-gc-product-name)](https://github.com/danishi/textlint-rule-gc-product-name/issues) [![LRepo-size](https://img.shields.io/github/repo-size/danishi/textlint-rule-gc-product-name)](https://github.com/danishi/textlint-rule-gc-product-name/repo-size) [![MIT](https://img.shields.io/github/license/danishi/textlint-rule-gc-product-name)](https://github.com/danishi/textlint-rule-gc-product-name/blob/master/LICENSE) ![NPM Downloads 18m](https://img.shields.io/npm/d18m/textlint-rule-gc-product-name) ![NPM Downloads week](https://img.shields.io/npm/dw/textlint-rule-gc-product-name) ![NPM Downloads month](https://img.shields.io/npm/dm/textlint-rule-gc-product-name) [![PRs Welcome](https://img.shields.io/badge/PRs-welcome-brightgreen.svg?style=flat-square)](https://makeapullrequest.com) [!["Buy Me A Coffee"](https://www.buymeacoffee.com/assets/img/custom_images/orange_img.png)](https://www.buymeacoffee.com/danishi) This rule checks Google Cloud product names. The names of products are obtained from [this API](https://github.com/danishi/gc-service-list-api). ## Install Install with [npm](https://www.npmjs.com/package/textlint-rule-gc-product-name): npm install textlint-rule-gc-product-name ## Usage Via `.textlintrc.json`(Recommended) ```json { "rules": { "gc-product-name": true } } ``` Via CLI ``` textlint --rule gc-product-name README.md ``` ### Build Builds source codes for publish to the `lib` folder. You can write ES2015+ source codes in `src/` folder. npm run build ### Tests Run test code in `test` folder. Test textlint rule by [textlint-tester](https://github.com/textlint/textlint-tester). npm test ## License MIT © danishi
This rule checks Google Cloud product names.
google-cloud,javascript,textlint
2024-05-01T07:26:39Z
2024-05-14T06:21:45Z
2024-05-05T04:50:50Z
1
2
20
0
0
3
null
MIT
JavaScript
ProboKrishnacahya/0706012010039_Final-Project
master
# Daily Catering Marketplace Web Application > IMT01309801-A Final Project (2023-2) Developed by **0706012010039 - Probo Krishnacahya**. Rancang Bangun Lokapasar Katering Harian Berbasis Web (Web-Based Daily Catering Marketplace Design). **Use cases:** | Vendor | Customer | | --- | --- | | 1. Configure Rule <ul><li>`<<include>>` Set Delivery Distance and Cost</li><li>`<<include>>` Set Order Deadline</li></ul> | 1. Top up Credit | | 2. Manage Menu <ul><li>`<<extend>>` Add Menu</li><li>`<<extend>>` Edit Menu</li><li>`<<extend>>` Delete Menu</li></ul> | 2. Add Cart item | | 3. Manage Regular Schedule | 3. Edit Cart item | | 4. Manage Incoming Order | 4. Delete Cart item | | 5. View Testimony <ul><li>`<<extend>>` View Reported Problem</li></ul> | 5. Checkout | | 6. Download Sales Report | 6. Cancel Order | | 7. Cash out Credit | 7. Add Testimony <ul><li>`<<extend>>` Request Refund</li></ul> | --- <p align="center"><a href="https://laravel.com" target="_blank"><img src="https://raw.githubusercontent.com/laravel/art/master/logo-lockup/5%20SVG/2%20CMYK/1%20Full%20Color/laravel-logolockup-cmyk-red.svg" width="400" alt="Laravel Logo"></a></p> <p align="center"> <a href="https://github.com/laravel/framework/actions"><img src="https://github.com/laravel/framework/workflows/tests/badge.svg" alt="Build Status"></a> <a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/dt/laravel/framework" alt="Total Downloads"></a> <a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/v/laravel/framework" alt="Latest Stable Version"></a> <a href="https://packagist.org/packages/laravel/framework"><img src="https://img.shields.io/packagist/l/laravel/framework" alt="License"></a> </p> ## About Laravel Laravel is a web application framework with expressive, elegant syntax. We believe development must be an enjoyable and creative experience to be truly fulfilling. Laravel takes the pain out of development by easing common tasks used in many web projects, such as: - [Simple, fast routing engine](https://laravel.com/docs/routing). - [Powerful dependency injection container](https://laravel.com/docs/container). - Multiple back-ends for [session](https://laravel.com/docs/session) and [cache](https://laravel.com/docs/cache) storage. - Expressive, intuitive [database ORM](https://laravel.com/docs/eloquent). - Database agnostic [schema migrations](https://laravel.com/docs/migrations). - [Robust background job processing](https://laravel.com/docs/queues). - [Real-time event broadcasting](https://laravel.com/docs/broadcasting). Laravel is accessible, powerful, and provides tools required for large, robust applications. ## Learning Laravel Laravel has the most extensive and thorough [documentation](https://laravel.com/docs) and video tutorial library of all modern web application frameworks, making it a breeze to get started with the framework. You may also try the [Laravel Bootcamp](https://bootcamp.laravel.com), where you will be guided through building a modern Laravel application from scratch. If you don't feel like reading, [Laracasts](https://laracasts.com) can help. Laracasts contains thousands of video tutorials on a range of topics including Laravel, modern PHP, unit testing, and JavaScript. Boost your skills by digging into our comprehensive video library. ## Laravel Sponsors We would like to extend our thanks to the following sponsors for funding Laravel development. If you are interested in becoming a sponsor, please visit the [Laravel Partners program](https://partners.laravel.com). ### Premium Partners - **[Vehikl](https://vehikl.com/)** - **[Tighten Co.](https://tighten.co)** - **[WebReinvent](https://webreinvent.com/)** - **[Kirschbaum Development Group](https://kirschbaumdevelopment.com)** - **[64 Robots](https://64robots.com)** - **[Curotec](https://www.curotec.com/services/technologies/laravel/)** - **[Cyber-Duck](https://cyber-duck.co.uk)** - **[DevSquad](https://devsquad.com/hire-laravel-developers)** - **[Jump24](https://jump24.co.uk)** - **[Redberry](https://redberry.international/laravel/)** - **[Active Logic](https://activelogic.com)** - **[byte5](https://byte5.de)** - **[OP.GG](https://op.gg)**
Rancang Bangun Lokapasar Katering Harian Berbasis Web (Web-Based Daily Catering Marketplace Design)
bootstrap,catering,laravel,marketplace,javascript,jquery,php,scss,ajax
2024-03-19T07:42:37Z
2024-05-19T11:24:53Z
null
3
0
147
0
1
3
null
null
JavaScript
passiondev2024/vue-admin-template
main
# vue-admin-template English | [简体中文](./README-zh.md) > A minimal vue admin template with Element UI & axios & iconfont & permission control & lint **Live demo:** http://panjiachen.github.io/vue-admin-template **The current version is `v4.0+` build on `vue-cli`. If you want to use the old version , you can switch branch to [tag/3.11.0](https://github.com/PanJiaChen/vue-admin-template/tree/tag/3.11.0), it does not rely on `vue-cli`** <p align="center"> <b>SPONSORED BY</b> </p> <p align="center"> <a href="https://finclip.com?from=vue_element" title="FinClip" target="_blank"> <img height="200px" src="https://gitee.com/panjiachen/gitee-cdn/raw/master/vue%E8%B5%9E%E5%8A%A9.png" title="FinClip"> </a> </p> ## Build Setup ```bash # clone the project git clone https://github.com/PanJiaChen/vue-admin-template.git # enter the project directory cd vue-admin-template # install dependency npm install # develop npm run dev ``` This will automatically open http://localhost:9528 ## Build ```bash # build for test environment npm run build:stage # build for production environment npm run build:prod ``` ## Advanced ```bash # preview the release environment effect npm run preview # preview the release environment effect + static resource analysis npm run preview -- --report # code format check npm run lint # code format check and auto fix npm run lint -- --fix ``` Refer to [Documentation](https://panjiachen.github.io/vue-element-admin-site/guide/essentials/deploy.html) for more information ## Demo ![demo](https://github.com/PanJiaChen/PanJiaChen.github.io/blob/master/images/demo.gif) ## Extra If you want router permission && generate menu by user roles , you can use this branch [permission-control](https://github.com/PanJiaChen/vue-admin-template/tree/permission-control) For `typescript` version, you can use [vue-typescript-admin-template](https://github.com/Armour/vue-typescript-admin-template) (Credits: [@Armour](https://github.com/Armour)) ## Related Project - [vue-element-admin](https://github.com/PanJiaChen/vue-element-admin) - [electron-vue-admin](https://github.com/PanJiaChen/electron-vue-admin) - [vue-typescript-admin-template](https://github.com/Armour/vue-typescript-admin-template) - [awesome-project](https://github.com/PanJiaChen/vue-element-admin/issues/2312) ## Browsers support Modern browsers and Internet Explorer 10+. | [<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 | | --------- | --------- | --------- | --------- | | IE10, IE11, Edge| last 2 versions| last 2 versions| last 2 versions ## License [MIT](https://github.com/PanJiaChen/vue-admin-template/blob/master/LICENSE) license. Copyright (c) 2017-present PanJiaChen
a vue2.0 minimal admin template
element-ui,javascript,vue,vue-admin,vue-cli,vue-router,vuex
2024-03-19T06:57:55Z
2021-11-19T07:21:54Z
null
1
0
234
0
0
3
null
MIT
JavaScript
SH20RAJ/ScrollProgressJS
main
# ScrollProgressJS [![npm version](https://badge.fury.io/js/scroll-progress-indicator.svg)](https://badge.fury.io/js/scroll-progress-indicator) [![Visitors](https://api.visitorbadge.io/api/combined?path=https%3A%2F%2Fgithub.com%2FSH20RAJ%2FScrollProgressJS&labelColor=%23ff8a65&countColor=%2337d67a&labelStyle=upper&style=flat)](https://visitorbadge.io/status?path=https%3A%2F%2Fgithub.com%2FSH20RAJ%2FScrollProgressJS) [![](https://data.jsdelivr.com/v1/package/gh/SH20RAJ/ScrollProgressJS/badge)](https://www.jsdelivr.com/package/gh/SH20RAJ/ScrollProgressJS) ScrollProgressJS is a lightweight JavaScript library that creates a customizable scroll progress indicator for web pages. It allows you to display a visual progress bar indicating how much of the page has been scrolled. - [DEMO](https://sh20raj.github.io/ScrollProgressJS/demo.html) - [GitHub](https://github.com/SH20RAJ/ScrollProgressJS/) - [Dev.to](https://dev.to/sh20raj/create-scroll-progress-indicator-on-blogwebsite-4e6) ![ScrollProgressJS Demo](demo.gif) ## Features - **Customizable Progress Bar**: Configure color, height, and position of the progress bar. - **Auto-Initialization**: Automatically initializes if `data-autoload` attribute is set. - **Responsive**: Adjusts dynamically as users scroll through the page. - **Lightweight**: Simple and efficient library with no external dependencies. - **Scroll Element Selector**: Specify the element to track for scroll progress. ## Installation You can include ScrollProgressJS in your project via CDN, npm, or by downloading the script: ### CDN ```html <script src="https://cdn.jsdelivr.net/gh/SH20RAJ/ScrollProgressJS@main/ScrollProgress.js"></script> ``` ### npm ```bash npm install scroll-progress-indicator ``` ### Download - [Download the latest release](https://github.com/SH20RAJ/ScrollProgressJS/releases) ## Usage ### Browser #### Basic Initialization To initialize ScrollProgressJS with default settings: ```html <script src="https://cdn.jsdelivr.net/gh/SH20RAJ/ScrollProgressJS@main/ScrollProgress.js" data-autoload="true"></script> ``` #### Advanced Configuration You can also customize the progress bar with your own configurations: ```html <script src="scrollprogress.js"></script> <script> // Custom initialization ScrollProgress.init({ color: '#ff5722', // Progress bar color height: '4px', // Progress bar height position: 'bottom' // Progress bar position ('top' or 'bottom') }); </script> ``` #### Updating Configuration After initialization, you can update the configuration: ```javascript ScrollProgress.setConfig({ color: 'hotpink', // Updated color height: '4px', // Updated height position: 'top' // Updated position }); ``` #### Destroying the Progress Bar To remove the ScrollProgressJS and stop listening for scroll events: ```javascript ScrollProgress.destroy(); ``` #### Scroll Element Selector You can specify the element to track for scroll progress using its selector: ```javascript ScrollProgress.setScrollElement('.article'); // Example: Track scroll progress of the .article element ``` ### Node.js You can also use ScrollProgressJS in Node.js applications: #### Installation Install the library using npm: ```bash npm install scroll-progress-indicator ``` #### Usage ```javascript // Import ScrollProgress const ScrollProgress = require('scroll-progress-indicator'); // Initialize ScrollProgress.init(); // Update configuration (example) ScrollProgress.setConfig({ color: '#ff0000', height: '6px', position: 'bottom' }); // Destroy ScrollProgress.destroy(); ``` ## Examples ### Auto-Initialization ```html <!-- Auto-initialize with default settings --> <script src="https://cdn.jsdelivr.net/gh/SH20RAJ/ScrollProgressJS@main/ScrollProgress.js" data-autoload="true"></script> ``` ### Custom Initialization ```html <!-- Custom initialization --> <script src="scrollprogress.js"></script> <script> ScrollProgress.init({ color: '#007bff', // Blue color height: '3px', // 3px height position: 'bottom' // Progress bar at the bottom }); </script> ``` ## Contributing Contributions are welcome! For major changes, please open an issue first to discuss what you would like to change. 1. Fork the repository 2. Create your feature branch (`git checkout -b feature/AmazingFeature`) 3. Commit your changes (`git commit -am 'Add some feature'`) 4. Push to the branch (`git push origin feature/AmazingFeature`) 5. Create a new Pull Request Please make sure to update tests as appropriate. ## License This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details. ## Acknowledgements - Inspired by the need for a simple and customizable scroll progress indicator. - Built with ❤️ and JavaScript. ## Contact For issues, suggestions, or feedback, please create an [issue](https://github.com/SH20RAJ/ScrollProgressJS/issues). --- **Made with ❤️ by [SH20RAJ](https://github.com/sh20raj)**
ScrollProgressJS is a lightweight JavaScript library that creates a customizable scroll progress indicator for web pages. It allows you to display a visual progress bar indicating how much of the page has been scrolled.
javascript,sh20raj
2024-03-27T14:35:16Z
2024-04-08T01:28:18Z
2024-03-28T11:20:06Z
1
0
21
0
0
3
null
MIT
JavaScript
CleilsonAndrade/pass.in-api
main
<div align="center"> <h1>pass.in API</h1> <p>O pass.in API é uma aplicação de gestão de participantes em eventos presenciais. A ferramenta permite que o organizador cadastre um evento e abra uma página pública de inscrição. Os participantes inscritos podem emitir uma credencial para check-in no dia do evento. O sistema fará um scan da credencial do participante para permitir a entrada.</p> <img src="./referencias/flow.png" alt="Logo" height="400"> </div> # 📒 Índice * [Descrição](#descrição) * [Requisitos Funcionais](#requisitos) * [Tecnologias](#tecnologias) * [Endpoints](#endpoints) * [Instalação](#instalação) * [Licença](#licença) # 📃 <span id="descrição">Descrição</span> O pass.in API é uma aplicação de gestão de participantes em eventos presenciais. A ferramenta permite que o organizador cadastre um evento e abra uma página pública de inscrição. Os participantes inscritos podem emitir uma credencial para check-in no dia do evento. O sistema fará um scan da credencial do participante para permitir a entrada no evento. Desenvolvida utilizando superset [**TypeScript**](https://www.typescriptlang.org/), com a biblioteca [**Fastify**](https://www.fastify.io/) para web server, [**Prisma ORM**](https://www.prisma.io/) para manipulação de dados do banco [**SQLite**](https://www.sqlite.org/), [**Zod**](https://github.com/colinhacks/zod) sendo utilizado para as validações de requisitos e resposta, sendo documentado por [**Swagger**](https://swagger.io/). # 📌 <span id="requisitos">Requisitos Funcionais</span> - [x] O organizador deve poder cadastrar um novo evento<br> - [x] O organizador deve poder visualizar dados de um evento<br> - [x] O organizador deve poser visualizar a lista de participantes<br> - [x] O participante deve poder se inscrever em um evento<br> - [x] O participante deve poder visualizar seu crachá de inscrição<br> - [x] O participante deve poder realizar check-in no evento<br> - [x] O participante só pode se inscrever em um evento uma única vez<br> - [x] O participante só pode se inscrever em eventos com vagas disponíveis<br> - [x] O participante só pode realizar check-in em um evento uma única vez<br> # 💻 <span id="tecnologias">Tecnologias</span> - **JavaScript** - **TypeScript** - **Fastify** - **Zod** - **Prisma ORM** - **SQLite** - **Swagger** # 📍 <span id="endpoints">Endpoints</span> | Endpoint | Resumo |----------------------|----------------------------------------------------- | <kbd>POST /events </kbd> | Responsável por criar o evento | <kbd>GET /events/:eventId </kbd> | Responsável por exibir um evento especifico, informando eventId por *query param* | <kbd>GET /events/:eventId/attendees </kbd> | Responsável por listar os participantes de um evento especifico, informando o ID do evento por *query param* | <kbd>POST /events/:eventId/attendees </kbd> | Responsável por inscrever um participante em um evento especifico, informando o ID do evento por *query param* | <kbd>GET /attendee/:attendeeId/check-in </kbd> | Responsável por realizar check-in de um participante em um evento especifico, informando o ID do participante por *query param* | <kbd>GET /attendees/:attendeeId/badge </kbd> | Responsável por permitir visualizar crachá de inscrição de um participante, informando o ID do participante por *query param* | <kbd>GET /docs </kbd> | Responsável por servir a documentação dos recursos da API # 🚀 <span id="instalação">Instalação</span> ```bash # Clone este repositório: $ git clone https://github.com/CleilsonAndrade/pass.in-api.git $ cd ./pass.in-api # Instalar as dependências: $ yarn install # Gerar o código TypeScript com base nos modelos do Prisma: $ npx prisma generate # Aplicar migrações ao banco de dados: $ yarn db:migrate # Executar: $ yarn dev ``` # 📝 <span id="licença">Licença</span> Esse projeto está sob a licença MIT. Veja o arquivo [LICENSE](LICENSE) para mais detalhes. --- <p align="center"> Feito com 💜 by CleilsonAndrade </p>
O pass.in API é uma aplicação de gestão de participantes em eventos presenciais. A ferramenta permite que o organizador cadastre um evento e abra uma página pública de inscrição. Os participantes inscritos podem emitir uma credencial para check-in no dia do evento. O sistema fará um scan da credencial do participante para permitir a entrada.
api-rest,backend,event-management,fastify,javascript,prisma,sql,sqlite,swagger,typescript
2024-04-04T20:51:18Z
2024-04-11T19:11:05Z
null
1
0
31
0
0
3
null
MIT
TypeScript
willy-r/bd-buddy-bot
main
# Birthday Buddy Discord Bot <p align="center"> <img height="200" src="./assets/images/buddy.jpeg"> </p> Hey there! I'm Birthday Buddy – your ultimate party pal here on Discord! 🎉 As a cool cat with a party hat and sunglasses, I bring a vibrant energy to your server and make sure every birthday is celebrated in style. **Birthday Buddy Bot** is a Discord bot built with [Discord.js](https://github.com/discordjs/guide) to remind users of birthdays. Never miss a friend's special day again with Birthday Buddy Bot! ## Features - 🎈 **Personalized Reminders**: I'll send friendly reminders before each birthday, so you never miss a chance to spread some joy. - 🎂 **Interactive Commands**: Just chat with me using intuitive commands to add, show, remove, or update birthdays effortlessly. ## Commands **Birthday Buddy Bot** supports the following commands: - **`add`**: Add a new birthday to the Buddy's memory. - **`show`**: Show the respective user birthday information, such as how many time until the next birthday. - **`update`**: Update information of an existing birthday reminder. - **`remove`**: Remove a birthday from Buddy's memory. ## How to invite the Bot For now **Birthday Buddy Bot** is only for selected servers to use, since was primarily created to friends, so if you want the bot on your server, please feel free to contact me! ## Getting Started To run **Birthday Buddy** Bot locally, follow these steps: 1. Clone the repository to your local machine: ```bash $ git clone https://github.com/willy-r/bd-buddy-bot.git # ssh git@github.com:willy-r/bd-buddy-bot.git ``` 2. Navigate to the project directory: ```bash $ cd bd-buddy-bot ``` 3. Install dependencies using [pnpm](https://pnpm.io/): ```bash $ pnpm install ``` 4. Create a `.env` file based on the `.env.example` provided. 5. Fill in the necessary environment variables in the `.env` file, such as your Discord bot token. 6. Start the bot locally: ```bash $ pnpm start ``` Now, **Birthday Buddy Bot** should be up and running in your Discord server! ## How to Contribute Contributions to **Birthday Buddy Bot** are welcomed and appreciated. Here's how you can contribute: ### Adding an Issue If you encounter a bug, have a feature request, or want to suggest an improvement, please open an issue on the GitHub repository. Make sure to provide detailed information about the problem or feature request. ### Resolving an Issue If you want to work on an existing issue, follow these steps: 1. Assign yourself to the issue if it's not already assigned. 2. Fork the repository. 3. Create a new branch for your changes: ```bash $ git checkout -b {issue-type}/issue-{issue-number}-{short-description} ``` 4. Make your changes and commit them with clear and descriptive messages. 5. Push your changes to your fork. 6. Submit a pull request to the main repository, referencing the issue you addressed. Once your pull request is reviewed and approved, it will be merged into the main branch. Thank you for contributing to **Birthday Buddy Bot**! 🎉 ## Created By **Birthday Buddy Bot** was created by [William Rodrigues](https://www.linkedin.com/in/william-rodrigues-dev/).
A Discord.js bot to reminder birthdays. :)
birthday-bot,discord-bot,discord-js,javascript,sequelize,birthday-buddy-bot
2024-03-31T15:55:17Z
2024-04-27T03:03:48Z
null
1
6
35
4
0
3
null
MIT
JavaScript
pspriyanshu601/oeReview
main
# oeReview oeReview is an application designed to assist students in selecting optional elective subjects offered by institutes. It facilitates the process of evaluating elective subjects based on various parameters such as attendance, quality of teaching, grades, and more. By providing comprehensive ratings and reviews, oeReview aims to empower students to make informed decisions about their course selections. ## Features - **Rating System:** Students can rate elective subjects based on predefined parameters to provide valuable feedback. - **Reviews:** Detailed reviews allow students to share their experiences and insights about elective subjects. - **Course Selection Assistance:** Utilize ratings and reviews to make informed decisions when choosing elective subjects. - **User-Friendly Interface:** Intuitive interface for easy navigation and seamless user experience. ## How It Works 1. **Explore Elective Subjects:** Browse through the list of elective subjects available at your institute. 2. **View Ratings and Reviews:** Access ratings and reviews provided by fellow students to gain insights. 3. **Rate and Review:** Share your feedback by rating elective subjects and leaving detailed reviews. 4. **Make Informed Decisions:** Utilize ratings and reviews to make educated choices when selecting elective subjects. ## Contributing Contributions are welcome! If you have ideas for improvements, new features, or encounter any issues, feel free to contribute by opening an issue or submitting a pull request. ## Code of Conduct Please review our [Code of Conduct](CODE_OF_CONDUCT.md) to understand the expected behavior within our community. ## License This project is licensed under the [MIT License](LICENSE). --- Feel free to customize this README according to your preferences and additional information you may want to include. Happy coding :)
An application designed to assist students in selecting optional elective subjects. It facilitates the process of evaluating elective subjects based on various parameters such as attendance, quality of teaching, grades, and more.
expressjs,javascript,nodejs,nodemailer,postgresql,react,recoil,tailwindcss
2024-03-20T08:07:32Z
2024-05-20T07:03:00Z
null
3
0
274
2
1
3
null
MIT
JavaScript
tail-passengers/tail-passengers
main
# Tail-passengers ## Passengers ### Front-end <table> <tbody> <tr> <td align="center"><a href="https://github.com/jaekkang"><img src="https://avatars.githubusercontent.com/u/45617104?v=4"width="100px;" alt=""/><br /><sub><b>강재권</b></sub></a><br /></td> <td align="center"><a href="https://github.com/sngsho"><img src="https://avatars.githubusercontent.com/u/96572410?v=4" width="100px;" alt=""/><br /><sub><b>이승효</b></sub></a><br /></td> <td align="center"><a href="https://github.com/YunjooCho"><img src="https://avatars.githubusercontent.com/u/73283078?v=4" width="100px;" alt=""/><br /><sub><b>조윤주</b></sub></a><br /></td> </tr> </tbody> </table> ### Back-end <table> <tbody> <tr> <td align="center"><a href="https://github.com/Kdelphinus"><img src="https://avatars.githubusercontent.com/u/68101516?v=4"width="100px;" alt=""/><br /><sub><b>고명준</b></sub></a><br /></td> <td align="center"><a href="https://github.com/guune"><img src="https://avatars.githubusercontent.com/u/108771739?v=4" width="100px;" alt=""/><br /><sub><b>홍규선</b></sub></a><br /></td> </tr> </tbody> </table> ## Run ### git clone ```shell $ git clone https://github.com/tail-passengers/tail-passengers.git $ cd tail-passengers $ git submodule init $ git submodule update $ make ``` ### update ```shell $ git submodule update --remote $ make ``` ### login - 42 oauth는 환경 파일을 따로 설정해야 가능합니다. - 가능한 test 유저: Harry, Hermione, Ron, Ginny, Luna, Newt, Draco, Cho, Cedric, Gregory, Crabbe ``` https://127.0.0.1/api/v1/login/{test_user} ``` ## Modeule - [x] `Web Major` Use a Framework as backend - [x] `Web Minor` Use a front-end framework or toolkit - [x] `Web Minor` Use a database for the backend - [ ] `Web Major` Store the score of a tournament in the Blockchain - [x] `User Management Major` Standard user management, authentication, users across tournaments - [x] `User Management Major` Implementing a remote authentication - [x] `Gameplay & UX Major` Remote players - [ ] `Gameplay & UX Major `Multiplayers (more than 2 in the same game) - [ ] `Gameplay & UX Major` Add Another Game with User History and Matchmaking - [x] `Gameplay & UX Minor` Game Customization Options - [ ] `Gameplay & UX Major` Live chat - [ ] `AI-Algo Major` Introduce an AI Opponent - [x] `AI-Algo Minor` User and Game Stats Dashboards - [ ] `Cybersecurity Major` Implement WAF/ModSecurity with Hardened Configuration and HashiCorp Vault for Secrects Management - [ ] `Cybersecurity Minor` GDPR Compliance Options with User Anonymization, Local Data Management, and Account Deletion - [ ] `Cybersecurity Major` Implement Two-Factor Authentication (2FA) and JWT - [ ] `Devops Major` Infrastructure Setup for Log Management - [ ] `Devops Minor` Monitoring system - [ ] `Devops Major` Designing the Backend as Microservices - [x] `Graphics Major` Use of advanced 3D techniques - [ ] `Accessibility Minor` Support on all devices - [ ] `Accessibility Minor` Expanding Browser Compatibility - [x] `Accessibility Minor` Multiple language supports - [ ] `Accessibility Minor` Add accessibility for Visually Impaired Users - [ ] `Accessibility Minor` Server-Side Rendering (SSR) Integration - [ ] `Object oriented Major` Replacing Basic Pong with Server-Side Pong and Implementing an API - [ ] `Object oriented Major` Enabling Pong Gameplay via CLI against Web Users with API Integration
pong 게임 페이지
django,docker-compose,javascript,pong-game,python3
2024-03-22T06:47:54Z
2024-05-21T11:11:51Z
null
5
44
150
0
0
3
null
null
JavaScript
tzachbon/signal-effect
main
![signal-effect)](https://github.com/tzachbon/signal-effect/assets/45866571/25baf708-8ffb-4ab0-b223-d60cce494236) # Signal Effect Simple `effect(() => {})` method based on the [tc39/proposal-signals](https://github.com/tc39/proposal-signals) > Disclaimer: It uses "signal-polyfill" until the proposal is accepted and implemented in the browsers. ## Install ```bash npm install --save signal-effect signal-polyfill ``` ## Usage ```js // polyfill for signal import { Signal } from 'signal-polyfill'; import { effect } from 'signal-effect'; const counter = new Signal.State(0); effect(() => (element.innerText = counter.get())); // Simulate external updates to counter... setInterval(() => counter.set(counter.get() + 1), 1000); ```
Simple effect method based on the tc39/proposal-signals
effect,javascript,signal,tc39,ecmascript-proposal
2024-04-26T12:01:30Z
2024-05-21T19:29:51Z
2024-04-30T09:01:12Z
1
15
38
0
0
3
null
MIT
TypeScript
apacheli/whirlybird
master
# whirlybird > [!WARNING] > **whirlybird is experimental software.** I would advise against using whirlybird for production for now. A JavaScript library for making Discord bots. - Works on any JavaScript runtime that supports Web APIs. - The most *performant* and *fastest* library for making bots. - Complete low-level control over your application. - Includes high-level utilities for ease-of-use. ## Core - [`whirlybird/cache`](core/cache) - [`whirlybird/cli`](core/cli) - [`whirlybird/client`](core/client) - [`whirlybird/commands`](core/commands) - [`whirlybird/gateway`](core/gateway) - [`whirlybird/interactions`](core/interactions) - [`whirlybird/rest`](core/rest) - [`whirlybird/util`](core/util) - [`whirlybird/voice`](core/voice) ## Development Want to participate in the development of whirlybird? [Come chat with us!](https://discord.gg/BY6vwwUXzv) Issues and pull requests are also welcomed. If you want to run the test script on your machine: Fork the repository: ```sh $ git clone https://github.com/apacheli/whirlybird ``` Move to the directory: ```sh $ cd whirlybird ``` Run the test script: ```sh $ bun start ``` Make sure to set environment variables for `$BOT_TOKEN` and `$DEVELOPER_ID`. ## Install Using [Bun](https://bun.sh/) **(recommended)** 1.x.x or higher: ```sh $ bun add https://github.com/apacheli/whirlybird ``` Using [Deno](https://deno.com/) 1.41.x or higher: ```js import * as whirlybird from "https://raw.githubusercontent.com/apacheli/whirlybird/master/core/lib.js"; ``` Using import maps: ```json { "imports": { "whirlybird": "https://raw.githubusercontent.com/apacheli/whirlybird/master/core/lib.js" } } ``` Using [Node.js](https://nodejs.org/en) 22.x.x or higher: ```sh $ npm i https://github.com/apacheli/whirlybird ``` > [!NOTE] > You can install [`ws`](https://www.npmjs.com/package/ws) and [`node-fetch`](https://www.npmjs.com/package/node-fetch) on older versions of Node.js. I do not recommend this option. You should just update your Node.js version or use Bun. You can also clone the repository and use it as is: ```sh $ git clone https://github.com/apacheli/whirlybird ``` ## Example ```js import { CacheClient, GatewayClient, IntentFlags, RestClient } from "whirlybird"; const token = `Bot ${process.env.BOT_TOKEN}`; const cache = new CacheClient(); const rest = new RestClient(token); const handleEvent = async (event, data) => { cache.handleEvent(event, data); switch (event) { case "MESSAGE_CREATE": { if (data.content === "===ping") { await rest.createMessage(data.channel_id, { body: { content: "Hello, World!", }, }); } break; } } }; const gateway = new GatewayClient(token, { handleEvent, identifyOptions: { intents: IntentFlags.GUILD_MESSAGES | IntentFlags.MESSAGE_CONTENT, }, shards: 1, url: "wss://gateway.discord.gg", }); gateway.connect(); ``` More details regarding core modules can be found in [their respective READMEs](core). ## Resources - [Bun](https://bun.sh/) - [Discord Developer Documentation](https://discord.com/developers/docs/intro) - [TypeScript](https://www.typescriptlang.org/) Need help? Find me at [the whirlybird development server](https://discord.gg/BY6vwwUXzv). ## License [Apache License, Version 2.0](LICENSE.txt) © 2024-present apacheli ## Testimonials > *"swirlyturd"* - Sinister Rectus > *"whirlybird will officially never be the worst discord library"* - broman
A JavaScript library for making Discord bots.
bot,discord,discord-api,discord-bot,javascript,typescript,bun,deno,browser,nodejs
2024-04-25T19:54:49Z
2024-05-22T21:16:14Z
null
1
0
23
0
0
3
null
NOASSERTION
JavaScript
JoaoAlisonTI/age-calculator
master
# Frontend Mentor - Age calculator app ![Design preview for the Age calculator app coding challenge](./design/desktop-preview.jpg) ## Welcome! 👋 Thanks for checking out this front-end coding challenge. [Frontend Mentor](https://www.frontendmentor.io) challenges help you improve your coding skills by building realistic projects. **To do this challenge, you need a decent understanding of HTML, CSS and JavaScript.** ## The challenge Your challenge is to build out this age calculator app and get it looking as close to the design as possible. You can use any tools you like to help you complete the challenge. So if you've got something you'd like to practice, feel free to give it a go. Your users should be able to: - View an age in years, months, and days after submitting a valid date through the form - Receive validation errors if: - Any field is empty when the form is submitted - The day number is not between 1-31 - The month number is not between 1-12 - The date is in the future - The date is invalid e.g. 31/04/1991 (there are 30 days in April) - View the optimal layout for the interface depending on their device's screen size - See hover and focus states for all interactive elements on the page - **Bonus**: See the age numbers animate to their final number when the form is submitted Want some support on the challenge? [Join our Slack community](https://www.frontendmentor.io/slack) and ask questions in the **#help** channel. ## Where to find everything Your task is to build out the project to the designs inside the `/design` folder. You will find both a mobile and a desktop version of the design. The designs are in JPG static format. Using JPGs will mean that you'll need to use your best judgment for styles such as `font-size`, `padding` and `margin`. If you would like the design files (we provide Sketch & Figma versions) to inspect the design in more detail, you can [subscribe as a PRO member](https://www.frontendmentor.io/pro). All the required assets for this project are in the `/assets` folder. The images are already exported for the correct screen size and optimized. We also include variable and static font files for the required fonts for this project. You can choose to either link to Google Fonts or use the local font files to host the fonts yourself. Note that we've removed the static font files for the font weights that aren't needed for this project. There is also a `style-guide.md` file containing the information you'll need, such as color palette and fonts. ## Building your project Feel free to use any workflow that you feel comfortable with. Below is a suggested process, but do not feel like you need to follow these steps: 1. Initialize your project as a public repository on [GitHub](https://github.com/). Creating a repo will make it easier to share your code with the community if you need help. If you're not sure how to do this, [have a read-through of this Try Git resource](https://try.github.io/). 2. Configure your repository to publish your code to a web address. This will also be useful if you need some help during a challenge as you can share the URL for your project with your repo URL. There are a number of ways to do this, and we provide some recommendations below. 3. Look through the designs to start planning out how you'll tackle the project. This step is crucial to help you think ahead for CSS classes to create reusable styles. 4. Before adding any styles, structure your content with HTML. Writing your HTML first can help focus your attention on creating well-structured content. 5. Write out the base styles for your project, including general content styles, such as `font-family` and `font-size`. 6. Start adding styles to the top of the page and work down. Only move on to the next section once you're happy you've completed the area you're working on. ## Deploying your project As mentioned above, there are many ways to host your project for free. Our recommend hosts are: - [GitHub Pages](https://pages.github.com/) - [Vercel](https://vercel.com/) - [Netlify](https://www.netlify.com/) You can host your site using one of these solutions or any of our other trusted providers. [Read more about our recommended and trusted hosts](https://medium.com/frontend-mentor/frontend-mentor-trusted-hosting-providers-bf000dfebe). ## Create a custom `README.md` We strongly recommend overwriting this `README.md` with a custom one. We've provided a template inside the [`README-template.md`](./README-template.md) file in this starter code. The template provides a guide for what to add. A custom `README` will help you explain your project and reflect on your learnings. Please feel free to edit our template as much as you like. Once you've added your information to the template, delete this file and rename the `README-template.md` file to `README.md`. That will make it show up as your repository's README file. ## Submitting your solution Submit your solution on the platform for the rest of the community to see. Follow our ["Complete guide to submitting solutions"](https://medium.com/frontend-mentor/a-complete-guide-to-submitting-solutions-on-frontend-mentor-ac6384162248) for tips on how to do this. Remember, if you're looking for feedback on your solution, be sure to ask questions when submitting it. The more specific and detailed you are with your questions, the higher the chance you'll get valuable feedback from the community. ## Sharing your solution There are multiple places you can share your solution: 1. Share your solution page in the **#finished-projects** channel of the [Slack community](https://www.frontendmentor.io/slack). 2. Tweet [@frontendmentor](https://twitter.com/frontendmentor) and mention **@frontendmentor**, including the repo and live URLs in the tweet. We'd love to take a look at what you've built and help share it around. 3. Share your solution on other social channels like LinkedIn. 4. Blog about your experience building your project. Writing about your workflow, technical choices, and talking through your code is a brilliant way to reinforce what you've learned. Great platforms to write on are [dev.to](https://dev.to/), [Hashnode](https://hashnode.com/), and [CodeNewbie](https://community.codenewbie.org/). We provide templates to help you share your solution once you've submitted it on the platform. Please do edit them and include specific questions when you're looking for feedback. The more specific you are with your questions the more likely it is that another member of the community will give you feedback. ## Got feedback for us? We love receiving feedback! We're always looking to improve our challenges and our platform. So if you have anything you'd like to mention, please email hi[at]frontendmentor[dot]io. This challenge is completely free. Please share it with anyone who will find it useful for practice. **Have fun building!** 🚀
Age Calculator is a challenge from the Frontend Mentor developed with HTML, CSS and JavaScript.
age-calculator,css,css3,front-end,frontend,frontend-mentor,html,html5,javascript
2024-04-07T20:22:17Z
2024-04-07T20:19:35Z
null
1
0
1
0
0
2
null
null
HTML
kartikeysharmaks/React-Dashboard-Charts-Tables-TailwindCSS
master
# How to install and run this project? Clone this git repository on your device.\ Then open the project folder on Code Editor(VS Code).\ Run this command to install all the dependencies inside the projcet - npm install.\ Now to run this project use command - npm start. ## NOTE : Keep both projects running simultaneously. Link for Backend Git Repo - [https://github.com/kartikeysharmaks/Dashboard-APIs-Nodejs-Express.js](https://github.com/kartikeysharmaks/Dashboard-APIs-Nodejs-Express.js) ### Kaggle Dataset Link for Dataset i used - [https://www.kaggle.com/datasets/imyjoshua/average-time-spent-by-a-user-on-social-media](https://www.kaggle.com/datasets/imyjoshua/average-time-spent-by-a-user-on-social-media) I used [Vercel.com](https://vercel.com/) to host this Frontend side.
Social Dashboard to display and visualize data with the help of interactive tables and charts. Implemented Sorting, Filtering and Searching. Built using MERN Stack. Dataset used is from KAGGLE.
axios,iconify,javascript,kaggle,kaggle-dataset,react-google-charts,reactjs,recharts,tailwindcss,iconifyicons
2024-03-22T19:44:32Z
2024-03-23T08:10:44Z
null
1
0
16
0
0
2
null
null
JavaScript
LakshayD02/Online_Notes_Sharing_System
main
# Online_Notes_Sharing_System Online Notes Sharing System, a web application designed to facilitate seamless sharing of notes among users. Built with a combination of HTML, CSS, JavaScript, jQuery, AJAX, PHP, and MySQL, this system offers a robust platform for users to create accounts, sign in securely, and share their notes effortlessly by uploading files. Deployed Link - https://notesapp-onss.000webhostapp.com/
Online Notes Sharing System, a web application designed to facilitate seamless sharing of notes among users. Built with a combination of HTML, CSS, JavaScript, jQuery, AJAX, PHP, and MySQL, this system offers a robust platform for users to create accounts, sign in securely, and share their notes effortlessly by uploading files.
ajax,ajax-search,css,html,html-css-javascript,html5,javascript,jquery,mysql,mysql-database
2024-04-11T18:18:04Z
2024-04-11T18:21:04Z
null
1
0
3
0
0
2
null
null
JavaScript
aihxdev/fma
main
# FMA (Flash Mental Arithmetic) FMA is a memory game that displays digit numbers for a short period, challenging users to add them up and provide the correct answer. ## About Flash Mental Arithmetic is a simple yet engaging game designed to improve mental math skills and memory retention. Players are presented with a series of numbers, which they must add together within a specified time limit. The game is suitable for all ages and can be played anytime, anywhere. ## Features - Adjustable difficulty levels (digit count, number of questions, speed) - Real-time feedback on score and performance - Dark mode for comfortable gameplay in low-light environments - Responsive design for seamless experience across devices ## Usage To play FMA, follow these steps: 1. Visit the [FMA website](https://aihxdev.github.io/fma/) or clone the repository to your local machine. 2. Open the `index.html` file in your web browser. 3. Adjust the settings (digit count, number of questions, speed) to your preference. 4. Click the "Start Game" button to begin. 5. Add up the displayed numbers and provide the answer within the time limit. 6. Receive immediate feedback on your score and performance. 7. Click "Play Again" to start a new game or "Menu" to adjust settings. ## Contributing & Contributions Contributions are welcome! If you have any suggestions, ideas, or bug fixes, please feel free to open an issue or submit a pull request. 1. [vamsi](https://github.com/VforVamsi-13) ## License This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details. ## Acknowledgements - [GitHub Actions](https://github.com/features/actions) for continuous integration and deployment. - [GitHub Pages](https://pages.github.com/) for hosting the project website.
Flash mental arithmetic is a memory game which display's digit numbers for some time and user have to add the numbers and provide the answer.
game,iq,arithmetic,browser,community,css3,educational,html5,javascript,memory
2024-04-02T00:05:21Z
2024-04-07T08:17:26Z
null
2
1
26
0
1
2
null
MIT
JavaScript
Sithumsankajith/sudoku-web-game
main
# Sudoku Game Sudoku Game is a classic puzzle game where you have to fill a 9x9 grid with numbers so that each row, each column, and each of the nine 3x3 subgrids contains all of the digits from 1 to 9. The game features an intuitive interface and various difficulty levels to challenge players of all skill levels. ![Alt text](sudoku.png) ## Features - Classic Sudoku gameplay: Fill the grid with numbers from 1 to 9, ensuring no repetition in rows, columns, or subgrids. - Timer: Track your progress and challenge yourself to complete the puzzle in the shortest time possible. ## How to Play 1. Click on a number from the number pad to place it in the selected cell. 2. Complete the grid following the Sudoku rules. ## Technologies Used - HTML5 - CSS3 - JavaScript ## How to Run the Game Locally 1. Clone this repository to your local machine. 2. Open the `index.html` file in your web browser. 3. Start playing Sudoku! [Play Sudoku](https://sithumsankajith.github.io/sudoku-web-game/)
Sudoku Game is a web-based adaptation of the classic Sudoku puzzle. Test your logical thinking and problem-solving skills with this engaging game.
game,javascript,webgames,css,html
2024-03-26T11:00:41Z
2024-03-26T17:24:29Z
null
1
0
7
0
0
2
null
MIT
JavaScript
parsa-mostafaie/noreact
main
# ⚛ noreact 🔴 Simple React-Like Library
🔴 Simple React-Like Library
javascript,library,react-like-library
2024-03-25T16:12:49Z
2024-03-31T20:03:37Z
null
1
0
37
1
0
2
null
MIT
TypeScript