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
Andrew-Tsegaye/Forkify_Recipe_App
start-engine
# Forkify Recipe App ![Forkify Logo](https://i.imgur.com/4aXQmYA.png) A web application for finding and saving your favorite recipes. ## Table of Contents - [About](#about) - [Features](#features) - [Installation](#installation) - [Usage](#usage) - [Technologies Used](#technologies-used) - [Contributing](#contributing) - [License](#license) - [Acknowledgements](#acknowledgements) - [Contact](#contact) ## About Forkify Recipe App is a powerful and user-friendly web application that allows users to search for recipes from various sources, save their favorite recipes, and create personalized shopping lists. It simplifies the process of finding and organizing recipes, making it convenient for users to plan their meals and manage their ingredients. ## Features - Search and browse an extensive collection of recipes. - View detailed recipe information, including ingredients, instructions, and serving sizes. - Save favorite recipes for quick access. - Create and manage custom shopping lists based on selected recipes. - Interactive and intuitive user interface. - Mobile-friendly design for a seamless experience on different devices. ## Installation 1. Clone the repository: ```bash git clone https://github.com/Andrew-Tsegaye/Forkify_Recipe_App.git ``` 2. Navigate to the project directory: ```bash cd Forkify_Recipe_App ``` 3. Install the dependencies: ```bash npm install ``` 4. Start the application: ```bash npm start ``` 5. Open your web browser and visit http://localhost:1234 to access the application. ## Usage 1. On the homepage, enter a keyword or ingredient in the search bar and click the search button. 2. Browse through the search results to find a recipe that interests you. 3. Click on a recipe to view its details, including ingredients and instructions. 4. To save a recipe, click the "Save Recipe" button. You can access saved recipes from the "Favorites" section. 5. To create a shopping list based on a recipe, click the "Add to Shopping List" button. 6. Manage your shopping list by adding or removing items as needed. 7. Enjoy exploring and organizing your favorite recipes! ## Technologies Used - HTML5 - SASS - JavaScript - Parcel | Module bundler - Babel ## Contributing Contributions are welcome! If you would like to contribute to Forkify Recipe App, please follow these steps: 1. Fork the repository. 2. Create a new branch for your feature or bug fix. 3. Make your modifications and commit your changes. 4. Push your branch to your forked repository. 5. Submit a pull request with a detailed description of your changes. 6. Please ensure that your code adheres to the project's coding conventions and includes necessary tests. ## License This project is licensed under the MIT License. See the `LICENSE` file for more details. ## Acknowledgements - The Recipe API - [recipe-api.com](https://forkify-api.herokuapp.com/v2) - The Spoonacular API - [spoonacular.com](https://spoonacular.com/food-api) - [Font Awesome](https://fontawesome.com) - Icons and fonts ## Contact If you have any questions, suggestions, or feedback, please feel free to contact me at andrewtsegaye7@gmail.com. Feel free to customize and update the content based on your specific project details. Don't forget to include relevant images, icons, and the necessary license file (e.g. LICENSE)
A web application for finding and saving your favorite recipes.
api,javascript,sass
2023-06-04T04:55:19Z
2023-06-04T16:34:06Z
null
1
0
4
0
4
8
null
null
JavaScript
TheCoderDream/ngx-async-pipe-with-status
main
# ngx-async-with-status The `ngx-async-with-status` library provides two powerful tools for handling and displaying the status of asynchronous data in Angular applications: the `asyncWithStatus` directive and the `AsyncWithStatusPipe`. These tools enable you to provide visual feedback to users during data loading and error states, and simplify error handling and state management in your templates. ## Features * Works seamlessly within Angular applications. * Improves the user experience by providing visual feedback during data loading and error states. * Provides explicit status handling for asynchronous data. * Allows displaying loading, error, no data, and loaded states in the template. * Supports better control over change detection. * Fully tested. * Handles multiple subscriptions to different observables. * Properly unsubscribes from the observable to avoid memory leaks. * Simplifies error handling by displaying relevant error messages to the user. * Ensures up-to-date rendering of the template with the latest data changes. ## Dependencies supports Angular version 12.x and above. | ngx-async-with-status | Angular | |-----------------------|---------| | 1.0.3 | => 12.x | ## Installation ```bash npm install ngx-async-with-status --save ```` ````ts import { NgxAsyncWithStatusModule } from 'ngx-async-with-status'; @NgModule({ declarations: [ // Your components and directives ], imports: [ // Other module imports NgxAsyncWithStatusModule ], // Other module configurations }) export class YourModule { } ```` ## asyncWithStatus Directive The `asyncWithStatus` directive is an Angular directive that tracks the state of an observable value and renders different structural directives based on its state. It provides a convenient way to handle asynchronous operations and display loading indicators, success messages, error messages, and other relevant UI components. ## Usage To use the asyncWithStatus directive, add it as an attribute directive on an HTML element and bind an observable value to it. Then, use the structural directives provided by the asyncWithStatus directive to conditionally render content based on the state of the observable. ````ts @Component({ selector: 'some-component', templateUrl: './some-component.component.html', }) class SomeComponent { public data$ = of({ title: 'test' }).pipe(delay(1000)); public emptyData$ = of([]).pipe(delay(1000)); } ```` ````html <div [asyncWithStatus]="data$"> <div *isLoading> loading......... </div> <div *isLoaded="let value"> {{value?.title}} </div> <div *error="let error"> {{error.message}} </div> </div> <div [asyncWithStatus]="emptyData$"> <div *isLoading> loading......... </div> <div *isLoadedWithData="let value"> Loaded </div> <div *isLoadedWithoutData> No Data Available </div> <div *error="let error"> {{error.message}} </div> </div> ```` ## API ### Inputs * asyncWithStatus: Binds an observable value to the directive for tracking its state. ## Structural Directives The following structural directives are used within the asyncWithStatus directive to conditionally render content based on the state of the observable. * **isLoading**: Renders the content when the observable is loading. Use this directive to display loading indicators or messages. * **isLoaded**: Renders the content when the observable is successfully loaded. Use this directive to display the main content that should be shown when the data is available. * **error**: Renders the content when an error occurs while loading the observable. Use this directive to display error messages or error handling UI. * **isLoadedWithData**: Renders the content when the observable is loaded with data. Use this directive to display content that requires access to the loaded data. You can access the data using the let-data directive syntax. * **isLoadedWithoutData**: Renders the content when the observable is loaded without data. Use this ## AsyncWithStatusPipe The `AsyncWithStatusPipe` is an Angular pipe that provides additional functionality over the built-in async pipe. It allows you to handle and display the status of asynchronous data loading, such as loading state, error state, and loaded state, all within the template. ## Usage Use the asyncWithStatus pipe in your template to handle and display the status of asynchronous data: The `AsyncWithStatusPipe` is an Angular pipe that provides additional functionality over the built-in `async` pipe. It allows you to handle and display the status of asynchronous data loading, such as loading state, error state, and loaded state, all within the template. ````ts @Component({ selector: 'some-component', templateUrl: './some-component.component.html', }) class SomeComponent { public data$ = of({ title: 'test' }).pipe(delay(1000)); public emptyData$ = of([]).pipe(delay(1000)); } ```` ````html <div *ngIf="data$ | asyncWithStatus as data"> <div *ngIf="data.isLoading" class="loading">Loading...</div> <div *ngIf="data.error" class="error">Error: {{ data.error?.message }}</div> <div *ngIf="data.loaded" class="loaded"> {{ data.value?.title }} </div> </div> ```` ```html <div *ngIf="emptyData$ | asyncWithStatus as data"> <div *ngIf="data.isLoading" class="loading">Loading...</div> <div *ngIf="data.error" class="error">Error: {{ data.error?.message }}</div> <div *ngIf="data.isLoadedWithData" class="loaded"> <ul> <li *ngFor="let val of data.value"> {{val}} </li> </ul> </div> <div *ngIf="data.isLoadedWithoutData" class="loaded"> No Data </div> </div> ``` The asyncWithStatus pipe takes an observable as input and returns a RequestState object, which contains the current state of the asynchronous data. You can then use the properties of the RequestState object (isLoading, error, noData, isLoaded, value) to handle and display the appropriate content in your template. ## State Definitions * **error**: when observable throws error. It could be due to various reasons such as network issues, server errors, or invalid data. In this state, the application typically displays an error message or a fallback UI to notify the user about the problem. * **isLoading**: This state indicates that the application is currently fetching or loading data from a server or performing some asynchronous operation. * **isLoaded**: Data has been successfully loaded and ready for display. * **isLoadedWithData**: Indicates that the data has been successfully loaded with non-empty data. * **isLoadedWithoutData**: Indicates that the data has been successfully loaded with empty data. * **noData**: null, undefined, empty array, object and string represent the absence of data. ## Advantages over built-in Angular async pipe ### The AsyncWithStatusPipe provides the following advantages over the Angular async pipe: * **Explicit status handling**: With the AsyncWithStatusPipe, you have explicit access to the loading, error, and loaded states of the asynchronous data. This allows you to handle each state individually and provide appropriate UI feedback to the user. * **Easier error handling**: The AsyncWithStatusPipe automatically catches errors thrown by the observable and includes the error details in the RequestState object. This simplifies error handling and allows you to display relevant error messages to the user. * **Better control over change** detection: Change detection is only triggered whenever the asynchronous data state changes. This ensures that your template is always up to date with the latest data. ## See more examples in stackblitz https://stackblitz.com/edit/ngx-async-with-status?file=src%2Fmain.ts
Async pipe and directive with status for Angular
angular,angular-directive,angular-pipe,angular2,async,asynchronous-programming,javascript,reactive,reactive-programming,rxjs
2023-05-19T13:54:27Z
2023-05-21T12:37:09Z
null
1
0
8
1
0
8
null
null
TypeScript
whitehorse21/twitch-ui
main
# 📚 Twitch UI The project is a clone of the Twitch streaming platform interface. ## ✈ Technologies - React - Tailwind CSS ## 🚀 Features - Infinite carousel built from scratch using React hooks and animated with Tailwind CSS. - Dark theme that can be dynamically switched. - Custom hook for the responsive grid that allows the number of grid columns to be adapted according to the width of the device. - Animations at key interface points to make the user experience more enjoyable. ## 👨‍💻 How to perform To run this project on your machine, follow these steps: 1. Clone this repository: `git clone https://github.com/whitehorse21/twitch-ui.git` 2. Install the dependencies: `npm install` 3. Run the `npm start` command to start the local server and open the project in your browser ## ⚖ License This project is licensed under the MIT license. See the LICENSE file for more information.
Twitch UI Built with React.js and Tailwind CSS
javascript,react,tailwind-css
2023-06-06T08:21:26Z
2023-06-06T08:54:55Z
null
1
0
2
0
0
8
null
null
JavaScript
tukangcode/ChatGPT-Prompt-maneger
main
# ChatGPT Prompt maneger ## Floating UI Notepad like windows with ability to save and load prompt for chat.openai.com This code are improvemnt of ChatGPT unofficial notepad (https://greasyfork.org/en/scripts/466476-chatgpt-unofficial-notepad), it creates a notepad-like interface that allows you to have multiple text windows.Menu are dropdown, Each Note has title that can be edit, text area where you can type text and automaticaly save and one click button to load content of note to chatgpt textbox. Very good tool if you do Multi Prompt task or JB. # Screenshot Please visit https://greasyfork.org/en/scripts/466824-chatgpt-prompt-manager-and-loader for image # ✨ Feature 1. Dropdown Menu not need click next previous 2. Coustom note ; need more note ? you can modifed script to increase notepad windows 3. File naming , Not need confuse and check every note, cause now you can give name to your note 4. Tired copy-paste ? No problem just Click Load To ChatGPT 5. Save Note as Txt File individualy base on current windows text selected # 🔧 Instalation Guide A. Manual Method 1. Well you know it how to do it be honest i don't know how explain manual stuff through github basicly just copy paste it to your tampermonkey script editor save and reload your browser 2. Preview and notice of confirmation of instal will show up confirm instalation if you ok with it 3. Refresh your Chat.openai.com page 4. Enjoy it B. Automaticaly Via Tampermonkey 1. Install Tampermonkey https://www.tampermonkey.net/index.php 2. Visit This greasyfork link https://greasyfork.org/en/scripts/466824-chatgpt-prompt-manager-and-loader 3. Instal script 4. Preview and notice of confirmation of instal will show up confirm instalation if you ok with it 5. Refresh your Chat.openai.com page 6. Enjoy it # Limitation 1. You Still need click textbox to be able use Enter function to send message 2. Android User(firefox,safari,etc) may found this script bit useless 3. It may conflicted with other Script so watch out and look up. 4. You clean your web browser cache, your note also will get delete cause it use browser `localstorage` System # To Do - [ ] Figure out how add "send" button in notepad windows - [ ] Make UI can be spawn and despawn via Tampermonkey Command - [ ] Make Window can be drag,resize or minimize - [x] Export Individual Note - [ ] Import Note - [ ] Hmm Make UI looks better - [ ] Make this Readme.md look cool # License This program is under the [GPL-3.0 license](/LICENSE)
Floating UI Notepad like windows with ability to save and load prompt for chat.openai.com
chatgpt,javascript,openai,tampermonkey-script
2023-05-28T09:50:20Z
2023-06-03T08:54:13Z
2023-05-30T14:37:49Z
1
6
17
0
0
8
null
GPL-3.0
JavaScript
mjkhonline/e-query
main
<h1 align="center" > <img src="https://raw.githubusercontent.com/mjkhonline/e-query/main/docs/public/logo.png" width="100" height="100" alt="e-query logo" /> <br /> E-Query </h1> <p align="center">an easy and effortless API calls manager to reduce and optimize your API calls, on the client</p> *** Visit [E-Query Docs](https://e-query.js.org/) for detailed instructions. ## 💡 What is E-Query? E-Query is a library for managing API calls in your client application. It's written in TypeScript, and it's fully typed. It's also framework-agnostic, so you can use it with Vue, React, Angular, Svelte, Next, Nuxt, or even vanilla JavaScript. ### ✅ What it can do? ✔️ manage API calls ✔️ prevent unnecessary fetch ✔️ optimise & improve performance ✔️ retry calls on error ✔️ deactivate call on window hidden ✔️ refetch on window refocus ✔️ make different instances ✔️ customizable ✔️ get API call status ### 🤔 What E-Query is not? It's not a state management library, it's not a data fetching library, and it's not a caching library. And it has no opinion about how you manage them. ## Installation Use npm or yarn to add e-query to your project. ```npm npm i @mjkhonline/e-query ``` ```yarn yarn add @mjkhonline/e-query ``` ## Usage Import eQuery and create an instance of it. Pass in your default options to the constructor. You can find the list of all available options [here](https://e-query.js.org/options.html). ```js import eQuery from '@mjkhonline/e-query' const eq = new eQuery({ // pass instance level options staleTime: 30 * 1000 // 30 seconds }) ``` Then wrap your API calls with `useQuery`. This invokes your API call's function and returns the promise returned by it. ```js eq.useQuery('your-query-key', () => fetch('https://example.com/somedata'), { // query level options staleTime: 60 * 1000, // 1 minute deactivateOnWindowHidden: true } ) ``` use `getQuery` to inquire about the status of your API call. You can find the list of all available exposed data [here](https://e-query.js.org/get-query.html#exposed-data). ```js const { isLoading, isFailed, fetchedAt } = eq.getQuery('your-query-key') ``` ## Documentation [e-query.js.org](https://e-query.js.org/) ## License [MIT](http://opensource.org/licenses/MIT)
an easy and effortless API calls manager to reduce and optimize your API calls, on the client.
api,api-management,client,fetch,frontend,javascript,optimize,performance,query
2023-06-02T13:58:53Z
2023-10-06T16:56:24Z
null
1
0
34
0
0
8
null
MIT
TypeScript
withaarzoo/Responsive-E-Commerce-Website
main
# Responsive E-Commerce Website This is a responsive beauty product e-commerce website built using HTML, CSS, and JavaScript. The website provides a user-friendly interface for customers to browse and purchase beauty products . ## Source Code - For source code - https://rb.gy/l33g2 ## Tutorial If you want to learn how to build this website step-by-step, you can follow the tutorial on [YouTube](https://youtu.be/Lr9KH1GpCt8). The tutorial covers everything from setting up the HTML file to adding custom CSS and JavaScript to make the website fully responsive. ## Technologies Used The website is built using the following technologies: * HTML: Used for structuring the web pages and defining the content. * CSS: Used for styling the website and providing an attractive visual design. * JavaScript: Used for implementing interactive features and handling user interactions. ## Usage To run the website locally, follow these steps: 1. Clone the repository: ```bash git clone https://github.com/Aarzoo75/Responsive-E-Commerce-Website.git ``` 2. Navigate to the project directory: ```bash cd Responsive-E-Commerce-Website ``` 3. Open the `index.html` file in your preferred web browser. ## Contributing Contributions are welcome! If you find any issues or have suggestions for improvements, please feel free to open an issue or submit a pull request. Make sure to follow the existing code style and guidelines. ## Preview ![Responsive E-Commerce Website](https://github.com/Aarzoo75/Responsive-E-Commerce-Website/assets/59678435/f8456f5c-7f53-475d-a5ca-e9a93243a4cd)
This is a responsive beauty product e-commerce website built using HTML, CSS, and JavaScript. The website provides a user-friendly interface for customers to browse and purchase beauty products.
css3,e-commerce,ecommerce-website,html5,javascript,webdevelopment
2023-05-23T07:16:56Z
2023-09-12T18:15:19Z
null
1
0
7
0
2
8
null
null
CSS
altkriz/htmleditor
main
<h1 align="center">Welcome to Kriztech Code Editor 👋</h1> ## HTML Editor This is a simple HTML editor. You can edit your HTML code and save it to a file. You can also load a file and edit it ## Features * [x] Live preview * [x] User Friendly * [x] Code Download * [x] New Window Open for Code Preview * [x] Contact Us for Suggestions ## Screenshot ![Alt text](img/image.png) ![Alt text](img/image-1.png) ![Alt text](img/image-2.png) ## Installation * Clone Project on Github ``` git clone https://github.com/altkriz/htmleditor.git ``` ## Usage ```javascript var editor = new HTMLEditor(); editor.render(); ``` <h1>Author</h1> : <h2>Kashif Raza</h2> ## Show your support Give a ⭐️ if this project helped you! ***
This is a simple HTML editor. You can edit your HTML code and save it to a file. You can also load a file and edit it
css,hacktoberfest,html,htmleditor,javascript,github,github-pages,learn
2023-06-03T08:14:58Z
2024-03-20T18:51:29Z
2023-06-23T19:45:26Z
3
4
67
0
3
8
null
GPL-3.0
HTML
UncertainProd/FNF-Spritesheet-XML-generator-Web
main
# FnF-Spritesheet-and-XML-Maker-Web An (experimental) online version of the [FnF-Spritesheet-and-XML-Maker](https://github.com/UncertainProd/FnF-Spritesheet-and-XML-Maker), A Friday Night Funkin' mod making helper tool that allows you to generate XML files and spritesheets from individual pngs. This is a free and open-source mini-replacement tool to the "Generate Spritesheet" functionality in Adobe Animate/Flash ### This tool can be used online by following [this link](https://uncertainprod.github.io/FNF-Spritesheet-XML-generator-Web). Tested mainly on Chrome and Firefox browsers ![Inital Screen](imgdocs/initScreen.png) ## How to generate spritesheet and XML files for your character: First, the name of your character goes into the textbox at the top. This is necessary as the final xml and png files will be named accordingly. Eg: If you name you character <b>Pixel-GF</b> the files generated will be named <b>Pixel-GF.png</b> and <b>Pixel-GF.xml</b> If this box is blank, you will be prompted for a name when generating the spritesheet. ### Adding sprite frames To add a frames from PNG images, click on `Add PNGs`, and then select all the PNG images you want to insert as frames. If you want to extract and add frames from a pre-existing Spritesheet and XML, click on `Add Spritesheet`. It will then prompt you to insert your spritesheet and your XML and extract the frames from it. Once you have added some frames it will look like this: ![Added some example frames](imgdocs/addedFrames.png) <br /> <br /> Click on some frames whose animation prefix you want to set and then click the `Set animation prefix` button as shown below: ![Animation prefix button](imgdocs/settingAnimPrefix.png) ![Setting Animation Prefix](imgdocs/addAnimPrefix.png) Once you click the `Set animation prefix` button in the dialog, it will set that animation name for all the frames that are selected. ### Previewing The Animations By click on `View` > `View Animation`, you can select the name of the animation you want to see and click the play button to play that animation. In case the animation is too big (usually on phone screens), you can change the `Animation Scale` to reduce the size of the animation for better visibility. ![Animation View](imgdocs/animationView.png) ### Tweaking the sprite frames By going into `View` > `View XML structure`, you can change the appearance of each sprite frame. It supports scaling, flipping and changing the values of `frameX`, `frameY`, `frameWidth` and `frameHeight`. ![XML Table View](imgdocs/xmlViewTable.png) ![Frame Preview](imgdocs/xmlViewFrame.png) ### Generating the final XML and PNG files When you're done adding all the frames and giving them animation names, it's time to generate the final PNG and XML files! To do so, just click the "Generate XML" button. This will download a zip file containing the final Spritesheet and the XML. This could take a while depending on how large the input spritesheets/frames are. <br /> ### Important thing to know when uploading large spritesheets: Since the app runs entirely in the browser, all images are that are loaded are kept in memory by the browser. So expect the memory usage of your browser to increase (sometimes by a _lot_) when using this app. Also try not to upload spritesheets that are too big (aka several gigabytes) in size, as there is a chance that it might _really_ slow down (or worse, crash) your browser while the frames are being processed, or while the final spritesheet is being generated. <br/><br/> ## Making Icons / Icongrids You can create icons by just clicking on `Add Icons`, then selecting 2 icon png files of size 150 x 150 and then clicking `Generate Icongrid`. This generates an icongrid that can be used. The app also supports making Icongrids (mainly only used by the pre-week 7 base engine), where you can upload an icongrid, then choose the icons you wish to add and then click `Generate Icongrid`. This legacy feature can be enabled by checking the `Legacy Mode` checkbox. <br /> <br /> ## Building the app: Since this is a web app, there is no need to build this from source if all you intend on doing is using the app. Just use the app [here](https://uncertainprod.github.io/FNF-Spritesheet-XML-generator-Web) But for developers, you need the [Rust](https://www.rust-lang.org/tools/install) toolchain as well as [Node.js (and npm)](https://nodejs.org/en/download) installed. You also need `wasm-pack` to compile Rust into Webassmebly, follow the instructions [here](https://rustwasm.github.io/docs/book/game-of-life/setup.html) for setting that up. - To build the app go into the `svelte-frontend` folder and open a command prompt/terminal window in that folder - Type in `npm install` to automatically install all the dependencies needed for both the Javascript code - Then type `npm run dev` to start the app in debug mode. In order to build in release mode use `npm run build` instead. The first build will take a while as all the Rust dependencies will have to get downloaded and compiled before building the app. <small>Note: This app is still in a WIP phase and is not fully fleshed out yet (especially the UI) but it supports pretty much everything that the older application supported</small> #### Side note: Credit this repo if you are going to make your own fork and stuff :)
A web version of the Spritesheet and XML generator (https://github.com/UncertainProd/FnF-Spritesheet-and-XML-Maker). Works entirely in-browser, written in JS and Rust/Webassembly
fnf,friday-night-funkin,javascript,rust,spritesheet,svelte,webassembly,xml
2023-06-07T17:19:29Z
2024-03-23T20:40:55Z
null
1
0
83
2
3
8
null
MIT
Svelte
jrneliodias/WebApp-Portugues-PaidEgua
main
This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app). ## Getting Started First, run the development server: ```bash npm run dev # or yarn dev # or pnpm dev ``` Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. You can start editing the page by modifying `app/page.tsx`. The page auto-updates as you edit the file. This project uses [`next/font`](https://nextjs.org/docs/basic-features/font-optimization) to automatically optimize and load Inter, a custom Google Font. ## Learn More To learn more about Next.js, take a look at the following resources: - [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API. - [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial. You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js/) - your feedback and contributions are welcome! ## Deploy on Vercel The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js. Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details.
WebApp para o ensino de Lingua Portuguesa para Refugiados Venezuelanos em Belém do Pará. Projeto desenvolvido em parceria com UFPA
javascript,nextjs,nodejs,prisma-orm,supabase,typescript
2023-06-06T01:52:00Z
2023-08-19T18:53:19Z
null
2
0
177
0
0
8
null
null
TypeScript
fancy-crud/core
main
# fancy-crud/core [![npm](https://img.shields.io/npm/v/@fancy-crud/core)](https://img.shields.io/npm/v/@fancy-crud/core) [![build status](https://github.com/fancy-crud/core/actions/workflows/release.yml/badge.svg?branch=main)](https://github.com/fancy-crud/core/actions/workflows/release.yml) ## Getting started Please follow the documentation at [fancy-crud.github.io](https://fancy-crud.github.io/docs) ## License [MIT](https://opensource.org/licenses/MIT) Copyright (c) 2019-present, Christopher Flores
Core library to create forms and data tables with ease
automation,crud,datatables,form,forms,javascript,tables,typescript
2023-05-28T23:50:41Z
2024-05-23T01:42:37Z
2024-05-23T01:42:37Z
1
3
77
4
0
8
null
MIT
TypeScript
whitehorse21/spotify-ui-sample
main
# 📚 Spotify UI The project is a clone of the Spotify interface. The application allows creating, editing and deleting playlist, customize playlist information and has animations. ## ✈️ Technologies - React - react router - Styled Components - Redux Toolkit - <a href="https://lokeshdhakar.com/projects/color-thief/">Color Thief</a> ## 🚀 Features - Create, edit and delete playlists. - Customize playlist with name, description and image (URL) and get primary image color for playlist banner using Color Thief library. - Animations to make the application more enjoyable. ## 👨‍💻 How to perform To run this project on your machine, follow these steps: 1. Clone this repository: `git clone https://github.com/whitehorse21/spotify-ui-sample.git` 2. Install the dependencies: `npm install` 3. Run the application in development mode: `npm run dev` 4. Open your browser at `http://localhost:3000` to see the application running. ## ⚖ License This project is licensed under the MIT license. See the LICENSE file for more information.
Spotify UI Sample Built with React.js and Tailwind CSS
javascript,react,tailwind-css
2023-06-06T08:20:22Z
2023-06-06T08:57:18Z
null
1
0
1
0
0
8
null
MIT
JavaScript
savindaJ/savindaJ
main
<p align="center"> <img src="https://github.com/SavindaJayasekara/SavindaJayasekara/assets/124574201/7f63fe15-87e6-48ce-a7e5-4f66528d426d)" alt="Savinda" width="160" height="160"> </p> <p align="center"> <a href="https://github.com/DenverCoder1/readme-typing-svg"><img src="https://readme-typing-svg.herokuapp.com?lines=HI+I'm+Savinda+Jayasekara;Competitive+Programmer;IJSE+GDSE+Student;Java%20|%20Algorithms%20|%20OOP%20;Specialist%20on%20Codeforces;Always%20learning%20new%20things&center=true&width=500&height=50"></a> [![committers.top badge](https://user-badge.committers.top/sri_lanka/savindaJ.svg)](https://user-badge.committers.top/sri_lanka/savindaJ) <p align="left"> <img src="https://komarev.com/ghpvc/?username=savindaj&label=Profile%20views&color=0e75b6&style=flat" alt="savindaj" /> </p> </p> <h1 align="center">Hi 👋, I'm Savinda Jayasekara</h1> <h3 align="center">A passionate FullStack Developer in SriLanka</h3> <p align="left"> <a href="https://twitter.com/" target="blank"><img src="https://img.shields.io/twitter/follow/?logo=twitter&style=for-the-badge" alt="" /></a> </p> - 🌱 I’m currently learning **nest-js / next-js / frontend frameworks** - 🤝 I’m looking for help with **Lern TO AI** - 👨‍💻 All of my projects are available at [https://savindaj.github.io/MyPortfolio/](https://savindaj.github.io/MyPortfolio/) - 📝 I regularly write articles on [https://medium.com/@thantrige32](https://medium.com/@thantrige32) - 💬 Ask me about **java / python / OOP / React / javaScript / Spring / Flask / Fast API / Next @ Nest** - 📫 How to reach me **https://www.buymeacoffee.com/thantrige33** - 📄 Know about my experiences [https://savindaj.github.io/MyPortfolio/](https://savindaj.github.io/MyPortfolio/) - ⚡ Fun fact **always be happy 👨‍💻 !** <h3 align="left">Connect with me:</h3> <p align="left"> <a href="https://linkedin.com/in/savinda jayasekara" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/linked-in-alt.svg" alt="savinda jayasekara" height="30" width="40" /></a> <a href="https://stackoverflow.com/users/20662469" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/stack-overflow.svg" alt="20662469" height="30" width="40" /></a> <a href="https://fb.com/savinda jayasekara" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/facebook.svg" alt="savinda jayasekara" height="30" width="40" /></a> <a href="https://medium.com/savinda" target="blank"><img align="center" src="https://raw.githubusercontent.com/rahuldkjain/github-profile-readme-generator/master/src/images/icons/Social/medium.svg" alt="savinda" height="30" width="40" /></a> </p> <h3 align="left">Languages and Tools:</h3> <p align="left"> <a href="https://developer.android.com" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/android/android-original-wordmark.svg" alt="android" width="40" height="40"/> </a> <a href="https://angular.io" target="_blank" rel="noreferrer"> <img src="https://angular.io/assets/images/logos/angular/angular.svg" alt="angular" width="40" height="40"/> </a> <a href="https://angular.io" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/angularjs/angularjs-original-wordmark.svg" alt="angularjs" width="40" height="40"/> </a> <a href="https://aws.amazon.com" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/amazonwebservices/amazonwebservices-original-wordmark.svg" alt="aws" width="40" height="40"/> </a> <a href="https://getbootstrap.com" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/bootstrap/bootstrap-plain-wordmark.svg" alt="bootstrap" width="40" height="40"/> </a> <a href="https://www.w3schools.com/css/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/css3/css3-original-wordmark.svg" alt="css3" width="40" height="40"/> </a> <a href="https://dart.dev" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/dartlang/dartlang-icon.svg" alt="dart" width="40" height="40"/> </a> <a href="https://dotnet.microsoft.com/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/dot-net/dot-net-original-wordmark.svg" alt="dotnet" width="40" height="40"/> </a> <a href="https://www.electronjs.org" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/electron/electron-original.svg" alt="electron" width="40" height="40"/> </a> <a href="https://expressjs.com" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/express/express-original-wordmark.svg" alt="express" width="40" height="40"/> </a> <a href="https://www.figma.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/figma/figma-icon.svg" alt="figma" width="40" height="40"/> </a> <a href="https://flask.palletsprojects.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/pocoo_flask/pocoo_flask-icon.svg" alt="flask" width="40" height="40"/> </a> <a href="https://flutter.dev" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/flutterio/flutterio-icon.svg" alt="flutter" width="40" height="40"/> </a> <a href="https://cloud.google.com" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/google_cloud/google_cloud-icon.svg" alt="gcp" width="40" height="40"/> </a> <a href="https://git-scm.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/git-scm/git-scm-icon.svg" alt="git" width="40" height="40"/> </a> <a href="https://www.w3.org/html/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/html5/html5-original-wordmark.svg" alt="html5" width="40" height="40"/> </a> <a href="https://www.java.com" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/java/java-original.svg" alt="java" width="40" height="40"/> </a> <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/javascript/javascript-original.svg" alt="javascript" width="40" height="40"/> </a> <a href="https://www.linux.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/linux/linux-original.svg" alt="linux" width="40" height="40"/> </a> <a href="https://www.mongodb.com/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/mongodb/mongodb-original-wordmark.svg" alt="mongodb" width="40" height="40"/> </a> <a href="https://www.mysql.com/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/mysql/mysql-original-wordmark.svg" alt="mysql" width="40" height="40"/> </a> <a href="https://nextjs.org/" target="_blank" rel="noreferrer"> <img src="https://cdn.worldvectorlogo.com/logos/nextjs-2.svg" alt="nextjs" width="40" height="40"/> </a> <a href="https://nodejs.org" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/nodejs/nodejs-original-wordmark.svg" alt="nodejs" width="40" height="40"/> </a> <a href="https://postman.com" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/getpostman/getpostman-icon.svg" alt="postman" width="40" height="40"/> </a> <a href="https://www.python.org" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/python/python-original.svg" alt="python" width="40" height="40"/> </a> <a href="https://reactjs.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/react/react-original-wordmark.svg" alt="react" width="40" height="40"/> </a> <a href="https://reactnative.dev/" target="_blank" rel="noreferrer"> <img src="https://reactnative.dev/img/header_logo.svg" alt="reactnative" width="40" height="40"/> </a> <a href="https://redux.js.org" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/redux/redux-original.svg" alt="redux" width="40" height="40"/> </a> <a href="https://spring.io/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/springio/springio-icon.svg" alt="spring" width="40" height="40"/> </a> <a href="https://tailwindcss.com/" target="_blank" rel="noreferrer"> <img src="https://www.vectorlogo.zone/logos/tailwindcss/tailwindcss-icon.svg" alt="tailwind" width="40" height="40"/> </a> <a href="https://www.typescriptlang.org/" target="_blank" rel="noreferrer"> <img src="https://raw.githubusercontent.com/devicons/devicon/master/icons/typescript/typescript-original.svg" alt="typescript" width="40" height="40"/> </a> <a href="https://www.adobe.com/products/xd.html" target="_blank" rel="noreferrer"> <img src="https://cdn.worldvectorlogo.com/logos/adobe-xd.svg" alt="xd" width="40" height="40"/> </a> </p> <h3 align="left">Support:</h3> <p><a href="https://ko-fi.com/Savinda Jayasekara"> <img align="left" src="https://cdn.ko-fi.com/cdn/kofi3.png?v=3" height="50" width="210" alt="Savinda Jayasekara" /></a></p><br><br> <p><img align="left" src="https://github-readme-stats.vercel.app/api/top-langs?username=savindaj&show_icons=true&locale=en&layout=compact" alt="savindaj" /></p> <p>&nbsp;<img align="center" src="https://github-readme-stats.vercel.app/api?username=savindaj&show_icons=true&locale=en" alt="savindaj" /></p> <p><img align="center" src="https://github-readme-streak-stats.herokuapp.com/?user=savindaj&" alt="savindaj" /></p>
Config files for my GitHub profile.
config,github-config,javascript
2023-05-25T07:32:16Z
2024-04-09T07:59:24Z
null
1
0
44
0
0
8
null
null
null
gionet/CS50-2023
main
<h1> CS50 - 2023 </h1> <p>This is CS50 (aka CS50x through edX), Harvard University's introduction to the intellectual enterprises of computer science and the art of programming.</p> <p> For more info:<a href="https://cs50.harvard.edu/x/2023/" rel="nofollow"> HarvardX CS50x - CS50's Introduction to Computer Science </p> <h2> Disclaimer: </h2> <p>It is important to address the topic of <a href="https://cs50.harvard.edu/x/2023/honesty/" rel="nofollow">Academic Honesty. </p> <p>These solutions are intended to be shared within the community as a point of reference, guidance and discussions, explicitly emphasizing that they should not be used for cheating purposes.</p> <h2> Table of Content </h2> <table> <tr> <h3> Week 1: C </h3> <ul> <li>cash</li> <li>credit</li> <li>hello</li> <li>mario-less</li> <li>mario-more</li> </ul> </table> <h3> Week 2: Arrays </h3> <ul> <li>bulbs</li> <li>caesar</li> <li>hours</li> <li>no-vowels</li> <li>password</li> <li>readability</li> <li>scrabble</li> <li>substitution</li> <li>wordle</li> </ul> <h3> Week 3: Algorithms </h3> <ul> <li>atoi</li> <li>max</li> <li>plurality</li> <li>runoff</li> <li>snackbar</li> <li>sort</li> <li>temps</li> <li>tideman</li> </ul> <h3> Week 4: Memory </h3> <ul> <li>bottomup</li> <li>filter-less</li> <li>filter-more</li> <li>license</li> <li>recover</li> <li>reverse</li> <li>smiley</li> <li>volume</li> </ul> <h3> Week 5: Data Structures </h3> <ul> <li>inheritance</li> <li>speller</li> <li>trie</li> </ul> <h3> Week 6: Python </h3> <ul> <li>bank</li> <li>dna</li> <li>figlet</li> <li>jar</li> <li>sentimental-cash</li> <li>sentimental-credit</li> <li>sentimental-hello</li> <li>sentimental-mario-less</li> <li>sentimental-mario-more</li> <li>sentimental-readability</li> <li>seven-day-average</li> <li>taqueria</li> <li>world-cup</li> </ul> <h3> Week 7: SQL </h3> <ul> <li>favorites</li> <li>movies</li> <li>prophecy</li> <li>songs</li> </ul> <h3> Week 8: HTML, CSS, JavaScript </h3> <ul> <li>homepage</li> <li>redo</li> <li>trivia</li> </ul> <h3> Week 9: Flask </h3> <ul> <li>birthdays</li> <li>finance</li> <li>helloflask</li> </ul> <h3> Week 10: Final Project </h3> <ul> <li>Replica Inventory Management System</li> </ul>
CS50's Introduction to Computer Science - 2023 Solutions
c,cpp,flask,html,javascript,python,sql,sqlite3
2023-06-08T14:21:55Z
2023-11-08T15:45:07Z
null
1
3
53
0
2
8
null
null
C
pchihieuu/coding_interview
master
null
Leetcode solutions in Java, Golang and Javascripts
algorithms,data-structures,go,java,javascript
2023-05-30T15:34:16Z
2023-05-31T17:55:26Z
null
1
0
40
0
1
8
null
null
Java
MozamelJawad/My_Portfolio
main
<a name="readme-top"></a> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 My_Portfolio <a name="about-project"></a> Welcome to my **My_Portfolio**! This **Portfolio** showcases my work, skills, and some completed projects developed in at latest technologies and frameworks. The **Portfolio** provides a contact form to directly contact **Mozamel Jawad** and share your thoughts. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <ul> <li>HTML</li> <li>CSS</li> <li>JavaScript</li> </ul> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo link](https://MozamelJawad.github.io/My_Portfolio/) ## <!-- Features --> ### Key Features <a name="key-features"></a> - **Good Color Matching** - **Animation** - **Transition** - **Responsiveness** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites To run this project, you need: ### Setup Clone this repository to your desired folder: https://github.com/MozamelJawad/My_Portfolio ### Install Install this project with: ```sh cd My_Portfolio npm install ``` ### Usage To run the project, execute the following command: > npm install ### Run tests > npx hint. ### Deployment The project can be deployed by using the gh-pages and other web platforms. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Mozamel Jawad** - GitHub: [@githubhandle](https://github.com/MozamelJawad) - Twitter: [@twitterhandle](https://twitter.com/mozameljawad) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/mozamel-jawad/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Portfolio** - [ ] **Mobile Version** - [ ] **Desktop Version** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/MozamelJawad/My_Portfolio/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project, give a ⭐️ <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse for providing an opportunity to pair programing and remote collaboration. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Project Portfolio is my personal portfolio website that includes details, previous project work and a contact form. This website is fully responsive for mobile and desktop. It is designed in HTML, CSS and JavaScript.
css,html,javascript,resoponsive
2023-06-01T06:05:20Z
2024-03-10T14:20:55Z
null
5
16
171
0
0
8
null
MIT
HTML
zuhebahmed88091/Awesome_books_es6
master
<a name="readme-top"></a> <div align="center"> <h3><b>Awesome Books Project</b></h3> </div> # :green_book: Table of Contents - [:book: About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [:rocket: Live Demo](#live-demo) - [:computer: Getting Started](#getting-started) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [:bust_in_silhouette: Author](#author) - [:telescope: Future Features](#future-features) - [:handshake: Contributing](#contributing) - [:star:️ Show your support](#support) - [:pray: Acknowledgements](#acknowledgements) - [:memo: License](#license) # :book: Awesome Books Project <a name="Awesome Books Project"></a> **Awesome Books Project** is the project of module 2.It is a simple website and it can be used for saving books. Here we used HTML, CSS to design site and used Javascript for dynamic functionality. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Learn/JavaScript/Client-side_web_APIs/Manipulating_documents">DOM</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object">JavaScript Object</a></li> <li><a href="https://css-tricks.com/snippets/css/a-guide-to-flexbox/">FlexBox</a></li> <li><a href="https://mozilla.github.io/addons-linter/">Linters</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **Using JavaScript Object** - **Local Storage** - **Dynamics of HTML using JavaScript** - **DOM Manipulation** - **ES6** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://zuhebahmed88091.github.io/Awesome_books_es6/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## :computer: Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - A web browser to view output e.g [Google Chrome](https://www.google.com/chrome/). - An IDE e.g [Visual studio code](https://code.visualstudio.com/). - [A terminal](https://code.visualstudio.com/docs/terminal/basics). ### Setup Clone this repository to your desired folder or download the Zip folder: ```sh "git clone https://github.com/mahdinoori2000/awesome-book.git" ``` - Navigate to the location of the folder in your machine: ```sh cd ./user/ ``` ### Install Install all dependencies: ```sh "npm install" ``` ### Usage To run the project, follow these instructions: - You have to clone this repo to your local machine. - If you want to run it on your preferred browser, run: ```sh "Open index.html or about.html in the project directory with your preferred browser" ``` ### Run tests To run tests, run the following command: - HTML linter errors run: ``` npx hint . ``` - CSS linter errors run: ``` npx stylelint "**/*.{css,scss}" ``` - JavaScript linter errors run: ``` npx eslint . ``` - For unit testing, run: ``` npm test ``` ### Deployment <a name="deployment"></a> You can deploy this project using: GitHub Pages, - I used GitHub Pages to deploy my website. - For more information about publishing sources, see "[About GitHub pages](https://docs.github.com/en/pages/getting-started-with-github-pages/about-github-pages#publishing-sources-for-github-pages-sites)". <p align="right">(<a href="#readme-top">back to top</a>)</p> ## :bust_in_silhouette: Author <a name="Zuheb Ahmed"></a> - GitHub: [@zuhebahmed88091](https://github.com/zuhebahmed88091) - Twitter: [@zuhebahmed88091](https://twitter.com/ZuhebAhmed88091) - LinkedIn: [Zuheb Ahmed](https://www.linkedin.com/in/zuheb-ahmed/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## :telescope: Future Features <a name="future-features"></a> - [ ] **Add Backend** - [ ] **Add CSS styles** - [ ] **About Section** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## :handshake: Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## :star:️ Show your support <a name="support"></a> Give a :star:️ if you like this project and how I managed to build it! <p align="right">(<a href="#readme-top">back to top</a>)</p> ## :pray: Acknowledgments <a name="acknowledgements"></a> - We want to thank microverse for providing the design and requirements for this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## :memo: License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Awesome Books Project is the project of module 2.It is a simple website and it can be used for saving books. Here we used HTML, CSS to design site and used Javascript for dynamic functionality.
css,html,javascript,webpack
2023-06-06T03:30:14Z
2023-06-06T05:41:40Z
null
1
1
7
1
0
8
null
null
JavaScript
Sonikak004/To-Do-list
main
<a name="readme-top"></a> <div align="center"> <h2><b>To-Do List</b></h2> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Usage](#usage) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 To Do List <a name="about-project"></a> **To Do List** is a List of To Do tasks built using webpack and served by a webpack dev server. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="#">HTML</a></li> <li><a href="#">CSS</a></li> <li><a href="#">JAVASCRIPT</a></li> <li><a href="#">Webpack</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **User Interface** - **Task Management** - **Interactivity** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> [Live Demo](https://sonikak004.github.io/To-Do-list/dist/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Setup Clone this repository to your desired folder: cd my-folder <br/> git clone https://github.com/Sonikak004/To-Do-list.git ### Usage To run the project, execute the following command: cd path/to/project <br/> npm start ## 👥 Author <a name="authors"></a> 👤 **Author** - GitHub: [@sonikak004](https://github.com/sonikak004) - Twitter: [@sonikak004](https://twitter.com/sonikak004) - LinkedIn: [sonikak004](https://linkedin.com/in/sonikak004) 👤 **Author2** 👤 Sadaf Daneshgar - GitHub: [@githubhandle](https://github.com/sadaf-Daneshgar) - Twitter: [@twitterhandle](https://twitter.com/SadafDaneshgar) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/sadaf-barekzai-00480a242) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Drag and Drop** - [ ] **Local Storage** - [ ] **Accessibility** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Sonikak004/To-Do-list/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> If you like this project please give me a star! <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse for giving me this oppurtunity. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./mit.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
To-Do List Manager - A minimalist task tracker powered by Webpack and a user-friendly interface. Easily add, delete, and modify tasks while enjoying data persistence through local storage.
css,html5,javascript,webpack
2023-05-17T16:35:41Z
2023-06-24T09:20:59Z
null
2
7
71
0
0
8
null
null
JavaScript
ftharsh/Netted
main
# Netted - Latest News Anywhere Anytime ## **Tech Stack** : * HTML * CSS * JavaScript * React Js * Git / GitHub ___ ## **Description** : * News on the go * Categorised on basis of various topics like Business, Entertainment, Health, Science, Sports and Technology * Latest news with date and author name from a lot of different sources * Completely free ___ ## **Previews** : ### Home Page (Top Headlines from all Categories) ![Home](./previews/home.png) ### Business Category ![Business](./previews/Business.png) ### Entertainment Category ![Entertainment](./previews/Entertainment.png) ### Health Category ![Health](./previews/Health.png) ### Science Category ![Science](./previews/Science.png) ### Sports Category ![Sports](./previews/Sports.png) ### Technology Category ![Technology](./previews/Technology.png) ### Loading Spinner ![spinner](./previews/spinner.png) ### Loading Bar ![Bar](./previews/Bar.png) ___ ## **Download Links** : You can access my project from your local machine ! >https : https://github.com/ftharsh/Netted ```bash git clone https://github.com/ftharsh/Netted.git ``` ___
Netted is a cutting-edge web news app that provides users with a curated and personalized news experience. With its sleek and intuitive interface, Netted delivers the latest headlines and in-depth stories from a wide range of reliable sources.
javascript,reactjs,api,cross-platform,expressjs,mern-project,mern-stack
2023-05-21T04:02:50Z
2023-12-08T01:24:02Z
null
1
0
2
0
0
7
null
null
JavaScript
LuckyIndraEfendi/KyoukaLive
main
<div align="center"> <a href="https://kyouka-live.web.app/"> <img src="https://i.pinimg.com/564x/5b/6d/86/5b6d8661084d508f3f8aff05daf59367.jpg" alt="logo" width="180"/> </a> </div> <h1 align="center"> <a href="https://kyouka-live.web.app/">Kyouka Anime Streaming Website</a> </h1> <p align="center"> <a href="https://github.com/LuckyIndraEfendi/KyoukaLive/blob/main/LICENSE.md"> <img src="https://img.shields.io/github/license/DevanAbinaya/Ani-Moopa" alt="license"/> </a> <a href="https://github.com/LuckyIndraEfendi/KyoukaLive/fork"> <img src="https://img.shields.io/github/forks/LuckyIndraEfendi/KyoukaLive?style=social" alt="fork"/> </a> <a href="https://github.com/LuckyIndraEfendi/KyoukaLive"> <img src="https://img.shields.io/github/stars/LuckyIndraEfendi/KyoukaLive?style=social" alt="stars"/> </a> </p> # Preview Kyouka Live <p align="center"> <img src="https://i.ibb.co/Y2gWNnZ/Screenshot-from-2023-07-01-20-12-22.png" alt="main" width="100%"> </p> <details> <summary>More Screenshots</summary> <h5 align="center">Home page after you login</h5> <img src="https://i.ibb.co/Y2gWNnZ/Screenshot-from-2023-07-01-20-12-22.png" alt="main" width="100%"/> <h5 align="center">Profile Page</h5> <img src="https://user-images.githubusercontent.com/97084324/234556937-76ec236c-a077-4af5-a910-0cb85e900e38.gif"/> <h5 align="center">Info page for PC/Mobile</h5> <p align="center"> <img src="https://i.ibb.co/7V9r1H3/Screenshot-from-2023-07-01-20-14-52.png" width="100%"/> </p> <h5 align="center">Watch Page</h5> <img src="https://i.ibb.co/x3PvbPL/Screenshot-from-2023-07-01-20-10-46.png" width="100%"/> </details> ## Introduction <p><a href="https://kyouka-live.web.app/">Kyouka</a> is an anime streaming website made possible by <a href="https://github.com/LuckyIndraEfendi/AnimeIndo-Rest-API">AnimeIndo API</a> build with <a href="https://github.com/vercel/react.js/">ReactJS</a> and <a href="https://github.com/tailwindlabs/tailwindcss">Tailwind</a> with a sleek and modern design that offers AnimeIndo integration to help you keep track of your favorite anime series. Moopa is entirely free and does not feature any ads, making it a great option for you who want an uninterrupted viewing experience.</p> ## Features - Free ad-supported streaming service - Anime tracking through AnimeIndo API - User-friendly interface - Mobile-responsive design - Firebase Login Using Google O2Auth ## Bug Report If you encounter any issues or bug on the site please head to [issues](https://github.com/LuckyIndraEfendi/KyoukaLive/issues) and create a bug report there. ## For Local Development 1. Clone this repository using : ```bash git clone https://github.com/LuckyIndraEfendi/KyoukaLive.git ``` 2. Install package using npm : ```bash npm install ``` 3. Create `.env` file in the root folder and put this inside the file : ```bash VITE_BASEURL=//Your Rest API Anime Indo Here VITE_APIKEY=//Your Firebase Project APIKEY VITE_AUTHDOMAIN=//Your Project Auth Domain VITE_PROJECT_ID=//Your Project Project ID VITE_STORAGE_BUCKET=//Your Project Storage Bucket VITE_MESSAGING_SENDER_ID=//Your Project Sender ID VITE_APP_ID=//Your Project App Id VITE_MEASUREMENT_ID=//Your Project Measurement ID ``` 4. Add this endpoint Rest API Anime Indo : Deploy your Rest API Using Vercel here <a href="https://github.com/LuckyIndraEfendi/AnimeIndo-Rest-API">Anime Indo</a> ```bash https://{your-website-url} ``` 5. Start local server : ```bash npm run dev ``` ## Credits - [AnimeIndo API](https://github.com/LuckyIndraEfendi/AnimeIndo-Rest-API) - [miru](https://github.com/ThaUnknown/miru/) for inspiring me making this site ## License This project is licensed under the MIT License - see the [LICENSE.md](LICENSE.md) file for details. ## Contact Thank You for passing by!! If you have any questions or feedback, please reach out to us at [contact@kyouka.live](mailto:kimilbonchu@gmail.com?subject=[Kyouka]%20-%20Your%20Subject), or you can join our [discord sever](https://discord.gg/XpWMNdVg) <br> or you can DM me on Discord `Factiven#9110`/`CritenDust#3704`. (just contact me on one of these account) [![Discord Banner](https://discordapp.com/api/guilds/1124682003850199121/widget.png?style=banner3)](https://discord.gg/XpWMNdVg) ## Support This Project ✨ [Star this project](https://github.com/LuckyIndraEfendi/KyoukaLive) [![ko-fi](https://ko-fi.com/img/githubbutton_sm.svg)](https://ko-fi.com/E1E6F9XZ3) <a href="https://trakteer.id/lucky-indra-efendi-lpwhg" target="_blank"><img id="wse-buttons-preview" src="https://cdn.trakteer.id/images/embed/trbtn-red-5.png" height="36" style="border: 0px; height: 36px;" alt="Trakteer Saya"></a>
This Anime Site is made with Vite + React JS and Rest API From Anime Indo
anime,anime-website,firebase,reactjs,redux,rest-api,web-application,animes,movies,streaming
2023-05-29T15:23:41Z
2023-10-02T03:55:31Z
2023-05-31T17:43:25Z
1
0
6
0
11
7
null
MIT
JavaScript
Vital-Vuillaume/My-Website
main
# My Website **Welcome to My Website! Discover my exciting and personal projects, and adjust the settings for a tailor-made experience. Ready to embark on this creative journey?** ## Technologies Used **This site was developed using the following technologies:** [![My Skills](https://skillicons.dev/icons?i=html,css,js)](https://github.com/Vital-Vuillaume) ## How to Use the Site ### To access the site, simply click on the following link: [***My Website***](https://rmbi.ch/vital/) **Once on the site, you will find a page but with several pages:** - ### Home: **An introductory page with a brief description of the site.** - ### Projects: **A page where I showcase my projects and those of [***Asterjdm***](https://github.com/asterjdm) and [***Feur-company***](https://github.com/Feur-company)** - ### Settings: **Experience an immersive settings page with dynamic light/dark themes and a selection of music and much more. Personalize your experience like never before!** ## Contribution - ### I am open to contributions and suggestions to improve this site: **1. You can fork the site.** ## Acknowledgments **Feel free to explore the site and share your feedback. I hope you enjoy your visit!**
My website is dedicated to my creative projects. Explore a collection of diverse projects, each with its own story.
css,html,html-css-javascript,javascript,project-site,projects,site,website,app-desktop,app-mobile
2023-06-07T16:12:21Z
2024-05-22T11:11:24Z
null
1
1
161
0
0
7
null
null
JavaScript
ovuruska/happyflows
main
# HappyFlows: Prompt-Driven Code Generation [![NPM](https://nodei.co/npm/happyflows.png?downloads=true&downloadRank=true&stars=true)](https://nodei.co/npm/happyflows/) ![happyflow_logo](https://github.com/ovuruska/happyflows/blob/a6f86fe68cbb22bc5fc3e996595be90dfbb43fa6/docs/logo.png) HappyFlows is a dynamic, prompt-based project bootstrapping library designed to streamline the project initiation process. It uses NodeJS and the command-line interface (CLI) to intuitively guide you through the setup process for your new projects, saving you time and effort. ## Table of Contents - [Getting Started](#getting-started) - [Installation](#installation) - [Usage](#usage) - [Contributing](#contributing) - [License](#license) ## Getting Started HappyFlows aims to simplify the project setup process by generating tailored project templates based on your responses to a series of prompts. ## Installation HappyFlows is a NodeJS based CLI tool. Make sure you have [NodeJS](https://nodejs.org/en/) installed in your environment. To install HappyFlows globally on your machine, simply run: ```bash npm install -g happyflows ``` ## Usage After successful installation, you can start a new project using HappyFlows by entering the following command: ```bash happyflow ``` This will start a prompt asking you to explain your project in a few words, for example: ```bash ? Explain your program in a few words: Flask microservices: users, books and genres. They should be backed by PostgreSQL. Terraform and Kubernetes infra. Kafka as event broker. ``` Based on your input, HappyFlows will generate a relevant project structure to get you started! Resulting structure will be like ```bash . ├── books │   ├── Dockerfile │   ├── __init__.py │   ├── k8s-deployment.yaml │   ├── k8s-service.yaml │   ├── main.py │   └── requirements.txt ├── genres │   ├── Dockerfile │   ├── __init__.py │   ├── genre_updated.avsc │   ├── k8s-deployment.yaml │   ├── k8s-resources │   ├── k8s-service.yaml │   ├── kafka-configmap.yaml │   ├── kafka-deployment.yaml │   ├── kafka-schemas │   ├── kafka-service.yaml │   ├── main.py │   ├── main.tf │   ├── namespace.yaml │   ├── postgresql-sts.yaml │   ├── requirements.txt │   ├── terraform │   ├── user_created.avsc │   └── variables.tf └── users ├── Dockerfile ├── __init__.py ├── k8s-deployment.yaml ├── k8s-service.yaml ├── main.py └── requirements.txt ``` ## Contributing Contributions are what make the open-source community such an amazing place to learn, inspire, and create. Any contributions you make are **greatly appreciated**. 1. Fork the Project 2. Create your Feature Branch (`git checkout -b feature/AmazingFeature`) 3. Commit your Changes (`git commit -m 'Add some AmazingFeature'`) 4. Push to the Branch (`git push origin feature/AmazingFeature`) 5. Open a Pull Request ## License Distributed under the MIT License. See `LICENSE` for more information. --- Please let me know if you want to add or change anything.
HappyFlows: Prompt-driven code generation tool, designed to streamline project development processes.
ai,artificial-intelligence,code-generation,gpt-4,javascript,openai
2023-05-25T19:26:27Z
2023-06-19T17:07:59Z
2023-06-19T17:07:59Z
2
2
38
5
0
7
null
null
JavaScript
ruislan/ktap
main
# KTap KTap is a modern gaming community platform. [中文](./README.zh-CN.md) ## Screenshots <table> <tr> <td><img src="./docs/screenshots/index.png"/></td> <td><img src="./docs/screenshots/discover.png"/></td> <td><img src="./docs/screenshots/news.png"/></td> <td><img src="./docs/screenshots/rank.png"/></td> <td><img src="./docs/screenshots/discussions.png"/></td> </tr> <tr> <td><img src="./docs/screenshots/app-detail.png"/></td> <td><img src="./docs/screenshots/review.png"/></td> <td><img src="./docs/screenshots/user-center.png"/></td> <td><img src="./docs/screenshots/user-achievements.png"/></td> <td><img src="./docs/screenshots/discussion-posts.png"/></td> </tr> </table> ## Features * Users: Register, Login, User Center, Activity, Achievement, ... * Gaming: Review, Comment, Gift, Like, News, ... * Discussion:Post, Reply, Gift, Like, Sticky, Lock, Report, Moderator, ... * Others: Discover,Notification,Search, Rank, Tags, Admin Dashboard, ... ## Running Locally ### Setup 1. Modify .env.example to .env 2. Config your email in .env, the properties starting with "MAILER_" 3. Config other properties 4. Start Mysql Server ### Running Start backend ```bash cd ktap-server pnpm install pnpm prisma db push pnpm seed:dev pnpm dev ``` Start frontend ```bash cd ktap-ui-web pnpm install pnpm dev ``` visit [http://localhost:5173](http://localhost:5173) and enjoy. ### About Seed * Initialize data through the command "pnpm seed:dev", A small amount of data will be initialized, but it covers almost all used scenarios, such as users, games, comments, replies, tags, gifts, etc. Can be used to develop and test functionality. * Initialize the data through the command "pnpm seed:steam". The initialized content includes basic data and users and all steam games in the gameList (downloaded through the steam api). After the service is started, enter the url "/admin-panel", you can see a 🚀 button in some pages. Click it to generate a huge amount of data, like users, reviews, comments and so on. !!!Note, this command will clear database and re-initialize it. ### Docker ```bash docker-compose up -d ``` ## Build with * Language: NodeJS v20 * Web Framework: Fastify * Front Framework: ReactJS * Styling: BaseWeb UI * Database: SQLite/MySQL * ORM: Prisma * Other Libs: * day-fns: date helper * photoswipe: explore and scale images * swiper * tiptap: amazing editor * sanitize-html * nodejieba: Chinese word segmentation * nodemailer: email helper * node-cache: simple cache * node-cron: simple schedule Note: from version v1.5.0 the database was changed from SQLite to MySQL. There are many differences between SQLite and MySQL, Therefore, versions after v1.5.0 will not be compatible with previous versions. By the way. SQLite is great for development, demonstration, local storage and personal play, with high efficiency and good performance. ## Next Features that may be developed... * New UI Components * Events (Online or Offline) * Organization owners can mange their own organizations * Collections (Such as holiday, Discount, New gaming, etc) * Shopping mall (Virtual Products) * Improve search, (add search engine and improve relevance algorithms) * ... ## Thanks Thanks to the following websites for inspiring me. * [Taptap](https://taptap.cn/) * [Steam](https://store.steampowered.com/) * [Epic Games](https://store.epicgames.com/zh-CN/) * [IGDB](https://igdb.com/)
a modern gaming community platform
community,game,baseweb,fastify,node,prisma,reactjs,javascript,steam,taptap
2023-05-31T07:59:39Z
2024-04-11T07:55:27Z
2023-10-25T13:09:02Z
1
0
157
0
1
7
null
AGPL-3.0
JavaScript
kevinuehara/microfrontends-module-federation
main
# Pokémon Micro Frontends Module Federation This project was done to introduce the Micro Front-ends (MF's) using the concept of Runtime Sharing Components and Module Federation with Webpack 5. Also, the project is using `Jotai` to manage the state of MF. The project contains two types of projects using React and the Module Federation. One of them is using `Vite` with `originjs/vite-plugin-federation` (vite plugin to configure module federation). The other is using `Create React App (CRA)` and `Craco` to extends the Webpack default of CRA and configure the module federation. ## The Project We have two packages, one of them using vite and other using CRA. Each of one contains two projects. The host and remote app. The "host" is the `pokemons-home` will consume the micro front-end. The "remote" is the `pokemon-list` where it contains the MF that will be exposed and the state using `jotai` to manage state of MF. ### The Micro Front-end (Remote App) ![Image of Micro Frontend](images/microfront.png) The MF `pokemon-list` is only listing pokémons fetch API on `mocks` pokemonList.json. It will return a list of pokemóns, with id, name and sprite. Also, the MF manages the state of list of pokémons and if there's some selected, using `Jotai`. ### The Web App (Host App) ![Gif of pokémon web application](images/pokemon-mf.gif) The main app (host) will consume the MF and interact with him, using the `jotai` hook exposed to select a pokémon. ### Module Federation According to the documentation: >Multiple separate builds should form a single application. These separate builds act like containers and can expose and consume code between builds, creating a single, unified application. Module federation allow us to expose our components and state. The module federation is available on webpack 5. The module federation generates a file called `remoteEntry.js` that is the manifest to our application consume and/or expose what we want. ![Gif of remoteEntry File](images/pokemon-mf-integration.gif) Example of remoteEntry file: ![Image of remoteEntry File](images/remoteEntry.png) This file is generated after the build of application. ### **Module Federation with Vite** The vite offers a plugin to integrate with module federation called `originjs/vite-plugin-federation` that you can install and add on your `vite.config.js` ### **Module Federation with Create React App (CRA)** One of the options to use module federations on CRA app, is using the `craco`. Craco is a tool that "extends" the webpack config to we use the `ModuleFederationPlugin` available on webpack. We need to create a file called `.cracorc.js` and we can configure plugins on our project. ## Requirements - Node >= 16.0.0 - NPM or Yarn I will be using `yarn` to manage our dependencies. ## How to run? - First, enter some project (vite or CRA). - We will have two project, the `pokemons-home` and `pokemons-list`. - First, enter on `pokemons-list`, open the first terminal and type the command: ``` yarn ``` To install the dependencies If you are on the vite project: ```sh yarn build && yarn preview ``` if you are on the CRA project ```sh yarn build && yarn dev ``` The build will generate the remoteEntry.js and the micro frontend in on air. - Now, open the second terminal and enter on `pokemons-home` and type: ```sh yarn ``` And you can just run, using: ```sh yarn dev ``` Now the host app is available, consuming the micro frontend and allow to interact with the state of component. If you liked the project, star and share the repository for everyone!!! Thank you, guys! Created by Kevin Uehara - 2023
Project creating Microfrontends, runtime sharing, Module Federation and Jotai
frontend,javascript,microfrontend,react,typescript,vite
2023-06-08T18:19:32Z
2023-06-08T23:55:12Z
null
1
0
7
2
0
7
null
MIT
TypeScript
thenameisajay/Pioneers-in-Computer-Science
master
# Pioneers-in-Computer-Science <em>"A society grows great when old men plant trees, the shade of which they know they will never sit in." </em> ## Dedicated to: To my grandfather <strong> Krishnasamy V.M </strong>, I owe everything to him, may he rest in peace. ## Deployment: The website is deployed on Heroku and can be accessed at https://pics-usa-d37de900c431.herokuapp.com ## GRADE: DISTINCTION ## Description: This repository is the source code for the Pioneers in Computer Science website. The website is a collection of biographies of the most influential people in the field of Computer Science. This project was created for the CS5099 Dissertation module at the University of St Andrews as part of the MSc Software Engineering degree. It was created by Ajay Pradeep Mahadeven as part of his dissertation project. ## Installation: <ul> <li> Clone the repository to your local machine or download the zip file. </li> <li> Open it in your suitable IDE or terminal. </li> <li> Run <code> npm i </code> to install node modules and dependencies </li> <li> Run <code> node app.js </code> or <code> nodemon app.js</code> or <code> bun app.js </code> to start the server </li> <li> Open localhost:3000 in your desired browser to see the website.</li> </ul> ## Deployment Instructions: <ul> <li> Whichever platform you are using to deploy, remember to add the .env API keys (MongoDB & OpenAI) for the relevant places </li> <li> I have placed the pioneers' data (pioneers.csv) in local storage, add it if you plan to deploy and change <code>process.env.MONGO_URL</code> in the config folder , file named <code> db.js </code> </li> <li> I have used MongoDB Atlas to store the data. You can use the same or any other database to store the data </li> <li> Install the project dependencies by running <code> npm i</code> </li> <li> Start command : <code> node app.js </code></li> </ul> ## Technologies Used: <ul> <li> Node.js </li> <li> Express.js </li> <li> MongoDB </li> <li> HTML </li> <li> CSS </li> <li> Bootstrap </li> <li> Javascript </li> <li> EJS </li> <li> Heroku </li> </ul> ## Features: <ul> <li> User can view the list of all the pioneers in the database. </li> <li> Users can view the birthplace of each pioneer. </li> <li> Users can chat with a chatbot (EVA), powered by ChatGPT </li> <li> Users can browse pioneers by name, country and field </li> <li> Users have a feedback mechanism to provide feedback on the website (Contact Page) </li> <li> Users can also see the contributions of pioneers via vertical roadmap </li> <li> Users have the ability to further learn about the pioneers by navigating to the references </li> </ul> ## License: This project is licensed under the MIT License - see the LICENSE.md file for details ## Acknowledgements: This project would have not been possible without the help and support of the following people: <ul> <li> Prof. Dharini Balasubramaniam (Supervisor) </li> <li> Prof Ronald Morrison </li> <li> Prof. Edmund Robertson (MacTutor Co-Creator) </li> <li> Prof. John O'Connor (MacTutor Co-Creator) </li> <li> Manish Mishra </li> <li> Niharika Kumari </li> <li> Felix Brown (Friend)</li> <li> Kiran Baby(Friend)</li> <li> Shivang Sinha (Friend)</li> <li> Furkan Tekinay (Friend)</li> <li> Christobal (Friend)</li> <li> Gopichand Narra (Friend)</li> <li> Yusuf Farag (Friend)</li> <li> M K Mahadeven (Father)</li> <li> Nagheshwari Mahadeven (Mother)</li> <li> K M Samyuktha (Sister)</li> <li> Krishnasamy V.M (Grandfather) <strong>Rest In Peace</strong></li> </ul>
A comprehensive collection of biographies of the most influential figures in the realm of Computer Science. This project serves as the dissertation for the CS5099 module at the University of St Andrews, part of the MSc Software Engineering program.
computer-science,css3,ejs,html5,javascript,nodejs,pioneers,learn
2023-06-03T17:52:45Z
2024-05-06T12:31:30Z
null
2
2
288
0
0
7
null
MIT
EJS
Silent-Watcher/battery-tracker
master
![battery tracker banner](https://github.com/Silent-Watcher/battery-tracker/blob/master/.github/battery-banner.png) <h1 tabindex="-1" dir="auto">Battery Tracker <a id="user-content--thanks-for-visiting" class="anchor" aria-hidden="true" href="#-thanks-for-visiting"><img src="https://raw.githubusercontent.com/Tarikul-Islam-Anik/Animated-Fluent-Emojis/master/Emojis/Objects/Low%20Battery.png" alt="Low Battery" width="25" height="25" /></a></h1> Battery Tracker is a web application that allows you to monitor and track the battery level of your device in real-time. It provides useful information such as battery level, charging status, time remaining, and historical data with interactive charts. <p dir="auto"><a href="https://github.com/sindresorhus/awesome"><img src="https://camo.githubusercontent.com/abb97269de2982c379cbc128bba93ba724d8822bfbe082737772bd4feb59cb54/68747470733a2f2f63646e2e7261776769742e636f6d2f73696e647265736f726875732f617765736f6d652f643733303566333864323966656437386661383536353265336136336531353464643865383832392f6d656469612f62616467652e737667" alt="Awesome" data-canonical-src="https://cdn.rawgit.com/sindresorhus/awesome/d7305f38d29fed78fa85652e3a63e154dd8e8829/media/badge.svg" style="max-width: 100%;"></a> <a href="https://github.com/chetanraj/awesome-github-badges"><img src="https://camo.githubusercontent.com/ff817852f0d676a36eaa3108d380e0052e689d9e0bc3eb42818fb21008708420/68747470733a2f2f696d672e736869656c64732e696f2f62616467652f4d616465253230576974682d4c6f76652d6f72616e67652e737667" alt="Made With Love" data-canonical-src="https://img.shields.io/badge/Made%20With-Love-orange.svg" style="max-width: 100%;"></a></p> [![Star this project](https://img.shields.io/badge/-⭐%20Star%20this%20project-yellow?style=for-the-badge)](https://github.com/Silent-Watcher/cli-word-guessing-game) ## Table of Contents - [Features](https://github.com/Silent-Watcher/battery-tracker#features) - [preview](https://github.com/Silent-Watcher/battery-tracker#preview) - [demo](https://github.com/Silent-Watcher/battery-tracker#demo) - [Prerequisites](https://github.com/Silent-Watcher/battery-tracker#Prerequisites) - [Installation](https://github.com/Silent-Watcher/battery-tracker#Installation) - [usage](https://github.com/Silent-Watcher/battery-tracker#usage) - [Configuration](https://github.com/Silent-Watcher/battery-tracker#Configuration) - [Acknowledgements](https://github.com/Silent-Watcher/battery-tracker#Acknowledgements) - [Contributing](https://github.com/Silent-Watcher/battery-tracker#Contributing) - [Contact](https://github.com/Silent-Watcher/battery-tracker#Contact) - [License](https://github.com/Silent-Watcher/battery-tracker#License) ## Features - Real-time monitoring of device battery level. - Display of charging status (charging, discharging, full). - Estimated time remaining based on current battery level. - Historical data visualization with interactive charts. - Battery level notifications at critical thresholds. - Responsive design for use on various devices. ## Preview <img src='https://iili.io/HrsCw41.png'> ## demo ### GitHub pages https://silent-watcher.github.io/battery-tracker/ <p> [![Open in StackBlitz](https://developer.stackblitz.com/img/open_in_stackblitz.svg)](https://stackblitz.com/github/Silent-Watcher/battery-tracker) </p> ## Prerequisites In order to run this project, you will need to have the following installed on your computer: - nodejs - yarn | npm ## Installation To install the application, follow these steps: 1. Clone the repository to your local machine: ```bash git clone https://github.com/Silent-Watcher/battery-tracker ``` 2. Navigate to the project directory in your terminal. ```bash cd battery-tracker ``` 3. Run `yarn` to install the necessary packages. ```bash yarn ``` ## usage To start the application, run yarn dev. This will start the application on http://localhost:5173. ```bash yarn dev ``` ## Configuration You can customize the configuration of the Battery Tracker app by modifying the config.js file. Here are the available options: - refreshInterval: The interval (in milliseconds) at which the battery information is updated. - criticalThreshold: The battery level at which a notification is triggered for critical battery level. ## Acknowledgements - [The build tool and development server.](https://vitejs.dev/) - [The package manager used in the project.](https://yarnpkg.com/) ## Contributing Contributions to this project are welcome. If you encounter any issues or have suggestions for improvement, please open an issue on the GitHub repository. Before contributing, please review the contribution guidelines. ## Contact For additional information or inquiries, you can reach out to the project maintainer: - Name: Silent-Watcher - Email: alitabatabaee20@mail.com Feel free to contact the maintainer for any questions or feedback regarding the project. ## License [MIT](https://choosealicense.com/licenses/mit/) This project is licensed under the MIT License. You are free to modify, distribute, and use the code for personal and commercial purposes. See the LICENSE file for details. <a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/6038c8f1fd8f60de75477470e5a87210e9256202e01dfba9986446304a0f0254/68747470733a2f2f63617073756c652d72656e6465722e76657263656c2e6170702f6170693f747970653d776176696e6726636f6c6f723d6772616469656e74266865696768743d36302673656374696f6e3d666f6f746572"><img src="https://camo.githubusercontent.com/6038c8f1fd8f60de75477470e5a87210e9256202e01dfba9986446304a0f0254/68747470733a2f2f63617073756c652d72656e6465722e76657263656c2e6170702f6170693f747970653d776176696e6726636f6c6f723d6772616469656e74266865696768743d36302673656374696f6e3d666f6f746572" data-canonical-src="https://capsule-render.vercel.app/api?type=waving&amp;color=gradient&amp;height=60&amp;section=footer" style="max-width: 100%;"></a>
Monitor and track your device's battery level in real-time with Battery Tracker 🔋
battery-level,battery-monitor,battery-tracker,chart-visualization,chartjs,real-time-monitoring,web-application,javascript,vite-pwa,battery-status
2023-06-01T19:11:59Z
2024-05-06T16:37:02Z
2023-06-01T18:33:47Z
1
0
30
0
1
7
null
MIT
JavaScript
gvanastasov/codebook-typescript
main
> BETA: interactivity is not in place yet... # **Codebook - Typescript** Welcome to Codebook - your comprehensive guide to learning TypeScript! Learn by examples from zero to hero in typescript. This repository serves as a valuable resource for beginners and experienced developers alike, offering a curated collection of examples and explanations to help you master TypeScript. ## **Quick Start** Follow these steps to get started with Codebook: 1. Clone the repository to your local machine. 2. Install the project dependencies by running npm install. 3. Compile the TypeScript code by running npm run build. 4. Run the examples for each chapter by executing the corresponding npm script. ```sh # replace number with chapter you want to see output from. npm run chapter:1 ``` Please note that most of the examples will output dummy text. To explore the code in more detail, it's recommended to read the scripts themselves. You can find the source code in the ./src directory and navigate through the chapters. Ensure that you have Node.js installed on your machine, preferably version 16 or higher as specified in the engines field of the package.json. The code repository has been tested and verified to work with Node.js 16. The ECMA2020 target in the TypeScript compiler requires a minimum of Node.js version 10. Feel free to explore the quick links provided below or dive into the source code to enhance your learning experience. Happy coding! > Note: The codebase is continuously tested and maintained, but please be aware that some sections may be under development or not covered in-depth. Your feedback and contributions are highly appreciated to make this repository more valuable for the TypeScript community. ## **What's Inside?** Codebook covers a wide range of TypeScript topics, starting from the basics and gradually diving into more advanced concepts. Each topic is accompanied by clear and concise examples, allowing you to learn by doing. From primitive types and type aliases to classes, modules, and advanced type systems, Codebook has got you covered. ## **Learning Path** This repository is designed as a crash course, guiding you from zero to hero in TypeScript. It's structured in a way that allows you to progressively build your knowledge and skills. Start with the fundamentals and work your way up, tackling more complex concepts as you go. Feel free to explore at your own pace and revisit topics whenever you need a refresher. ## **What is typescript?** - Javascript is a scripting language, also better known as interpreted language, meaning that the code is executed line by line at runtime rather than being compiled into a binary form before execution. The interpretation is usually done by a javascript interpretator - some common ones being Node.js, or any browser (with support for javascript, which is probably all of them). - Typescript is a superset of Javascript, which means that any valid JavaScript code is also valid TypeScript code. But in addition, it introduces a compiler (tsc) that translates TypeScript code into JavaScript, enabling you to leverage the additional features and benefits of TypeScript while still targeting JavaScript as the execution platform. - TS Scope - tsc considers all files included in the compiler to belong to the same global space. This applies for js files too if they are included by the config. To prevent scope polution, each file is wrapped inisde a IIFE to separate scopes. - Technically a typical lifecycle of a javascript codebase, would be development, followed by runtime execution. There are of course other stages of the lifecycle, like transpiling, building, generating, testing, publishing, deploying and etc. For simplicity sake, in here we will sum all pre-runtime stages into 'development' and then 'runtime'. - Given all this, its safe to say, Typescript introduces a mandatory stage - compilation - as an additional cost, but prise of greatly reducing bugs is much appreciated. ## **Why to typescript?** - Static analysis - the codebase becomes 'strongly typed', meaning that objects annotation is bound to interfaces and declarations, allowing you to have the 'shape' or the 'type' of each object before runtime. This improves catching bugs (via type safety) before running the application. - Tooling - IDE with support for typescript will greatly improve your coding workflows. VSCode uses typescript under the hood and helps even with JS code bases. - Readability - having explicit object definition (of types) helps understand what an object does and how it behaves and is not just a 'random' object with properties. Further TypeScript gives a boost to javascript by introducing language features, like interfaces, generics and other, all of which allows you to further structure one's codebase even better. - Maintainability - refactoring is getting easier and more safe, due to type safety being triggered, you can observe dependencies, references and etc. all comming from the static analysis. - Adoption - since TypeScript is build on top of Javascript, it can be easily be adopted. Even further, that can happen gradually. ## **When to typescript?** It's worth noting that TypeScript introduces additional complexity compared to writing plain JavaScript. If you're working on a small project, have tight deadlines, or require rapid prototyping, TypeScript might not provide substantial benefits, and JavaScript could be a more suitable choice. ## **Contribution** This codebook is an open-source project, and contributions are welcome! If you find any errors, have suggestions for improvements, or want to add more examples to enhance the learning experience, please feel free to submit a pull request. Together, we can make this an even better resource for the TypeScript community. > Note: This codebook is continuously evolving, and some topics may be missing or not covered in depth. Your feedback and contributions will help make this repository more comprehensive and valuable for everyone. ## **Table of Contents** - [Chapter 1: Unsafety](https://github.com/gvanastasov/codebook-typescript/blob/main/src/1_unsafety/index.ts) - [Type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/1_unsafety/index.ts#L9) - [Hidden](https://github.com/gvanastasov/codebook-typescript/blob/main/src/1_unsafety/index.ts#L32) - [Non exception](https://github.com/gvanastasov/codebook-typescript/blob/main/src/1_unsafety/index.ts#L57) - [Typo](https://github.com/gvanastasov/codebook-typescript/blob/main/src/1_unsafety/index.ts#L84) - [Functional](https://github.com/gvanastasov/codebook-typescript/blob/main/src/1_unsafety/index.ts#L112) - [Chapter 2: Hello World!](https://github.com/gvanastasov/codebook-typescript/blob/main/src/2_hello_world/index.ts) - [Chapter 3: Primitives](https://github.com/gvanastasov/codebook-typescript/blob/main/src/3_primitives/index.ts) - [Chapter 4: Collections](https://github.com/gvanastasov/codebook-typescript/blob/main/src/4_arrays/index.ts) - [Array Syntax](https://github.com/gvanastasov/codebook-typescript/blob/main/src/4_arrays/index.ts#L11) - [Array Readonly](https://github.com/gvanastasov/codebook-typescript/blob/main/src/4_arrays/index.ts#L29) - [Tuples](https://github.com/gvanastasov/codebook-typescript/blob/main/src/4_arrays/index.ts#L57) - [Sets](https://github.com/gvanastasov/codebook-typescript/blob/main/src/4_arrays/index.ts#L93) - [Maps](https://github.com/gvanastasov/codebook-typescript/blob/main/src/4_arrays/index.ts#L110) - [Chapter 5: Functions](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts) - [Syntax](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L27) - [No return type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L59) - [Context](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L71) - [Explicit arguments](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L91) - [Call signature](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L120) - [Constructor signature](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L158) - [Overload signature](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L197) - [Rest parameters](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L225) - [Spread arguments](https://github.com/gvanastasov/codebook-typescript/blob/main/src/5_functions/index.ts#L251) - [Chapter 6: Objects](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts) - [Optional property](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L7) - [Non null assertion](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L30) - [Optional chaining](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L55) - [Anonymous](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L83) - [Reference: this](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L99) - [Destructuring](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L137) - [Default values](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L161) - [Readonly modifier](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L178) - [Readonly mutation](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L211) - [Index signature](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L242) - [Excess property check](https://github.com/gvanastasov/codebook-typescript/blob/main/src/6_objects/index.ts#L269) - [Chapter 7: Types](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts) - [Aliases](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L11) - [Union](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L37) - [Intersection](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L69) - [Literals](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L99) - [Unknown type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L124) - [Inline type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L144) - [Never](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L160) - [Function type expression](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L206) - [Erasure](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L236) - [Object type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L264) - [Function type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L290) - [Conditional type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L315) - [Mapped type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L356) - [String manipulation types](https://github.com/gvanastasov/codebook-typescript/blob/main/src/7_types/index.ts#L356) - [Chapter 8: Interfaces](https://github.com/gvanastasov/codebook-typescript/blob/main/src/8_interfaces/index.ts) - [Syntax](https://github.com/gvanastasov/codebook-typescript/blob/main/src/8_interfaces/index.ts#L18) - [Contract](https://github.com/gvanastasov/codebook-typescript/blob/main/src/8_interfaces/index.ts#L36) - [Extending](https://github.com/gvanastasov/codebook-typescript/blob/main/src/8_interfaces/index.ts#L61) - [Chapter 9: Casting](https://github.com/gvanastasov/codebook-typescript/blob/main/src/9_casting/index.ts) - [Chapter 10: Narrowing](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts) - [Type guard](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts#L13) - [Equality](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts#L38) - [Contained](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts#L61) - [Instance](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts#L101) - [Assignment](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts#L127) - [Control flow](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts#L155) - [Predicate](https://github.com/gvanastasov/codebook-typescript/blob/main/src/10_narrowing/index.ts#L182) - [Chapter 11: Generics](https://github.com/gvanastasov/codebook-typescript/blob/main/src/11_generics/index.ts) - [Return type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/11_generics/index.ts#L18) - [Inference](https://github.com/gvanastasov/codebook-typescript/blob/main/src/11_generics/index.ts#L45) - [Constraints](https://github.com/gvanastasov/codebook-typescript/blob/main/src/11_generics/index.ts#L71) - [Generics](https://github.com/gvanastasov/codebook-typescript/blob/main/src/11_generics/index.ts#L105) - [Chapter 12: Reflections](https://github.com/gvanastasov/codebook-typescript/blob/main/src/12_reflections/index.ts) - [Indexing properties](https://github.com/gvanastasov/codebook-typescript/blob/main/src/12_reflections/index.ts#L8) - [Type reflection](https://github.com/gvanastasov/codebook-typescript/blob/main/src/12_reflections/index.ts#L43) - [Return type](https://github.com/gvanastasov/codebook-typescript/blob/main/src/12_reflections/index.ts#L69) - [Indexing types](https://github.com/gvanastasov/codebook-typescript/blob/main/src/12_reflections/index.ts#L89) - [Chapter 13: Class](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts) - [Syntax](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L8) - [Fields](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L18) - [Readonly](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L39) - [Constructors](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L63) - [Overloads](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L97) - [Super call](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L128) - [Methods](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L156) - [Properties](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L156) - [Inheritance](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L156) - [Interfaces](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L156) - [Overrides](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L156) - [Member access](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L316) - [Static members](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L371) - [Abstraction](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L402) - [Polymorphism](https://github.com/gvanastasov/codebook-typescript/blob/main/src/13_class/index.ts#L446) ## **License** This project is licensed under the MIT License. See the [LICENSE](LICENSE) file for more information. ## **Contributing** Contributions to this codebook are welcome! If you have any bug reports, feature requests, or would like to submit a pull request, please follow the guidelines outlined in the [CONTRIBUTING](CONTRIBUTING.md) file. ## **Roadmap** The future plans for this codebook include expanding the coverage of TypeScript topics, adding more examples, and providing interactive exercises to reinforce learning. Additionally, we aim to incorporate community feedback and address any reported issues. ## **Acknowledgements** Special thanks to the following individuals and projects for their contributions, inspiration, and support: - [TypeScript](https://www.typescriptlang.org/): The TypeScript language and community. - [Awesome TS](https://github.com/dzharii/awesome-typescript): A curated list of awesome TypeScript resources. ## **Resources** Here are some additional resources to further enhance your TypeScript learning: - [TypeScript Official Documentation](https://www.typescriptlang.org/docs/) - [TypeScript Handbook](https://www.typescriptlang.org/docs/handbook/) ## **Support** If you encounter any issues or have any questions, please feel free to reach out by creating an issue in the [GitHub repository](https://github.com/gvanastasov/codebook-typescript). ## **Conclusion** Thank you for your interest in this codebook! We hope this collection of TypeScript examples and explanations helps you on your learning journey. We encourage you to explore the code, experiment, and provide feedback. Happy coding!
Codebook - learn by examples from zero to hero in typescript.
handbook,javascript,static-analysis,tutorial,typescript,codebook
2023-06-03T19:14:26Z
2023-06-10T00:23:51Z
null
1
0
136
0
0
7
null
MIT
TypeScript
the-pudding/pass-the-mic
main
# Pass The Mic A browser extension to visualize how much each person is talking in Google Meet. ## Installation * [Chrome](https://chrome.google.com/webstore/detail/pass-the-mic/pjhefpcmnfnepcpcgbjgnphmpalihbhl?hl=en&authuser=1) ## How it works Google Meet's auto-generated captions are observed and parsed in realtime to keep a running count of characters used by each person. The number of people used to calculate an equal share is based on those who have talked, not the number in the meeting. This is used because there can sometimes be non-active participants, or people that leave. While not perfect, this seems to yield the best result.
A browser extension to visualize how much each person is talking in Google Meet.
browser,browser-extension,chrome-extension,javascript
2023-05-24T13:12:23Z
2024-03-12T13:05:54Z
null
2
0
51
8
2
7
null
MIT
JavaScript
arifulbgt4/MuiStory
dev
# [MuiStory](https://dev--647c84907213dc4172ffdcde.chromatic.com/?path=/docs/overview--documentation) ## Getting Started First, run the development server: [Docs](https://dev--647c84907213dc4172ffdcde.chromatic.com/?path=/docs/installation--documentation) Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
MuiStory is a design system for Next.js that uses MUI Core v5 theming. It provides a boilerplate that makes it easy to integrate Storybook with MUI to preview your components and their themes in a live environment.
storybook-ui,boilerplate,boilerplate-application,boilerplate-front-end,boilerplate-template,mui,mui-material,muiv5,next,nextjs
2023-06-03T07:38:04Z
2023-10-05T20:08:20Z
2023-08-02T14:00:09Z
4
56
312
0
0
7
null
null
TypeScript
AlTosterino/django-react-keycloak
main
# Django + React + Keycloak Example This repository shows bare minimum for integrating keycloak with Django and React > Note that this is just an example, source code is not in the best shape ## Prerequisites - Docker and docker-compose ## Running - Run `docker-compose up` ## Configuring Keycloak - Open `localhost:8080` - Open `Administration Console` and login with default admin credentials - Login: `admin` Password: `admin` - Open `Realm settings` (found at bottom left) - Set `Frontend URL` to `http://localhost:8080` - Save - Open `Clients` (found at top left) - Click on `Create client` - Put `Client ID` as `react` - Click `Next` until you see `Root URL` option - Set `Root URL` to `http://localhost:5173/` - Click `Save` - Open `Clients` (found at top left) - Click on `Create client` - Put `Client ID` as `backend` - Click `Next` until you see `Root URL` option - Set `Root URL` to `http://localhost:8000/` - Click `Save` ### Adding Registration - Open `localhost:8080` - Open `Administration Console` and login with default admin credentials - Open `Realm settings` (found at bottom left) - Click on `Login` tab - Turn on `User registration` Now you are ready to open `http://localhost:5173` to play with React app
Simple example of combining Django + React + Keycloak
django,keycloak,react,django-rest-framework,example,example-app,example-application,example-code,javascript,proof-of-concept
2023-06-02T09:07:53Z
2023-06-02T11:39:28Z
null
1
0
3
0
2
7
null
MIT
Python
AmirAnsarpour/Coursera-Subtitle-Extensions
main
# Coursera Subtitle Extension this is a project to change the language of courses subtitles because I noticed that many people have trouble due to the lack of subtitles in their native language. I thought to myself that I could create a subtitle translator using Google Translate API. ## Supported languages Persian, English, Turkish, Spanish, French, German, Italian, Portuguese, Russian, Bulgarian, Catalan, Czech, Danish, Dutch, Finnish, Greek, Hindi, Hungarian, Indonesian, Japanese, Korean, Norwegian, Polish, Romanian, Swedish, Thai, Vietnamese. - If your language is not in the list, send me a message [AmirAnsarpour](https://t.me/AmirAnsarpour). ## Setup 1. Download the project. 2. Extract file. 3. Open your browser add-ons. 4. Activate the Developer mode. 5. Click on install packaged item. 6. Select the folder you downloaded. 7. Installation complete. 8. After opening the course video, select the language and press the translate button. 9. DONE. ## images <img align="center" src="images/Extension" />
this is a project to change the language of courses subtitles because I noticed that many people have trouble due to the lack of subtitles in their native language. I thought to myself that I could create a subtitle translator using Google Translate API
coursera,extensions,javascript,google-translate-api,subtitle-conversion
2023-06-03T20:51:59Z
2023-08-25T14:50:46Z
2023-08-25T14:03:16Z
1
0
23
1
7
7
null
null
JavaScript
bwafi/chomp-restaurant
main
This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app). ## Getting Started First, run the development server: ```bash npm run dev # or yarn dev # or pnpm dev ``` Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. You can start editing the page by modifying `app/page.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.
restaurant web with next js
javascript,nextjs,nextjs13
2023-05-19T09:17:38Z
2023-06-19T10:21:21Z
null
1
0
39
0
2
7
null
null
JavaScript
skabeo/apple-inc
develop
<a id="readme-top"></a> <div align="center"> <br> <h1 style="font-size: 35px; color: lightblue"><b>Apple Inc</b></h1> </div> # 📗 Table of Contents <a id="table-of-contents"></a> - [� Table of Contents](#table-of-contents) - [📖 Apple Inc ](#about-project) - [🛠 Built With ](#built-with) - [Tech Stack ](#tech-stack) - [Key Features ](#key-features) - [🚀 Live Demo ](#live-demo) - [🎬 Representation](#representation) - [💻 Getting Started ](#getting-started) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Usage](#usage) - [Deployment](#deployment) - [👥 Author ](#authors) - [🔭 Future Features ](#future-features) - [🤝 Contributing ](#contributing) - [⭐️ Show your support ](#️support) - [🙏 Acknowledgments ](#acknowledgements) - [❓ FAQ ](#faq) - [📝 License ](#license) <br> # 📖 Apple Inc <a id="about-project"></a> **Apple Inc** is a webapp that fetches data from a [Financial Modeling Site](https://site.financialmodelingprep.com) to display the four main statement of Apple Inc. The Statements displayed includes the Income Statement, Balance Sheet, Cash flow statement and the Equity Statement for the year ended 2022. On click of a statement, a detailed data regarding the selected statement is shown and a search field to display the list of items input by the users. ## 🛠 Built With <a id="built-with"></a> ### Tech Stack <a id="tech-stack"></a> <details> <summary>Technology</summary> - [React](https://reactjs.org/) - A frontend framework for building user interfaces - [Redux](https://redux.js.org/) - A predictable state management library for JavaScript applications. - [JavaScript](https://developer.mozilla.org/en-US/docs/Web/JavaScript) - A high-level programming language used for web development. - [npm](https://www.npmjs.com/) - A package manager for the Node.js runtime environment - [Create React App](https://create-react-app.dev/) - A tool used to quickly set up a modern React web application with no build configuration required. - [HTML](https://developer.mozilla.org/en-US/docs/Web/HTML) - A markup language used for creating web pages - [CSS](https://developer.mozilla.org/en-US/docs/Web/CSS) - A style sheet language used for describing the presentation of a document written in HTML </details> <details> <summary>Tools</summary> <ul> <li><a href="https://code.visualstudio.com/">VSCode</a></li> <li><a href="https://git-scm.com/">Git</a></li> <li><a href="https://nodejs.org/en">node</a></li> <li><a href="https://www.npmjs.com/">npm</a></li> <li><a href="https://webpack.js.org/guides/getting-started/">webpack</a></li> </ul> </details> <br/> <!-- Features --> ### Key Features <a id="key-features"></a> - **Ability to see the statements preview with some data** - **Users can click on a statement to show the detailed information of a statement** - **A search field to filter out the list displayed** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a id="live-demo"></a> - Click [here](https://apple-org.onrender.com/) to view the live Demo. ## 🎬 Presentation <a id="representation"></a> - A Presentation of the project by the author. [Watch here](https://drive.google.com/file/d/1L0weTw9BETtJK74h5boCZrGqM1XxPcS-/view?usp=sharing) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a id="getting-started"></a> <br> ### Prerequisites In order to reproduce the Apple Inc and be able to make changes for your own purpose, you need the following tools: - [Visual Studio Code](https://code.visualstudio.com/) - [git-scm](https://git-scm.com/) - A [Github](https://github.com/) account - [NodeJS](https://nodejs.org/) (which also includes npm package manager) ### Setup Clone this repository to your desired folder by running the following command: ```sh git clone https://github.com/skabeo/apple-inc.git ``` ### Install To use this application, you need to have Node.js installed on your machine. Once you have Node.js installed, Run npm install to install all dependencies ```sh cd apple-inc npm install ``` ### Usage To build the project: ```sh npm run build ``` Run npm start to start and view the project in browsers: ```sh npm start ``` ### Run tests To run tests for the To Do List App, follow these steps: - Open the command prompt or terminal on your computer. - Navigate to the project directory using the cd command. - Type the command npm run test and press enter. ```sh npm run test ``` This will open the app in your browser at `http://localhost:3000`. ### Deployment To deploy the Space Travelers' Hub to a live environment, you can follow these steps: 1. Build the production-ready version of the application/ 2. Deploy the contents of the `build` directory to your preferred hosting platform. - If you're using [Netlify](https://www.netlify.com/), you can follow their documentation on [deploying a React application](https://docs.netlify.com/configure-builds/common-configurations/react/). - If you're using [Vercel](https://vercel.com/), you can follow their documentation on [deploying a Next.js application](https://vercel.com/docs/platform/deployments#deploying-next.js). - If you're using other hosting platforms, please refer to their documentation for deploying static websites. 3. Once deployed, access the live version of the application. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Author <a id="authors"></a> 👤 **Spencer Okyere** - GitHub: [@skabeo](https://github.com/skabeo) - Twitter: [@black_okyere](https://twitter.com/black_okyere) - LinkedIn: [LinkedIn](https://linkedin.com/in/spencer-okyere) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a id="future-features"></a> - Previous year financial statement for a side-by-side comparison. - User authentication and account creation: Allow users to create accounts and authenticate with credentials for a personalized experience. - Notifications and updates: Implement a notification system to inform users about statements updates. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a id="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/skabeo/apple-inc/issues). If you would like to contribute to this project, you can follow these steps: 1. Fork the repository. 2. Create a new branch for your changes. 3. Make your changes and commit them. 4. Push your changes to your forked repository. 5. Create a pull request back to the original repository. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a id="support"></a> If you like this project, please give it a star on GitHub. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a id="acknowledgements"></a> I would like to express my gratitude to the following individuals and organizations for their contributions to this project: - [React](https://reactjs.org/): JavaScript library for building user interfaces - [Create React App](https://create-react-app.dev/): Tool for creating React applications with zero configuration - [GitHub](https://github.com/): Platform for version control and collaboration - [Microverse](https://www.microverse.org/): Global school for remote software developers Special thanks to [Nelson Sakwa](https://www.behance.net/sakwadesignstudio) for the design inspiration. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ❓ FAQ <a id="faq"></a> - **Can I modify and redistribute this project?** - Yes, you can modify and redistribute this project as long as you follow the terms of the MIT license. - **How can I contribute to this project?** - Contributions, issues, and feature requests are welcome! You can check the issues page to see if there are any current issues or feature requests that you can work on. If not, feel free to submit a new issue or pull request. Before contributing, please read the CONTRIBUTING.md file for guidelines on how to contribute to this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a id="license"></a> This project is [MIT](https://github.com/skabeo/apple-inc/blob/develop/LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Apple Inc is a webapp that fetches data from a Financial Modeling Site to display the four main statement of Apple Inc. The Statements displayed includes the Income Statement, Balance Sheet, Cash flow statement and the Equity Statement for the year ended 2022.
css,html,javascript,jsx,react,redux,scss
2023-05-21T21:34:31Z
2023-05-25T21:44:53Z
null
1
1
67
0
0
7
null
MIT
JavaScript
amilali/code_editor
main
# Web Editor [Live demo](http://amilali.engineer/web_editor/index.html) ## A Web-based editor for writing HTML, CSS, and JavaScript files. <img width="939" alt="image" src="https://github.com/amilali/code_editor/assets/66510886/d1fa5435-eace-4c89-993f-580f8ffcf78d"> # [Live demo](http://amilali.engineer/web_editor/index.html) ![](https://raw.githubusercontent.com/amilali/code_editor/main/web_editor/loder_1.gif) **Features** - Syntax highlighting for HTML, CSS, and JavaScript - Code completion for HTML, CSS, and JavaScript - Live preview of your code ## Creator.md <img src="http://amilali.engineer/img/sig.png" width="200px" height="200px"></img> ![](https://img.shields.io/github/stars/pandao/editor.md.svg) ![](https://img.shields.io/github/forks/pandao/editor.md.svg) ![](https://img.shields.io/github/tag/pandao/editor.md.svg) ![](https://img.shields.io/github/release/pandao/editor.md.svg) ![](https://img.shields.io/github/issues/pandao/editor.md.svg) ![](https://img.shields.io/bower/v/editor.md.svg) ## Licence [Mit Licence](https://github.com/amilali/code_editor/blob/main/LICENSE.md)
Web Editor A web-based editor for writing HTML, CSS, and JavaScript files. Features Syntax highlighting for HTML, CSS, and JavaScript Code completion for HTML, CSS, and JavaScript
css3,design,editor,html5,javascript,collaborate,frontendmasters,ghdesktop,github,github-codespaces
2023-05-29T12:18:15Z
2023-06-01T12:31:09Z
null
2
2
21
1
2
6
null
MIT
CSS
AnsarIbrahim/Awesome-books-with-ES6
main
<!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#LICENSE) <!-- PROJECT DESCRIPTION --> # 📖 Awesome-books <a name="about-project"></a> **Awesome-books** is a website that displays my Techinical skills and projects that i have done. **Link to online version of Awesome-books** is in [Live Demo](#live-demo) ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/JAVASCRIPT">JAVA-SCRIPT</a></li> </ul> </details> <details> <summary>Server</summary> <ul> <li><a href="#">N/A</a></li> </ul> </details> <details> <summary>Database</summary> <ul> <li><a href="#">N/A</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **local-storage** - **Add-books** - **Remove-books** - **ES6** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://ansaribrahim.github.io/Awesome-books-with-ES6/#new-book) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - Modern chrome Browser ### Setup - Clone this repository to your desired folder with the following commend ``` git clone git@github.com:AnsarIbrahim/Awesome-books-with-ES6.git ``` ### Install - Type cd ``` Awesome-books ``` - open index.html file in the browser ### Usage - To run the project, execute the following command: - Type cd ```Awesome-books ``` - open index.html file in the browser ### Run tests - To run tests, run the following command: - N/A ### Deployment - You can deploy this project using: - Type cd ``` Awesome-books ``` - open index.html file in the browser <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Ansar Ibrahim** - GitHub: [Ansar Ibrahim](https://github.com/AnsarIbrahim) - Twitter: [Ansar Ibrahim](https://twitter.com/ansaradheeb) - LinkedIn: [Ansar Ibrahim](https://linkedin.com/in/ansar-ibrahim-61447424a/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Web-pack** - [ ] **To-do-list** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> - If you like this project please give it a STAR⭐️ <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> - I would like to thank following - MicroVerse <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 LICENSE <a name="LICENSE"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Awesome books is a simple website that displays a list of books and allows you to add and remove books from that list. By building this application, I learnt how to manage data using JavaScript. Thanks to that my website will be more interactive. I also useD a medium-fidelity wireframe to build the UI.
bootstrap5,css,html,javascript,luxon-library,module
2023-06-05T10:52:33Z
2023-06-05T14:22:24Z
null
1
1
8
1
0
6
null
MIT
JavaScript
ahmedradwan21/ATR-E-commerce
master
# E-commerce ## Amazing Project E-commerce ### The e-commerce project is developed using HTML, CSS and JavaScript. The project includes features such as dark and light mode, multiple color themes, and seven pages: Shop, ATR, Blog, Login, Checkout, About, Shopping Cart, and Account. project ( [https://ahmedradwan21.github.io/E-commerce/](https://ahmedradwan21.github.io/ATR-E-commerce/) ) <!-- --> # intro project: ## dark mode and many theme ![image](https://github.com/ahmedradwan21/E-commerce/assets/100035760/a0623b79-b9a4-4272-ae1b-d9d7861cc228) ## Catagores: ![image](https://github.com/ahmedradwan21/E-commerce/assets/100035760/b7354a85-f252-43e4-8b4b-687fef6bea30) ## theme and dark mode: ![image](https://github.com/ahmedradwan21/E-commerce/assets/100035760/b46b05a0-3d91-4135-8d5f-2bb3dd7ca7f3) ## Recently Added: ![image](https://github.com/ahmedradwan21/E-commerce/assets/100035760/743e495a-b8af-4b06-a568-92f9f06ef5c6) ## over for every thing: ![image](https://github.com/ahmedradwan21/E-commerce/assets/100035760/adf86cc4-7ceb-4db5-bfc4-b6cc0f37989d) ## Sign in and Sign up: ![image](https://github.com/ahmedradwan21/E-commerce/assets/100035760/3f48f5f2-8306-4e1d-9d05-2bd31e984c9e)
Amazing Project E-commerce
css3,e-commerce-project,html-css-javascript,html5,javascript
2023-05-18T09:59:11Z
2023-07-06T16:51:17Z
null
1
0
34
0
1
6
null
null
HTML
oslabs-beta/Watchdock
main
## Watchdock Watchdock is a Docker Desktop extension that helps manage images and containers and view image and container metrics. We created this to provide a simplified user experience so that developers can focus on creating applications instead of managing their images/containers. Watchdock is a multi-container application that has a frontend container, backend container, and database container that all communicate with each other. Its frontend is built with React and TypeScript and the backend is built with TypeScript and Node.js. Useful metrics available include CPU, Disk I/O, Memory, and Runtime. <!-- ### Watchdock --> <p align="center"> <img src="./assets/WatchDockLogoTransparent.png" /> </p> ### Product in Action <p align="center"> <img src="./assets/watchdockExtension.png" /> </p> <p align="center"> <img src="./assets/watchdockExtensionDropdown.png"/> </p> <!-- --- <p align="center"> <img src="./assets/reactime.gif"/> </p> --- Fun huh? 😁 <p align="center"> <img src="./assets/office.gif"/> </p> --> <!-- [Guidance on how to create screen share GIFs](https://www.howtogeek.com/286210/how-to-turn-your-computer-screen-into-an-animated-gif/) --> ## Instructions <!-- Your README should include instructions on using the product. These should be as detailed and user-friendly as possible, and include all of the following: --> __Installation__ 1. Initial setup instructions: After cloning repo, run npm install in root directory. Make sure Docker Desktop is running. 2. Then simply go to Docker Desktop and explore the Watchdock application in the Extensions section! __Running the Application__ 1. The dashboard shows all containers and their metrics including container Name, CPU, Disk I/O, Memory, and Runtime. 2. In the container options column, users can choose to Run or Delete specific containers. 3. The Image dropdown menu at the top allows users to view specific images. <!-- 1. Usage guidelines - Walkthrough of how to use the application (this should focus on highlighting its main features). 1. Links to other documentation that one might need to better understand your product (links to React docs, Stack Overflow posts, etc). --> <!-- 1. __Pro Tip:__ While not a requirement, another great feature is to add a link to a demo of your tool. Easiest way to do this is by publishing a demo on youtube and linking to that youtube video. - Example: [![demo_screenshot](./assets/demo_screenshot.png)](https://www.youtube.com/watch?v=X_zp6CodHjc&t=493s) --> ## Open Source Information All contribution requests are reviewed and welcomed! 😊 - Contribution guidelines: - Clone the repo to your machine and create a feature branch from the dev branch, naming it as the feature that is being worked on - After completing changes, submit a pull request using the PR template provided - Changes will be reviewed by main contributors | Feature | Status | |---------------------------------------------------------------------------------------|-----------| | Access container/image metric data from backend | ⏳ | | Dynamic data visualization dashboard using D3 | 🙏🏻 | | Use Twilio to send notications when memory is low | 🙏🏻 | <!-- - ✅ = Ready to use --> - ⏳ = In progress - 🙏🏻 = Looking for contributors <!-- ## License Information Open source licensing information is needed in your repository to make it easier for other people to contribute. If you have not already added this manually, Github makes it really easy. 1. Go to your OSP's main GitHub page and click _"Add file"_ at the top of the page and select _"create new file"_. 1. Next, name the file _"LICENSE.md"_ (in all caps). 1. Once you do this you will see a _"Choose a license template"_ menu pop up. Click it and select "MIT License". 1. Finally, commit your new licensing file to your main repo, and you are set 😼 --> ## Contributor Information <!-- Include a list of everyone who has contributed to the product (i.e. your OSP group members, and any previous groups if it is an iteration) Things that should be included here: 1. Each person’s full name 1. Github handle 1. Photo (optional) 1. Other relevant links (i.e. LinkedIn, Personal Website, etc) - Example: --> <table> <tr> <td align="center"> <img src="https://avatars.githubusercontent.com/blessingnt" width="140px;" alt=""/> <br /> <sub><b>Blessing Ntekume</b></sub> <br /> <a href="https://www.linkedin.com/in/bntekume/">🖇️</a> <a href="https://github.com/blessingnt">🐙</a> </td> <td align="center"> <img src="https://avatars.githubusercontent.com/crisdevs" width="140px;" alt=""/> <br /> <sub><b>Cristian Corrales</b></sub> <br /> <a href="https://www.linkedin.com/in/criscorr/">🖇️</a> <a href="https://github.com/crisdevs">🐙</a> </td> <td align="center"> <img src="https://avatars.githubusercontent.com/Nevjon12" width="140px;" alt=""/> <br /> <sub><b>Jonathan Nevarez</b></sub> <br /> <!-- <a href="http://www.philliptroutman.info">💻</a> --> <a href="https://www.linkedin.com/in/john-nevarez/">🖇️</a> <a href="https://github.com/Nevjon12">🐙</a> </td> <td align="center"> <img src="https://avatars.githubusercontent.com/jennyschmalz" width="140px;" alt=""/> <br /> <sub><b>Jenny Schmalz</b></sub> <br /> <a href="https://www.linkedin.com/in/jennyschmalz/">🖇️</a> <a href="https://github.com/jennyschmalz">🐙</a> </td> </tr> </table> - 💻 = Website - 🖇️ = LinkedIn - 🐙 = Github <!-- ## Other Some other possible additions to your README, which are optional but can be good to include: - FAQ - Links to various publications (Medium Articles, Twitter pages, etc) - Table of contents at the beginning of your README (with example) - Example: - [Instruction](#instructions) - [Product Description](#product-description) - [Open Source Information](#open-source-information) - Badges - Add some cool [Badges to your README](https://github.com/alexandresanlim/Badges4-README.md-Profile) --> <!-- ## Examples of great READMEs Check out this list of great READMEs for some extra inspo 😎 [LIST](https://github.com/matiassingers/awesome-readme) -->
A Docker Desktop extension for monitoring in-depth container metrics with a simplified CLI interface.
containers,dashboard,docker,dockerdesktop,express,extension,extensions,javascript,metrics,node
2023-05-19T02:13:06Z
2023-11-08T00:45:46Z
null
63
15
59
0
0
6
null
MIT
TypeScript
Fombi-Favour/Awesome-books
main
<a name="readme-top"></a> <div align="center"> <img src="wave.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Microverse README Template</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 "Awesome Books" project <a name="about-project"></a> **"Awesome Books" project** is a simple website project that displays a list of books and allows you to add and remove books from that list. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Version Control System</summary> <ul> <li><a href="https://git-scm.com/">Git</a></li> </ul> </details> <details> <summary>Frontend</summary> <ul> <li><a href="https://www.w3.org/html/">HTML</a></li> <li><a href="https://www.w3schools.com/css/">CSS</a></li> <li><a href="https://www.javascript.com/">JavaScript</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **Beautiful mobile layouts** - **Add and remove book list** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link. Click here!](https://fombi-favour.github.io/Awesome-books/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - **A code editor of your choice (like vs code or Atom and so on)** - **Version Control System (git is preferred)** ### Setup Clone this repository to your desired folder: ```sh cd Awesome-books git clone git@github.com:Fombi-Favour/Awesome-books.git ``` ### Usage Before you run the project, make sure the root file is **index.html** ### Run tests To run tests, you can select the html file to be opened to any browser of your choice. ### Deployment You can deploy this project on github following instructions here: [deploy website on github](https://docs.github.com/en/pages/getting-started-with-github-pages/creating-a-github-pages-site) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Fombi Magnus-Favour** - GitHub: [Fombi-Favour](https://github.com/Fombi-Favour) - Twitter: [@FavourFombi](https://twitter.com/FavourFombi) - LinkedIn: [Fombi Favour](https://www.linkedin.com/in/fombi-favour/) 👤 **Ernest Lasten** - GitHub: [Lasten-Ernest](https://github.com/Lasten-Ernest) - Twitter: [@ErnestLasten](https://twitter.com/ErnestLasten) - LinkedIn: [Ernest Lasten](https://www.linkedin.com/in/ernest-lasten-613990197/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - **Add styles on the page** - **Add navigation** - **Add other section of the site** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Fombi-Favour/Awesome-books/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> Make sure you give a ⭐ and follow me if like this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank everybody most especially the Microverse staffs for making it possible to work on the "Awesome books" project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
"Awesome books" is a simple website that displays a list of books and allows you to add and remove books from that list.
css,html,javascript
2023-05-29T08:18:33Z
2023-06-05T21:20:37Z
null
2
4
44
0
0
6
null
null
JavaScript
sebastianjnuwu/nlogin
nlogin
# About nLogin <div> <p align="center"> <img alt="logo" src="https://392013314-files.gitbook.io/~/files/v0/b/gitbook-x-prod.appspot.com/o/spaces%2FKVum4E4GDZV1mBUNLw4i%2Fuploads%2FLOdi7QbjHbbfwqtjr1CX%2Fimage.png?alt=media&token=0d2f861d-fb86-4afe-a0d9-bed902f80a7a" width="72%" /> <br> <a href="https://opensource.org/licenses/Apache-2.0"><img alt="License" src="https://img.shields.io/badge/License-Apache%202.0-orange.svg"/></a> <a href="https://discord.gg/NDzFeDp8YE"><img src="https://discordapp.com/api/guilds/893997835412971570/widget.png"></a> <br> <br> <i>"nLogin is an authentication system used by the biggest servers in Brazil now in javascript!"</i> - get and set email/discord/ip - login verification - get uuid > **Warning**: The supported hashes are: BCRYPT2Y, BCRYPT2A, SHA256; we recommend using **SHA256**. </p> <div> ## plugin settings • See below the Nlogin settings in the [plugin](https://www.nickuc.com/pt/#plugins) `config.yml`, remember to configure MySQL. ```yml hashing: algorithm: "SHA256" # very important ``` ## settings using nodejs • download the dependencies: ```js npm i sequelize nlogin-js mysql2 ``` `main.js:` ```js import Sequelize from 'sequelize'; import nlogin from 'nlogin-js'; const sequelize = new Sequelize('nLogin', 'root', '', { dialect: 'mysql', host: '0.0.0.0', port: 3006, logging: false, define: { timestamps: false, }, }); (async () => { await sequelize.authenticate(); })() // define the class with database const plugin = new nlogin(sequelize); // check password plugin.login('name', '123456', auth => { console.log(auth); // return true or false }); // get the Nlogin information about the player. plugin.info('name', info => { console.log(info); // return JSON or false }); // get the player's email plugin.get_email('name', email => { console.log(email); // returns result or false }); // get the player's uuid plugin.uuid('name', uuid => { console.log(uuid); // returns result or false }); // set the player's discord id plugin.set_discord('name', '9897878', discord => { console.log(discord); // returns true or false }); // get the player's discord id plugin.get_discord('name', discord => { console.log(discord); // returns result or false }); // set the player's email plugin.set_email('name', 'email@gmail.com', email => { console.log(email); // returns true or false }); // get the player's ip plugin.get_ip('name', ip => { console.log(ip); // returns result or false }); // set the player's ip plugin.set_ip('name', '0.0.0.0', ip => { console.log(ip); // returns true or false }); ``` • run the following command: ```bash node main.js ```
🔓 Nodejs package that interacts with the minecraft plugin "Nlogin" with the same can assemble web login system
nlogin,auth2,spigot,javascript,nodejs,api,web
2023-05-29T15:13:00Z
2024-05-20T00:49:25Z
null
1
56
141
0
0
6
null
Apache-2.0
JavaScript
Angeloyo/paywallhub-firefox-addon
main
# paywallhub-firefox-addon Remove newspaper/magazine paywalls for free and legally! PaywallHub unites all your favorite paywall removers. PaywallHub effectively allows you to remove paywalls or bypass the paywall on an article but in a way that does not interfere with the original page in any way. It simply redirects you to third-party websites that do that. I do not own, run, maintain, or have any association with these sites. ![image-paywallhub](/img/1.png)
PaywallHub unites all your favorite paywall removers
firefox-addon,javascript,paywall-bypasser
2023-06-04T15:35:41Z
2023-10-27T12:02:41Z
2023-10-27T12:02:41Z
1
0
15
0
0
6
null
GPL-3.0
JavaScript
woodendoors7/PapersPleaseDocumentGenerator
main
# [Generate an Arstotzkan Papers Please passport - papers.floppa.hair](https://papers.floppa.hair) One day, I wanted to generate some of my own documents, and searched for a generator, but I couldn't find any, so I set to create my own one. This was done in the most slap in way possible, the code is a mess and it's done in vanilla js with no framework, however, it does work, and afaik it works well, and it generates passports nicely. If you have an issue, like a bug, put it into [Issues](https://github.com/woodendoors7/papersPleaseDocumentGenerator/issues). This is also kind of a tribute to my super old "Based card generator", which honestly sucked, but I did learn a bit of JS that way, and practically it works in the same principle. <img style="width: 400px" src="https://github.com/woodendoors7/woodendoors7.github.io/blob/main/basedcard/basedcard/suscard.png?raw=true" alt="Old based card"> <div> <b>This is how a generated passport looks like:</b> <br> <kbd> <img style="width: 300px" src="https://github.com/woodendoors7/papersPleaseDocumentGenerator/blob/main/img/lisiakgeneratedpassport.png?raw=true" alt="Custom generated Arstotzkan passport with denied entry"> </kbd> </div> ## [Open generator](https://papers.floppa.hair)
📚 Github repository for a Papers Please Document generator
canvas,canvas-generator,document-generation,document-generator,game,javascript,papers-please,papersplease,passport,website
2023-05-17T21:49:43Z
2023-11-04T02:11:36Z
null
1
0
40
1
1
6
null
GPL-3.0
JavaScript
Ashref-dev/EncryptionApp
main
# Let's Encrypt Welcome to the Let's Encrypt App repository! 🔒 <img src="https://i.ibb.co/NVV4b0P/og2.jpg" alt="encryption and decryption app" style="max-width:100%; width:max(300px,50%);"> ## About The Encryption and Decryption App is a free and user-friendly web application that allows you to encrypt and decrypt files using a password of your choice. Whether you need to protect sensitive data or secure your personal files, this app provides a convenient solution. Although the final site is different from my initial design in Figma, I'm still satisfied by the result. Check out the design <a href="https://www.behance.net/gallery/171655583/Lets-Encrypt-web-app-design-%28Encrypttn%29" target="_blank">on Behance here.</a> ## Features - **File Encryption:** Select a file or drag-and-drop it onto the app's interface, then enter a password to encrypt it securely. - **File Decryption:** Decrypt encrypted files by providing the correct password. - **User-friendly Interface:** The app is built with HTML, CSS, Bootstrap 5, and JavaScript, ensuring a seamless and intuitive user experience. - **Built-in Crypto Functions:** Leveraging JavaScript's built-in cryptographic functions, the app ensures robust encryption and decryption processes. ## How to Use Using the Encryption and Decryption App is simple: 1. Visit the web application by following this link: <a href="https://encrypt.tn/" target="_blank">encrypt.tn</a> 2. To encrypt a file: - Click the "Select File" button or drag and drop a file onto the designated area. - Enter a password in the provided field. - Click the "Encrypt" button to encrypt the file securely. 3. To decrypt a file: - Click the "Select File" button and choose an encrypted file. - Enter the password used for encryption. - Click the "Decrypt" button to decrypt the file. 4. Ensure you remember the password used for encryption as it will be required for decryption. <img src="https://i.ibb.co/XZngS6B/site-preview-1080browser.jpg" alt="encryption and decryption app" style="max-width:100%; width:max(300px,50%);"> ## Contribution We welcome contributions to enhance the Encryption and Decryption App! Here's how you can get involved: - Fork the repository and implement your desired changes. - Submit a pull request with a detailed explanation of the enhancements you've made. - Engage in discussions with other contributors to collaborate and exchange ideas for future improvements. Let's work together to create a secure and user-friendly encryption and decryption solution for everyone. Join us in protecting data with ease! ### Technologies Used - HTML - CSS - Bootstrap 5 - JavaScript - JavaScript Crypto Functions I look forward to your valuable contributions. Happy encrypting and decrypting! 🔐🔓
Encrypt.tn - free file encryption & decryption.
encryption,javascript,web,crypto
2023-05-25T16:27:33Z
2024-04-09T23:48:30Z
null
1
0
26
0
0
6
null
MPL-2.0
HTML
belmeetmule/homely
dev
![](https://img.shields.io/badge/Microverse-blueviolet) <a name="readme-top"></a> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 Hello React Frontend ](#-hello-react-frontend-) - [Kanban Board](#kanban-board) - [Screenshot of of the initial state of the Kanban board](#screenshot-of-of-the-initial-state-of-the-kanban-board) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage ](#usage-) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Author ](#-author-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 Hello React Frontend <a name="about-the-project"></a> ![](./src/images/project-mock.png)<br> **Homely-frontend** is an implemention of a connection between Ruby on Rails back-end and React front-end. [Homely-backend](https://github.com/belmeetmule/homely-backend) handles the backend API, and [Hello React Frontend](https://github.com/Wahaj-Ali/homely-frontend) handles the frontend UI to display a random greeting message. ## Kanban Board We are a team of 4 members. - [Wahaj Ali](https://github.com/Wahaj-Ali) - [Mulugeta Belete](https://github.com/belmeetmule) - [Oshie](https://github.com/akhror-valiev) - [Chukwuma Paul Mosanya](https://github.com/blase147) [Kanban Board](https://github.com/belmeetmule/homely-backend/projects/1) ### Screenshot of of the initial state of the Kanban board ![236180746-4812d9c4-2204-47ea-9a9c-10adf7b3c6a6](https://github.com/Wahaj-Ali/homely-frontend/assets/111431787/abb081aa-114c-49fa-84e7-66e35cccd7ce) ![236180950-a9b6aa9d-3973-4424-9cc1-f9f9f00f0917](https://github.com/Wahaj-Ali/homely-frontend/assets/111431787/94bb4fe9-f4e0-41f6-bda8-46e35cebfc16) ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://github.com/microverseinc/linters-config/tree/master/ror">Linters</a></li> <li><a href="https://reactjs.org/">React</a></li> <li><a href="https://redux.js.org/">Redux</a></li> </ul> </details> <details> <summary>Server</summary> <ul> <li><a href="https://rubyonrails.org/">ROR</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - Booking a house reseravtion. - Add a new house. - Delete a house. - My reservations page only for the logged-in users. - Responsive Design. - State Management using Redux toolkit. - Use latest ES6 modules. - Design inspired by a Behance App design. - Axios for making HTTP requests from the server. - Use Swiperjs library to create the slider for the main-page. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Homely](https://homelyheaven.netlify.app/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - [API](https://github.com/belmeetmule/homely-backend) - [git](https://git-scm.com/) - [node.js](https://nodejs.org/en/) - [JavaScript](https://developer.mozilla.org/en-US/docs/Web/JavaScript) ### Setup Clone this repository to your desired folder: ``` git clone git@github.com:Wahaj-Ali/homely-frontend.git cd homely-frontend ``` ### Install Install thr project dependencies with: ``` npm install ``` ### Usage <a name="usage"></a> To run the project, execute the following command: ``` npm start ``` ### Run tests To run the test, execute the following command: ``` npm test ``` ### Deployment You can deploy this project using: ``` npm run deploy ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Author <a name="authors"></a> 👤 **Chukwuma Paul Mosanya** - [GitHub](https://github.com/blase147) - [Twitter](https://twitter.com/ChukwumaMosanya) - [LinkedIn](https://www.linkedin.com/in/chukwuma-mosanya) 👤 **Wahaj Ali** - [GitHub](https://github.com/Wahaj-Ali) - [Twitter](https://twitter.com/Ali96Wahaj) - [LinkedIn](https://www.linkedin.com/in/wahaj-ali96) 👤 **Mulugeta Belete** - [GitHub](https://github.com/belmeetmule) - [Twitter](https://twitter.com/belmeetmule) - [LinkedIn](https://www.linkedin.com/in/mulugeta-belete/) 👤 **Akhror Valiev** - [GitHub](https://github.com/akhror-valiev) - [Twitter](https://twitter.com/oshie0115) - [LinkedIn](https://www.linkedin.com/in/oshie0115/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - Add more details about the houses. - Add a search bar to search for houses. - Update the style for a modern design. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Wahaj-Ali/homely-frontend/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project and want to support me make cooler projects Give this project a Star. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> Thank you to [Murat Korkmaz](https://www.behance.net/muratk) for the design ideas provided. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Homely is a booking application that enable users to view list of houses, add and remove houses, book a visit and see bookings. Homely is designed in such a way that the front-end is decoupled from the back-end to make it scalable and maintainable. Built using Ruby on Rails back-end and React front-end.
booking-system,full-stack-application,react-bootstrap,react-frontend,ror-api,javascript,redux
2023-06-02T21:23:10Z
2023-06-02T22:04:38Z
null
1
0
3
0
2
6
null
MIT
JavaScript
charleslukes/lodash-rust
main
null
Implementation of Lodash methods in Rust
lodash,rust,javascript,javascipt
2023-05-29T16:34:22Z
2024-04-09T17:12:00Z
null
3
28
161
2
4
6
null
MIT
Rust
DerpmanDev/unblocked-games
main
# 🛑 This project will be unmaintained until the next school year starts. This repository includes many unblocked games for school. This repository is part of the DerpmanDev homepage. (https://derpmandev.uk.ms) ## Games * [Cookie Clicker](https://derpmandev.uk.ms/unblocked-games/cookieclicker) * [EaglerCraft 1.5.2](https://derpmandev.uk.ms/unblocked-games/eaglercraft-1-5) * [EaglerCraft 1.8.8](https://derpmandev.uk.ms/unblocked-games/eaglercraft-1-8) * [Slope](https://derpmandev.uk.ms/unblocked-games/slope) * [Tic Tac Toe (Coded by me)](https://derpmandev.uk.ms/unblocked-games/tic-tac-toe) * [Chess](https://derpmandev.uk.ms/unblocked-games/chess) * [2048](https://derpmandev.uk.ms/unblocked-games/2048) * [1v1.lol](https://derpmandev.uk.ms/unblocked-games/1v1) * [Run3](https://derpmandev.uk.ms/unblocked-games/run3) * [World's Hardest Game](https://derpmandev.uk.ms/unblocked-games/worldshardestgame) This project is currently being maintained by [me.](https://github.com/DerpmanDev)
This repository is part of the DerpmanDev homepage. (https://derpmandev.uk.ms)
2048,3kh0,css,dogeunblocker,education,educational,games,homepage,html,html-css-javascript
2023-05-30T21:43:38Z
2024-05-07T15:02:46Z
null
1
0
57
0
19
6
null
null
JavaScript
eraydmrcoglu/reactjs-youtube
main
# Getting Started with Create React App This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app). ## Available Scripts In the project directory, you can run: ### `npm start` Runs the app in the development mode.\ Open [http://localhost:3000](http://localhost:3000) to view it in your browser. The page will reload when you make changes.\ You may also see any lint errors in the console. ### `npm test` Launches the test runner in the interactive watch mode.\ See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information. ### `npm run build` Builds the app for production to the `build` folder.\ It correctly bundles React in production mode and optimizes the build for the best performance. The build is minified and the filenames include the hashes.\ Your app is ready to be deployed! See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information. ### `npm run eject` **Note: this is a one-way operation. Once you `eject`, you can't go back!** If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project. Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own. You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it. ## Learn More You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started). To learn React, check out the [React documentation](https://reactjs.org/). ### Code Splitting This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting) ### Analyzing the Bundle Size This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size) ### Making a Progressive Web App This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app) ### Advanced Configuration This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration) ### Deployment This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment) ### `npm run build` fails to minify This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify)
Youtube Clone Created with React JS
axios,javascript,rapidapi,react,reactjs,tailwindcss,youtube,youtube-api,youtube-clone,youtube-clone-react
2023-05-31T16:03:07Z
2023-05-31T16:05:21Z
null
1
0
3
1
3
6
null
null
JavaScript
EleoXDA/Countdown_Timer_JS
main
# Persistent Countdown Timer ![image](https://github.com/EleoXDA/Countdown_Timer_JS/assets/27622683/b0b388d8-5789-47b4-aa3d-ba7b91e58f1f) This is a simple, intuitive, and user-friendly countdown timer built with HTML, CSS, and JavaScript. One of its key features is that it remembers user inputs and the remaining time even if the browser session is refreshed or closed, and continues the countdown from where it left off. ## Features - Users can input their desired countdown duration in hours, minutes, and seconds. - The timer displays the remaining time and notifies users when the time is up. - The timer remembers user inputs and the remaining time even if the browser session is refreshed or closed, and continues the countdown from where it left off. - The application provides a clean and responsive UI, making it easy to use across various devices. ## Usage 1. First, fork this repository to your own GitHub account by clicking the 'Fork' button at the top right of this page. 2. Next, clone the repository from your account to your local machine. You can do this by opening your terminal or command prompt, navigating to the directory where you want to save the project, and then running the following command: ```bash git clone https://github.com/{Your-Username}/persistent-countdown-timer.git``` _P.S. Remember to replace {Your-Username} with your actual GitHub username_ 3. Once the repository is cloned, navigate into the project's directory by running cd persistent-countdown-timer. 4. Open index.html in your browser to start using the countdown timer. ## Contributing Pull requests are welcome. For major changes, please open an issue first to discuss what you would like to change. ## License This project is licensed under the MIT License. You can find the full text of the license in the [LICENSE.md](LICENSE.md) file.
An intuitive and user-friendly countdown timer that persists across browser sessions
countdown-timer,css,html,javascript,localstorage
2023-05-20T12:11:24Z
2023-06-27T21:50:01Z
null
1
11
38
0
0
6
null
MIT
JavaScript
mscharley/dot
main
# DOT: The Depend-o-tron [![npm](https://img.shields.io/npm/v/@mscharley/dot.svg)](https://www.npmjs.com/package/@mscharley/dot) **Source:** [https://github.com/mscharley/dot](https://github.com/mscharley/dot) **Author:** Matthew Scharley **Contributors:** [See contributors on GitHub][gh-contrib] **Bugs/Support:** [Github Issues][gh-issues] **License:** [MIT license][license] **Status:** Active ## Synopsis A small, well-tested IOC framework for TypeScript and JavaScript with a focus on type safety and forward compatibility. Support for TC39 standard decorators for use with both TypeScript and JavaScript as well as TypeScript's experimental decorators for projects who still use them. [Read more about our goals here.](https://github.com/mscharley/dot/discussions/39) ## Installation npm i --save @mscharley/dot This library should work out of the box with any TypeScript configuration if you are using TypeScript 5.0 or later. Read below for other versions. ### TypeScript support This library is designed to work with either setting of the `experimentalDecorators` option in TypeScript 5.x or later. In TypeScript 4.x and earlier, you will need to enable experimental decorators as that is the only option for decorator support. In either case, the `emitDecoratorMetadata` is not required, and is not used for any functionality if enabled. ### JavaScript support JavaScript should work out of the box with any JavaScript transpiler that supports TC39 decorators. For now you will need a transpiler until the standard gets implemented more widely. Known implementations: - [Babel](https://babeljs.io/docs/babel-plugin-proposal-decorators) ## Usage [For usage examples, please see the documentation.](https://mscharley.github.io/dot/docs/dot.html#example) ## Inspiration The API design of this project is heavily inspired by InversifyJS. [gh-contrib]: https://github.com/mscharley/dot/graphs/contributors [gh-issues]: https://github.com/mscharley/dot/issues [license]: https://github.com/mscharley/dot/blob/master/LICENSE
A lightweight inversion of control framework for JavaScript and TypeScript
ioc-container,typescript,javascript,nodejs,dependency-injection
2023-05-26T09:08:26Z
2024-05-19T20:57:30Z
2024-02-08T08:37:34Z
2
229
616
1
0
6
null
MIT
TypeScript
i1d9/webathn-elixir
master
# Webathn To start your Phoenix server: * Run `mix setup` to install and setup dependencies * Start Phoenix endpoint with `mix phx.server` or inside IEx with `iex -S mix phx.server` Now you can visit [`localhost:4000`](http://localhost:4000) from your browser. Ready to run in production? Please [check our deployment guides](https://hexdocs.pm/phoenix/deployment.html). ## Learn more * Official website: https://www.phoenixframework.org/ * Guides: https://hexdocs.pm/phoenix/overview.html * Docs: https://hexdocs.pm/phoenix * Forum: https://elixirforum.com/c/phoenix-forum * Source: https://github.com/phoenixframework/phoenix
A project showcasing passwordless authentication using passkeys with Webauthn
elixir,elixir-phoenix,javascript,liveview,passkeys-demo,passwordless-authentication,webauthn
2023-05-31T22:16:56Z
2023-09-09T16:16:28Z
null
1
0
6
1
0
6
null
null
Elixir
EsriDevEvents/building-web-apps-with-calcite-design-system-2023
main
# Building Web Apps with Calcite Design System ## Repository description This repository contains an example application that illustrates the theming capabilities of the Calcite Design System's Calcite Component web component library. ## Session description Calcite Design System (now out of beta) provides a library of design patterns, icons, and user friendly web components that were built with accessibility in mind. In this session, you'll learn how you can use Calcite with the ArcGIS Maps SDK for JavaScript to quickly create user-friendly web mapping applications. ## Slides and recording Most of the recordings are uploaded to [2023 Esri User Conference in "mediaspace.esri.com"](https://mediaspace.esri.com/) and slides are made available at [Esri Events > Proceedings](https://www.esri.com/en-us/about/events/index/proceedings). ## Related sessions - [ArcGIS Maps SDK for JavaScript: An Introduction](https://uc2023.esri.com/flow/esri/23uc/eventportal/page/detailed-agenda/session/1679292817411001AKxP) - [UX/UI Best Practices: A Brief Overview](https://uc2023.esri.com/flow/esri/23uc/eventportal/page/detailed-agenda/session/1671599315363001peIW) - [Web Development Strategies](https://uc2023.esri.com/flow/esri/23uc/eventportal/page/detailed-agenda/session/1679292515260001mKvJ) - [ArcGIS Maps SDK for JavaScript: Programming Patterns and API Fundamentals](https://uc2023.esri.com/flow/esri/23uc/eventportal/page/detailed-agenda/session/1671589077394001o9sT)
This repository is a companion resource to the "Building Web Apps with Calcite Design System" technical session at Esri User Conference 2023.
arcgis,calcite-components,esri,esri-uc,se,technical-session,uc-2023,esri-user-conference,javascript,sdk-js
2023-06-06T18:50:49Z
2023-07-13T17:06:22Z
null
3
0
129
0
0
6
null
Apache-2.0
HTML
yashk9293/Music-Player
main
# Ultimate-Music-Player [![Share on Twitter](https://img.shields.io/twitter/url/http/shields.io.svg?style=social)](https://twitter.com/intent/tweet?text=Turn%20Sublime%20Text%203%20into%20a%20JavaScript%20IDE%20&url=https://github.com/yashk9293/Music-Player&hashtags=javascript,ide,plugin,sublimetext3,editor) [![Share on Facebook](https://img.shields.io/badge/share-facebook-blue.svg?longCache=true&style=flat&colorB=%234267b2)](hhttp://www.facebook.com/sharer.php?u=https://github.com/yashk9293/Music-Player) ## Screenshot <p> <a href="https://youtu.be/lcMNFBXV2d4" target="_blank"><img src="./readme_img/preview.png" alt="music-list"></a> </p> ## Functions : #### Modes : - repeat mode -> playlist looped - repeat-one mode -> song looped - shuffle mode -> playback shuffled <p> <img src="./readme_img/mode.jpg" alt="mode_img"> </p> #### Buttons : - play button - pause button - next song button - previous song button <p> <img src="./readme_img/prev_playpause_next.jpg" alt="prev_playpause_next"> </p> #### Display Feature : - sound line bars are displayed only when song is playing, if the song is paused the bars will disappear. - music image is rotating when music is playing, if the song is paused then image rotation is stopped and it comes back to original position. <div> <img src="./readme_img/sound bars.jpg" alt="prev_play_next" title="sound bars"> <img src="./readme_img/image-rotation360.gif" alt="rotation360"> </div> #### Other functionality : - progressive drag progress bar on song timeline. - sound range slider - current time of the song is updated per second. <p> <a href="https://github.com/yashk9293/Music-Player/blob/main/readme_img/drag range slider.jpg"><img src="./readme_img/drag range slider.jpg" alt="slider_img"></a> </p> #### Additional Feature : - Music list available containing the list of songs with the artist name and duration of the song. - Upon clicking any song on the list itself, the song will start playing. - the song is which is being currently played will be displayed as now playing. - every time you open the website, random song is played. <p> <a href="https://github.com/yashk9293/Music-Player/blob/main/readme_img/music-list.png"><img src="./readme_img/music-list.png" alt="music-list"></a> </p> ### Built With - <div> <img alt="HTML5" src="https://img.shields.io/badge/-HTML5-E44D26?style=flat&logo=html5&logoColor=white"/> <img alt="CSS3" src="https://img.shields.io/badge/-CSS3-2965f1?style=flat&logo=css3&logoColor=white"/> <img alt="JavaScript" src="https://img.shields.io/badge/-JavaScript-F0DB4F?style=flat&logo=javascript&logoColor=white"/> </div> <br> **Live Demo** : https://yashk9293.github.io/Music-Player/ ## Author 👤 **Yash Kumar** - Github: [@githubhandle](https://github.com/yashk9293) - Twitter: [@twitterhandle](https://twitter.com/Yashk_9293) - Linkedin: [linkedin](https://www.linkedin.com/in/yashk9293/) ### Prerequisites Before you begin, ensure you have met the following requirements: * [Git](https://git-scm.com/downloads "Download Git") must be installed on your operating system. ### Run Locally To run **weather application** locally, run this command on your git bash: Linux and macOS: ```bash sudo git clone https://github.com/yashk9293/Music-Player.git ``` Windows: ```bash git clone https://github.com/yashk9293/Music-Player.git ``` <br> **📌NOTE** : If you want to add more songs, then you just need to add songs in the **songs folder** and add images of the musics in **images folder**, then add list item in the list of **music-list.js** file. That's all, nothing to do more. ## LICENSE [MIT License](LICENSE)
Music Player with repeat, repeat-one and shuffle mode with volume control and music list feature also present.
css,html,html-css-javascript,javascript,javascript-music-player,js-project,music,music-player,ultimate-music-player,web-dev
2023-06-06T18:22:16Z
2023-06-08T08:29:09Z
null
1
0
38
0
5
6
null
MIT
JavaScript
coding-tea/ecomm
main
## /- About project: * E-commerce website application that allows customers to find products and purchase them. <img src='./1685197788964.jpg' width='100%' title='e-commerce project'/> ## /- Tools I use: * Programming languages: JavaScript, PHP, html, CSS, SQL. * Technologies & Frameworks: Tailwind, Jira. ## /- How to use the project: * to use this project you have to install xampp * and launch the project ## /- How to tweak this project for own uses: Since this is an example project. I'd encourage you to clone and rename this project to use for your own purposes. It's a good starter boilerplate. ## /- fix a bug: If you found an issue or would like to submit an improvement to this project, please submit an issue using the issues tag above. If you would like to submit a PR with a fix, reference the issue you created!
E-commerce website application that allows customers to find products and purchase them.
css,javascript,php,tailwindcss
2023-05-27T14:18:19Z
2023-11-27T19:17:33Z
null
2
6
19
0
0
6
null
null
CSS
bluedone/mern-blog-v2
main
<H1 align ="center" > MERN BLOG </h1> <h5 align ="center"> Fullstack open source blogging application made with MongoDB, Express, React & Nodejs (MERN) </h5> <br/> * [Configuration and Setup](#configuration-and-setup) * [Key Features](#key-features) * [Technologies used](#technologies-used) - [Frontend](#frontend) - [Backend](#backend) - [Database](#database) * [📸 Screenshots](#screenshots) * [Author](#author) * [License](#license) ## Configuration and Setup In order to run this project locally, simply fork and clone the repository or download as zip and unzip on your machine. - Open the project in your prefered code editor. - Go to terminal -> New terminal (If you are using VS code) - Split your terminal into two (run the Frontend on one terminal and the Backend on the other terminal) In the first terminal ``` $ cd Frontend $ npm install (to install frontend-side dependencies) $ npm run start (to start the frontend) ``` In the second terminal - cd Backend and Set environment variables in config.env under ./config - Create your mongoDB connection url, which you'll use as your MONGO_URI - Supply the following credentials ``` # --- Config.env --- NODE_ENV = development PORT =5000 URI =http://localhost:3000 MONGO_URI = JWT_SECRET_KEY = JWT_EXPIRE = 60m RESET_PASSWORD_EXPIRE = 3600000 # Nodemailer SMTP_HOST =smtp.gmail.com SMTP_PORT =587 EMAIL_USERNAME = example@gmail.com EMAIL_PASS = your_password ``` ``` # --- Terminal --- $ npm install (to install backend-side dependencies) $ npm start (to start the backend) ``` ## Key Features - User registration and login - Authentication using JWT Tokens - Story searching and pagination - CRUD operations (Story create, read, update and delete) - Upload user ımages and story ımages to the server - Liking stories and adding stories to the Reading list - Commenting on the story - Skeleton loading effect - Responsive Design <br/> ## Technologies used This project was created using the following technologies. #### Frontend - [React js ](https://www.npmjs.com/package/react) - JavaScript library that is used for building user interfaces specifically for single-page applications - [React Hooks ](https://reactjs.org/docs/hooks-intro.html) - For managing and centralizing application state - [react-router-dom](https://www.npmjs.com/package/react-router-dom) - To handle routing - [axios](https://www.npmjs.com/package/axios) - For making Api calls - [Css](https://developer.mozilla.org/en-US/docs/Web/CSS) - For User Interface - [CK-Editor](https://ckeditor.com/docs/ckeditor5/latest/builds/guides/integration/frameworks/react.html) - Rich Text Editor - [uuid](https://www.npmjs.com/package/uuid) - For random id generator - [React icons](https://react-icons.github.io/react-icons/) - Small library that helps you add icons to your react apps. #### Backend - [Node js](https://nodejs.org/en/) -A runtime environment to help build fast server applications using JS - [Express js](https://www.npmjs.com/package/express) -The server for handling and routing HTTP requests - [Mongoose](https://mongoosejs.com/) - For modeling and mapping MongoDB data to JavaScript - [express-async-handler](https://www.npmjs.com/package/express-async-handler) - Simple middleware for handling exceptions inside of async express routes and passing them to your express error handlers - [jsonwebtoken](https://www.npmjs.com/package/jsonwebtoken) - For authentication - [Bcryptjs](https://www.npmjs.com/package/bcryptjs) - For data encryption - [Nodemailer](https://nodemailer.com/about/) - Send e-mails from Node.js - [Dotenv](https://www.npmjs.com/package/dotenv) - Zero Dependency module that loads environment variables - [multer](https://www.npmjs.com/package/multer) - Node.js middleware for uploading files - [slugify](https://www.npmjs.com/package/slugify) - For encoding titles into a URL-friendly format - [cors](https://www.npmjs.com/package/cors) - Provides a Connect/Express middleware #### Database - [MongoDB ](https://www.mongodb.com/) - It provides a free cloud service to store MongoDB collections. ## Screenshots ![1](https://user-images.githubusercontent.com/111676859/226197211-8abc5de5-7659-4811-b28a-ef885de64267.png) ---- - ![2](https://user-images.githubusercontent.com/111676859/226197288-1f0cf951-dd30-464f-b70a-10c449fe33b4.png) --- - ![3](https://user-images.githubusercontent.com/111676859/226197295-e9525dd5-1346-4951-a1c8-d5620166d7aa.png) --- - ![4](https://user-images.githubusercontent.com/111676859/226197298-ca0f5b6e-f523-4040-98a8-b92a17bbe22e.png) --- - ![5](https://user-images.githubusercontent.com/111676859/226197303-5d8a1a39-07f7-409f-8614-12d0ca0b2836.png) --- - ![6](https://user-images.githubusercontent.com/111676859/226197307-1d95a1f6-147a-4edb-b899-449c90c07713.png) --- - ![7](https://user-images.githubusercontent.com/111676859/226197312-b7bf6ae6-2c05-4b1d-bc25-4262af3f04f2.png) --- - ![8](https://user-images.githubusercontent.com/111676859/226197316-eb387e87-9690-44ca-b138-f15b03bed7d4.png) --- - ![9](https://user-images.githubusercontent.com/111676859/226197324-dcbad05b-2283-4ef5-bae9-2da8d09d55c9.png) --- - ![10](https://user-images.githubusercontent.com/111676859/226197329-025091a0-642b-4d68-ac4e-f365e0e78e82.png) --- - ![11](https://user-images.githubusercontent.com/111676859/226197338-3e530bc6-e7bf-4e4a-9284-165f85be47d2.png) ## Author - Portfolio: [berthutapea](https://berthutapea.vercel.app/) - Github: [berthutapea](https://github.com/berthutapea) - Sponsor: [berthutapea](https://saweria.co/berthutapea) - Linkedin: [gilberthutapea](https://www.linkedin.com/in/gilberthutapea/) - Email: [berthutapea@gmail.com](mailto:berthutapea@gmail.com) ## License MIT License Copyright (c) 2022 Gilbert Hutapea Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
MERN BLOG (MongoDB, Express, React & Nodejs)
cors,css3,dotenv,javascript,mongodb,nodejs,react,axios,bycryptjs,expressjs
2023-05-23T07:46:32Z
2023-05-17T07:16:37Z
null
2
0
160
0
2
6
null
MIT
JavaScript
RenanFernandess/trybe-project-recipes-app
main
<a name="readme-top"></a> # 🎉 Bem vindo ao repositório do App de Receitas 🥘 <div align="center"> <img src="./assets/demo.gif" alt="Gif app de receitas" /> </div> <details> <summary>Índice 📑 </summary> <ol> <li> <a href="#sobre-o-projeto">Sobre o Projeto</a> <ul> <li><a href="#construido-com">Construido Com</a></li> </ul> </li> <li> <a href="#começando">Começando</a> <ul> <li><a href="#instalação">Instalação</a></li> <li><a href="#executando">Executando</a></li> </ul> </li> <li><a href="#uso">Uso</a></li> <li><a href="#contato">Contato</a></li> <li><a href="#agradecimentos">Agradecimentos</a></li> </ol> </details> ## Sobre o Projeto Foi desenvolvido em grupo, com objetivo de treinar as soft skills, metodologias ágeis e revisar as hard skills, uma aplicação de busca de receitas utilizando React.js no paradigma funcional e realizando testes automatizados para garantir a qualidade. Neste app a pessoa usuária pode pesquisar por receitas de comidas ou bebidas, podendo fazer uma busca por nome da receita, primeira letra e ingredientes que ela utiliza ou selecionar uma categoria. Ao encontrar a receita desejada a pessoa usuária pode ver os detalhes da receita ao clicar sobre o card da receita, na página de detalhes da receita é possível favoritar a receita, compartilhá, e iniciar a receita clicando sobre o botão START RECIPE. Ao iniciar a receita o usuário poderá checar os ingredientes, após checar os ingredientes e clicar no botão FINISH RECIPE será redirecionado para página de receitas feitas. [Este](https://www.figma.com/file/g583ReaScBdevPmylIeDcp/%5BProjeto%5D%5BFrontend%5D-Recipes-App-(Copy)?type=design&node-id=0%3A1&t=Tjs8coUvioSRyYqp-1) foi o protótipo no Figma utilizado no desenvolvimento. > O layout tem como foco dispositivos móveis, dessa forma todos os protótipos vão estar desenvolvidos em telas menores. A base de dados são duas APIs distintas, uma de comida e outra de bebida. * API de comida [TheMealDB](https://www.themealdb.com/) * API de bebida [TheCocktailDB](https://www.thecocktaildb.com/) ### Habilidades trabalhadas * Comunicação * Colaboração * Pair programming * Metodologias ágeis * Atomic design * Desenvolvimento orientado a testes * Context API * React hooks ### Construido Com * [<img src="https://img.shields.io/badge/JavaScript-323330?style=for-the-badge&logo=javascript&logoColor=F7DF1E" />](https://developer.mozilla.org/en-US/docs/Web/JavaScript) * ![React](https://img.shields.io/badge/react-%2320232a.svg?style=for-the-badge&logo=react&logoColor=%2361DAFB) * ![React Router](https://img.shields.io/badge/React_Router-CA4245?style=for-the-badge&logo=react-router&logoColor=white) * ![Styled Components](https://img.shields.io/badge/styled--components-DB7093?style=for-the-badge&logo=styled-components&logoColor=white) * ![Jest](https://img.shields.io/badge/-jest-%23C21325?style=for-the-badge&logo=jest&logoColor=white) * ![Testing-Library](https://img.shields.io/badge/-TestingLibrary-%23E33332?style=for-the-badge&logo=testing-library&logoColor=white) * ![Figma](https://img.shields.io/badge/figma-%23F24E1E.svg?style=for-the-badge&logo=figma&logoColor=white) <p align="right">(<a href="#readme-top">voltar ao topo</a>)</p> ## Começando ### Instalação 1. Clonar o repositorio git clone git@github.com:RenanFernandess/trybe-project-recipes-app.git 2. Entrar na pasta project-recipes-app cd ./trybe-project-recipes-app 3. Instalar pacotes NPM npm install ### Executando 1. iniciar o aplicativo npm start após o start por padrão você será redirecionado para uma página do seu navegador com a seguinte URL: http://localhost:3000/ <p align="right">(<a href="#readme-top">voltar ao topo</a>)</p> ## Uso <table> <tr> <td width="50%"> <div align="center"> <h3>Tela de Login</h3> <img src="./assets/login.png" alt="Tela de login" /> <p>Tela de login simulada você pode digitar um email e senha fictícios para fazer o login, o botão ENTER fica inicialmente desativado, para ele ativar é nescessario digitar o email e uma senha com no minimo 6 caracteres.</p> </div> </td> <td width="50%"> <div align="center"> <h3>Tela de Comidas 🥘</h3> <img src="./assets/meals.gif" alt="Tela de comidas" /> <p>Na página Meals é onde você vai buscar as receitas de comidas, ao clicar sobre o ícone de lupa vai mostrar a barra de pesquisa, onde você pode fazer uma busca por nome da receita, pela primeira letra ou um ingrediente que ela utiliza. Você também pode fazer uma busca por categoria ao clicar sobre alguma das categorias listadas.</p> </div> </td> </tr> <tr> <td> <div align="center"> <h3>Tela de Bebidas 🍹</h3> <img src="./assets/drinks.gif" alt="Tela de bebidas" /> <p>Na página Drinks é onde você vai buscar as receitas de bebidas, ao clicar sobre o ícone de lupa vai mostrar a barra de pesquisa, onde você pode fazer uma busca por nome da receita, pela primeira letra ou um ingrediente que ela utiliza. Você também pode fazer uma busca por categoria ao clicar sobre alguma das categorias listadas.</p> </div> </td> <td> <div align="center"> <h3>Tela de Detalhes da Receita 🗒️</h3> <img src="./assets/recipe-details.gif" alt="Tela de detalhes da receita" /> <p>Na tela de detalhes da receita, você pode adicionar aos favoritos ao clicar sobre ícone de coração, também pode copiar o link da receita ao clicar sobre o ícone de compartilhar. Nesta página você encontrará os ingredientes, instruções, um vídeo da receita e recomendações de bebidas. Para iniciar o preparo da receita basta clicar no botão START RECIPE.</p> </div> </td> </tr> <tr> <td> <div align="center"> <h3>Tela de Receita em Progresso 🧑‍🍳</h3> <img src="./assets/recipe-in-progress.gif" alt="Tela da receita em progresso" /> <p>Na tela de receita em progresso, você pode adicionar aos favoritos e copiar o link assim como na tela detalhes da receita. Nesta página você encontrará os ingredientes com uma caixa de seleção, as instruções e o vídeo da receita, o progresso da receita fica salvo, você busca outras receitas e depois volta para a receita que você estava preparando e continuar onde parou. Ao concluir o preparo da receita selecionando todos os ingredientes o botão FINISH RECIPE será habilitado, ao clicar sobre ele será redirecionado para página de receitas feitas.</p> </div> </td> <td> <div align="center"> <h3>Tela do Perfil 🧑‍🦱</h3> <img src="./assets/profile.png" alt="Tela do perfil" /> <p>Na página do perfil, você verá o e-mail utilizado no login e também três opções, o botão Done Recipes para ir para página de receitas feitas, o botão Favorite Recipes para ir para a página de receitas favoritas e o botão Logout para sair.</p> </div> </td> </tr> <tr> <td> <div align="center"> <h3>Tela de Receitas Feitas</h3> <img src="./assets/done-recipes.gif" alt="Tela de receitas feitas" /> <p>Tela de receitas feitas, nesta você encontra as receitas feitas onde você pode ver a data em que ele foi preparada, também é possível filtrar por comida ou bebida.</p> </div> </td> <td> <div align="center"> <h3>Tela de Receitas Favoritas</h3> <img src="./assets/favorite-recipes.gif" alt="Tela de receitas favoritas" /> <p>Tela de receitas favoritas, nesta você encontra as receitas favoritas, você pode filtrar por comida ou bebida.</p> </div> </td> </tr> </table> <p align="right">(<a href="#readme-top">voltar ao topo</a>)</p> ## Contato * Renan Fernandes - [Linkedin](https://www.linkedin.com/in/orenanfernandes/) - [GitHub](https://github.com/RenanFernandess) * Juliana Martinelli - [Linkedin](https://www.linkedin.com/in/julianamartinelliquaglia/) - [GitHub](https://github.com/julianamq) * Gustavo Barros Dutra - [Linkedin](https://www.linkedin.com/in/gustavodutradev/) - [GitHub](https://github.com/Gustavo-trybedev) * Alexandre - [Linkedin](https://www.linkedin.com/in/alexandre-evangelista-souza-lima/) - [GitHub](https://github.com/LEXW3B) * Paulo Henrique - [Linkedin](https://www.linkedin.com/in/paulo-de-assis/) - [GitHub](https://github.com/paulohdeassis) <p align="right">(<a href="#readme-top">voltar ao topo</a>)</p> ## Agradecimentos * [Trybe](https://www.betrybe.com/) * [Best-README-Template](https://github.com/othneildrew/Best-README-Template) <p align="right">(<a href="#readme-top">voltar ao topo</a>)</p>
Foi desenvolvido em grupo, com objetivo de treinar as soft skills, metodologias ágeis e revisar as hard skills, uma aplicação de busca de receitas utilizando React.js no paradigma funcional e realizando testes automatizados para garantir a qualidade
context-api,css,figma,javascript,jest,metodologias-ageis,react,react-hooks,react-router-dom,react-testing-library
2023-06-02T20:30:42Z
2023-09-01T20:56:47Z
null
9
0
595
0
0
6
null
null
JavaScript
amanrajrana/RobustKey-PasswordGenerator
main
<h1 align="center">RobustKey🚀</h1> ![Repository Thumbnail](./images/cover.png) ## 💻 Tech Stack - **ReactJs** - **Tailwind CSS** - **vite** ### 📖 ## 🔐 **RobustKey** - Empowering Password Generation for Everyone [RobustKey](https://amanrajrana.github.io/RobustKey-PasswordGenerator) is not just a password generator; it's an open invitation for passionate contributors like you! Built with React and Tailwind CSS, this open-source project aims to simplify password creation while fostering a vibrant community of developers. ### 🚀 **Why Contribute?** - **Learn and Grow:** RobustKey offers an excellent opportunity to dive into React and Tailwind CSS, perfect for honing your web development skills. - **Make an Impact:** Your contributions directly enhance online security by improving password generation for users worldwide. - **Collaborative Spirit:** Join a welcoming community of developers, share ideas, and work together to build something amazing. ### 🛠️ **How to Contribute?** Ready to get started? It's as easy as 1-2-3: 1. Explore our open issues and find a task that sparks your interest. 2. Fork the repository and make your enhancements. 3. Create a pull request, and our friendly maintainers will review and merge your changes. ### 🤝 **Join Our Community** RobustKey welcomes contributors of all levels. Whether you're a seasoned developer or just starting, we value your input. Join our community today, and together, let's fortify online security one password at a time! 🌐" ## Setup Locally **Prerequisite** - 1. NodeJs - 2. Git 1. Clone the project ``` git clone https://github.com/amanrajrana/RobustKey-PasswordGenerator.git ``` 2. Go to the project directory ``` cd RobustKey-PasswordGenerator ``` 3. Install Dependencies ``` npm install ``` 4. Start App ``` npm run dev ``` ## Our Contributors ![Our Contributors](https://contrib.rocks/image?repo=amanrajrana/RobustKey-PasswordGenerator) We want to extend our heartfelt thanks to all the contributors for their valuable contributions to this project. Your hard work, dedication, and support have been instrumental to the project's success. ## Authors **_Aman Raj Rana_** [![linkedin](https://img.shields.io/badge/linkedin-0A66C2?style=for-the-badge&logo=linkedin&logoColor=white)](https://www.linkedin.com/in/amanrajrana) [![github](https://img.shields.io/badge/github-000000?style=for-the-badge&logo=github&logoColor=white)](https://github.com/amanrajrana)
"RobustKey: Simplifying Password Generation with React and Tailwind CSS. Join us to enhance online security! 🚀 Great starter for new contributors!"
hacktoberfest,hacktoberfest-accepted,javascript,reactjs
2023-06-02T11:15:35Z
2023-10-20T13:59:09Z
null
16
46
113
4
21
6
null
null
JavaScript
flurryunicorn/Tetrisk-questify
main
# Skillbet-tetrisk Questify Web tetris game based on SEI ## 🚀 Project Structure Inside of your Astro project, you'll see the following folders and files: ``` / ├── public/ │ └── favicon.svg ├── src/ │ ├── components/ │ │ └── Card.astro │ ├── config/ │ │ └── action.js │ ├── data/ │ │ └── index.tsx │ ├── hooks/ │ │ └── useInterval.js │ │ └── useWindowDimensions.js │ ├── pages/ │ │ ├── Home/ │ │ | └── index.tsx │ │ ├── StartGame/ | │ | └── index.tsx │ │ ├── Tetris/ | │ | └── index.tsx │ ├── redux/ │ │ ├── slices/ | │ | └── index.tsx | | ├── store.ts └── package.json ``` Astro looks for `.astro` or `.md` files in the `src/pages/` directory. Each page is exposed as a route based on its file name. There's nothing special about `src/components/`, but that's where we like to put any Astro/React/Vue/Svelte/Preact components. Any static assets, like images, can be placed in the `public/` directory. ## 🧞 Commands All commands are run from the root of the project, from a terminal: | Command | Action | | :---------------- | :------------------------------------------- | | `npm install` | Installs dependencies | | `npm run dev` | Starts local dev server at `localhost:3000` | | `npm run build` | Build your production site to `./dist/` | | `npm run preview` | Preview your build locally, before deploying | ## 👀 Want to learn more? Feel free to check [our documentation](https://docs.astro.build) or jump into our [Discord server](https://astro.build/chat). # skillbet
null
javascript,typescript,frontend,keplr-wallet,tetris,sei-chain,questify
2023-05-26T05:37:12Z
2023-09-04T04:16:51Z
null
1
0
8
0
0
6
null
MIT
JavaScript
Fombi-Favour/To-Do-list
main
<a name="readme-top"></a> <div align="center"> <img src="wave.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Microverse README Template</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 "To Do List" project <a name="about-project"></a> **"To Do List" project** is a tool that helps to organize your day. It simply lists the things that you need to do and allows you to mark them as complete. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Version Control System</summary> <ul> <li><a href="https://git-scm.com/">Git</a></li> </ul> </details> <details> <summary>Frontend</summary> <ul> <li><a href="https://www.w3.org/html/">HTML</a></li> <li><a href="https://www.w3schools.com/css/">CSS</a></li> <li><a href="https://www.javascript.com/">JavaScript</a></li> </ul> </details> <details> <summary>Module bundler</summary> <ul> <li><a href="https://webpack.js.org/">Webpack</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **Beautiful mobile layouts** - **Add and remove todo list** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link. Click here!](https://fombi-favour.github.io/To-Do-list/dist) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - **A code editor of your choice (like vs code or Atom and so on)** - **Version Control System (git is preferred)** - **Install all of webpack dependencies (webpack, webpack cli, css-loader, htmlwebpackplugin and webpack server)** ### Setup Clone this repository to your desired folder: ```sh cd To-Do-list git clone git@github.com:Fombi-Favour/To-Do-list.git ``` ### Usage Before you run the project, make sure the root file is **index.html** ### Run tests To run tests, you can select the html file to be opened to any browser of your choice. ### Deployment You can deploy this project on github following instructions here: [deploy website on github](https://docs.github.com/en/pages/getting-started-with-github-pages/creating-a-github-pages-site) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Author <a name="authors"></a> 👤 **Fombi Magnus-Favour** - GitHub: [Fombi-Favour](https://github.com/Fombi-Favour) - Twitter: [@FavourFombi](https://twitter.com/FavourFombi) - LinkedIn: [Fombi Favour](https://www.linkedin.com/in/fombi-favour/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - **Add styles on the page** - **Add drag and drop implentation on each todo task** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Fombi-Favour/To-Do-list/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> Make sure you give a ⭐ and follow me if like this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank everybody most especially the Microverse staffs for making it possible to work on the "To Do List" project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
"To Do List" project is a tool that helps to organize your day. It simply lists the things that you need to do and allows you to mark them as complete.
css,html,javascript,webpack
2023-06-05T21:13:14Z
2023-06-10T19:07:39Z
null
1
5
57
0
0
6
null
null
JavaScript
adamlui/js-utils
main
null
⚡ Essential JavaScript libraries/utilities for Node.js and the web
javascript,js-utils,utils,scripts,compiler,converter,css,minification,node,npm
2023-05-25T08:38:58Z
2024-05-22T16:22:14Z
2024-05-14T20:40:06Z
4
72
2,437
0
3
6
null
NOASSERTION
JavaScript
honestmk99/Life-Research-and-Analysis-App
main
# IAS-project Image Analysis web application Backend - FastApi Frontend - React ## Environment Setup ### Use scripts 1. double click the start.sh file. This will download, build and run both the back-end and front-end. 2. To stop, press CTRL-C in the terminal that opened when you started the start.sh script, or close the terminal. 3. double click the stop.sh script. This will stop the back-end services. If for some reason start.sh is not working it could be because a container or volume got corrupted. Please run the reset.sh script and once that has finished running you can run start.sh again. ### Use docker compose - Run the following command in the IAS-project folder to start all backend services ```sh # If this is the first time running this command it will take some time while the docker images are downloaded. # Future uses will be very fast. $ docker compose up ``` ( *** On ubuntu - use : docker-compose build, docker-compse up -d) - To start a development version of the front end, please input the following commands. ```sh $ cd react # this will install all modules and could take some time $ npm install # this will build and serve the project. $ npm start ``` - [http://localhost:3000/]() to see the frontend - [http://localhost:8000/docs]() to see the backend documentation - [http://localhost:8081/devDB/]() to see the database ### Monitoring To monitor the celery worker tasks / microservices. Go to [http://localhost:5555/]() To monitor RabbitMQ, the message broker. Go to [http://localhost:15672/]() And enter the username and password set in the celery_task.env file in ./env_files. Default: - User: 'user' - Password: 'password' ## License Apache License 2.0 --- ### Explanation about backend - The backend was configurated as docker container 1. mainApi is fastAPI framework backend to provider api to the frontend ( ias-project-react-mainapi) 2. Database docker container ( mongo ) 3. Backend database server container ( mongo-express ) 4. Others are image processing module working as docker container. So main point is to install docker environment as perfectly to prepare development environment. - Backend Development Environment Because the backend was configurated docker system. the development should be docker devcontainer. For example - vscode docker environment (Remote Containers) ### Explanation about frontend - The frontend was configurated with react.js The gole is Viv viewer to display every images on frontend by using backend that customize image processing using ashlar python module. - Detail Explanation about Frontend project structure and Data system. Main Page file is MainFrame.js Descibe full page of the frontend and most skeleton was configured on this file , Should touch carefully and understand as fully. There are three parts called - left panel area, central panel area, right panel area 1. Left Panel part + Right Panel Part Both parts are existed in /src/components/tabs 2. Central Panel Are existed in /src/viv/ * This is important part in this project. *** This project structure is configured as perfectly and as well for image processing and viv viewer.
Life Research and Analysis App using React, Python, Django, AI and ML
ai,django,docker,javascript,machine-learning-algorithms,python,react,styled-components
2023-06-04T12:40:03Z
2023-07-09T18:36:00Z
null
1
0
2
0
0
6
null
NOASSERTION
Python
es-shims/es-arraybuffer-base64
main
# es-arraybuffer-base64 <sup>[![Version Badge][npm-version-svg]][package-url]</sup> [![github actions][actions-image]][actions-url] [![coverage][codecov-image]][codecov-url] [![License][license-image]][license-url] [![Downloads][downloads-image]][downloads-url] [![npm badge][npm-badge-png]][package-url] An ES-spec-compliant shim/polyfill/replacement for ArrayBuffer base64 methods that works as far down as ES3 This package implements the [es-shim API](https://github.com/es-shims/api) “multi” interface. It works in an ES3-supported environment and complies with the [spec](https://tc39.es/proposal-arraybuffer-base64/). Because the `Iterator.prototype` methods depend on a receiver (the `this` value), the main export in each subdirectory takes the string to operate on as the first argument. The main export of the package itself is simply an array of the available directory names. It’s sole intended use is for build tooling and testing. If `Uint8Array` is not present, the `shim` functions and `auto` entrypoints will be a no-op. ## Supported things - [`Uint8Array.fromBase64`](https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.frombase64) - [`Uint8Array.fromHex`](https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.fromhex) - [`Uint8Array.prototype.toBase64`](https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.prototype.tobase64) - [`Uint8Array.prototype.toHex`](https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.prototype.tohex) - [`Uint8Array.prototype.setFromBase64`](https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.prototype.setfrombase64) - [`Uint8Array.prototype.setFromHex`](https://tc39.es/proposal-arraybuffer-base64/spec/#sec-uint8array.prototype.setfromhex) ## Getting started ```sh npm install --save es-arraybuffer-base64 ``` ## Usage/Examples ```js const fromHex = require('es-arraybuffer-base64/Uint8Array.fromHex'); const toHex = require('es-arraybuffer-base64/Uint8Array.prototype.toHex'); const assert = require('assert'); const array = new Uint8Array([72, 101, 108, 108, 111, 32, 87, 111, 114, 108, 100]); const hex = '48656c6c6f20576f726c64'; assert.deepEqual(fromHex(hex), array); assert.equal(toHex(array), hex); ``` ```js require('./auto'); // shim all of the methods require('./Uint8Array.fromHex/auto'); // shim the “fromHex” method ``` ## Tests Simply clone the repo, `npm install`, and run `npm test` [package-url]: https://npmjs.org/package/es-arraybuffer-base64 [npm-version-svg]: https://versionbadg.es/es-shims/es-arraybuffer-base64.svg [deps-svg]: https://david-dm.org/es-shims/es-arraybuffer-base64.svg [deps-url]: https://david-dm.org/es-shims/es-arraybuffer-base64 [dev-deps-svg]: https://david-dm.org/es-shims/es-arraybuffer-base64/dev-status.svg [dev-deps-url]: https://david-dm.org/es-shims/es-arraybuffer-base64#info=devDependencies [npm-badge-png]: https://nodei.co/npm/es-arraybuffer-base64.png?downloads=true&stars=true [license-image]: https://img.shields.io/npm/l/es-arraybuffer-base64.svg [license-url]: LICENSE [downloads-image]: https://img.shields.io/npm/dm/es-arraybuffer-base64.svg [downloads-url]: https://npm-stat.com/charts.html?package=es-arraybuffer-base64 [codecov-image]: https://codecov.io/gh/es-shims/es-arraybuffer-base64/branch/main/graphs/badge.svg [codecov-url]: https://app.codecov.io/gh/es-shims/es-arraybuffer-base64/ [actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/es-shims/es-arraybuffer-base64 [actions-url]: https://github.com/es-shims/es-arraybuffer-base64/actions
An ES-spec-compliant shim/polyfill/replacement for ArrayBuffer base64 methods that works as far down as ES3
arraybuffer,base64,ecmascript,javascript
2023-05-20T03:59:34Z
2024-03-19T23:15:09Z
null
2
0
33
1
0
6
null
MIT
JavaScript
Fombi-Favour/GDC-site
main
<a name="readme-top"></a> <div align="center"> <img src="wave.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Microverse README Template</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 GDC Showcase 2022 <a name="about-project"></a> ![show1](snap1.PNG) ![show2](snap2.PNG) **GDC Showcase 2022** is a responsive Game Developers Conference project with version control system like git, and frontend languages like HTML, CSS and JavaScript. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Version Control System</summary> <ul> <li><a href="https://git-scm.com/">Git</a></li> </ul> </details> <details> <summary>Frontend</summary> <ul> <li><a href="https://www.w3.org/html/">HTML</a></li> <li><a href="https://www.w3schools.com/css/">CSS</a></li> <li><a href="https://www.javascript.com/">JavaScript</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - **Beautiful mobile layouts** - **Site with nice styles** - **Great animation display** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link. Click here!](https://gdc2022.netlify.app/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - **A code editor of your choice (like vs code or Atom and so on)** - **Version Control System (git is preferred)** ### Setup Clone this repository to your desired folder: ```sh cd microverse-capstone-1 git clone git@github.com:Fombi-Favour/microverse-capstone-1.git ``` ### Usage Before you run the project, make sure the root file is **index.html** ### Run tests To run tests, you can select the html file to be opened to any browser of your choice. ### Deployment You can deploy this project on github following instructions here: [deploy website on github](https://docs.github.com/en/pages/getting-started-with-github-pages/creating-a-github-pages-site) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Fombi Magnus-Favour** - GitHub: [Fombi-Favour](https://github.com/Fombi-Favour) - Twitter: [@FavourFombi](https://twitter.com/FavourFombi) - LinkedIn: [Fombi Favour](https://www.linkedin.com/in/fombi-favour/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - **Add advance interactive styles** - **Add Desktop platform features** - **Customization of styles of the two platforms** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Fombi-Favour/microverse-capstone-1/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> Make sure you give a ⭐ and follow me if like this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> - Designed by [Cindy Shin](https://www.behance.net/adagio07) (author of the original design) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
GDC Showcase 2022 is a responsive Game Developers Conference project with version control system like git, and frontend languages like HTML, CSS and JavaScript.
css,html,javascript
2023-05-21T21:13:09Z
2023-12-28T10:07:39Z
null
1
1
66
0
0
6
null
null
CSS
hasundue/lophus
main
# Lophus > :construction: Still under development and not ready for use. [![CI](https://github.com/hasundue/lophus/actions/workflows/ci.yml/badge.svg?branch=main)](https://github.com/hasundue/lophus/actions/workflows/ci.yml) [![codecov](https://codecov.io/github/hasundue/lophus/branch/main/graph/badge.svg?token=s01IMg4nI8)](https://codecov.io/github/hasundue/lophus) Lophus is an experimental TypeScript library for development of [Nostr][nostr] clients and relays, oriented to web standards and edge environments. ## Features - **Modular** 🔌 - NIPs and high-level interfaces are implemented as optional TypeScript modules, which makes your apps as small as possible. - **Fast** ⚡ - Carefully designed to be performant. Fully asynchronous and non-blocking. Use native code of a runtime via [Web APIs][web-apis]. - **Portable** 📦 - No runtime-specific code or external dependencies in the core modules so that it can work on various platforms. - **Type-safe** 🛡️ - Thoroughly typed with insanity. - **Compatible** 🤝 - Shares the same data structure for events as [nostr-tools][nostr-tools]. ## Project Structure ### [@lophus/nips](https://github.com/hasundue/lophus/tree/main/nips) Provides a set of modules that implement the Nostr protocol and its extensions. Supposed to be the entry point for most developers who want to use Lophus. ### [@lophus/std](https://github.com/hasundue/lophus/tree/main/std) Provides high-level interfaces and utilities, and functionalities that depends on third-party libraries. ### [@lophus/core](https://github.com/hasundue/lophus/tree/main/core) Contains the core modules that implement the basic architecture of Lophus. Used for implementation of NIPs, or possibly your own Nostr-like protocols. ### [@lophus/lib](https://github.com/hasundue/lophus/tree/main/lib) General-purpose modules that are developed for Lophus, but not directly related to the Nostr protocol. You may use them in any TypeScript project. ### [@lophus/app](https://github.com/hasundue/lophus/tree/main/deploy/app) A SSR-oriented Nostr client application that demonstrates how to use the library. ### [@lophus/bench](https://github.com/hasundue/lophus/tree/main/bench) Performance tests for Lophus and other Nostr libraries. Highly experimental. ## Sponsors ### [Soapbox](https://soapbox.pub) Software for the next generation of social media. ![Soapbox](https://avatars.githubusercontent.com/u/99939943?s=200&v=4) ## References Development of Lophus is inspired by the following projects: - [NIPs][nostr-nips] - Nostr Implementation Possibilities - [nostr-tools][nostr-tools] - Reference implementation of the protocol in TypeScript - [nostring][nostring] - A Nostr relay library written in Deno - [Hono][hono] - A fast, lightweight, and multi-platform Web framework for edges <!-- Links --> [web-apis]: https://developer.mozilla.org/docs/Web/API [nostr]: https://nostr.com [nostr-nips]: https://github.com/nostr-protocol/nips [modules]: https://github.com/hasundue/lophus/tree/main/lib [nostr-tools]: https://github.com/nbd-wtf/nostr-tools [nostring]: https://github.com/xbol0/nostring [hono]: https://github.com/honojs/hono
Fully-modular TypeScript implementation of the Nostr protocol, oriented to web standards and edge environments
nostr,typescript,javascript
2023-05-18T01:23:00Z
2024-04-22T07:33:23Z
2024-02-27T04:51:15Z
1
38
333
3
0
6
null
MIT
TypeScript
xvisierra/Spacechacks
master
## Play: https://spacechacks.xvisierra.repl.co (The Hack is hosted using Replit at https://replit.com/@xvisierra/Spacechacks) ## 💡 Inspiration ![h4](images/dino.png) 🚀 No Internet Game No Internet ## What it does 👨‍🚀 No Internet is an engaging side-strafing game inspired by the Chrome Dino game. The concept behind the game is to provide an entertaining experience while also incorporating educational elements. The game takes inspiration from the offline page of Chrome, where users encounter a dinosaur when there is no internet connectivity. ## ⚙ Getting Started🚀 To start playing the game, simply click on the "Play" button on the homepage. The homepage replicates the offline page of Chrome, creating a familiar and nostalgic experience. Once you click the "Play" button, you will be taken to the game page. ## 🔧 Game Mechanics👨‍🚀 The game mechanics are similar to the Chrome Dino game, with a twist. Instead of controlling a dinosaur, you control various miniatures like astronauts, caterpillars, and more. These miniatures change periodically as you progress through the game, adding visual variety and excitement. ## 💪 The objective🚀 ![h4](https://github.com/xvisierra/Spacechacks/blob/master/images/game2.png) The objective of the game is to navigate through dynamically changing obstacles, showcasing elements of strategy, precision, and timing. The background theme is space-related, enhancing the immersive experience. ## 📌 Learning Opportunities👨‍🚀 ![h4](https://github.com/xvisierra/Spacechacks/blob/master/images/game1.png) As you play the game, you will also come across paragraphs about space displayed on the screen. These paragraphs provide interesting facts and information about space, making the game not only entertaining but also educational. ## 📚 Quiz Challenge🚀 The Quiz is created and hosted using Joget Workflow (https://github.com/jogetworkflow). ![h4](https://github.com/xvisierra/Spacechacks/blob/master/images/quiz.png) After scoring 10 points in your stride to reach the red planet avoiding asteroids and aliens you are considered to be a captain but for that you have to attempt a quiz and score 7 out of 10 questions which you learned through your journey to be accepted as the messiah of the new civilization. ## ⏭ Are You Ready to Take Humanity to the Next Level?👨‍🚀 If you manage to win the quiz by scoring full marks, a congratulatory message will be displayed on the screen. This message signifies that you are ready to take humanity to the next level, symbolizing your knowledge and expertise in space-related topics. ## 🚀 Future Plans👨‍🚀 The No Internet game aims to continue evolving and improving. Some of the future plans include: Storing user scores and implementing a leaderboard to showcase the highest scorers. Adding more facts and paragraphs about space to further enhance the educational aspect of the game. Introducing additional characters and backgrounds to provide more visual variety and engagement. Technologies Used ## 🔧 The No Internet game is built using the following technologies: - HTML <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/html5/html5-original-wordmark.svg" alt="html5" width="20" height="20"/> - CSS <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/css3/css3-original-wordmark.svg" alt="css3" width="20" height="20"/> - JavaScript <img src="https://cdn.jsdelivr.net/gh/devicons/devicon/icons/javascript/javascript-original.svg" alt="javascript" width="20" height="20"/> - Joget @jogetworkflow (https://github.com/jogetworkflow) - Replit @replit (https://github.com/replit) - Chromium @chromium (https://github.com/chromium/chromium) Credits The game concept is inspired by the Chrome Dino game. Background images and character sprites are sourced from various online repositories. Feel free to play
🚀👨‍🚀 In Spacehackcs’ “No Internet” game, you’re an astronaut on a mission to take humans to Mars. Prove yourself as a leader and navigate through asteroids and aliens to reach the red planet 🪐.
astronaut,chrome-dino-game,education,game-development,hackathon,mars,offline-game,space,chromium,css
2023-05-27T05:45:03Z
2023-05-29T04:42:22Z
null
2
1
44
0
3
6
null
MIT
HTML
pb33f/saddlebag-js
main
# saddlebag A tiny library for creating and managing stores and state in any JavaScript Application running anywhere. It is less than 1kb when gzipped and 3kb when minified. It's called '_saddlebag_' because every cowboy needs a reliable and simple place to store their stuff. `saddlebag` is built in TypeScript and has full type support. --- `saddlebag` has two parts: - `bags` - `bag manager` --- ## Installation npm: ```bash npm install @pb33f/saddlebag ``` yarn: ```bash yarn add @pb33f/saddlebag ``` --- ## A quick summary of saddlebag A `bag` is a store that holds state. A `bag manager` creates `bags` and provides access to them from anywhere in the application. `bag manager` is a singleton, only one manager can exist. A `bag` is just a key-value `Map`. The values can be any object or primitive. A `bag` can be subscribed to. When state changes in the `bag`, the subscribers will be notified and passed the updated state. There are three event types that can be subscribed to: - When any individual value is updated. - When any value is updated. - When the `bag` is populated with initial state. In order to subscribe to one of these event types, a callback function must be provided. The callback function will be passed the updated state when the event occurs. A `bag` can be unsubscribed from when state is no-longer needed. A `bag` can be cleared of all state and all subscribers can be notified using the `reset()` method. The `bag manager` holds `bag` instances as another 'key-value' `Map`. > Yes, this is a `Map` of `Map` instances (_bags_). Only **one** instance of a bag with a given key can exist in the `bag manager`. The `bag manager` can clear all state from all `bags` and notify all subscribers using the `resetBags()` method. --- ## Basic Use All imports are exposed as named exports via `@pb33f/saddlebag`. Import the `bag manager` and create an instance of it. ```typescript import {Bag, BagManager, CreateBagManager} from "@pb33f/saddlebag"; const bagManager = CreateBagManager(); ``` Create a `bag` using the `bag manager` instance. ```typescript const bag = bagManager.createBag<string>('foo'); // set a value for the key 'foo' bag.set("foo", "bar"); ``` Subscribe to a `bag` using the `subscribe()` method. ```typescript const handleUpdate = (state: string) => { console.log('value changed:', state); } const subcription = bag.subscribe('foo', handleUpdate); ``` Update the value of a key in the `bag` using the `set()` method. ```typescript bag.set('foo', 'baz'); ``` And the console should output: ``` value changed: baz ``` To unsubscribe from a `bag`, use the `unsubscribe()` method of the `Subscription` instance returned from the `subscribe()` method. ```typescript subcription.unsubscribe(); ``` ## Listening for all state updates To listen for all state updates in a `bag`, use the `onAllChanges()` method. This method only takes a callback function, no key required as all keys will trigger the event. ```typescript const subcription = bag.onAllChanges(handleUpdate); ``` ## Populating a store with initial state If you already have the data you want to store, you can populate the `bag` by simply passing a `Map<string, any>` to the `populate()` method. This map will contain the key-value pairs to be stored. ```typescript const data = new Map<string, string>([["foo","bar"],["cake","burger"],["nugget","bucket"]]); bag.populate(data); ``` ### Listening for populated events To listen for the `bag` being populated with initial state, use the `onPopulated()` method of the `bag` instance. ```typescript const subscription = bag.onPopulated((initialState) => { // do something... }); ``` ## Exporting the contents of a `bag` Want to dump the data into something or somewhere else? Use the `export()` method. ```typescript const bagData = bag.export(); ``` ## Getting an existing `bag` from the `bag manager` If you already have a `bag` and want to get it from the `bag manager`, use the `getBag()` method. ```typescript const bag = bagManager.getBag<string>('foo'); ``` --- `saddlebag` A product of [pb33f](https://pb33f.io).
A tiny, pure JS in-memory object store, allowing for simple state management across a large application, in any framework.
cache,cache-storage,in-memory,in-memory-caching,in-memory-storage,javascript,javascript-library,js,store,typescript
2023-05-25T11:49:12Z
2024-04-05T21:38:42Z
null
1
7
28
0
0
6
null
MIT
TypeScript
Luffytaro22/To-do-list
main
null
To Do List allows the user to enter a task and mark it as completed or not. It also lets removing the done tasks and save them in the local storage.
css,html,javascript,webpack
2023-06-06T16:27:27Z
2023-06-22T16:33:51Z
null
1
6
142
4
0
6
null
MIT
JavaScript
ankitt26/Second-Capstone-project
develop
<a name="readme-top"></a> <!-- HOW TO USE: This is an example of how you may give instructions on setting up your project locally. Modify this file to match your project and remove sections that don't apply. REQUIRED SECTIONS: - Table of Contents - About the Project - Built With - Live Demo - Getting Started - Authors - Future Features - Contributing - Show your support - Acknowledgements - License OPTIONAL SECTIONS: - FAQ After you're finished please remove all the comments and instructions! --> <div align="center"> <!-- You are encouraged to replace this logo with your own! Otherwise you can also remove it. --> <img src="https://static.vecteezy.com/system/resources/previews/008/040/410/original/school-logo-design-template-free-vector.jpg" alt="logo" width="80" height="auto" /> <h2>Nextview</h2> <br/> <h3><b> Second Capstone project</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 \[Second Capstone project\] ](#-second-capstone-project-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [API Key Generation](#api-key-generation) - [**Endpoints**](#endpoints) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🤝 Contributors ](#-contributors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 [Second Capstone project] <a name="about-project"></a> **[Second Capstone project]** is a Html , Css & javascript based project ## 🛠 Built With <a name="built-with"></a> 1- HTML. 2- CSS. 3- Javascript. 4- webpack. ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://reactjs.org/">HTML</a></li> <li><a href="https://reactjs.org/">CSS</a></li> <li><a href="https://reactjs.org/">Javascript</a></li> <li><a href="https://reactjs.org/">webpack</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - Webpack used - APIs used - Live update like and comments <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> > [🎉 see live ](https://ankitt26.github.io/Second-Capstone-project/dist/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites 1. Web browser 2. Code editor. 3. git-smc. ### Setup Clone this repository to your desired folder: _Run this command:_ ```sh cd my-project git clone git@github.com:ankitt26/Second-Capstone-project.git ``` ### Install Install this project with: _Example command:_ ```sh cd my-project npm install ``` ---> ### Usage To run the project, execute the following command: ```sh cd my-project npm run start ``` ## API Key Generation To fetch movies and show data use this API 🔗 ```sh `https://api.tvmaze.com/shows` ``` To fetch Likes and comments data use this API 🔗 ```sh `https://us-central1-involvement-api.cloudfunctions.net/capstoneApi/` ``` ## **Endpoints** **/apps/** Allowed actions: - **POST** to create a new app Parameters: - No parameters required Return value: unique identifier for the app ``` abc234 ``` ➡️ **/apps/:app_id/likes/** Allowed actions: - **POST** to create a new like for the given item - **GET** to get a list of items with its respective likes Parameters for POST action: URL parameters: - **app_id**: unique identifier of the app (mandatory) Request **body**: a JSON object with the key: `item_id` (mandatory) Example of request body: ``` { "item_id": "item1" } ``` URL example: `/apps/abc234/likes` Return value for POST action: 201 status (created) Parameters for GET action: URL parameters: - **app_id**: unique identifier of the app (mandatory) URL example: `/apps/abc234/likes` Return value for GET action: array of objects ```sh [ { "likes": 5, "item_id": "item1" } ] ``` ➡️ **/apps/:app_id/comments** Allowed actions: - **POST** to create a new comment for the given item - **GET** to get a list of items with its respective comments Parameters for POST action: URL parameters: - **app_id**: unique identifier of the app (mandatory) Request **body**: a JSON object with the following keys: `item_id`, `username`, `comment` (mandatory) Example of request body: ``` { "item_id": "item1", "username": "Jane", "comment": "Hello" } ``` URL example: `/apps/abc234/comments` Return value for POST action: 201 status (created) Parameters for GET action: URL parameters: - **app_id**: unique identifier of the app (mandatory) Query parameters: - **item_id**: unique identifier of the item (mandatory) URL example: `/apps/abc234/comments?item_id=item1` Return value for GET action: array of objects ``` [ { "comment": "This is nice!", "creation_date": "2021-01-10", "username": "John" }, { "comment": "Great content!", "creation_date": "2021-02-10", "username": "Jane" } ] ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> ### Run tests Jest🧪 ``` $ npm run test ``` ### Deployment ``` $ npm run build $ npm start ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Ankit** - GitHub: [@ankitt26](https://github.com/ankitt26) - Twitter: [@ankit26k](https://twitter.com/ankit26k) - LinkedIn: [ankit26k](https://www.linkedin.com/in/ankit26k/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🤝 Contributors <a name="authors"></a> 👤 **Kelvin** - GitHub: [@Unleashedicon](https://github.com/Unleashedicon) - Twitter: [@KipkuruiKelvin3](https://twitter.com/KipkuruiKelvin3) - LinkedIn: [Kelvin-Kipkurui](https://www.linkedin.com/in/Kelvin-Kipkurui-7b50b8252/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - reservation popup - Display TV shows <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project give it a star. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thanks microverse . <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This project utilizes 'tvmaze' API to fetch data and show cards, along with another API to retrieve and update likes and comments.
api,css,group-project,html,javascript,jest-tests,kanban-board,webpack
2023-05-22T14:51:16Z
2023-07-15T16:45:38Z
null
2
13
73
1
0
6
null
MIT
JavaScript
Luffytaro22/Awesome-books
main
null
Awesome Books is a basic website that allows users to add or remove books from a list. The books the user add are saved in the Local Storage of the navigator.
books,css,html,javascript
2023-05-29T16:20:41Z
2023-06-22T16:53:07Z
null
1
4
55
1
0
6
null
MIT
JavaScript
EleoXDA/Quiz_JS
main
# Fun Quiz App ![image](https://github.com/EleoXDA/Quiz_JS/assets/27622683/7a1058b1-ccc6-4098-b8bf-0bca9903bab8) This repository contains a simple quiz app built with HTML, CSS, and JavaScript. The app presents a series of multiple-choice questions to the user, tracks the user's score, and allows the user to navigate between questions. ## File Structure The repository contains the following files: - index.html: This is the main HTML file that contains the structure of the quiz app. - quiz.css: This file contains the styles for the quiz app. - quiz.js: This file contains the logic for the quiz app, including the array of questions, the functions to display questions and handle user responses, and the logic to manage the quiz state. ## How to Use To use this app, fork and download the reporsitory and then simply open the index.html file in your web browser. The app will present you with a series of questions. Click on the answer you think is correct. Your score will be updated accordingly. Once you've answered all the questions, you can restart the quiz by clicking the "Restart Quiz" button. ## Customization You can customize the quiz by modifying the allQuestions array in the quiz.js file. Each question is an object with the following properties: - question: A string that contains the question. - options: An array of strings that contains the possible answers to the question. - answer: A string that contains the correct answer to the question. Feel free to add, remove, or modify the questions as you see fit. ## Browser Compatibility This app should work in any modern web browser that supports HTML5, CSS3, and ES6 JavaScript. ## License This project is licensed under the MIT License. You can find the full text of the license in the [LICENSE.md](LICENSE.md) file.
A simple Quiz app that uses Javascript for Logic
html-css-javascript,javascript,quizapp
2023-05-17T21:02:10Z
2023-06-27T21:50:12Z
null
1
12
28
0
0
5
null
MIT
JavaScript
EleoXDA/Tip_Calculator_JS
main
# Tip Calculator ![image](https://github.com/EleoXDA/Tip_Calculator_JS/assets/27622683/c8d6704b-0308-4b25-903c-f8b0e707b37b) ## Description This repository contains the source code for a simple and interactive tip calculator web application. The application allows users to enter their bill amount, select the desired tip percentage, and choose their currency. It also remembers user's previous input using localStorage, hence saving user's preferences for subsequent uses. ## Features - Calculates tip based on user-specified bill amount and tip percentage. - Allows users to choose their preferred currency. - Saves user's input and selected currency using localStorage. ## Technology Stack - HTML - CSS - JavaScript ## Getting Started 1. Fork the repository and clone it to your local machine. 2. Open the `index.html` file in your preferred web browser. 3. Start using the application by entering the bill amount and tip percentage, and selecting your currency. ## Usage 1. Enter the bill amount in the "Bill Amount" field. 2. Enter the desired tip percentage in the "Tip Percentage" field. 3. Choose your currency from the "Currency" dropdown. 4. Click "Calculate" to calculate the tip amount. Your calculated tip amount will be displayed next to the "Calculate" button. ## License This project is licensed under the MIT License. You can find the full text of the license in the [LICENSE.md](LICENSE.md) file.
A simple, interactive tip calculator web application that allows users to input their bill amount, select the desired tip percentage, and choose their currency.
javascript,local-storage,tip-calculator,user-interaction,web-application
2023-05-19T20:37:39Z
2023-06-27T21:35:55Z
null
1
20
48
0
0
5
null
MIT
JavaScript
nikosdaridis/nikosdaridis.github.io
main
<div align="center"> <a href="https://daridis.com" target="_blank"><img alt="Logo" src="https://raw.githubusercontent.com/nikosdaridis/nikosdaridis.github.io/main/v2/public/HomepageLogo.png" width="100" /></a> </div> <h1 align="center"> daridis.com - v2 </h1> <p align="center"> The second iteration of <a href="https://daridis.com" target="_blank">daridis.com</a> built with <a href="https://react.dev" target="_blank">React</a>, <a href="https://www.typescriptlang.org" target="_blank">TypeScript</a> and <a href="https://tailwindcss.com" target="_blank">Tailwind CSS</a> </p> <p align="center"> Previous iteration: <a href="https://nikosdaridis.github.io/v1" target="_blank">v1</a> built with <a href="https://developer.mozilla.org/en-US/docs/Web/HTML" target="_blank">HTML</a>, <a href="https://developer.mozilla.org/en-US/docs/Web/CSS" target="_blank">CSS</a> and <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript" target="_blank">JavaScript</a> </p> <div align="center"> <a href="https://daridis.com"><img alt="Screenshot" src=https://github.com/nikosdaridis/nikosdaridis.github.io/raw/main/v2/public/Portfolio/Portfolio.jpg></a> </div> ## 🛠 Installation 1. Install dependencies ```sh npm install ``` 2. Start the development server ```sh npm run dev ``` ## 🚀 Build For Production 1. Generate a static production build ```sh npm run build ```
Responsive minimalist portfolio website - React, TypeScript, Tailwind CSS - https://daridis.com
css,html,javascript,portfolio,portfolio-site,portfolio-website,website,github-pages,react,tailwindcss
2023-06-05T20:00:54Z
2024-03-10T11:33:08Z
null
1
0
62
0
1
5
null
MIT
TypeScript
sameerkali/DSA_75
main
<!DOCTYPE html> <html lang="en"> <head <meta charset="UTF-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1.0" <!-- <title> DSA_75 Repository </title>--> </head> <body> <h2>Description</h2> <p>Welcome to the DSA_75 repository! This repository is dedicated to learning and practicing data structures and algorithms using JavaScript. The goal of this repository is to provide a comprehensive collection of 75 common data structure and algorithm problems, along with their solutions, explanations, and test cases.</p> <h2>Contents</h2> <p>The repository contains the following:</p> <ol> <li>Problem Statements: A collection of 75 problem statements that cover various data structures and algorithmic concepts. Each problem statement provides a clear description of the problem to be solved.</li> <li>Solutions: Solutions to the 75 problems are implemented in JavaScript. The solutions aim to provide efficient and optimized approaches to solve the problems.</li> <li>Explanations: Detailed explanations accompany each solution, helping you understand the underlying logic and reasoning behind the code. The explanations also provide insights into the time and space complexity of the solutions.</li> <li>Test Cases: For each problem, a set of test cases is provided to validate the correctness of the solutions. These test cases cover different scenarios and edge cases to ensure the solutions handle a variety of inputs correctly.</li> </ol> <h2>Getting Started</h2> <p>To get started with the DSA_75 repository, follow these steps:</p> <ol> <li>Clone the repository to your local machine using the following command:<br><code>git clone <a class="link">https://github.com/sameerkali/DSA_75.git</a></code></li> <li>Navigate to the cloned repository directory:<br><code>cd DSA_75</code></li> <li>Choose a problem of your choice from the problem statements.</li> <li>Implement your solution in JavaScript.</li> <li>Test your solution using the provided test cases to verify its correctness.</li> <li>If needed, refer to the explanation provided for each solution to gain insights into the approach and optimize it further.</li> <li>Repeat the process for other problems to enhance your understanding of data structures and algorithms.</li> </ol> <h2>Contribution Guidelines</h2> <p>Contributions to the DSA_75 repository are welcome! If you would like to contribute, please follow these guidelines:</p> <ol> <li>Fork the repository to your own GitHub account.</li> <li>Create a new branch with a descriptive name for your feature or fix.</li> <li>Implement your changes or additions.</li> <li>Test your changes thoroughly.</li> <li>Submit a pull request with a clear description of your changes and their purpose.</li> <li>Ensure your code adheres to the repository's coding standards and conventions.</li> </ol> <h2>Starting Date</h2> <p>The DSA_75 repository was initiated on 1st June 2023. Feel free to join and start your DSA journey with us!</p> <p>Happy coding and mastering data structures and algorithms!</p> <h1>Here all the good questions </h1> - 🔭 if yor're Passionate [DSA_75] (https://docs.google.com/spreadsheets/d/1A2PaQKcdwO_lwxz9bAnxXnIQayCouZP6d-ENrBz_NXc/htmlview) <h2>Two Sum</h2> <h2>Best Time to Buy and Sell Stock</h2> <h2>Contains Duplicate</h2> <h2>Product of Array Except Self</h2> <h2>Maximum Subarray</h2> <h2>Maximum Product Subarray</h2> <h2>Find Minimum in Rotated Sorted Array</h2> <h2>Search in Rotated Sorted Array</h2> <h2>3Sum</h2> <h2>Container With Most Water</h2> <h2>Sum of Two Integers</h2> <h2>Number of 1 Bits</h2> <h2>Counting Bits</h2> <h2>Missing Number</h2> <h2>Reverse Bits</h2> <h2>Climbing Stairs</h2> <h2>Coin Change</h2> <h2>Longest Increasing Subsequence</h2> <h2>Longest Common Subsequence</h2> <h2>Word Break Problem</h2> <h2>Combination Sum</h2> <h2>House Robber</h2> <h2>House Robber II</h2> <h2>Decode Ways</h2> <h2>Unique Paths</h2> <h2>Jump Game</h2> <h2>Clone Graph</h2> <h2>Course Schedule</h2> <h2>Pacific Atlantic Water Flow</h2> <h2>Number of Islands</h2> <h2>Longest Consecutive Sequence</h2> <h2>Alien Dictionary (Leetcode Premium)</h2> <h2>Graph Valid Tree (Leetcode Premium)</h2> <h2>Number of Connected Components in an Undirected Graph (Leetcode Premium)</h2> <h2>Insert Interval</h2> <h2>Merge Intervals</h2> <h2>Non-overlapping Intervals</h2> <h2>Meeting Rooms</h2> <h2>Meeting Rooms II</h2> <h2>Reverse a Linked List</h2> <h2>Detect Cycle in a Linked List</h2> <h2>Merge Two Sorted Lists</h2> <h2>Merge K Sorted Lists</h2> <h2>Remove Nth Node From End Of List</h2> <h2>Reorder List</h2> <h2>Set Matrix Zeroes</h2> <h2>Spiral Matrix</h2> <h2>Rotate Image</h2> <h2>Word Search</h2> <h2>Longest Substring Without Repeating Characters</h2> <h2>Longest Repeating Character Replacement</h2> <h2>Minimum Window Substring</h2> <h2>Valid Anagram</h2> <h2>Group Anagrams</h2> <h2>Valid Parentheses</h2> <h2>Valid Palindrome</h2> <h2>Longest Palindromic Substring</h2> <h2>Palindromic Substrings</h2> <h2>Encode and Decode Strings (Leetcode Premium)</h2> <h2>Maximum Depth of Binary Tree</h2> <h2>Same Tree</h2> <h2>Invert/Flip Binary Tree</h2> <h2>Binary Tree Maximum Path Sum</h2> <h2>Binary Tree Level Order Traversal</h2> <h2>Serialize and Deserialize Binary Tree</h2> <h2>Subtree of Another Tree</h2> <h2>Construct Binary Tree from Preorder and Inorder Traversal</h2> <h2>Validate Binary Search Tree</h2> <h2>Kth Smallest Element in a BST</h2> <h2>Lowest Common Ancestor of BST</h2> <h2>Implement Trie (Prefix Tree)</h2> <h2>Add and Search Word</h2> <h2>Word Search II</h2> <h2>Merge K Sorted Lists</h2> <h2>Top K Frequent Elements</h2> <h1>Thanks & tegards</h1> 😮‍💨 </ ### i dont know tree structure
javascript interview questions by topic
dsa,interview,interview-questions,javascript,system-design
2023-06-07T16:02:16Z
2024-05-19T15:39:30Z
null
1
8
245
0
0
5
null
null
JavaScript
CesarHerr/math_magicians
dev
<a name="readme-top"></a> <div align="center"> <h3><b>Math Magician</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [Math Magician] <a name="about-project"></a> **[Math Magician]** is a website for all fans of mathematics. It is a Single Page App (SPA) that allows users to: - Make simple calculations. - Read a random math-related quote. ## 🛠 Built With <a name="built-with"></a> ``` 1.- React 2.- Javascript. ``` ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript">JavaScript</a></li> <li><a href="https://react.dev/">React</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> ``` - Understand how to use medium-fidelity wireframes to create a UI. ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: ``` - Code Editor. - Git and Github account. - Web browser. ``` ### Setup Clone this repository to your desired folder: ``` cd my-folder git clone https://github.com/CesarHerr/math_magicians.git ``` ### Install Install this project with: ``` You Don't need install this project ``` ### Usage To run the project, execute the following command: ``` Double click on the HTML file, open it in your browser. ``` ### Run tests To run tests, run the following command: ``` no test ``` ### Deployment You can deploy this project using: [Implementation](https://github.com/microverseinc/curriculum-react-redux/blob/main/math-magicians/sneak_peek.md) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **César Herrera** - GitHub: [@CesarHerr](https://github.com/CesarHerr) - Twitter: [@Cesarherr2](https://twitter.com/Cesarherr2) - LinkedIn: [CesarHerr](https://www.linkedin.com/in/cesarherr/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - Connect to an API - Create Home and Quote sections. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project and you think is useful to someone please share it <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank team of microverse and the micronauts for hitting me up with new knowledge. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
"Math magicians" is a website for all fans of mathematics. It is a Single Page App (SPA) for make simple calculations. Read a random math-related quote, building with React.
javascript,react
2023-05-29T00:23:31Z
2023-06-01T22:17:24Z
null
1
4
22
0
0
5
null
MIT
JavaScript
diarisdiakite/leaderboard
dev
<a name="readme-top"></a> # 📖 [Leaderboard-project](#leaderboard-project) 📗 Table of Contents 📖 [About the Project](#about-the-project) 🛠 [Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) 🚀 [Live Demo](#live-demo) 💻 [Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-test) - [Deployment](#deployment) 👥 [Authors](#authors) 🔭 [Future Features](#future-features) 🤝 [Contributing](#contributing) ⭐️ [Show your support](#show-your-support) 🙏 [Acknowledgments](#acknowledgment) ❓ [FAQ (OPTIONAL)](#faq) 📝 [Credit](#credit) 📝 [License](#licence) <br><br> ## 📖 [leaderboard-project](#leaderboard-project) ### 📖 <a name="about-the-project">Description </a> The [Leaderboard-project]() is a Single Page App that allows users to keep track of their performances in a game by adding players and scores and perform basics operations like list all scores from the application. The players are sorted by name to give users a better experience. [`Back to top`](#readme-top) ### 🛠 <a name="project-built-with">Built With </a> The following technologies has been used in developping this project. #### <a name="tech-stack"> Tech Stack </a> ```[Tech-stack] client: HTML, CSS and Javascript. ```` [`Back to top`](#readme-top) ### <a name="key-features"> Key Features </a> `leaderboard-project` key features are the following main projects: ``` Project-feature1: Create a new game from API Project-feature2: get all scores from API Project-feature3: Add score Project-feature4: List all scores Project-feature5: Optimisation Project-feature6: Application deploy ``` [`Back to top`](#readme-top) ## 🚀 <a name="live-demo"> Live Demo </a> You can access the leaderboard at this link below. coming soon [`Back to top`](#readme-top) ## 💻 <a name="getting-started"> Getting Started </a> ### <a name="setup"> Setup </a> Clone this repository to your desired folder: ```sh git clone https://github.com/diarisdiakite/leaderboard/ ``` [`Back to top`](#readme-top) #### <a name="prerequisites"> Prerequisites</a> In order to run the projects on this project you need: Have some knowledge of HTML and CSS Be familiar with git commands Basics understanding of Linters [`Back to top`](#readme-top) ### <a name="install">Install</a> Install the project with: [npm](https://www.npmjs.com/) ```[npm] git clone https://github.com/diarisdiakite/leaderboard/ run npx json-server -p 3500 -w data/db.json ``` [`Back to top`](#readme-top) ###<a name="usage">Usage</a> To run the leaderboard application, execute the following command: Open the project in code editor [`Back to top`](#readme-top) ### <a name="run-test">Run tests</a> To run tests, run the following command: Open the project in code editor and run the tests [`Back to top`](#readme-top) ### <a name="deployment">Deployment</a> You can deploy the leaderboard application using: google cloud, Microsoft Azure, Netlify by giving credit on usign our template or contricute via pull requests (read more in the contributing section). [`Back to top`](#readme-top) ## 👥 <a name="authors">Authors</a> 👤 Didy GitHub: [@diarisd](github.com/diarisdiakite) <br> Twitter: [@diarisdiakite](www.twitter.com/diarisdiakite) <br> LinkedIn: [@diariatou-diakite](https://www.linkedin.com/in/diariatou-diakite-67ab80165/) <br><br> [`Back to top`](#readme-top) ## 🔭 <a name="future-features">Future Features</a> Upcoming features will include: [Display-task's-descrition] [`Back to top`](#readme-top) ## 🤝 <a name="contrubuting">Contributing</a> Contributions, issues, and feature requests are welcome! Please check the issues page. [`Back to top`](#readme-top) ## ⭐️ <a name="show-your-support">Show your support</a> If you like my [leaderboard]() you can support my work. Visit [my personal page](https://diarisdiakite.github.io/my-portfolio/). Please follow us on [@linkedin.com/diariatou-diakite](https://www.linkedin.com/in/diariatou-diakite-67ab80165/) and [@twitter.com/diarisd](https://twitter.com/diarisdiakite) [`Back to top`](#readme-top) ## 🙏 <a name="acknowledgments">Acknowledgments</a> I would like to thank the Microverse community to inspire and encourage everyday programmers and aspiring programmers. Many thanks to my coding partners and particularly to [@Roman-adi](https://github.com/romans-adi) and [lincoln Gibson](https://github.com/lincoln1883) for their great hints during my Microverse Journey. [`Back to top`](#readme-top) ## ❓ <a name="faq">FAQ (OPTIONAL)</a> Here are the most common questions about this project. #### `Can we use the application as an organization` #### `Answer` Yes! Make sure you give us credit of the application. ### `Where can we reach out to you ?` #### `Answer` You can reach out to the organisation team by email [diarisdiakite@gmail.com](diarisdiakite@gmail.com). [`Back to top`](#readme-top) ## 📝 <a name="credit">Credit</a> this application was build by [Didy](https://diarisdiakite.github.io/my-portfolio/) proudly developed in [Microverse](https://www.microverse.org) program. [`Back to top`](#readme-top) ## 📝 <a name="licence">License</a> This project is [MIT](https://mit-license.org/) licensed. [`Back to top`](#readme-top)
The leaderboard website displays scores submitted by different players. It also displays the name and the score of the 3 winners of the game. All data is preserved thanks to the external Leaderboard API service.
animations,css,html,javascript
2023-06-01T02:16:49Z
2023-07-26T19:06:34Z
null
1
6
46
2
0
5
null
null
JavaScript
burakbehlull/portfolio-v2
main
# portfolio Personal portfolio site.
Personal portfolio site.
javascript,nodejs,portfolio,react,scss,typescript
2023-06-03T17:23:51Z
2023-08-18T22:13:41Z
null
2
0
30
0
0
5
null
Apache-2.0
TypeScript
MShazim/Weather-App
main
# Weather App This is a simple Weather App created using HTML, CSS, and JavaScript. It allows users to check the current weather conditions for a specific location. Link to the Website: [Weather-App](https://mshazim.github.io/Weather-App/) ## Features - **Current Weather:** Get real-time information about the weather conditions, including temperature, humidity, wind speed, and weather status. - **Location Search:** Search for weather information by entering a location name. - **Responsive Design:** The app is responsive and works well on different devices, including desktops, tablets, and mobile phones. ## Screenshots ![Screenshot 1](/Images/Screenshot.png) ## Getting Started To get started with the Weather App, follow these steps: 1. Clone the repository: `git clone https://github.com/MShazim/weather-app.git` 2. Open the project directory. 3. Launch the app by opening the `index.html` file in a web browser. ## Usage - Enter a location name in the search bar and press Enter or click the search button. - The current weather information will be displayed, including temperature, humidity, wind speed, and weather status. - To search for another location, simply enter a new location in the search bar. ## Technologies Used - HTML: Used for the structure and layout of the app. - CSS: Used for styling the app and making it visually appealing. - JavaScript: Used for fetching weather data from an API and dynamically updating the UI. ## APIs Used This Weather App utilizes the following APIs: - **OpenWeatherMap API:** Used to fetch weather data for a specific location. You will need to sign up on the [OpenWeatherMap website](https://openweathermap.org/) to obtain an API key. ## Configuration To configure the app, you need to provide an API key from OpenWeatherMap. Follow these steps: 1. Sign up on the [OpenWeatherMap website](https://openweathermap.org/) to obtain an API key. 2. Open the `script.js` file. 3. Replace `'YOUR_API_KEY'` with your actual API key obtained from OpenWeatherMap. ```javascript const apiKey = 'YOUR_API_KEY'; ``` ## Contributing Contributions are welcome! If you find any bugs or want to enhance the Weather App, please feel free to open issues or submit pull requests. ## License This project is licensed under the [MIT License](LICENSE). ## Acknowledgements - Weather data provided by [OpenWeatherMap](https://openweathermap.org/). - Icon made by [Freepik](https://www.freepik.com) from [www.flaticon.com](https://www.flaticon.com).
Simple Weather App created using HTML, CSS, and JavaScript.
css3,html5,javascript,openweathermap-api
2023-05-23T14:51:30Z
2023-05-23T15:30:58Z
null
1
0
9
0
0
5
null
MIT
JavaScript
2WeirDo/notebook
main
# notebook > 这里是我的学习笔记 > 学习笔记是按照coderwhy的教程课件进行记录 > 现在先慢慢迁移一些文件 > ![](./.assets/wallhaven-rrodj7.jpg)
从 0 到1 coderwhy 前端学习笔记 --
javascript,vue
2023-05-26T10:26:38Z
2023-10-26T03:29:58Z
null
1
0
44
0
0
5
null
MIT
null
ShokhrukhbekYuldoshev/Task-Manager
main
# Node.js Task Manager API This is a basic Node.js task manager API with authentication. ## File Structure ``` ├── src │ ├── controllers │ │ ├── authController.js │ │ └── taskController.js │ ├── middleware │ │ └── auth.js │ ├── models │ │ ├── Task.js │ │ └── User.js │ ├── routes │ │ ├── authRoutes.js │ │ └── taskRoutes.js │ └── server.js └── .env ``` - `src`: The main folder containing all the source code of the application. - `controllers`: Contains the controller functions for handling user authentication and task management. - `middleware`: Includes middleware functions, such as authentication middleware. - `models`: Contains the Mongoose models for the User and Task entities. - `routes`: Includes the route files for defining the API endpoints. - `server.js`: The main entry point of the application that sets up the server and routes. - `.env`: The environment variables file for configuring the application. Please note that the above file structure assumes that the `src` folder is located at the root of the project. Adjust the file paths and structure according to your specific project setup. ## Dependencies - express: Fast and minimalist web framework for Node.js - mongoose: MongoDB object modeling tool - bcryptjs: Library for hashing passwords - jsonwebtoken: JSON Web Token implementation - dotenv: Loads environment variables from a `.env` file - validator: Library for validating different types of data, such as email addresses, URLs, credit card numbers, and more ## Usage 1. Clone the repository: `git clone <repository-url>` 2. Install dependencies: `npm install` 3. Set up environment variables by creating a `.env` file (refer to `.env` section above) 4. Start the server: `node server.js` ## API Endpoints ### Authentication - `POST /register`: Register a new user - `POST /login`: User login - `POST /logout`: User logout ### Task Management - `POST /tasks`: Create a new task - `GET /tasks`: Get all tasks for a user - `PATCH /tasks/:id`: Update a task - `DELETE /tasks/:id`: Delete a task ## MongoDB Configuration The application uses MongoDB for data storage. Make sure you have MongoDB installed and running locally. Update the `MONGODB_URI` environment variable in the `.env` file to match your MongoDB connection URI. ## Environment Variables The following environment variables are used in the application: - `PORT`: The port number for the server (default: `3000`) - `MONGODB_URI`: The MongoDB connection URI - `JWT_SECRET`: The secret key for JSON Web Token generation ## Contributing Contributions are welcome! Please follow the standard guidelines for contributing to this project. ## License This project is licensed under the [MIT License](LICENSE).
Node.js task manager API with authentication.
javascript,mongodb,mongoose,rest,express,node,jwt,api
2023-06-05T09:56:50Z
2024-04-11T23:13:51Z
null
1
1
8
0
0
5
null
NOASSERTION
JavaScript
Bibiwei-Pere/Contact_Form
main
![form](https://github.com/Bibiwei-Pere/Contact_Form/assets/106984663/ec9d12fa-8efd-47b6-b700-761834892bad) ## Personal Portfolio **Live preview: [Click me](https://contactform01.netlify.app/)** --- ## How to use `Fork` or `Clone` this repository and enjoy. OR Visit https://adrenaline.hashnode.dev/ for a step by step tutorial on how to build this contact form --- ## Tools Used 1. Images: [pexels](https://www.pexels.com/) 2. UI Design: [Figma](https://www.figma.com/) 3. Code Editor: [VS Code](https://code.visualstudio.com/) ## Other projects 📚 [All Bibiwei Pere's Projects]([https://github.com/Bibiwei-Pere/All-projects](https://github.com/Bibiwei-Pere?tab=repositories)) --- ### Created by [Bibiwei Pere](https://www.facebook.com/profile.php?id=100074182476935) Like my works and want to support me? <a href="https://www.buymeacoffee.com/adrenaline9" target="_blank"><img src="https://cdn.buymeacoffee.com/buttons/v2/default-orange.png" alt="Buy Me A Coffee" style="height: 45px !important; width: 162.75px !important;" ></a> --- ## Feedback If you have any feedback, please send us an email at bibiweipere@gmail.com
Contact form for all websites and portfolio. Collects the name, email, message etc for anyone who fills the form and sends the details to your email. Its absolutely free to use
contact,contact-form,css,email,emailjs,html,javascript
2023-06-07T05:55:46Z
2023-06-07T12:19:40Z
null
1
0
16
0
0
5
null
null
CSS
aandrew-me/encnotes
main
# EncNotes ## Encrypted cloud synced Notes. EncNotes is a responsive web app for storing encrypted notes in the cloud. All Notes are Encrypted on the client side and sent to the server. (Still under development) Used Technologies - React - Tailwind - Editor.js - PBKDF2 for Password-Based Key Derivation - AES-256 for Encrypting Content - [Backend](https://github.com/aandrew-me/encnotes-api) Written in Go - MongoDB as Database - HCaptcha for Captchas
Encrypted Cloud Notes
javascript,notes,encryption,js
2023-05-29T15:00:23Z
2024-01-06T08:05:19Z
null
1
0
27
0
1
5
null
null
JavaScript
gyauelvis/Student_Portal
master
# Student Portal ## Table of Contents - [About](#about) - [Getting Started](#getting_started) - [Contributions](#cont) ## About <a name = "about"></a> This project is focused on building a student portal with beautiful friendly user interface(UI) and User Experience(UX). Design inspriration from the <a href="https://www.pinterest.com/pin/130815564168519076/">Collegium Da Vinci</a> school portal on Pinterst. The project is still at its basic stage and we will be happy if you could contribute to the project. Thank you ## Getting Started <a name = "getting_started"></a> These instructions will get you a copy of the project up and running on your local machine for development and testing purposes. 1. Clone the repository to your local machine using the following command: ```bash git clone https://github.com/gyauelvis/Student_Portal.git ``` 2. Go through the codes and familiarize yourself with this project and let's work together on making this project a sucess 3. Your comments, feedback, and suggestions are warmly welcomed. ### Contributions <a name = "cont"></a> This repository is open to contributions from this community. You can contribute your own code, examples, projects, or improvements. Contributions can include bug fixes, new features, documentation improvements, or additional examples related to this project. ### Note As you check this project out don't forget to star it. Thank you
This project is focused on building a student portal with beautiful friendly user interface(UI) and User Experience(UX).
html,javascript,portal,student-portal,student-project,tailwindcss
2023-06-03T19:45:28Z
2023-06-12T11:13:46Z
null
1
1
12
0
2
5
null
null
CSS
ViktorSvertoka/goit-react-hw-02-feedback
main
Використовуй цей [шаблон React-проекту](https://github.com/goitacademy/react-homework-template#readme) як стартову точку своєї програми. # Критерії приймання - Створені репозиторії `goit-react-hw-02-feedback` и `goit-react-hw-02-phonebook`. - При здачі домашньої роботи є два посилання: на вихідні файли та робочі сторінки кожного завдання на `GitHub Pages`. - Під час запуску коду завдання в консолі відсутні помилки та попередження. - Для кожного компонента є окремий файл у папці `src/components`. - Для компонентів описані `propTypes`. - Все, що компонент очікує у вигляді пропсів, передається йому під час виклику. - JS-код чистий і зрозумілий, використовується `Prettier`. - Стилізація виконана `CSS-модулями` або `Styled Components`. # Віджет відгуків Як і більшість компаній, кафе Expresso збирає відгуки від своїх клієнтів. Твоє завдання – створити додаток для збору статистики. Є лише три варіанти зворотного зв'язку: добре, нейтрально і погано. ## Крок 1 Застосунок повинен відображати кількість зібраних відгуків для кожної категорії. Застосунок не повинен зберігати статистику відгуків між різними сесіями (оновлення сторінки). Стан застосунку обов'язково повинен бути наступного вигляду, додавати нові властивості не можна. ```bash state = { good: 0, neutral: 0, bad: 0 } ``` Інтерфейс може мати такий вигляд. ![preview](./assets/feedback/step-1.png) ## Крок 2 Розшир функціонал застосунку таким чином, щоб в інтерфейсі відображалося більше статистики про зібрані відгуки. Додай відображення загальної кількості зібраних відгуків з усіх категорій та відсоток позитивних відгуків. Для цього створи допоміжні методи `countTotalFeedback()` і `countPositiveFeedbackPercentage()`, які підраховують ці значення, ґрунтуючись на даних у стані (обчислювані дані). ![preview](./assets/feedback/step-2.png) ## Крок 3 Виконай рефакторинг застосунку. Стан застосунку повинен залишатися у кореневому компоненті `<App>`. - Винеси відображення статистики в окремий компонент `<Statistics good={} neutral={} bad={} total={} positivePercentage={}>`. - Винеси блок кнопок в компонент `<FeedbackOptions options={} onLeaveFeedback={}>`. - Створи компонент `<Section title="">`, який рендерить секцію із заголовком і дітей (children). Обгорни кожен із `<Statistics>` і `<FeedbackOptions>` у створений компонент секції. ## Крок 4 Розшир функціонал застосунку таким чином, щоб блок статистики рендерився тільки після того, як було зібрано хоча б один відгук. Повідомлення про відсутність статистики винеси в компонент `<Notification message="There is no feedback">`. ![preview](./assets/feedback/preview.gif) # Телефонна книга Напиши застосунок зберігання контактів телефонної книги. ## Крок 1 Застосунок повинен складатися з форми і списку контактів. На поточному кроці реалізуй додавання імені контакту та відображення списку контактів. Застосунок не повинен зберігати контакти між різними сесіями (оновлення сторінки). Використовуйте цю розмітку інпуту з вбудованою валідацією для імені контакту. ```html <input type="text" name="name" pattern="^[a-zA-Zа-яА-Я]+(([' -][a-zA-Zа-яА-Я ])?[a-zA-Zа-яА-Я]*)*$" title="Name may contain only letters, apostrophe, dash and spaces. For example Adrian, Jacob Mercer, Charles de Batz de Castelmore d'Artagnan" required /> ``` Стан, що зберігається в батьківському компоненті `<App>`, обов'язково повинен бути наступного вигляду, додавати нові властивості не можна. ```bash state = { contacts: [], name: '' } ``` Кожен контакт повинен бути об'єктом з властивостями `name` та `id`. Для генерації ідентифікаторів використовуй будь-який відповідний пакет, наприклад [nanoid](https://www.npmjs.com/package/nanoid). Після завершення цього кроку, застосунок повинен виглядати приблизно так. ![preview](./assets/phonebook/step-1.png) ## Крок 2 Розшир функціонал застосунку, дозволивши користувачам додавати номери телефонів. Для цього додай `<input type="tel">` у форму і властивість для зберігання його значення в стані. ```bash state = { contacts: [], name: '', number: '' } ``` Використовуй цю розмітку інпуту з вбудованою валідацією для номеру контакту. ```html <input type="tel" name="number" pattern="\+?\d{1,4}?[-.\s]?\(?\d{1,3}?\)?[-.\s]?\d{1,4}[-.\s]?\d{1,4}[-.\s]?\d{1,9}" title="Phone number must be digits and can contain spaces, dashes, parentheses and can start with +" required /> ``` Після завершення цього кроку, застосунок повинен виглядати приблизно так. ![preview](./assets/phonebook/step-2.png) ## Крок 3 Додай поле пошуку, яке можна використовувати для фільтрації списку контактів за ім'ям. - Поле пошуку – це інпут без форми, значення якого записується у стан (контрольований елемент). - Логіка фільтрації повинна бути нечутливою до регістру. ```bash state = { contacts: [], filter: '', name: '', number: '' } ``` ![preview](./assets/phonebook/step-3.gif) Коли ми працюємо над новим функціоналом, буває зручно жорстко закодувати деякі дані у стан. Це позбавить необхідності вручну вводити дані в інтерфейсі для тестування роботи нового функціоналу. Наприклад, можна використовувати такий початковий стан. ```bash state = { contacts: [ {id: 'id-1', name: 'Rosie Simpson', number: '459-12-56'}, {id: 'id-2', name: 'Hermione Kline', number: '443-89-12'}, {id: 'id-3', name: 'Eden Clements', number: '645-17-79'}, {id: 'id-4', name: 'Annie Copeland', number: '227-91-26'}, ], filter: '', name: '', number: '' } ``` ## Крок 4 Якщо твій застосунок реалізований в одному компоненті `<App>`, виконай рефакторинг, виділивши відповідні частини в окремі компоненти. У стані кореневого компонента `<App>` залишаться тільки властивості `contacts` і `filter`. ```bash state = { contacts: [], filter: '' } ``` Достатньо виділити чотири компоненти: форма додавання контактів, список контактів, елемент списку контактів та фільтр пошуку. Після рефакторингу кореневий компонент програми виглядатиме так. ```jsx <div> <h1>Phonebook</h1> <ContactForm ... /> <h2>Contacts</h2> <Filter ... /> <ContactList ... /> </div> ``` ## Крок 5 Заборони користувачеві можливість додавати контакти, імена яких вже присутні у телефонній книзі. При спробі виконати таку дію виведи `alert` із попередженням. ![preview](./assets/phonebook/step-5.png) ## Крок 6 Розшир функціонал застосунку, дозволивши користувачеві видаляти раніше збережені контакти. ![preview](./assets/phonebook/step-6.gif) --- npm install react@latest react-dom@latest # React homework template Этот проект был создан при помощи [Create React App](https://github.com/facebook/create-react-app). Для знакомства и настройки дополнительных возможностей [обратись к документации](https://facebook.github.io/create-react-app/docs/getting-started). ## Создание репозитория по шаблону Используй этот репозиторий организации GoIT как шаблон для создания репозитория своего проекта. Для этого нажми на кнопку `«Use this template»` и выбери опцию `«Create a new repository»`, как показано на изображении. ![Creating repo from a template step 1](./assets/template-step-1.png) На следующем шаге откроется страница создания нового репозитория. Заполни поле его имени, убедись что репозиторий публичный, после чего нажми кнопку `«Create repository from template»`. ![Creating repo from a template step 2](./assets/template-step-2.png) После того как репозиторий будет создан, необходимо перейти в настройки созданного репозитория на вкладку `Settings` > `Actions` > `General` как показано на изображении. ![Settings GitHub Actions permissions step 1](./assets/gh-actions-perm-1.png) Проскролив страницу до самого конца, в секции `«Workflow permissions»` выбери опцию `«Read and write permissions»` и поставь галочку в чекбоксе. Это необходимо для автоматизации процесса деплоя проекта. ![Settings GitHub Actions permissions step 2](./assets/gh-actions-perm-2.png) Теперь у тебя есть личный репозиторий проекта, со структурой файлов и папок репозитория-шаблона. Далее работай с ним как с любым другим личным репозиторием, клонируй его себе на компьютер, пиши код, делай коммиты и отправляй их на GitHub. ## Подготовка к работе 1. Убедись что на компьютере установлена LTS-версия Node.js. [Скачай и установи](https://nodejs.org/en/) её если необходимо. 2. Установи базовые зависимости проекта командой `npm install`. 3. Запусти режим разработки, выполнив команду `npm start`. 4. Перейди в браузере по адресу [http://localhost:3000](http://localhost:3000). Эта страница будет автоматически перезагружаться после сохранения изменений в файлах проекта. ## Деплой Продакшн версия проекта будет автоматически проходить линтинг, собираться и деплоиться на GitHub Pages, в ветку `gh-pages`, каждый раз когда обновляется ветка `main`. Например, после прямого пуша или принятого пул-реквеста. Для этого необходимо в файле `package.json` отредактировать поле `homepage`, заменив `your_username` и `your_repo_name` на свои, и отправить изменения на GitHub. ```json "homepage": "https://your_username.github.io/your_repo_name/" ``` Далее необходимо зайти в настройки GitHub-репозитория (`Settings` > `Pages`) и выставить раздачу продакшн версии файлов из папки `/root` ветки `gh-pages`, если это небыло сделано автоматически. ![GitHub Pages settings](./assets/repo-settings.png) ### Статус деплоя Статус деплоя крайнего коммита отображается иконкой возле его идентификатора. - **Желтый цвет** - выполняется сборка и деплой проекта. - **Зеленый цвет** - деплой завершился успешно. - **Красный цвет** - во время линтинга, сборки или деплоя произошла ошибка. Более детальную информацию о статусе можно посмотреть кликнув по иконке, и в выпадающем окне перейти по ссылке `Details`. ![Deployment status](./assets/deploy-status.png) ### Живая страница Через какое-то время, обычно пару минут, живую страницу можно будет посмотреть по адресу указанному в отредактированном свойстве `homepage`. Например, вот ссылка на живую версию для этого репозитория [https://goitacademy.github.io/react-homework-template](https://goitacademy.github.io/react-homework-template). Если открывается пустая страница, убедись что во вкладке `Console` нет ошибок связанных с неправильными путями к CSS и JS файлам проекта (**404**). Скорее всего у тебя неправильное значение свойства `homepage` в файле `package.json`. ### Маршрутизация Если приложение использует библиотеку `react-router-dom` для маршрутизации, необходимо дополнительно настроить компонент `<BrowserRouter>`, передав в пропе `basename` точное название твоего репозитория. Слеш в начале строки обязателен. ```jsx <BrowserRouter basename="/your_repo_name"> <App /> </BrowserRouter> ``` ## Как это работает ![How it works](./assets/how-it-works.png) 1. После каждого пуша в ветку `main` GitHub-репозитория, запускается специальный скрипт (GitHub Action) из файла `.github/workflows/deploy.yml`. 2. Все файлы репозитория копируются на сервер, где проект инициализируется и проходит линтинг и сборку перед деплоем. 3. Если все шаги прошли успешно, собранная продакшн версия файлов проекта отправляется в ветку `gh-pages`. В противном случае, в логе выполнения скрипта будет указано в чем проблема.
Home task for React course📘
css3,goit,goit-react-hw-02-feedback,html5,javascript,react,readme
2023-05-20T12:33:17Z
2023-05-23T16:20:31Z
null
1
0
14
0
1
5
null
null
JavaScript
RamaDachille/chick-pal
master
# Chick-Pal An Airbnb-inspired platform for renting chickens instead of apartments. Live Website: [chick-pal.com](https://chick-pal.herokuapp.com) Website Video on [Dribbble](https://dribbble.com/shots/22382251-Chick-Pal-Rent-Chickens) ### Features Account creation, posting or renting chickens, managing bookings, and interactive search with a map view. ### Technologies MVC, JavaScript, Stimulus.js, Ruby, Ruby on Rails, HTML, SCSS, PostgreSQL, Heroku, APIs
An Airbnb-inspired platform for renting chickens instead of apartments.
airbnb,chickens,clone-website,le-wagon,mvp,ruby,ruby-on-rails,apis,heroku,html
2023-05-29T12:52:39Z
2023-09-19T10:45:25Z
null
5
66
225
0
0
5
null
null
Ruby
Ranjeet1508/Electon_Backend_Data
main
null
This repository contains the backend data of an e-commerce website Electon that offers electronic gadget
html,javascript
2023-05-20T03:30:02Z
2023-05-20T05:01:51Z
null
1
0
2
0
0
5
null
null
JavaScript
othmane099/dz-companies
main
# dz-companies This repository contains the list of companies in Algeria. The data was collected from [emploitic](https://www.emploitic.com/) platform on 29 MAI 2023. There are +4000 company. The data is available in CSV and JSON format. ## DZ Company API This [API](https://dz-companies.ombdev.com/api/v1/companies) allows to leverage the data and gain valuable insights. BaseUrl: `https://dz-companies.ombdev.com/api/v1/companies` . ### Endpoints **`GET /`** : Get all companies. **Parameters** | Name | In | Required | Description | | -------------|--------|----------|-------------------------| | `search` | query | No | Search by company name. | **`GET /:companyId`** : Get company by id. **Parameters** | Name | In | Required | Description | |--------------|--------|----------|----------------------| | `companyId` | path | Yes | find company by id. | **`GET /name/companyName`** : Get company by name. **Parameters** | Name | In | Required | Description | | --------------|--------|--------- | ------------------------| | `companyName` | path | Yes | find company by name. | **`GET /categories`** : Get all categories. **Parameters** | Name | In | Required | Description | | -------------| ------ |--------- | -------------------------| | `search` | query | No | Search category by name. | **`GET /categories/companyCategory`** : Get company by category. **Parameters** | Name | In | Required | Description | |-------------------|-------|----------|---------------------------| | `companyCategory` | path | Yes | find company by category. | ## Contribution If you want to contribute to this project and make it better with new ideas, your pull request is very welcomed. If you find any issue just put it in the repository issue section, thank you.
DZ Companies API
api,dz,companies,algeria,csv,javascript,json,nodejs,dz-company
2023-05-31T13:43:53Z
2023-05-31T15:00:20Z
null
1
0
3
0
0
5
null
MIT
null
emlinhax/monkey-detect
main
# monkey-detect Detect Tampermonkey scripts by stackwalking This script will detect running tampermonkey that call functions on your site.\ This could be used as an anti cheating mechanism or whatever you want.\ PS: I recommend to obfuscate the script and hide it well so people dont find it immediatly. During testing it was able to detect alot of pretty well known tampermonkey scripts\ for the popular browser game diep.io which proved that the concept works! Usage: ```javascript // argument 1: the class/namespace you want to watch all the functions of (example: window, CanvasRenderingContext2D, ...) // argument 2: the blacklist (functions that will not be hooked) // argument 3: a callback (that takes the function name as an argument). hook(window, ["alert"], exampleCallback) function exampleCallback(name) { console.log("[monkey-detect] " + name + " was called by a tampermonkey script") document.body.innerHTML = "<div style=\"text-align: center;\"><h1>Please disable TamperMonkey!</h1></div>"; } ``` ![Showcase](https://github.com/R4YVEN/monkey-detect/blob/main/showcase.gif)
Detect Tampermonkey scripts by stackwalking
anticheat,browser-game,hooking,javascript,security
2023-05-31T16:01:30Z
2023-05-31T16:26:25Z
null
1
0
19
0
0
5
null
null
JavaScript
BobsProgrammingAcademy/admin-dashboard
master
# Responsive Admin Dashboard This is a responsive admin dashboard built using **HTML 5**, **CSS 3**, and **JavaScript**. Charts were built using **ApexCharts 3**. ![plot](https://github.com/BobsProgrammingAcademy/admin-dashboard/blob/master/images/large.png?raw=true) ## Table of Contents - [Prerequisites](#prerequisites) - [Running the application](#run-the-application) - [Copyright and License](#copyright-and-license) ### Prerequisites Install the following prerequisites: * [Visual Studio Code](https://code.visualstudio.com/download) with the **Live Server** extension. [Live Server](https://marketplace.visualstudio.com/items?itemName=ritwickdey.LiveServer) allows us to launch a local development server that enables a live reload of our project. ### Run the application To run the application, start the **Live Server** by clicking **Go Live** in the bottom right corner of the status bar in Visual Studio Code. This action will load the website in your default web browser. ![plot](https://github.com/BobsProgrammingAcademy/admin-dashboard/blob/master/images/vscode.png?raw=true) ### View the application Once the **Live Server** is up and running, go to http://127.0.0.1:5500/index.html to view the application. ### Copyright and License Copyright © 2023 Bob's Programming Academy. Code released under the MIT license.
A responsive admin dashboard built using HTML 5, CSS 3, and JavaScript.
admin,admin-dashboard,admin-template,apexcharts,charts,css,css-grid,css-media-queries,dashboard,dashboard-templates
2023-05-30T09:43:43Z
2023-10-24T22:28:20Z
null
1
0
10
0
1
5
null
MIT
HTML
quacksouls/bitwalk
main
# Bitburner [![License: GPL v3](https://img.shields.io/badge/License-GPL%20v3-blue.svg)](http://www.gnu.org/licenses/gpl-3.0) Walkthrough of the game [Bitburner](https://github.com/bitburner-official/bitburner-src). The walkthrough consists of: <!-- prettier-ignore --> - [Written guide](doc/README.md) - [Sample scripts](src#readme) - [Game plan](plan.md) To download all sample scripts into your game: ```sh # Run this command and wait for it to finish. $ wget https://raw.githubusercontent.com/quacksouls/bitwalk/main/pull.js pull.js # Download sample scripts into your game. $ run pull.js ``` The downloaded scripts are found under the top-level directory `quack/`.
Walkthrough of Bitburner
bitburner,game,javascript
2023-06-02T03:19:40Z
2023-06-16T06:33:34Z
null
1
0
50
0
0
5
null
GPL-3.0
JavaScript
HtetWaiYan7191/monthly-expense-tracker
main
null
The monthly expense tracker app is a useful tool designed to help individuals keep track of their expenses on a monthly basis. With this app, users can easily record and categorize their expenses. Built with Javascript
bootstrap,css,html,javascript,webpack
2023-06-05T13:38:17Z
2023-06-05T13:55:39Z
null
1
1
4
0
0
5
null
null
JavaScript
EleoXDA/Recipe_JS
main
# Recipe App (Work in Progress) ## Project Description Recipe App is a dynamic and interactive web application designed to bring cooking enthusiasts together. Users can share their own recipes, rate and comment on others' contributions, and discover new culinary inspirations. With a focus on community, the app provides a platform for cooking novices and seasoned chefs alike. ## Features - **Discover new recipes:** Browse an extensive collection of user-generated recipes. - **Share your own recipes:** Share your culinary genius with the world. Add your own recipes including ingredients, instructions, and images. - **Rate and comment on recipes:** Engage with the community by rating and commenting on recipes. - **Search functionality:** Find exactly what you're looking for with a robust search feature. ## Installation 1. Fork the repository. 2. Clone the repository: `git clone https://github.com/<your-username>/recipe-app.git` 3. Navigate into the project directory: `cd recipe-app` 4. Install the dependencies: `npm install` (This assumes you have Node.js and npm installed) 5. Run the project: `npm start` ## Contributing Recipe App is an open-source project and welcomes contributions. To submit a contribution: 1. Fork the repository 2. Create a new branch (`git checkout -b feature-branch`) 3. Commit your changes (`git commit -m 'Add a new feature'`) 4. Push to the branch (`git push origin feature-branch`) 5. Create a new Pull Request
A dynamic and interactive web application for sharing, rating, and discovering new recipes
cooking,rating-system,recipes,user-generated-content,web-application,html-css-javascript,javascript
2023-05-23T19:04:32Z
2023-06-03T21:30:00Z
null
1
29
80
0
0
5
null
null
HTML
coding-tea/restaurant_management
main
## Project looks like <img src='./lanfing.PNG' /> the project is a restaurant management system <img src='./plats.PNG' /> ## How to install it <ul> <li>git clone https://github.com/coding-tea/restaurant_management.git</li> <li>composer install</li> <li>cp .env.example .env</li> <li>php artisan migrate:fresh --seed</li> <li>npm i</li> <li>npm run build</li> <li>npm run dev</li> <li>php artisan ser</li> </ul>
restaurant management system using laravel
laravel,css,javascript,php
2023-06-02T15:04:52Z
2023-06-13T23:45:06Z
null
1
7
25
0
0
5
null
null
PHP
batoolfatima2135/Capstone
master
<a name="readme-top"></a> <div align="center"> <img src="Assets/logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Capstone project</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 Techrotics <a name="about-project"></a> **Techrotics** is a website with a broad collection of courses that you can do online and free. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://en.wikipedia.org/wiki/HTML">HTML</a></li> <li><a href="https://en.wikipedia.org/wiki/CSS">CSS</a></li> <li><a href="https://en.wikipedia.org/wiki/Javascript">Javascript</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **Website with Index and About page** - **Dynamic Featured courses section** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link] [Live Demo Link](https://batoolfatima2135.github.io/Capstone/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻Getting Started <a name="getting-started"></a> To go through this project, follow these steps. ### Prerequisites In order to run this project you need: + A computer with an internet connection + A web browser ### Setup Clone this repository to your desired folder: ```sh git clone https://github.com/batoolfatima2135/Capstone.git ``` ### Install Install this project with: ```sh npm init -y npm install --save-dev hint@7.x ``` ### Run tests To track linter errors locally follow these steps: Download all the dependencies run: ```sh npm install --save-dev hint@7.x ``` Track HTML linter errors run: ```sh npx hint . ``` Track CSS linter errors run: ```sh npx stylelint "**/*.{css,scss}" ``` Track Javascript linter errors run: ```sh npx eslint . ``` ### Usage To run the project, execute the "index.html" file in your browser <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Batool Fatima** - GitHub: [@githubhandle](https://github.com/batoolfatima2135) - Twitter: [@twitterhandle](https://twitter.com/batool2135) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/batool-fatima-515531196/) <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Transitions and animation with javascript** - [ ] **Contact us page** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project follow me on github . - GitHub: [@githubhandle](https://github.com/batoolfatima2135) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to acknowledge and give credit to the original designer Cindy Shin on Behance. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Techrotics is an online institute that offers online courses all around the world. Build with javascript, HTML, and CSS, it displays all the necessary information about the courses.
css-grid,css3,flexbox-css,html5,javascript
2023-05-17T22:29:32Z
2023-05-25T17:12:09Z
null
1
4
33
0
0
5
null
null
HTML
Ananyakumarisingh/CutShort
main
# CutShort [𝐔𝐑𝐋 𝐬𝐡𝐨𝐫𝐭𝐞𝐧𝐞𝐫 𝐬𝐲𝐬𝐭𝐞𝐦 𝐝𝐞𝐬𝐢𝐠𝐧 𝐪𝐮𝐞𝐬𝐭𝐢𝐨𝐧 ⚡] Required APIs: - POST /create/ - GET /${short-code} - GET /analytics/${short-code} (optional) Few clarifying questions to ask: 1. How much traffic do we expect, based on which we can determine the length of the `short code` length, helping us reduce storage? 2. Do we need analytics for the service? 3. How long do we want the expiration time? etc. Based on this, we can come up with a basic schema: ``` { originalUrl: string, shortCode: string, expiry: date::time, // Currently it's not there but will be adding soon hitCount: number } ``` Say we decide to generate a 7-character short code. Solution 1 (Naive): Step 1: We take a NoSQL database (for easy scalability and since we don't have a relational model) and store the above schema. Step 2: We generate the short code using an algorithm "MD5/B62". We redirect to `originalUrl` after receiving the `shortCode`. [Problems with this approach] Problem-1: What if two URLs have the same short code? Answer: We ensure that if there's a short code that already exists, we generate a new one. Problem-2: What if there are two different instances of the system running, and they generate the same short code simultaneously? Answer: We can introduce a distributed token generation service or use a combination of timestamp and a server identifier to mitigate this. You can think of more such problems and try to answer them! By addressing these concerns, we can enhance the robustness and reliability of our URL shortener system. Additionally, for improved scalability and performance, we can explore optimisations such as caching frequently accessed short codes and employing load balancing strategies in a distributed environment.
null
express,javascript,mongodb,mongoose,nodejs,shortid
2023-06-07T12:18:24Z
2023-12-31T15:15:33Z
null
1
0
11
0
0
5
null
null
JavaScript
brewpipeline/blog-ui
main
# blog-ui Blog UI made with Yew/WASM/Bootstrap Features --- - **Posts system** (page/list/create/edit/delete/publish) - **Authors system** (page/list/create/edit) - **Tags system** (page/create) - **Comments system** (list/create/delete) - Minimal administration system (roles/bans/control) - Authorization (telegram/yandex/internal) - Server-Side Rendering (SSR) (posts/post/authors/author/tag) - SEO optimized (search/social) - Search (posts/authors) - Telegram notifications (post publish) - Images mirroring - Deploy How-to --- 1. Configure ENV vars mentioned in [job](https://github.com/tikitko/blog-ui/blob/main/.github/workflows/builds.yml) or in [lib](https://github.com/tikitko/blog-ui/blob/main/src/lib.rs) file, where some items can be optional, based on selected features ```rust #[cfg(all(feature = "client", feature = "yandex"))] const YANDEX_CLIENT_ID: &'static str = std::env!("YANDEX_CLIENT_ID"); // ee156ec6ee994a748e724f604db8e305 #[cfg(feature = "client")] const API_URL: &'static str = std::env!("API_URL"); // http://127.0.0.1:3000/api #[cfg(feature = "telegram")] const TELEGRAM_BOT_LOGIN: &'static str = std::env!("TELEGRAM_BOT_LOGIN"); // AnyBlogBot const TITLE: &'static str = std::env!("TITLE"); // BLOG const DESCRIPTION: &'static str = std::env!("DESCRIPTION"); // BLOG DESCRIPTION const KEYWORDS: &'static str = std::env!("KEYWORDS"); // BLOG, KEYWORDS const ACCORDION_JSON: &'static str = std::env!("ACCORDION_JSON"); // [{"title":"О блоге","body":"<strong>Ты ошибка эволюции.</strong><br/>А блог этот про хороших людей в плохое время."},{"title":"Контент","body":"Привет!"}] ``` 2. Build YEW/app by [tutorial](https://yew.rs/docs/tutorial) Links --- - Project: https://github.com/users/tikitko/projects/2/ - UI(current) part: https://github.com/tikitko/blog-ui - Server part: https://github.com/tikitko/blog-server - Notifications part: https://github.com/YoshkiMatryoshki/BlogNotificationService - Images part: https://github.com/tikitko/images-processor-service - Deploy part: https://github.com/tikitko/blog-deploy Images --- ![1](https://raw.githubusercontent.com/tikitko/blog-ui/main/images/1.png) ![2](https://raw.githubusercontent.com/tikitko/blog-ui/main/images/2.png) ![3](https://raw.githubusercontent.com/tikitko/blog-ui/main/images/3.png) ![4](https://raw.githubusercontent.com/tikitko/blog-ui/main/images/4.png) ![5](https://raw.githubusercontent.com/tikitko/blog-ui/main/images/5.png) ![6](https://raw.githubusercontent.com/tikitko/blog-ui/main/images/6.png)
Blog UI made with Yew/WASM/Bootstrap
css,html,javascript,rust,ssr,wasm,yew,bootstrap
2023-05-18T21:47:42Z
2024-01-01T16:47:39Z
null
2
30
172
1
0
5
null
MIT
Rust
BaseMax/TravelAPITS
main
# Travel API TS This is a RESTful API for managing travel-related information, including cities, tourist places, and user authentication. It is built with NestJS and TypeScript. ## Features - Create a city - Get a list of all cities - Search for cities - Delete a city - Edit a city - Add tourist places for a city - Delete a tourist place - Edit a tourist place - User registration - User login - Authenticated routes ## Prerequisites - Node.js (version X.X.X) - npm (version X.X.X) - PostgreSQL (version X.X.X) ## Installation Clone the repository: ```shell git clone https://github.com/BaseMax/TravelAPITS.git ``` Install the dependencies: ```shell cd TravelAPITS npm install ``` Configure the database: - Create a PostgreSQL database. - Update the database configuration in `src/config/database.ts`. Run database migrations: ```shell npm run migration:run ``` Start the server: ```shell npm run start:dev ``` The API server will start running at http://localhost:3000. ## API Endpoints ### Cities - `POST /cities` - Create a city - `GET /cities` - Get a list of all cities - `GET /cities/search?q={query}` - Search for cities (replace {query} with the search term) - `GET /cities/{id}` - Get details of a specific city - `PUT /cities/{id}` - Update a specific city - `DELETE /cities/{id}` - Delete a specific city ### Tourist Places - `POST /cities/{cityId}/tourist-places` - Add a tourist place for a city - `GET /cities/{cityId}/tourist-places` - Get tourist places for a city - `GET /cities/{cityId}/tourist-places/{id}` - Get details of a specific tourist place - `PUT /cities/{cityId}/tourist-places/{id}` - Update a specific tourist place - `DELETE /cities/{cityId}/tourist-places/{id}` - Delete a specific tourist place ### Authentication - `POST /auth/register` - User registration - `POST /auth/login` - User login - `GET /auth/check` - Check authentication status ## Environment Variables Make sure to set the following environment variables: - `PORT` - The port on which the server will run (default: 3000) - `DATABASE_HOST` - PostgreSQL database host - `DATABASE_PORT` - PostgreSQL database port - `DATABASE_USERNAME` - PostgreSQL database username - `DATABASE_PASSWORD` - PostgreSQL database password - `DATABASE_NAME` - PostgreSQL database name - `JWT_SECRET` - Secret key for JSON Web Token generation ## Contributing Contributions are welcome! Please feel free to open issues or submit pull requests. ## License This project is licensed under the GPL-3.0 License. Copyright 2023, Max Base
This is a RESTful API for managing travel-related information, including cities, tourist places, and user authentication. It is built with NestJS and TypeScript.
javascript,js,ts,typescript,api,api-restful,api-typescript,nestjs,nestjs-api,restful
2023-06-06T06:37:08Z
2024-03-29T11:04:41Z
null
1
3
10
0
0
5
null
GPL-3.0
TypeScript
suhail3535/loginmanagementsystem
main
# MasaiLms Masai School's student login management system allows students to access upcoming lectures, assignments, and the daily schedule. ## Deployment Link :https://masaiapp-suhail3535.vercel.app/ ## Tech Stack **Front-end :** React, Redux, Chakra UI, Material UI,BootStrap **Back-end :** JSON-Server ## Deployment To deploy this project run ```bash npx vercel ``` ## Pages - Navbar - Landing page - Lecture Section - Assignment Section - Quiz Section - Notification Section - Elective Section - Coures Section - Ticket Section - Bounty Program Section - Admin Section ## Features - Get Request Api call - Post Request Api call - Patch Request Api call - Delete Request Api call - Student login - Student profile show after login - Admin login - Add Lecture and Schedule - Delete Lecture and Schedule - filter according to Teacher and assignment - Search functionality # Note-For admin login we set a preRegister email and password. email-admin@gmail.com pass-admin123 ## ScreenShots ### 1. Homepage ![login](https://github.com/suhail3535/MasaiLms/assets/112754439/3d5525a8-11a2-4e32-bdb5-13288239e056) ### 2. Homepage Mobile View ![loginTab](https://github.com/suhail3535/MasaiLms/assets/112754439/945a69a7-5f61-42ac-92ae-55519f1ae856) ### 3. Homepage Tab View ![login tab](https://github.com/suhail3535/MasaiLms/assets/112754439/0d0dc116-0bcd-467d-85bc-0c746bc723e4) ### 4. Landing Page ![landing](https://github.com/suhail3535/MasaiLms/assets/112754439/9314abd5-28ad-46c1-b519-f28debd8c3d6) ### 5. Landing Page Tab View ![tabhome](https://github.com/suhail3535/MasaiLms/assets/112754439/4a3b61ea-35b4-48a9-9fbf-bb788980b709) ### 6. Lecture Section ![lecture](https://github.com/suhail3535/MasaiLms/assets/112754439/f800266e-dd15-4cd4-bb12-76ad794a5bc4) ### 7. Lecture Section Tab View ![lectureres](https://github.com/suhail3535/MasaiLms/assets/112754439/85d7edc5-e615-4694-b3f6-65eab981e444) ### 8.Assignment Section ![assinment](https://github.com/suhail3535/MasaiLms/assets/112754439/bc36172d-d9b8-43f0-a35b-cd0810d625e4) ### 9. Quiz Section ![quiz](https://github.com/suhail3535/MasaiLms/assets/112754439/13537883-9613-467a-806f-a1dd25e9bffc) ### 10.Notification Section ![notification](https://github.com/suhail3535/MasaiLms/assets/112754439/abea335e-9d31-4bed-adb5-8a19ac284fb3) ### 11.Courses Section ![courses](https://github.com/suhail3535/MasaiLms/assets/112754439/1345c048-b236-4596-9ec7-5ce2f4d62ebe) ### 12. Ticket Login Section ![ticketsection](https://github.com/suhail3535/MasaiLms/assets/112754439/1e0dbeda-54f3-4375-85c8-bf11ceaed21d) ### 13. Ticket Create Section <!-- ![cart](https://user-images.githubusercontent.com/110021464/222483675-eea1d198-a787-423f-92e3-b18c142ae5a6.png) --> ![createtkt](https://github.com/suhail3535/MasaiLms/assets/112754439/b4e65b43-cc49-45bf-8055-cf25092d13c3) ### 14. Admin Section ![admin](https://github.com/suhail3535/MasaiLms/assets/112754439/8fc2882e-0cd1-48f8-a412-d903566c8729) <!-- ![Screenshot (137)](https://user-images.githubusercontent.com/112754439/222426239-dee8cd63-3b68-4754-98c1-f4fe8a89e300.png) ![Screenshot (138)](https://user-images.githubusercontent.com/112754439/222426322-e903ae80-1511-4bf4-bc69-ec2e602cb8ec.png) ![Screenshot (139)](https://user-images.githubusercontent.com/112754439/222426349-a1b407d5-9ac4-423e-b235-9503142f7dc9.png) --> ### 15. Add Schedule Section ![addschedule](https://github.com/suhail3535/MasaiLms/assets/112754439/5216cf6e-6874-433a-8a57-db47504fce35) ## Run Locally Install dependencies ```bash npm install npm i axios npm i react-redux npm i redux npm i thunk npm i json-server npm i chakra-ui npm i material-UI npm i material-icon ``` Start the server ```bash npm run server npm start ``` ## Demo https://masaiapp-suhail3535.vercel.app/ ## FAQ #### Is this website fully Responsive? Yes, As of Now this website is fully Responsive for all the media screen Mobile screen,Tablet screen and laptop screen as well.
Masai Login management system for students allows students to easily access the daily schedule and upcoming schedule as well.
bootstrap,chakra-ui,hrml-css,javascript,material-ui,react,redux,redux-thunk
2023-05-28T16:55:43Z
2023-05-30T04:23:33Z
null
1
0
14
0
0
5
null
null
JavaScript
home-assistant-tutorials/05.toggle-card-with-shadow-dom
main
# Plain Vanilla JavaScript Toggle Card With Shadow DOM ![toggle on](img/toggle-on.png) ![toggle off](img/toggle-off.png) Encapsulate CSS into a shadow DOM *** * @published: May 2023 * @author: Elmar Hinz * @workspace: `conf/www/tutor` * @name: `toggle-card-with-shadow-dom` * @id: `tcwsd` You learn: * how to attach a shadow dom inside the constructor * how to clean up the lifecycle * how to get rid of the prefixes * how to migrate BEM methodology with nested CSS modifiers ## Intro Introducing the usage of the shadow dom. It encapsulates the dom of the card, the nodes, the CSS, even the ids. This gives you some advantages. Organizing the CSS is getting easier. Also the lifecycle is getting easier to handle. The full shadow dom can already be created in the constructor, so that the elements are accessible early. ## Prerequisites * tutorial 04: Plain Vanilla JavaScript Toggle Card * you know how to register the `card.js` as a resource * you know how to create the helper entity of type `boolean` aka `toggle` * you know how to add and edit a card * you know how to reload `card.js` after editing ## Setup Take the same steps as in the previous tutorial. Name the helper entity `tcwsd` this time. ![configuration of the card](img/configuration.png) ## The code ### Overview The code of the previous tutorial is only slightly modified. The function `doAttach()` is modified to attach a shadow dom. The CSS is simplified. ### Attaching the shadow dom It's basically a single line of code making a huge difference. Before: ```js doAttach() { this.append(this._elements.style, this._elements.card); } ``` After: ```js doAttach() { this.attachShadow({ mode: "open" }); this.shadowRoot.append(this._elements.style, this._elements.card); } ``` The attachment of the shadow dom is straight forward. Now you are allowed to do the attachment already from the constructor. ```js constructor() { super(); this.doCard(); this.doStyle(); this.doAttach(); this.doQueryElements(); this.doListen(); } ``` ### Simplifying `setConfig()` `setConfig()` can now focus upon it's own tasks. Before: ```js setConfig(config) { console.log("ToggleCardVanillaJs.setConfig()") this._config = config; if (!this._isAttached) { this.doAttach(); this.doQueryElements(); this.doListen(); this._isAttached = true; } this.doCheckConfig(); this.doUpdateConfig(); } ``` After: ```js setConfig(config) { this._config = config; this.doCheckConfig(); this.doUpdateConfig(); } ``` ### Dropping BEM methodology The CSS is encapsulated now. We can drop the *block* aka *prefix* and stay with *elements* and *modifiers*. Exploiting recent CSS advancements we can drop composed class names at all. In CSS the BEM class `.tcws-error-hidden` becomes `.error.hidden`. I still recommend to use the combination of element and modifier `.error.hidden` over the naked modifier `.hidden`. Even the latter becomes less error prone as the shadow dom is rather small. ```js .error { text-color: red; } .error.hidden { display: none; } ``` Some browsers already support nested CSS. CSS will become pretty organized. ```js .error { text-color: red; &.hidden { display: none; } } ``` The HTML is adjusted accordingly. ```js doCard() { this._elements.card = document.createElement("ha-card"); this._elements.card.innerHTML = ` <div class="card-content"> <p class="error error hidden"> <dl class="dl"> <dt class="dt"></dt> <dd class="dd"> <span class="toggle"> <span class="button"></span> </span> <span class="value"> </span> </dd> </dl> </div> `; } ```
Toggle card done in plain vanilla JS with a shadow DOM
tutorial,javascript,smarthome,home-assistant,home-assistant-frontend,shadow-dom
2023-05-17T11:02:16Z
2023-05-21T15:14:01Z
null
1
0
11
0
1
5
null
null
JavaScript
ViktorSvertoka/goit-react-hw-02-phonebook
main
Використовуй цей [шаблон React-проекту](https://github.com/goitacademy/react-homework-template#readme) як стартову точку своєї програми. # Критерії приймання - Створені репозиторії `goit-react-hw-02-feedback` и `goit-react-hw-02-phonebook`. - При здачі домашньої роботи є два посилання: на вихідні файли та робочі сторінки кожного завдання на `GitHub Pages`. - Під час запуску коду завдання в консолі відсутні помилки та попередження. - Для кожного компонента є окремий файл у папці `src/components`. - Для компонентів описані `propTypes`. - Все, що компонент очікує у вигляді пропсів, передається йому під час виклику. - JS-код чистий і зрозумілий, використовується `Prettier`. - Стилізація виконана `CSS-модулями` або `Styled Components`. # Віджет відгуків Як і більшість компаній, кафе Expresso збирає відгуки від своїх клієнтів. Твоє завдання – створити додаток для збору статистики. Є лише три варіанти зворотного зв'язку: добре, нейтрально і погано. ## Крок 1 Застосунок повинен відображати кількість зібраних відгуків для кожної категорії. Застосунок не повинен зберігати статистику відгуків між різними сесіями (оновлення сторінки). Стан застосунку обов'язково повинен бути наступного вигляду, додавати нові властивості не можна. ```bash state = { good: 0, neutral: 0, bad: 0 } ``` Інтерфейс може мати такий вигляд. ![preview](./assets/feedback/step-1.png) ## Крок 2 Розшир функціонал застосунку таким чином, щоб в інтерфейсі відображалося більше статистики про зібрані відгуки. Додай відображення загальної кількості зібраних відгуків з усіх категорій та відсоток позитивних відгуків. Для цього створи допоміжні методи `countTotalFeedback()` і `countPositiveFeedbackPercentage()`, які підраховують ці значення, ґрунтуючись на даних у стані (обчислювані дані). ![preview](./assets/feedback/step-2.png) ## Крок 3 Виконай рефакторинг застосунку. Стан застосунку повинен залишатися у кореневому компоненті `<App>`. - Винеси відображення статистики в окремий компонент `<Statistics good={} neutral={} bad={} total={} positivePercentage={}>`. - Винеси блок кнопок в компонент `<FeedbackOptions options={} onLeaveFeedback={}>`. - Створи компонент `<Section title="">`, який рендерить секцію із заголовком і дітей (children). Обгорни кожен із `<Statistics>` і `<FeedbackOptions>` у створений компонент секції. ## Крок 4 Розшир функціонал застосунку таким чином, щоб блок статистики рендерився тільки після того, як було зібрано хоча б один відгук. Повідомлення про відсутність статистики винеси в компонент `<Notification message="There is no feedback">`. ![preview](./assets/feedback/preview.gif) # Телефонна книга Напиши застосунок зберігання контактів телефонної книги. ## Крок 1 Застосунок повинен складатися з форми і списку контактів. На поточному кроці реалізуй додавання імені контакту та відображення списку контактів. Застосунок не повинен зберігати контакти між різними сесіями (оновлення сторінки). Використовуйте цю розмітку інпуту з вбудованою валідацією для імені контакту. ```html <input type="text" name="name" pattern="^[a-zA-Zа-яА-Я]+(([' -][a-zA-Zа-яА-Я ])?[a-zA-Zа-яА-Я]*)*$" title="Name may contain only letters, apostrophe, dash and spaces. For example Adrian, Jacob Mercer, Charles de Batz de Castelmore d'Artagnan" required /> ``` Стан, що зберігається в батьківському компоненті `<App>`, обов'язково повинен бути наступного вигляду, додавати нові властивості не можна. ```bash state = { contacts: [], name: '' } ``` Кожен контакт повинен бути об'єктом з властивостями `name` та `id`. Для генерації ідентифікаторів використовуй будь-який відповідний пакет, наприклад [nanoid](https://www.npmjs.com/package/nanoid). Після завершення цього кроку, застосунок повинен виглядати приблизно так. ![preview](./assets/phonebook/step-1.png) ## Крок 2 Розшир функціонал застосунку, дозволивши користувачам додавати номери телефонів. Для цього додай `<input type="tel">` у форму і властивість для зберігання його значення в стані. ```bash state = { contacts: [], name: '', number: '' } ``` Використовуй цю розмітку інпуту з вбудованою валідацією для номеру контакту. ```html <input type="tel" name="number" pattern="\+?\d{1,4}?[-.\s]?\(?\d{1,3}?\)?[-.\s]?\d{1,4}[-.\s]?\d{1,4}[-.\s]?\d{1,9}" title="Phone number must be digits and can contain spaces, dashes, parentheses and can start with +" required /> ``` Після завершення цього кроку, застосунок повинен виглядати приблизно так. ![preview](./assets/phonebook/step-2.png) ## Крок 3 Додай поле пошуку, яке можна використовувати для фільтрації списку контактів за ім'ям. - Поле пошуку – це інпут без форми, значення якого записується у стан (контрольований елемент). - Логіка фільтрації повинна бути нечутливою до регістру. ```bash state = { contacts: [], filter: '', name: '', number: '' } ``` ![preview](./assets/phonebook/step-3.gif) Коли ми працюємо над новим функціоналом, буває зручно жорстко закодувати деякі дані у стан. Це позбавить необхідності вручну вводити дані в інтерфейсі для тестування роботи нового функціоналу. Наприклад, можна використовувати такий початковий стан. ```bash state = { contacts: [ {id: 'id-1', name: 'Rosie Simpson', number: '459-12-56'}, {id: 'id-2', name: 'Hermione Kline', number: '443-89-12'}, {id: 'id-3', name: 'Eden Clements', number: '645-17-79'}, {id: 'id-4', name: 'Annie Copeland', number: '227-91-26'}, ], filter: '', name: '', number: '' } ``` ## Крок 4 Якщо твій застосунок реалізований в одному компоненті `<App>`, виконай рефакторинг, виділивши відповідні частини в окремі компоненти. У стані кореневого компонента `<App>` залишаться тільки властивості `contacts` і `filter`. ```bash state = { contacts: [], filter: '' } ``` Достатньо виділити чотири компоненти: форма додавання контактів, список контактів, елемент списку контактів та фільтр пошуку. Після рефакторингу кореневий компонент програми виглядатиме так. ```jsx <div> <h1>Phonebook</h1> <ContactForm ... /> <h2>Contacts</h2> <Filter ... /> <ContactList ... /> </div> ``` ## Крок 5 Заборони користувачеві можливість додавати контакти, імена яких вже присутні у телефонній книзі. При спробі виконати таку дію виведи `alert` із попередженням. ![preview](./assets/phonebook/step-5.png) ## Крок 6 Розшир функціонал застосунку, дозволивши користувачеві видаляти раніше збережені контакти. ![preview](./assets/phonebook/step-6.gif) --- npm install react@latest react-dom@latest # React homework template Этот проект был создан при помощи [Create React App](https://github.com/facebook/create-react-app). Для знакомства и настройки дополнительных возможностей [обратись к документации](https://facebook.github.io/create-react-app/docs/getting-started). ## Создание репозитория по шаблону Используй этот репозиторий организации GoIT как шаблон для создания репозитория своего проекта. Для этого нажми на кнопку `«Use this template»` и выбери опцию `«Create a new repository»`, как показано на изображении. ![Creating repo from a template step 1](./assets/template-step-1.png) На следующем шаге откроется страница создания нового репозитория. Заполни поле его имени, убедись что репозиторий публичный, после чего нажми кнопку `«Create repository from template»`. ![Creating repo from a template step 2](./assets/template-step-2.png) После того как репозиторий будет создан, необходимо перейти в настройки созданного репозитория на вкладку `Settings` > `Actions` > `General` как показано на изображении. ![Settings GitHub Actions permissions step 1](./assets/gh-actions-perm-1.png) Проскролив страницу до самого конца, в секции `«Workflow permissions»` выбери опцию `«Read and write permissions»` и поставь галочку в чекбоксе. Это необходимо для автоматизации процесса деплоя проекта. ![Settings GitHub Actions permissions step 2](./assets/gh-actions-perm-2.png) Теперь у тебя есть личный репозиторий проекта, со структурой файлов и папок репозитория-шаблона. Далее работай с ним как с любым другим личным репозиторием, клонируй его себе на компьютер, пиши код, делай коммиты и отправляй их на GitHub. ## Подготовка к работе 1. Убедись что на компьютере установлена LTS-версия Node.js. [Скачай и установи](https://nodejs.org/en/) её если необходимо. 2. Установи базовые зависимости проекта командой `npm install`. 3. Запусти режим разработки, выполнив команду `npm start`. 4. Перейди в браузере по адресу [http://localhost:3000](http://localhost:3000). Эта страница будет автоматически перезагружаться после сохранения изменений в файлах проекта. ## Деплой Продакшн версия проекта будет автоматически проходить линтинг, собираться и деплоиться на GitHub Pages, в ветку `gh-pages`, каждый раз когда обновляется ветка `main`. Например, после прямого пуша или принятого пул-реквеста. Для этого необходимо в файле `package.json` отредактировать поле `homepage`, заменив `your_username` и `your_repo_name` на свои, и отправить изменения на GitHub. ```json "homepage": "https://your_username.github.io/your_repo_name/" ``` Далее необходимо зайти в настройки GitHub-репозитория (`Settings` > `Pages`) и выставить раздачу продакшн версии файлов из папки `/root` ветки `gh-pages`, если это небыло сделано автоматически. ![GitHub Pages settings](./assets/repo-settings.png) ### Статус деплоя Статус деплоя крайнего коммита отображается иконкой возле его идентификатора. - **Желтый цвет** - выполняется сборка и деплой проекта. - **Зеленый цвет** - деплой завершился успешно. - **Красный цвет** - во время линтинга, сборки или деплоя произошла ошибка. Более детальную информацию о статусе можно посмотреть кликнув по иконке, и в выпадающем окне перейти по ссылке `Details`. ![Deployment status](./assets/deploy-status.png) ### Живая страница Через какое-то время, обычно пару минут, живую страницу можно будет посмотреть по адресу указанному в отредактированном свойстве `homepage`. Например, вот ссылка на живую версию для этого репозитория [https://goitacademy.github.io/react-homework-template](https://goitacademy.github.io/react-homework-template). Если открывается пустая страница, убедись что во вкладке `Console` нет ошибок связанных с неправильными путями к CSS и JS файлам проекта (**404**). Скорее всего у тебя неправильное значение свойства `homepage` в файле `package.json`. ### Маршрутизация Если приложение использует библиотеку `react-router-dom` для маршрутизации, необходимо дополнительно настроить компонент `<BrowserRouter>`, передав в пропе `basename` точное название твоего репозитория. Слеш в начале строки обязателен. ```jsx <BrowserRouter basename="/your_repo_name"> <App /> </BrowserRouter> ``` ## Как это работает ![How it works](./assets/how-it-works.png) 1. После каждого пуша в ветку `main` GitHub-репозитория, запускается специальный скрипт (GitHub Action) из файла `.github/workflows/deploy.yml`. 2. Все файлы репозитория копируются на сервер, где проект инициализируется и проходит линтинг и сборку перед деплоем. 3. Если все шаги прошли успешно, собранная продакшн версия файлов проекта отправляется в ветку `gh-pages`. В противном случае, в логе выполнения скрипта будет указано в чем проблема. --- npm install styled-components@5.3.10 npm install styled-components@^5.0.0 `import styled from 'styled-components';` npm install @emotion/react @emotion/styled `import styled from '@emotion/styled'`
Home task for React course📘
css3,gitignore,goit,goit-react-hw-02-phonebook,html5,javascript,npm,prittier,prop-types,react
2023-05-20T15:19:22Z
2023-05-25T22:20:34Z
null
1
5
18
0
1
5
null
null
JavaScript
wdhdev/blog
main
# Blog My personal custom built Node.js blog. **Backend** ![Backend](https://skillicons.dev/icons?i=nodejs,ts,express,mongodb,sentry) **Frontend** ![Frontend](https://skillicons.dev/icons?i=html,tailwind,js)
My personal custom built Node.js blog.
bcrypt,blog,blogs,ejs,ejs-templates,express,javascript,js,mongodb,mongoose
2023-05-30T05:38:19Z
2024-04-26T23:37:10Z
null
1
142
255
0
0
5
null
MIT
EJS
oovillagran/space_travelers
development
<a name="readme-top"></a> <div align="center"> <h1><b>Space Travelers' Hub</b></h1> <img src="./src/assets/readme.png" alt="home-page-image"> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 Space Travelers' Hub](#-space-travelers-hub) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 Space Travelers' Hub<a name="about-project"></a> The **Space Travelers' Hub** is a web application designed for a company offering commercial and scientific space travel services. Powered by React and Redux, this application enables users to book rockets, dragons, and participate in selected space missions. By accessing the Space Travelers' Hub, users embark on an extraordinary adventure. They can explore various missions, rockets, and dragons, and customize their experience by making bookings according to their preferences. This interactive application allows users to reserve the following: - 🚀 Dragons - 🚀 Rockets - 🚀🧑‍🚀👨‍🚀👩‍🚀 Space Missions With its intuitive interface and comprehensive features, the Space Travelers' Hub opens the door to a world of exciting possibilities in space exploration. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>HTML</summary> <ul> <li>HTML</li> </ul> </details> <details> <summary>CSS</summary> <ul> <li>CSS</li> </ul> </details> <details> <summary>Javascript</summary> <ul> <li>Javascript</li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - Use React documentation. - Use React components. - Use React props. - Use React Router. - Connect React and Redux. - Handle events in a React app. - Write unit tests with React Testing Library. - Use styles in a React app. - Use React hooks. - Apply React best practices and language style guides in code. - Use store, actions and reducers in React. - Perform a code review for a team member. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - Here is the [live demo version](https://space-hubs-travelers.onrender.com). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps: ```bash clone this repository into your machine npm start ``` ### Prerequisites In order to run this project you need: - Create a repo on your repositores files. - Clone or make a copy of this repo on your local machine. - Follow GitHub flow. - A carefully reading of this README.md is required. ### Setup Clone this repository to your desired folder: ```bash cd my-folder git clone git@github.com:oovillagran/calculator-app.git ``` ### Install Install this project with: ```bash npm install ``` ### Usage To run the project, you can use your favorite browser. ### Run tests To run tests, execute the following command: ```bash npm test ``` ### Deployment - N/A <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Alhassan Osman** - GitHub: [@flemton](https://github.com/flemton) - Twitter: [@oalhassan847](https://twitter.com/oalhassan847) - LinkedIn: [Alhassan Osman](https://www.linkedin.com/in/alhassan-o-83039a80/) 👤 **Larry Villegas** - GitHub: [@LarryIVC](https://github.com/LarryIVC) - Twitter: [@LarryVillegas](https://twitter.com/LarryVillegas) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/larry-villegas-26216b259/) 👤 **Oscar Villagran** - GitHub: [@oovillagran](https://github.com/oovillagran) - Twitter: [@oovillagran](https://twitter.com/oovillagran) - LinkedIn: [Oscar Villagran](https://www.linkedin.com/in/oovillagran/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **User Logging.** - [ ] **User Authentication** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](../../issues/). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project feel free to make any comment, all contributions are welcome!. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> We would like to thank Microverse comunity. We thank our learning, morning session and standup partners for supporting us. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](LICENSE.md) licensed. <a href="LICENSE.md"> <p align="right">(<a href="#readme-top">back to top</a>)</p>
Space Traveler's Hub is a web application for a company that provides commercial and scientific space travel services. The application will allow users to book rockets and join selected space missions. This is a react group project built as a part of our Ful Stack Web Development program in Microverse.
fetch-api,frontend,javascript,reactjs,redux
2023-05-22T20:26:40Z
2023-05-26T08:15:56Z
null
3
25
102
0
1
5
null
MIT
JavaScript
heybran/guitar-metronome
main
# Guitar Metronome [![Netlify Status](https://api.netlify.com/api/v1/badges/df7ae919-358c-4207-838d-8ce7074057df/deploy-status)](https://app.netlify.com/sites/guitar-metronome/deploys) A simple online guitar metronome app built with vanilla [Web Components](https://developer.mozilla.org/en-US/docs/Web/API/Web_components) and [Web Audio API](https://developer.mozilla.org/en-US/docs/Web/API/Web_Audio_API). The app allows you to set the tempo (in beats per minute) and the time signatures, and provides an audible click track to help you keep time while practicing. ## Demo You can try out the app live at [https://guitar-metronome.netlify.app](https://guitar-metronome.netlify.app). ## Installation To install the app locally, follow these steps: 1. Clone the repository: `git clone https://github.com/heybran/guitar-metronome.git` 2. Install the dependencies: `npm install` or `pnpm install` 3. Start the development server: `npm run dev` or `pnpm run dev` 4. Open the app in your browser at [http://localhost:5173](http://localhost:5173) ## Usage To use the app, follow these steps: 1. Set the tempo using `-` / `+` button or the slider (`slider not implemented yet`). 2. Set the time signature by clicking the signture buttons. 3. Click the "Start" button to start the metronome. 4. Click the "Stop" button to stop the metronome. The app will play an audible click track at the specified tempo and time signature, with an accent on the first beat of each measure. ## Contributing Contributions are welcome! If you find a bug or have a feature request, please open an issue on the [GitHub repository](https://github.com/your-username/guitar-metronome/issues). If you would like to contribute code, please follow these steps: 1. Fork the repository. 2. Create a new branch for your feature or bug fix: `git checkout -b my-feature-branch` 3. Make your changes and commit them: `git commit -am 'Add some feature'` 4. Push your changes to your fork: `git push origin my-feature-branch` 5. Create a pull request on the [GitHub repository](https://github.com/your-username/guitar-metronome/pulls). ## License This project is licensed under the MIT License. See the [LICENSE](LICENSE) file for details.
A guitar metronome created with vanilla web components.
css,javascript,webcomponents,guitar-metronome
2023-05-30T13:47:07Z
2023-06-06T08:49:37Z
null
2
6
39
1
2
5
null
null
JavaScript
devgaab/proj-listagem-pokemon
main
<h1 align="center"> Projeto Listagem de Pokémon </h1> <img src=".github/preview.png" alt="Demonstração do projeto." width="100%" /> ### 🖥️ Projeto Esse é um projeto de listagem de Pokémon em cards utilizando HTML, CSS e JavaScript. O projeto foi desenvolvido durante o evento do Dev em Dobro. ### ⚙ Funcionalidades - Tema escuro: O usuário pode alternar entre o tema claro e escuro; - Possui barra de perquisa e botão de voltar ao topo; - Infos gerais: Cada card representa um pokémon, apresentando número de ordem, tipagem, descrição e versão shiny; - Interatividade: A imagem do pokémon no card age como um botão, que quando acionado, dispara um som e mostra a versão shiny do pokémon. ### 🚀 Tecnologias - HTML - CSS - JavaScript - Git e Github
Esse é um projeto de listagem de Pokémon em cards utilizando HTML, CSS e JavaScript.
css,html,javascript,git,github
2023-05-23T01:40:34Z
2023-09-18T01:27:04Z
null
1
0
8
0
0
5
null
null
HTML