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 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
rizo/helix | master | # Helix
**Build reactive web interfaces in OCaml.**
> Note: this project is experimental. The core functionality is stable but the
> API may break before the official release.
[**API Docs**](https://rizo.github.io/helix/helix/Helix/index.html) • [**Examples**](https://github.com/rizo/helix/tree/master/examples)
## Features
- Reactive signals with
[`signal`](https://github.com/rizo/signal): signals represent values that change over time and can be used to model any dynamic state in your application.
- Declarative HTML with [`Helix.Html`](https://rizo.github.io/helix/html/Html/index.html): write your HTML templates directly in OCaml.
- Fine-grained reactivity without Virtual DOM using
[show/bind](https://rizo.github.io/helix/helix/Helix/index.html#reactive-views): updates are directly applied to the DOM tree based on values emited by reactive signals.
- Js-compatibility library [`jx`](https://rizo.github.io/helix/jx/Jx/index.html): write bindings to interact withe the JavaScript ecosystem.
## Example
```ocaml
open Helix
let counter () =
let count = Signal.make 0 in
let open Html in
div
[ style_list [ ("border", "1px solid #eee"); ("padding", "1em") ] ]
[
h2 [] [ text "Counter" ];
div [] [ text "Compute a count." ];
div []
[
button
[ on_click (fun () -> Signal.update (fun n -> n + 1) count) ]
[ text "+" ];
button
[ on_click (fun () -> Signal.update (fun n -> n - 1) count) ]
[ text "-" ];
button [ on_click (fun () -> Signal.emit 0 count) ] [ text "Reset" ];
div
[
style_list [ ("font-size", "32px") ];
bind
(fun n -> style_list [ ("color", if n < 0 then "red" else "blue") ])
count;
]
[ show (fun n -> text (string_of_int n)) count ];
];
]
let () =
match Stdweb.Dom.Document.get_element_by_id "root" with
| Some root -> Html.mount root (counter ())
| None -> failwith "No #root element found"
```
## Roadmap
- Add support for [Melange](https://github.com/melange-re/melange).
- Implement a JSX PPX for [Reason](https://reasonml.github.io).
- WIP implementation: https://github.com/rizo/helix/tree/master/experiments/helix-ppx.
- Server-side rendering.
- Support for scoped CSS styling using web-components.
## Acknowledgements
This library is based on ideas found in other libraries and projects such as:
[Elm](https://elm-lang.org/), [Ur/Web](http://www.impredicative.com/ur/),
[SolidJS](https://www.solidjs.com/),
[petite-vue](https://github.com/vuejs/petite-vue),
[Surplus](https://github.com/adamhaile/surplus),
[Brr](https://erratique.ch/software/brr) and [ReactJS](https://reactjs.org/).
| Build reactive web interfaces in OCaml. | javascript,jsoo,ocaml,reactive,web | 2023-02-13T17:42:38Z | 2024-04-15T15:27:08Z | null | 1 | 0 | 95 | 0 | 0 | 43 | null | null | OCaml |
stackernews/booger | main | 
# booger
A nostr relay
### 🚨 breaking changes incoming
the code is slowly stablizing but i'm still changing the code in a backwards
incompatible way ... this probably isn't ready for prod yet either (until I run
it in prod more myself)
# what booger does
- supports many NIPs: 1, 2, 4, 9, 11, 12, 15, 16, 20, 26, 28, 33, 40
- suitable for horizontally scaling websocket layer with a load balancer
- plugin-able: connections, disconnections, subs, sub closes, events, eoses,
notices, and errors
- [read more about booger plugs](/plugs/README.md)
- compiles into a single, secure executable
- releases contain executables with different permissions enforced by the
runtime:
1. normal - an executable that runs like most things you run on your
computer
2. secure - a runtime-restricted executable
- booger can only communicate on loopback
- booger can only access relevant environment variables
- booger can only write to `./booger.jsonc`
- booger can only read from `./booger.jsonc` and `./plugs/`
- [read more about booger's runtime restrictions on deno.land](https://deno.com/manual@v1.34.2/basics/permissions)
- rate limits (very basic ones atm)
- collects stats on connections and subscriptions (for analysis or whatevs)
# what booger doesn't do (yet)
- elaborate defenses: spam filtering, payments
- these are probably best provided as [booger plugs](/plugs/README.md)
- use postgres read replicas
- use postgres partitions
# what booger wants
simplicity, ease of use, extensibility, scalability, performance, security
# booger in words
- deno serves websockets
- filters are stored in a sqlite in-memory database and mapped to a websocket
- events are persisted in postgres
- when an event is persisted (or an ephemeral event is received) a postgres
`NOTIFY event, <event json>` is broadcast
- all booger processes in the cluster `LISTEN event` and when notified check
sqlite for matching filters and send to corresponding websockets
# booger in pictures
### booger cluster

### booger process

# how to run (locally from a release executable)
0. [install postgres](https://www.postgresql.org/download/) and run it (welcome
to app programming)
1. [download the latest booger release](https://github.com/stackernews/booger/releases/latest)
and unzip it
2. run `./booger` and your nostr relay is listening on `127.0.0.1:8006`
# how to run (locally from source)
0. [install postgres](https://www.postgresql.org/download/) and run it (welcome
to app programming)
1. insall deno 1.34.2 or later (welcome to deno)
- [ways to install deno](https://github.com/denoland/deno_install)
- or just run `curl -fsSL https://deno.land/install.sh | sh -s v1.34.2`
- 🚨
[earlier versions of deno might not play well with booger](https://github.com/denoland/deno/issues/17283)
- [read more about deno on deno.land](https://deno.land/)
2. get booger's source
- `git clone git@github.com:stackernews/booger.git`
- or `git clone https://github.com/stackernews/booger.git`
- or
[download the source archive from the latest booger release](https://github.com/stackernews/booger/releases/latest)
3. from booger's dir run `deno task compile` to generate an executable booger 🥸
- to produce a secure executable run `deno task compile-secure` instead
4. run `./booger` and your nostr relay is listening on `127.0.0.1:8006`
# how to configure
## via `booger.jsonc`
The easiest way to configure booger is through the `./booger.jsonc` file. Run
`./booger --init` to generate a `./booger.jsonc` containing _**all**_ of
booger's configuration options and defaults.
## via `env`
The following `env` vars are used by booger and take precendence over any
corresponding values provided in `./booger.jsonc`
| name | booger.jsonc name |
| ----------- | ----------------------- |
| `HOSTNAME` | hostname |
| `PORT` | port |
| `DB` | db |
| `DB_STATS` | plugs.builtin.stats.db |
| `DB_LIMITS` | plugs.builtin.limits.db |
_reminder: all of the default values are documented in the `./booger.jsonc` file
generated by running `./booger --init`._
## via cli
Configuration values passed via cli take precedence over those in `env` and
`./booger.jsonc`.
```txt
[keyan booger]🍏 ./booger --help
booger - a nostr relay
Docs: https://github.com/stackernews/booger/blob/main/README.md
Bugs: https://github.com/stackernews/booger/issues
Usage:
booger [options]
Options:
-i, --init
write default config to ./booger.jsonc
-c, --config <path>
path to booger config file (default: ./booger.jsonc)
-b, --hostname <ip or hostname>
interface to listen on (default: 127.0.0.1)
0.0.0.0 for all interfaces
-p, --port <port>
port to listen on (default: 8006)
-d, --db <postgres url>
postgres url for nostr data (default: postgres://127.0.0.1:5432/booger)
-s, --db-stats <postgres url>
postgres url for stats booger data (default: postgres://127.0.0.1:5432/booger_stats)
-l, --db-limits <postgres url>
postgres url for limits booger data (default: postgres://127.0.0.1:5432/booger_limits)
-e, --dotenv <path>
path to .env file (default: none)
--plugs-dir <path>
path to plugs directory (default: ./plugs)
--plugs-builtin-use <plugs>
comma seperated list of builtin plugs to use (default: validate,stats,limits)
-h, --help
print help
-v, --version
print version
```
# how to plugin (aka booger plugs)
booger's core attempts to provide things that all relays want. Booger plugs are
a way for booger operators to define custom behavior like rate limits, special
validation rules, logging, and what not via
[Web Workers](https://developer.mozilla.org/en-US/docs/Web/API/Web_Workers_API).
booger's validation, stat collector, and rate limiting are all implemented as
booger plugs.
[Read the booger plug docs](/plugs/README.md).
# how to compile with different permissions
If you try to access things that a secure booger executable isn't permitted to
access (like a remote postgres or a `booger.jsonc` not in pwd), deno's runtime
will prompt you to access them. If you'd like to avoid deno's prompts, you'll
need to compile booger with different permissions.
You can view the `deno compile` command we use to compile booger in
[deno.jsonc](/deno.jsonc) and modify it to your liking.
[Read more about deno's permissions](https://deno.com/manual@v1.34.2/basics/permissions).
# thanks to
1. [camari's nostream](https://github.com/Cameri/nostream) - heavily inspired
booger's validation and integration tests
2. [hoytech's strfry](https://github.com/hoytech/strfry) - heavily inspired
[booger plugs](/plugs/README.md) with their write policy
3. [alex gleason's strfry write policies](https://gitlab.com/soapbox-pub/strfry-policies/-/tree/develop/src/policies) -
awesome set of strfry policy examples
4. everyone working on [nostr](https://github.com/nostr-protocol/nips)
5. everyone working on [deno](https://github.com/denoland/deno)
6. the authors of booger's dependencies (all of which are awesome):
- https://github.com/porsager/postgres
- https://github.com/paulmillr/noble-curves
- https://github.com/colinhacks/zod
- https://github.com/dyedgreen/deno-sqlite
7. my cat dona, meow
# license
[MIT](https://choosealicense.com/licenses/mit/)
# contributing
do it. i dare you.
| A nostr relay | deno,javascript,nostr,nostr-protocol,nostr-relay,postgres | 2023-02-11T19:43:49Z | 2023-08-09T17:32:20Z | 2023-06-27T15:54:35Z | 3 | 0 | 58 | 3 | 4 | 40 | null | MIT | JavaScript |
DevLeoCunha/meta-front-end-developer | main | # Meta Front-End Developer
* This repository contains all quizzes, assessments and certificates for the course.<br>
<h2> Course Content </h2>
<dl>
<dt>Introduction to Front-End Development</dt>
<dd>Get started with web development</dd>
<dd>Introduction to HTML and CSS</dd>
<dd>UI Frameworks</dd>
<dd>End-of-Course Graded Assessment</dd>
<dt>Programming with JavaScript</dt>
<dd>Introduction to Javascript</dd>
<dd>The Building Blocks of a Program</dd>
<dd>Programming Paradigms</dd>
<dd>Testing</dd>
<dd>End-of-Course Graded Assessment</dd>
<dt>Version Control</dt>
<dd>Software collaboration</dd>
<dd>Command Line</dd>
<dd>Working with Git</dd>
<dd>Graded Assessment</dd>
<dt>HTML and CSS in depth</dt>
<dd>HTML in depth</dd>
<dd>Interactive CSS</dd>
<dd>Graded Assessment</dd>
<dt>React Basics</dt>
<dd>React Components</dd>
<dd>Data and State</dd>
<dd>Navigation, Updating and Assets in React.js</dd>
<dd>Your first React app</dd>
<dt>Advanced React</dt>
<dd>Components</dd>
<dd>React Hooks and Custom Hooks</dd>
<dd>JSX and testing</dd>
<dd>Final project</dd>
<dt>Principles of UX/UI Design</dt>
<dd>Introduction to UX and UI design</dd>
<dd>Evaluating interactive design</dd>
<dd>Applied Design Fundamentals</dd>
<dd>Designing your UI</dd>
<dd>Course summary and final assessment</dd>
<dt>Front-End Developer Capstone</dt>
<dd>Starting the project</dd>
<dd>Project foundations</dd>
<dd>Project functionality</dd>
<dd>Project Assessment</dd>
<dt>Coding Interview Preparation</dt>
<dd>Introduction to the coding interview</dd>
<dd>Introduction to Data Structures</dd>
<dd>Introduction to Algorithms</dd>
<dd>Final project</dd>
</dl>
<h2>Take the course at</h2>
<p>https://coursera.org/</p><br>
| Contains all quizzes, assessments and certificates for the course. | coursera,git,github,javascript,css,css-framework,frontend,html,meta,react | 2023-02-22T17:41:41Z | 2023-02-22T20:30:13Z | null | 1 | 0 | 12 | 0 | 8 | 37 | null | MIT | null |
microsoft/object-basin | main | # Basin
A specification and libraries to stream updates to an object using JSONPaths.
We use the term "basin" because streams flow into a basin.
See in [npmjs.com](https://www.npmjs.com/package/object-basin).
See in [NuGet](https://www.nuget.org/packages/ObjectBasin).
This library supports various ways to update objects or their contents:
* appending to the end of a string
* inserting anywhere in a string
* removing characters from a string
* appending to the end of a list
* inserting anywhere in a list
* overwriting an item in a list
* deleting items in a list
* setting a value in an object
# JavaScript / Node.js
See examples and installation instructions in the [js folder](js/).
# .NET / C#
See examples and installation instructions in the [dotnet folder](dotnet/).
## Contributing
This project welcomes contributions and suggestions. Most contributions require you to agree to a
Contributor License Agreement (CLA) declaring that you have the right to, and actually do, grant us
the rights to use your contribution. For details, visit https://cla.opensource.microsoft.com.
When you submit a pull request, a CLA bot will automatically determine whether you need to provide
a CLA and decorate the PR appropriately (e.g., status check, comment). Simply follow the instructions
provided by the bot. You will only need to do this once across all repos using our CLA.
This project has adopted the [Microsoft Open Source Code of Conduct](https://opensource.microsoft.com/codeofconduct/).
For more information see the [Code of Conduct FAQ](https://opensource.microsoft.com/codeofconduct/faq/) or
contact [opencode@microsoft.com](mailto:opencode@microsoft.com) with any additional questions or comments.
## Trademarks
This project may contain trademarks or logos for projects, products, or services. Authorized use of Microsoft
trademarks or logos is subject to and must follow
[Microsoft's Trademark & Brand Guidelines](https://www.microsoft.com/en-us/legal/intellectualproperty/trademarks/usage/general).
Use of Microsoft trademarks or logos in modified versions of this project must not cause confusion or imply Microsoft sponsorship.
Any use of third-party trademarks or logos are subject to those third-party's policies.
| JavaScript/TypeScript + .NET libraries to stream updates to an object using JSONPaths and JSON Patches | javascript,jsonpath,stream,typescript,jsonpatch | 2023-02-23T21:14:33Z | 2023-06-20T20:45:15Z | 2023-02-27T00:12:08Z | 5 | 5 | 25 | 0 | 1 | 37 | null | MIT | C# |
ahmed-aouinti/bootstrap-restaurant-app | main | 
[Pastacosi Restaurant](https://pastacosi.netlify.app) is a simple, modern and responsive website for restaurants, made with Bootstrap.
# Live Preview:
Link: https://pastacosi.netlify.app
# Install
- Clone the repository:
```bash
git clone https://github.com/AouintiAhmed/bootstrap-restaurant-app.git
```
- Open **`index.html`** in your browser, and enjoy !
# Used libraries
- JavaScript
- CSS
- Bootstrap5
- Bootstrap-icons
- Swiper
- Isotope
- Animate.css
## Todos
- [ ] Implement back-end project for food ordering, delivery, and booking tables.
| Simple, modern and responsive website for restaurants, made with Bootstrap. | bootstrap-project,bootstrap5,css3,html5,restaurant-website,isotope,javascript,responsive,swiper,boxicons | 2023-02-10T01:24:59Z | 2023-03-28T07:01:59Z | null | 1 | 1 | 2 | 0 | 14 | 36 | null | null | HTML |
ayushnighoskar/FoodDeliveryApp | main | # Food Delivery App using MERN Stack
The purpose of this project is to develop a food delivery app using the MERN (MongoDB, Express, React, Node.js) stack. The app allows users to order food items. The app is designed to be user-friendly, with a clean and modern interface.
## Tech-Stack-
<div align="left">
<img alt="HTML5" src="https://img.shields.io/badge/html5-%23E34F26.svg?style=for-the-badge&logo=html5&logoColor=white"/>
<img alt="CSS3" src="https://img.shields.io/badge/css3-%231572B6.svg?style=for-the-badge&logo=css3&logoColor=white"/>
<img alt="JavaScript" src="https://img.shields.io/badge/javascript-%23323330.svg?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E"/>
<img alt="ReactJS" src="https://img.shields.io/badge/react-%2320232a.svg?style=for-the-badge&logo=react&logoColor=%2361DAFB"/>
<img alt="NodeJS" src="https://img.shields.io/badge/node.js-6DA55F?style=for-the-badge&logo=node.js&logoColor=white"/>
<img alt="ExpressJS" src="https://img.shields.io/badge/express.js-%23404d59.svg?style=for-the-badge&logo=express&logoColor=%2361DAFB"/>
<img alt="MongoDB" src="https://img.shields.io/badge/MongoDB-%234ea94b.svg?style=for-the-badge&logo=mongodb&logoColor=white"/>
<img alt="Bootstrap" src="https://img.shields.io/badge/bootstrap-%23563D7C.svg?style=for-the-badge&logo=bootstrap&logoColor=white"/>
</div>
## Features-
- Allow users to browse food items.
- Allow users to place orders.
- Allow admin users to manage orders.
## Architecture-
The food delivery app is built using the MERN stack. The app consists of several components, including the Home screen,My Orders screen, Cart screen, Login and Logout screen and Admin screen.
The Home screen displays the list of food items, and includes a search bar and number of items to be ordered options.The Home screen displays the list of items in the menu, and allows the user to add items to their cart. The Cart screen displays the list of items in the user's cart, and allows the user to place an order. The Order screen displays the details of the user's order.The Admin screen displays the management interface for menus and orders.
## Design-
The design of the app is modern and user-friendly, with a focus on simplicity and ease of use. The app uses a clean and minimalist design, with a black background and simple typography. The app also uses clear and concise language, with straightforward labels and instructions.
The Home screen displays the list of food items in a grid view, with each food item displayed as a card.The Cart screen displays the list of items in the user's cart, with the total price and checkout button displayed prominently. The Order screen displays the details of the user's order.The Admin screen displays the management interface for orders and cart, with clear and intuitive navigation and controls.
<!-- The app is designed to be scalable and modular, with a clean and organized codebase. The backend API is implemented using Express.js and Mongoose, with separate controllers and models for each component. The frontend is implemented using React, with separate components for each screen and functionality.-->
## Usage-
## Live-Demo-
[Food-Delivery-App-Live]()
## Screenshot-
| Food-Delivery-App using MERN-stack | mern,mern-project,mern-stack,react,express,javascript,mongodb,node,project,food-deliver-app | 2023-02-24T04:43:54Z | 2023-09-14T04:32:00Z | null | 1 | 1 | 21 | 0 | 24 | 35 | null | null | JavaScript |
Clifftech123/JavaScript-for-beginners | main |
## JavaScript for Beginners [](https://github.com/docdis/javascript-best-practice/issues)
## Contributions
*Contributions are welcome! Feel free to contribute to this repository to make it easier for others to master JavaScript. Please follow the [contribution](https://github.com/Clifftech123/JavaScript-for-beginners/blob/main/CONTRIBUTING.md) instructions provided to ensure a smooth and efficient contribution process.*
This repository contains a collection of JavaScript resources specifically designed for beginners. Whether you're new to programming or just getting started with JavaScript, these resources can provide a solid foundation for your learning.
However, even if you're an experienced developer, you can still benefit from reviewing these resources to refresh your knowledge of JavaScript basics and ensure that you're following best practices. These resources cover a range of topics, from syntax and data types to object-oriented programming and advanced concepts like closures and asynchronous programming.
Regardless of your level of experience, starting with these JavaScript resources can help you build a strong foundation in the language and make it easier to progress to more complex concepts.

## Introduction to JavaScript
JavaScript is a programming language that is primarily used to add interactive and dynamic elements to web pages. It is a high-level, interpreted language that is integrated with HTML and CSS. JavaScript can be used for a wide range of applications, including building web and mobile applications, game development, and creating browser extensions.
JavaScript was first developed by Brendan Eich at Netscape in 1995, and has since become one of the most widely used programming languages in the world. It is supported by all major web browsers, including Chrome, Firefox, Safari, and Internet Explorer/Edge, and has a large community of developers who create and maintain libraries and frameworks for the language.
Some common features of JavaScript include:
1.Dynamic HTML manipulation: JavaScript can be used to manipulate the HTML and CSS of a web page, allowing developers to create dynamic and interactive content.
2.Event handling: JavaScript can respond to user actions such as mouse clicks, keystrokes, and form submissions, allowing for interactive user interfaces.
3.Asynchronous programming: JavaScript allows for non-blocking code execution, which can improve performance by allowing multiple tasks to run concurrently.
4.Client-side scripting: JavaScript can be executed on the client-side, which means that it runs in the user's web browser rather than on a server.
JavaScript can also be used in the backend of web applications through the use of server-side JavaScript frameworks, such as Node.js. With Node.js, developers can use JavaScript to build server-side applications that can handle tasks such as handling HTTP requests, interacting with databases, and performing other backend functions. This is made possible through the use of the V8 JavaScript engine, which is the same engine used by the Google Chrome web browser.
Using JavaScript in the backend provides a number of benefits for web developers, including the ability to use a single language (JavaScript) for both the frontend and backend of their application, which can help streamline development and improve code consistency. Additionally, JavaScript has a large and active community of developers, which has resulted in the development of a number of useful libraries and frameworks for building server-side applications.
Overall, using JavaScript in the backend allows developers to build scalable and efficient web applications using a language that is already familiar to many frontend developers. This can help reduce the learning curve and make it easier to build high-quality web applications.
Overall, JavaScript is a powerful and versatile language that is essential for modern web development. It is constantly evolving and improving, with new features and capabilities being added with each new version.
## Table of Contents
1. [Variables and data types](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/01.Variables-and-data-types)
2. [Operators and expressions](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/02.Operators-and-expressions)
3. [Conditionals and loops](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/03.Conditionals-and-loops)
4. [Functions](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/04.Functions)
5. [Arrays](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/05.Arrays)
6. [Objects](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/06.Objects)
7. [ Event ](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/07.Events)
8. [DOM-manipulation](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/08.DOM-manipulation)
9. [Callbacks](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/09.Callbacks)
10. [Asynchronous programming](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/10.Asynchronous-programming)
11. [Closure](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/11.Closures)
12. [Prototype Inheritance](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/12.Prototypal-inheritance)
13. [Scoping and hosting](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/13.Scoping-and-hoisting)
14. [Regular expressions](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/14.Regular-expressions)
15. [Error handling](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/15.Error-handling)
16. [Promises](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/16.Promises)
17. [ES6 features ](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/17.ES6%2B-features)
18. [Generators and async await](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/18.Generators-and-async-await)
19. [High order functions](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/19.Higher-order-functions)
20. [Modules Pattern and module loaders](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/21.Module-pattern-and-module-loaders)
21. [Web Workers](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/22.Web-Workers)
22. [service workers](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/23.Service-Workers)
23. [Data Structures and Algorithms](https://github.com/Clifftech123/JavaScript-for-beginners/tree/main/24.Data%20structures-and-algorithms)
| This repository covers a range of JavaScript concepts, starting from the basics and progressing to more advanced topics. It offers guidance and advice to help you improve your understanding and skills in working with JavaScript. | coding,javascript,webdevelopment,es6-javascript,learning,programming | 2023-02-16T00:44:33Z | 2023-03-19T21:00:22Z | null | 1 | 0 | 60 | 0 | 6 | 29 | null | MIT | Markdown |
SchnapsterDog/vue-preloader | master | [![Contributors][contributors-shield]][contributors-url]
[![Downloads][downloads-shield]][downloads-url]
[![Issues][issues-shield]][issues-url]
[![MIT License][license-shield]][license-url]
[![LinkedIn][linkedin-shield]][linkedin-url]
<!-- PROJECT LOGO -->
<br />
<div align="center">
<a href="https://vue-preloader.com" target="_blank">
<img src="images/logo.png" alt="Logo" width="161" height="210">
</a>
<h3 align="center">Vue Preloader</h3>
<p align="center">
Valuable addition to any Vue.js or Nuxt.js project.
<br />
<br />
<a href="https://vue-preloader.com/" target="_blank"><strong>View Demo</strong></a>
<br />
<br />
<a href="https://vue-preloader.com/guide" target="_blank"><strong>Explore the docs »</strong></a>
·
<a href="https://github.com/schnapsterdog/vue-preloader/issues target="_blank"">Report Bug</a>
·
<a href="https://github.com/schnapsterdog/vue-preloader/issues target="_blank"">Request Feature</a>
·
<a href="https://github.com/SchnapsterDog/vue2-preloader target="_blank"">Vue2 Version</a>
</p>
</div>
<!-- ABOUT THE PROJECT -->
## About The Vue Preloader
[![Product Name Screen Shot][product-screenshot]](https://vue-preloader.com/)
vue-preloader is a versatile and easy-to-use Vue.js component that allows you to add loading animations to your Vue.js or Nuxt.js projects. It is compatible with both Vue 2 and Vue 3, making it a flexible choice for developers who may be using different versions of the framework.
One of the standout features of Vue-Preloader is its simplicity. Implementing the component is straightforward and can be done in just a few lines of code. Once installed, you can simply add the tag to your Vue or Nuxt template and customize the animation and appearance as desired.
Another great aspect of Vue-Preloader is its extendability. This makes it a great choice for developers who want to add unique loading animations that match their brand or projects style.
## Why to use Vue Preloader
- 👉 It is easy to use and set up within Nuxt3 or Vite Projects
- 👉 It allows for custom styling and customization options.
- 👉 It has a smooth and fluid animation.
- 👉 It is lightweight and performs well.
- 👉 It is open source and free to use.
<!-- GETTING STARTED -->
## Getting Started
With vue-preloader, you can easily create loading animation to your Vue.js or Nuxt.js projects.
### Installation
To use vue-preloader in your Vue or Nuxt.js project, simply install it with npm or yarn:
* npm
```sh
npm i vue-preloader@latest --save
```
* yarn
```sh
yarn add vue-preloader@latest
```
### Vite & Nuxt3
vue-preloader can easily be integrated into the layout of a Nuxt.js project or in a similar way in a Vite project. Firstly, you will need to register the the component inside script tag with setup:
```js
import { VuePreloader } from 'vue-preloader';
import '../node_modules/vue-preloader/dist/style.css'
```
Than you can simply add the vue-preloader tag to your projects layout file:
layout/default.vue file in nuxt3:
```html
<div>
<TemplatesHeader />
<TemplatesPage>
<slot />
</TemplatesPage>
<TemplatesFooter />
<VuePreloader
background-color="#091a28"
color="#ffffff"
transition-type="fade-up"
:loading-speed="25"
:transition-speed="1400"
@loading-is-over="loadingIsOver"
@transition-is-over="transitionIsOver"
></VuePreloader>
</div>
```
### Slot & Slot Props
The vue-preloader component comes with a default slot that allows you to customize the content displayed within the preloader element. You can add any HTML or Vue.js template code within the slot to customize the look and feel of the preloader. This makes the component highly customizable and adaptable to any project's needs.
```html
<VuePreloader
background-color="#091a28"
color="#ffffff"
transition-type="fade-up"
:loading-speed="25"
:transition-speed="1400"
>
<span>You are awesome animation goes here</span>
</VuePreloader>
```
Color and percent as slotprops values that come directly from the component, together with the loading-is-over event can create powerful custom animations.
```html
<VuePreloader
background-color="#091a28"
color="#ffffff"
transition-type="fade-up"
:loading-speed="25"
:transition-speed="1400"
@loading-is-over="showAnimation = false"
@transition-is-over="transitionIsOver"
>
<template v-slot="{ percent, color }">
<transition name="loading-animation" mode="in-out">
<span
v-if="showAnimation"
:style="{ color }"
>
{{ percent }}
</span>
</transition>
</template>
</VuePreloader>
```
```js
import { VuePreloader } from 'vue-preloader';
import '../node_modules/vue-preloader/dist/style.css'
import { ref } from 'vue';
const showAnimation = ref(true)
```
### Transitions
The transition-type prop in the Vue preloader component specifies the type of fade animation that will be used when the preloader is removed from the screen. The transition-type prop accepts four possible values: fade-left, fade-right, fade-up, and fade-down. Each value specifies the direction in which the preloader will fade out of view. When the transition-type prop is not specified, the preloader will fade out of view towards the left.
```html
<VuePreloader
background-color="#091a28"
color="#ffffff"
transition-type="fade-up"
:loading-speed="25"
:transition-speed="1400"
>
</VuePreloader>
```
```html
<VuePreloader
background-color="#091a28"
color="#ffffff"
transition-type="fade-down"
:loading-speed="25"
:transition-speed="1400"
>
</VuePreloader>
```
```html
<VuePreloader
background-color="#091a28"
color="#ffffff"
transition-type="fade-left"
:loading-speed="25"
:transition-speed="1400"
>
</VuePreloader>
```
```html
<VuePreloader
background-color="#091a28"
color="#ffffff"
transition-type="fade-right"
:loading-speed="25"
:transition-speed="1400"
>
</VuePreloader>
```
### Available props
| Name | Type | Default | Description |
|--|--|--|--|
|**background-color**|`String`|`#091a28`|The prop background-color allows you to customize the background color of the preloader component. You can pass in a string value that represents a valid HEX color, such as #000000.
|**color**|`String`|`#ffffff`|This prop allows you to customize the color of loading bar.
|**loading-speed**|`Number`|`15`|The loading-speed prop is used to adjust the speed of the loading bar. You can pass in a number value that represents the animation speed in milliseconds. A lower value will result in a faster animation, while a higher value will slow it down. This prop can take an integer value.
|**overflow-active**|`Boolean`|`true`| Set overflow of the page
|**transition-speed**|`Number`|`1400`|The transition-speed prop is used to adjust the speed of the transition between the preloader and the main content of your application. You can pass in a number value that represents the transition speed in milliseconds. A lower value will result in a faster transition, while a higher value will slow it down.
|**transition-type**|`String`|`fade-left`|The transition-type prop accepts four possible values: fade-left, fade-right, fade-up, and fade-down. Each value specifies the direction in which the preloader will fade out of view. When the transition-type prop is not specified, the preloader will fade out of view towards the left.
|**transition-is-over**|`Event`|`/`|The event transition-is-over is fired when the transition is over and the component is no longer available in the DOM. It can be useful to create logic when the vue-loader should be re-rendered.
|**loading-is-over**|`Event`|`/`|The event loading-is-over is fired when the loading process is complete. This event can be useful to trigger other actions that depend on the completion of the loading process, such as displaying a success message or enabling certain user interactions.
## Vue2 Version
Version for Vue 2: [https://github.com/schnapsterdog/vue2-preloader](https://github.com/schnapsterdog/vue2-preloader)
<!-- CONTRIBUTING -->
## Contributing
Contributions are what make the open source community such an amazing place to learn, inspire, and create. Any contributions you make are **greatly appreciated**.
If you have a suggestion that would make this better, please fork the repo and create a pull request. You can also simply open an issue with the tag "enhancement".
Don't forget to give the project a star! Thanks again!
1. Fork the Project
2. Create your Feature Branch (`git checkout -b feature/AmazingFeature`)
3. Commit your Changes (`git commit -m 'Add some AmazingFeature'`)
4. Push to the Branch (`git push origin feature/AmazingFeature`)
5. Open a Pull Request
<!-- LICENSE -->
## License
Distributed under the MIT License. See `LICENSE.txt` for more information.
<!-- CONTACT -->
## Contact
Oliver Trajceski - [LinkedIn](https://mk.linkedin.com/in/oliver-trajceski-8a28b070) - oliver@akrinum.com
Project Link: [https://github.com/schnapsterdog/vue-preloader](https://github.com/schnapsterdog/vue-preloader)
<!-- ACKNOWLEDGMENTS -->
## Acknowledgments
Use this space to list resources you find helpful and would like to give credit to. I've included a few of my favorites to kick things off!
* [Choose an Open Source License](https://choosealicense.com)
* [Img Shields](https://shields.io)
* [GitHub Pages](https://pages.github.com)
<!-- MARKDOWN LINKS & IMAGES -->
<!-- https://www.markdownguide.org/basic-syntax/#reference-style-links -->
[contributors-shield]: https://img.shields.io/github/contributors/schnapsterdog/vue-preloader.svg?style=for-the-badge
[contributors-url]: https://github.com/schnapsterdog/vue-preloader/graphs/contributors
[downloads-shield]: https://img.shields.io/npm/dw/vue-preloader.svg?style=for-the-badge
[downloads-url]: https://www.npmjs.com/package/vue-preloader
[stars-shield]: https://img.shields.io/github/stars/vue-preloader.svg?style=for-the-badge
[stars-url]: https://github.com/schnapsterdog/vue-preloader/stargazers
[issues-shield]: https://img.shields.io/github/issues/schnapsterdog/vue-preloader.svg?style=for-the-badge
[issues-url]: https://github.com/schnapsterdog/vue-preloader/issues
[license-shield]: https://img.shields.io/github/license/schnapsterdog/vue-preloader.svg?style=for-the-badge
[license-url]: https://github.com/schnapsterdog/vue-preloader/blob/master/LICENSE.txt
[linkedin-shield]: https://img.shields.io/badge/-LinkedIn-black.svg?style=for-the-badge&logo=linkedin&colorB=555
[linkedin-url]: https://mk.linkedin.com/in/oliver-trajceski-8a28b070
[product-screenshot]: https://app.imgforce.com/images/user/bDm_1677186441_vue-preloader-seo.png
[Vue.js]: https://img.shields.io/badge/Vue.js-35495E?style=for-the-badge&logo=vuedotjs&logoColor=4FC08D
[Vue-url]: https://vuejs.org/ | Vue-Preloader is a versatile and easy-to-use Vue.js component that allows you to add loading animations to your Vue.js or Nuxt.js projects. It is compatible with both Vue 2 and Vue 3. | vue,vue3,vuejs,javascript,preloader | 2023-02-20T22:20:16Z | 2023-11-04T03:52:37Z | 2023-11-04T03:52:37Z | 1 | 14 | 31 | 0 | 0 | 29 | null | MIT | Vue |
eraydmrcoglu/reactjs-tours-travels-booking | master | null | MERN Stack Tours & Travels Booking Website Created with React JS | backend,css,frontend,javascript,mern-stack,mongodb,mongodb-atlas,mongodb-database,mongoose,nodejs | 2023-02-24T06:48:46Z | 2023-12-27T13:20:49Z | null | 1 | 0 | 2 | 0 | 14 | 29 | null | null | JavaScript |
prashantjagtap2909/Full-stack-web-development | main | # Full-stack-web-development [](https://hits.seeyoufarm.com)
My full stack web develpment journey.
Update everything which I learns ....
Handwritten notes
## [Front-end Development]()
### [Week 1]()
- [✅ Day 1 :- Working of web & Core internet technology](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%201/Day%201.pdf)
- [✅ Day 2 :- Introduction to HTML and CSS](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%202/Day%202.pdf)
- [✅ Day 3 :- UI Frameworks](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%203/Day%203.pdf)
- [✅ Day 4 :- Bootstrap bio page](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%204/Day%204.pdf)
### [Week 2 ]()
- [✅ Day 1 :- Introduction to javascript](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%205/Day%205.pdf)
- [✅ Day 2 :- Variable , operator and conditional statement in javascript](https://github.com/prashantjagtap2909/Full-stack-web-development/blob/main/Days/Day%206/Day%206.pdf)
- [✅ Day 3 :- Loops in javascript](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%207/Day%207.pdf)
- [✅ Day 4 :- Function, object, string and error handling in javascript](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%208/Day%208.pdf)
- [✅ Day 5 :- Functional programming and OOP ](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%209/Day%209.pdf)
- [✅ Day 6 :- Data structure and DOM in js ](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%210/Day%210.pdf)
- [✅ Day 7 :- Javascript testing frameworks and JEST ](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2011/Day%2011.pdf)
### [Week 3]()
- [✅ Day 1 :- Introduction to version control](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2012/Day%2012.pdf)
- [✅ Day 2 :- Types version control system](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2013/Day%2013.pdf)
- [✅ Day 3 :- Command line](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2014/Day%2014.pdf)
- [✅ Day 4 :- Redirections](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2015/Day%2015.pdf)
- [✅ Day 5 :- Introduction to git and github](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2016/Day%2016.pdf)
- [✅ Day 6 :- Git overflow , creating and clonning repository](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2017/Day%2017.pdf)
### [Week 4]()
- [✅ Day 1 :- Git blame, git diff](https://github.com/prashantjagtap2909/Full-stack-web-development/blob/main/Days/Day%2018/Day%2018.pdf)
- [✅ Day 2 :- Semantic tags in HTML](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2019/Day%2019.pdf)
- [✅ Day 3 :- Metadata](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2020/Day%2020.pdf)
- [✅ Day 4 :- Forms and validation](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2021/Day%2021.pdf)
### [Week 5]()
- [✅ Day 1 :- Video and audio tags, iframe](https://github.com/prashantjagtap2909/Full-stack-web-development/blob/main/Days/Day%2022/Day%2022/Day%2022.pdf)
- [✅ Day 2 :- Grid and flexbox](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2023/Day%2023.pdf)
- [✅ Day 3 :- Selectors](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2024/Day%2024.pdf)
- [✅ Day 4 :- Text effect and animation](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2025/Day%2025.pdf)
- [✅ Day 5 :- Common error and Developer tools](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2026/Day%2026.pdf)
### [Week 6]()
- [✅ Day 1 :- React introduction and components basics](https://github.com/prashantjagtap2909/Full-stack-web-development/blob/main/Days/Day%2028/Day%2028/Day%2028.pdf)
- [✅ Day 2 :- Creating component & folder structure](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2029/Day%2029.pdf)
- [✅ Day 3 :- React props and JSX](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2030/Day%2030.pdf)
- [✅ Day 4 :- React events](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2031/Day%2031.pdf)
- [✅ Day 5 :- React Data flow and basics of Hooks and States](https://github.com/prashantjagtap2909/Full-stack-web-development/blob/main/Days/Day%2032/Day%2032.pdf)
- [✅ Day 6 :- Managing States](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2033/Day%2033.pdf)
- [✅ Day 7 :- Navigation](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2034/Day%2034.pdf)
### [Week 7]()
- [✅ Day 1 :- Rendering list](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2036/Day%2036.pdf)
- [✅ Day 2 :- Controlled component](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2037/Day%2037,pdf)
- [✅ Day 3 :- Array destructuring and pure, impure function](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2038/Day%2038.pdf)
- [✅ Day 4 :- Rules of hooks and Fetch function](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2039/Day%2039.pdf)
- [✅ Day 5 :- useReducer and useRef hook](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2040/Day%2040.pdf)
- [✅ Day 6 :- JSX, Rest API, element and spread operator](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2041/Day%2041.pdf)
- [✅ Day 7 :- Higher order component](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2042/Day%2042.pdf)
### [Week 8]()
- [✅ Day 1 :- React testing library](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2043/Day%2043.pdf)
- [✅ Day 2 :- Introduction to UI](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2044/Day%2044.pdf)
- [✅ Day 3 :- Introduction to UX](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2045/Day%2045/Day%2045.pdf)
- [✅ Day 4 :- Design evaluation methods](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2046/Day%2046.pdf)
- [✅ Day 5 :- Components in UI design](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2047/Day%2047.pdf)
- [✅ Day 6 :- Grid system in design](https://github.com/prashantjagtap2909/Full-stack-web-development/blob/main/Days/Day%2048/Day%2048.pdf)
- [✅ Day 7 :- Usability testing](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2049/Day%2049.pdf)
### [Week 9]()
- [✅ Day 1 :- Introduction to design elements ](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2050/Day%2050.pdf)
- [✅ Day 2 :- Basics of UI kit and Atomic design](https://github.com/prashantjagtap2909/Full-stack-web-development/tree/main/Days/Day%2051/Day%2051.pdf)
- [✅ Day 3 :- React project - Little Lemon Restaurant](https://github.com/prashantjagtap2909/Little-Lemon )
## [Back-end development]()
| A handwritten notes of all the topics requires to become front-end web developer | css,css3,front-end-web-development,html,html-css-javascript,html5,javascript,notes,react,react-notes | 2023-02-10T15:34:12Z | 2024-05-12T04:22:29Z | 2023-05-22T16:01:05Z | 1 | 0 | 185 | 0 | 1 | 29 | null | null | null |
SchoolIzBoring/Unblocked-Websites | main |

# Unblocked Websites
Unblocked Websites is an Open Source tool Website for school that includes games, proxies, tools, and more
## Demo
schoolizboring.github.io/Unblocked-Websites/
## Authors
- [@SchoolIzBoring](https://github.com/SchoolIzBoring)
## License
[MIT](https://choosealicense.com/licenses/mit/)
| Website That Hosts Loads Of Websites Including Proxies, Games, Exploits, And Tools For School | games,html5,html5-games,javascript,javascript-game,unblocked-games,unblocked-websites,web-games | 2023-02-17T06:07:27Z | 2023-04-19T15:00:50Z | null | 1 | 1 | 158 | 4 | 187 | 28 | null | null | HTML |
maruffahmed/Delivery-management-system | main | 
# Delivery Management System
### [Demo](https://dpdms.up.railway.app/)
Demo credential
```
Merchant panel
email: maruffamd@gmail.com
password: 123456
Admin panel
URLpath: /admin
email: admin@gmail.com
password:123456
Package handler panel (Pickup man)
URLpath: /packagehandler
email: reyad@gmail.com
password:123456
Package handler panel (Delivery man)
URLpath: /packagehandler
email: tushar@gmail.com
password:123456
```
## Getting Started
This instruction will get you a copy of this project up and running on your local machine
### Prerequisites
You need [Node JS](https://nodejs.org) (v18.x.x) installed on your local machine.
### Installing ⚙️
Run the followning command to install all the packages:
```sh
npm run setup
```
#### Setup Environment Variable
Set the following environment variable to `backend` directory. Also, an example file is given with the name of `.env.example`:
```
PORT = 8000
DATABASE_URL = "mysql://root:password@localhost:3306/delivery"
JWT_SECRET = 'ANYTHING_YOU_LIKE'
BCRYPT_SALT_OR_ROUNDS = "10"
```
Set the following environment variable to `frontend` directory. Also, an example file is given with the name of `.env.example`:
```
SESSION_SECRET = "dearMj"
API_BASE_URL = "http://localhost:8000"
```
### Database Migration 💿
Run the followning command to migrate the prisma schema:
```sh
npm run prisma:migrate
```
You only have to run this for only one time at the beginning of project setup
#### Seed Database 🌱
Run the following command to seed your database with some preset dataset. It includes delivery area info (Division, Districs, Areas), Delivery zones, Parcel pricing (for 0.5KG, 1KG, 2KG, 3KG, 4KG, 5KG), Parcel products categories, Shop products categories, a default user and admin, etc.
```sh
cd backend
npm run seed
```
#### Run 🏃🏻♂️
By this command your app and server will be run concurrently
```sh
npm start
```
An server will be run at http://localhost:8000 <br/>
And frontend server will be run at http://localhost:3000
## Screenshots








## Built With 🏗️👷🏻
- [NodeJs](https://nodejs.org/en/) - Node.js® is an open-source, cross-platform JavaScript runtime environment.
- [NestJs](https://nestjs.com/) - A progressive Node.js framework for building efficient, reliable and scalable server-side applications.
- [Prisma](https://nestjs.com/) - Next-generation Node.js and TypeScript ORM
- [Remix](https://remix.run/) - Remix is a full stack web framework
- [Tailwind CSS](https://tailwindcss.com/) - A utility-first CSS framework packed with classes
- [Chakra UI](https://chakra-ui.com/) - Chakra UI is a simple, modular and accessible component library
## Credit
## Authors
- **Md Maruf Ahmed** - _Software Engineer_
| A open source Basic Delivery Management System. Build with Nest Js framework, Remix Js full stack JavaScript React framework, Tailwind CSS, Prisma ORM, and MySQL. | javascript,nestjs,nestjs-backend,nodejs,react,reactjs,remix,remix-run,tailwindcss,typescript | 2023-02-12T11:18:06Z | 2023-09-17T20:20:43Z | null | 1 | 0 | 103 | 0 | 10 | 26 | null | MIT | TypeScript |
younes-nb/chicko-frontend | master | # ChickoFrontend
## Backends
[Chikco Menu](https://github.com/oldcorvus/ChickoMenu)
[Chicko Chat](https://github.com/oldcorvus/ChickoChat)
## Build
```shell
docker-compose build
```
## Run
```shell
docker-compose up
```
Navigate to `http://localhost:4200/`.
| Digital menu QR code generator app | angular,digital-menu,html,javascript,ngrx,qrcode-generator,rxjs,scss,typescript,docker | 2023-02-14T16:21:29Z | 2023-07-28T08:03:39Z | null | 3 | 1 | 85 | 0 | 1 | 25 | null | null | HTML |
CarlosIgreda/Portfolio-setup-and-mobile-first | main | <a name="readme-top"></a>
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Prerequisites](#prerequisites)
- [Setup](#setup)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [📹 Loom Video](#loom-video)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
# 📖 Portfolio - mobile menu <a name="about-project"></a>
In this project, I have implemented Validation Contact Form. Also basic Javascript syntax, Javascript to manipulate DOM events, objects to store and access data, JavaScript events. My goal here is to master all of the tools and best practices I have learned about in previous steps. I will be using them in all Microverse projects and most likely in my future job as well, so it is important to know them!
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href="https://www.hostinger.com/tutorials/what-is-html">HTML</a></li>
<li><a href="https://www.hostinger.com/tutorials/what-is-css">CSS</a></li>
<li><a href="https://www.hostinger.com/tutorials/what-is-javascript">JAVASCRIPT</a></li>
</ul>
</details>
<details>
<summary>Server</summary>
<ul>
<li>N/A</li>
</ul>
</details>
<details>
<summary>Database</summary>
<ul>
<li>N/A</li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- **Follow a correct Gitflow**
- **Comply with linters**
- **Parse a Figma design to create a UI**
- **Grid layout**
- **Flexbox to place elements in the page**
- **Build a personal portfolio site movil version**
- **Use images and backgrounds, button interactions to enhance the look of the website**
- **Create forms with HTML5 validations**
- **Understand the importance of UX**
- **Collect data by using teh Formspree service**
- **create UIs adaptable to different screen sizes using media queries**
- **Accesisibility Checked**
- **DOM events with Javascript**
- **Javascript events**
- **Use objects to store and access data**
- **Process user input according to business rules**
- **Use client-side validation to catch and throw errors in the UI**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
- [Live Demo Link](https://carlosigreda.github.io/Portfolio-setup-and-mobile-first)
<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:
✅ Github account <br>
✅ Visual Studio Code installed <br>
✅ Node.js installed <br>
✅ Git Bash installed (optional)
### Setup
Clone this repository to your desired folder:
```sh
cd [my-folder]
git clone git@github.com:CarlosIgreda/Portfolio-setup-and-mobile-first.git
```
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
**Carlos Igreda**
- GitHub: [@CarlosIgreda](https://github.com/CarlosIgreda)
- Twitter: [@carlosigreda](https://twitter.com/carlosigreda)
- LinkedIn: [@carlosigreda](https://www.linkedin.com/in/carlosigreda)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **Forms validation with Javascript**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📹 Loom Video <a name="loom-video"></a>
- [Loom Video Link](https://www.loom.com/share/e7a91bdbbc324184b422750316361bf4)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
👤 **Larry Villegas**
- GitHub: [@LarryIVC](https://github.com/LarryIVC)
- Twitter: [@LarryVillegas](https://twitter.com/LarryVillegas)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/larry-villegas-26216b259/)
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](../../issues/).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
If you like this project you can follow me on Github.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
I would like to thank all Microverse staff and my learning partners as well.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ❓ FAQ <a name="faq"></a>
- **What is a Linter?**
- Linter is a tool that analyzes source code to flag programming errors, bugs, stylistic errors, and suspicious constructs.
- **What is meant by Gitflow?**
- Gitflow is an alternative Git branching model that involves the use of feature branches and multiple primary branches.
- **How to use flexbox?**
- The main idea behind the flex layout is to give the container the ability to alter its items’ width/height (and order) to best fill the available space (mostly to accommodate to all kind of display devices and screen sizes). A flex container expands items to fill available free space or shrinks them to prevent overflow.
- **What is grid layout?**
- CSS Grid Layout excels at dividing a page into major regions or defining the relationship in terms of size, position, and layer, between parts of a control built from HTML primitives.
- **What is hover effect?**
- Creating CSS link hover effects can add a bit of flair to an otherwise bland webpage. If you’ve ever found yourself stumped trying to make a slick hover effect, then I have six CSS effects for you to take and use for your next project.
- **What is form validation?**
- When you enter data, the browser and/or the web server will check to see that the data is in the correct format and within the constraints set by the application. Validation done in the browser is called client-side validation, while validation done on the server is called server-side validation. In this chapter we are focusing on client-side validation.
- **What is UX?**
- User experience (UX) design is the process design teams use to create products that provide meaningful and relevant experiences to users.
- **What is media query?**
- Media queries allow you to apply CSS styles depending on a device's general type (such as print vs. screen) or other characteristics such as screen resolution or browser viewport width.
- **What is accessibility?**
- Accessibility is essential for developers and organizations that want to create high quality websites and web tools, and not exclude people from using their products and services.
- **What is DOM?**
- The Document Object Model (DOM) is the data representation of the objects that comprise the structure and content of a document on the web.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| In this project, I will build a portfolio website from scratch for mobile and desktop version using HTML, CSS and JavaScript. | css,dom-manipulation,flexbox,grid-layout,html,javascript,media-queries | 2023-02-20T20:38:01Z | 2023-04-19T17:49:30Z | null | 5 | 10 | 100 | 0 | 0 | 25 | null | MIT | CSS |
bgwebagency/who-wants-to-be-a-javascriptaire | main | <div align="center">
<h1>Who Wants to be a JavaScriptaire?</h1>
Fun way to learn JavaScript for your Frontend/Web coding interviews. All the
questions are answered here in text and also have a video on our YouTube
channel. Click the ▶️ icon next to the questions if you prefer to watch the
video explanation.</span>
Feel free to reach us on our social platforms! 😊 <br />
<a href="https://discord.com/invite/62VR3MMCVm">Discord</a> ||
<a href="https://www.instagram.com/bgwebagency">Instagram</a> ||
<a href="https://www.twitter.com/kirankdash">Twitter</a> ||
<a href="https://www.tiktok.com/@bgwebagency">TikTok</a> ||
<a href="https://www.bgwebagency.in">Blog</a> ||
<a href="https://www.facebook.com/bgwebagency">Facebook</a>
🙏 Support
Please ⭐️ star this project and share it with others to show your support.
[Follow me](https://github.com/kirandash) ❤️ for updates on future projects and
tutorials!
---
</div>
## Table of Contents
[Language Basics](#1-what-will-this-code-output-%EF%B8%8F) -
[Arrays](#18-array-and-traversal-in-array-%EF%B8%8F) -
[Date and Time](#31-date-in-javascript) -
[Object Oriented JavaScript](#34-object-literals-in-javascript) -
[Modules](#40-javascript-modules-import-and-export-in-es6) -
[Miscellaneous](#misc-1-javascript-json-level-medium)
---
###### 1. What will this code output? [▶️](https://www.youtube.com/shorts/Uysa8_Aa5Sg)
```javascript
console.log(new Date(2023, 1, 31))
```
- A: `Tue Jan 31 2024`
- B: `Tue Jan 31 2023`
- C: `Fri Mar 03 2023`
- D: `Error`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: C
In JavaScript, while constructing dates using Date objects months are 0 based.
Which means 0 is for January and 1 is for February.
So, in this case we are asking JavaScript to set a date of 2023 February 31st
which does not exist.
But instead of throwing error JavaScript will overflow it to the next month
which is March.
And since February in 2023 has only 28 days, the code will overflow by 3 days
making the result to be 3rd March 2023.
</p>
</details>
---
###### 2. What will this code output? [▶️](https://www.youtube.com/shorts/s6khiRq6EoE)
```javascript
var username = 'kirandash'
var username = 'bgwebagency'
console.log(username)
```
- A: `bgwebagency`
- B: `kirandash`
- C: `ReferenceError`
- D: `SyntaxError`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
We can declare the same variable multiple times using the `var` keyword. And the
variable will hold the value which it was assigned in the end.
But we can not declare the same variable multiple times using `let` or `const`
</p>
</details>
---
###### 3. What will this code output? [▶️](https://www.youtube.com/shorts/l07LPzBQqTM)
```javascript
const user = {
username: 'kirandash',
updateUsername: newName => {
this.username = newName
},
}
user.updateUsername('bgwebagency')
console.log(user.username)
```
- A: `bgwebagency`
- B: `ReferenceError`
- C: `kirandash`
- D: `undefined`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: C
Because the `updateUsername` function is not working properly and is failing to
update the `username` of the `user`.
The `updateUsername` function in user `object` is an arrow function, and is not
bound to the `user` object.
So, the `this` keyword inside updateUsername function is not referring to the
`user` object, but refers to the global scope.
To fix this issue, we should change the arrow function to a normal function.
</p>
</details>
---
###### 4. What will this code output? [▶️](https://www.youtube.com/shorts/CL53e5FucAM)
```javascript
const len1 = 'kiran'.length
const len2 = '👻'.length
console.log(len1, len2)
```
- A: `5, 2`
- B: `5, 1`
- C: `5, undefined`
- D: `5, SyntaxError`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
In JavaScript, the string length property returns the number of bytes and not
the number of characters like we expect.
An emoji is a unicode character which is encoded in two bytes. Therefore the
answer is 2 for this question.
The string length for `kiran` returns `5` because in a string each character is
1 byte.
</p>
</details>
---
###### 5. Difference between undefined and null [▶️](https://www.youtube.com/shorts/tQwec4ELIg8)
```javascript
console.log(undefined == null, undefined === null)
```
- A: `true, true`
- B: `true, false`
- C: `false, false`
- D: `false, true`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
First let me explain the difference between equal and strict equal operator.
The equal operator only checks if both the values are equal. The strict equal
operator checks if both value and type are equal.
So in this code, the first statement `undefined == null` returns `true` since
both `undefined` and `null` have the same value which is empty.
But the second statement `undefined === null` returns `false`. Since
`typeof undefined` is `undefined`, whereas `typeof null` is an `object`.
You might be wondering, why `typeof null` is an `object` when `null` is
basically a primitive data type. This basically is a mistake in JavaScript since
the beginning.
Now, one more tip for you: when you want to set an empty value for a variable
use `null` instead of `undefined`. Since `undefined` is mainly used to check if
a variable has no value assigned to it.
</p>
</details>
---
###### 6. Rest Operator [▶️](https://www.youtube.com/shorts/7jLCMwhe2VA)
```javascript
function getFruits(x, ...multi, y) {
console.log(x, y, multi);
}
getFruits("🍎", "🍌", "🍇", "🍊", "🍍")
```
- A: `🍎 🍍 ["🍌", "🍇", "🍊"]`
- B: `SyntaxError`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
Rest operators were added as a part of ES6 feature.
It takes all the arguments passed to a function and puts it in an array.
If multiple arguments are passed to a function then rest operator must come at
the end. That's why this code snippet will throw an error.
To fix this issue, please move the rest operator to the end and then it should
work.
</p>
</details>
---
###### 7. Infinity and -Infinity [▶️](https://youtube.com/shorts/J3-ab21VMKA)
```javascript
let x = Number.NEGATIVE_INFINITY
let y = Number.POSITIVE_INFINITY
let z = x + y
console.log(z)
```
- A: `0`
- B: `undefined`
- C: `NaN`
- D: `TypeError`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: C
NEGATIVE_INFINITY and POSITIVE_INFINITY are properties of the Number object in
JavaScript that represents the mathematical concept of negative infinity and
positive infinity.
When you add Number.NEGATIVE_INFINITY and Number.POSITIVE_INFINITY, the result
is NaN.
Adding a positive infinite value to a negative infinite value does not result in
a meaningful numerical value.
So in this case, z will be NaN.
Note that the code will not throw a TypeError, as JavaScript is able to perform
the addition operation between Number.NEGATIVE_INFINITY and
Number.POSITIVE_INFINITY.
</p>
</details>
---
###### 8. isNaN() function [▶️](https://youtube.com/shorts/IyQ5Gr1jtQI)
```javascript
console.log('BG Web Agency' === NaN, isNaN('BG Web Agency'))
```
- A: `true, true`
- B: `false, true`
- C: `true, false`
- D: `false, false`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
Using ` === NaN` to check if a value is a number will not work.
In JavaScript, `NaN` (Not a Number) is a special value that represents an
invalid number.
NaN is not equal to anything, including itself, so the expression
`"BG Web Agency" === NaN` will always return `false`.
To check if a value is a number in JavaScript, you can use the `isNaN()`
function. This function returns `true` if the argument passed to it is `NaN`, or
if it cannot be converted to a number.
</p>
</details>
---
###### 9. isFinite() function [▶️](https://youtube.com/shorts/8P0VB4DQFWw)
```javascript
console.log(isFinite(Infinity), isNaN(Infinity))
```
- A: `false, false`
- B: `false, true`
- C: `true, false`
- D: `false, false`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The `isFinite()` function is used to determine whether a given value is a finite
number.
It returns false if the value is NaN, Infinity, or -Infinity, and true if the
value is a finite number.
So, in this example `isFinite(Infinity)` will return false because Infinity is
not a finite number.
On the other hand, the isNaN() function is used to determine whether a given
value is not a number (NaN).
It returns true if the value is NaN, and false if the value is a number or any
other data type.
So, in this example `isNaN(Infinity)` will also return false because Infinity is
not NaN.
Therefore always use `isFinite` function instead of `isNaN` function when you
want to validate if a number is finite
</p>
</details>
---
###### 10. Arrow function [▶️](https://youtube.com/shorts/P8zFS3w-wzw)
```javascript
const user = {
name: 'John',
age: 30,
getName: () => {
return this.name
},
getAge: function () {
return this.age
},
}
const getName = user.getName
const getAge = user.getAge
console.log(getName())
console.log(getAge())
```
- A: undefined, undefined
- B: undefined, 30
- C: SyntaxError
- D: John, 30
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The `getName` arrow function uses `this` keyword to refer to the object's name
property, but because arrow functions have a lexical `this` binding, the value
of `this` keyword inside the arrow function will be the global object which is
`window` in a browser, or `global` in Node.js.
Since there is no name property on the `global` object, the function returns
`undefined`.
The `getAge` function uses a regular function expression and correctly refers to
the age property of the `user` object using `this` keyword.
But when `getAge` is assigned to the `getAge` variable, it loses the reference
to the `user` object, so when the function is called using `getAge()`, this will
refer to the global object again, and since there is no age property on the
global object, the function returns undefined.
</p>
</details>
---
###### 11. Closure [▶️](https://youtube.com/shorts/PCc7icrQw8Y)
```javascript
for (var i = 0; i < 3; i++) {
setTimeout(function () {
console.log(i)
}, 0)
}
```
- A: 0, 1, 2
- B: 3, 3, 3
- C: undefined, undefined, undefined
- D: TypeError: console is not defined
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
A closure is a function that retains access to variables in its outer scope,
even after the outer function has returned.
In this example, the answer is B, because the setTimeout function is
asynchronous and does not execute immediately.
By the time the callback function passed to setTimeout is executed, the loop has
already completed and the i variable has a value of 3.
Therefore, each call to console.log(i) inside the callback function will
print 3.
To solve this problem and print 0, 1, 2, we can use an IIFE (Immediately Invoked
Function Expression) to create a new scope for each iteration of the loop.
This creates a new variable j inside each IIFE, with its own copy of the current
value of i at that iteration of the loop.
When the callback function passed to setTimeout is executed, it has access to
the j variable in its closure, which has the expected value of 0, 1, or 2 for
each iteration of the loop.
</p>
</details>
---
###### 12. Curry (Level: Hard) [▶️](https://youtu.be/KYIJVlbevkg)
```javascript
function add(x) {
return function (y) {
if (y !== undefined) {
x += y
return arguments.callee
} else {
return x
}
}
}
console.log(add(1)(2)(3)())
```
- A: 6
- B: undefined
- C: ReferenceError
- D: TypeError
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The correct answer is A. The code defines a add function that takes a single
argument x and returns another function that takes a single argument y.
This inner function checks if y is defined. If it is defined, it adds y to x and
returns a reference to itself using the arguments.callee property, which allows
the function to be called recursively with the next argument.
If y is not defined, it returns the current value of x.
Then, the code calls add(1)(2)(3)(). This first calls add(1) with 1 as its
argument, which returns a function that takes a single argument y.
Then, it calls this function with 2 as its argument, which adds 2 to 1 and
returns a reference to the function.
Finally, it calls this function with 3 as its argument, which adds 3 to 3 and
returns a reference to the function.
Since no argument is passed in the last call, it returns the current value of x,
which is 6.
This code demonstrates a more complex example of currying in JavaScript, where
the curried function returns a reference to itself, allowing it to be called
recursively with the next argument.
</p>
</details>
---
###### 13. Curry (Level: Easy) [▶️](https://youtu.be/0FLxIj0TRgU)
```javascript
function multiply(x) {
return function (y) {
return x * y
}
}
const double = multiply(2)
console.log(double(5))
```
- A: 25
- B: 10
- C: undefined
- D: An error will occur
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
The correct answer is B. The code defines a multiply function that takes a
single argument x and returns another function that takes a single argument y.
This inner function multiplies x and y and returns the result.
Then, the code creates a new function double by calling multiply with 2 as its
argument. The double function is now a curried function that can be called with
a single argument to double its value.
Finally, the code calls double with 5 as its argument, which results in 10 being
logged to the console.
This code demonstrates the concept of currying in JavaScript, where a function
returns another function that can be partially applied with some arguments.
</p>
</details>
---
###### 14. Iterables and Iterators (Level: Hard) [▶️](https://youtu.be/-yZ53Cmltg0)
Which of the following statements is true about the `next()` method of an
iterator in JavaScript?
- A: The next() method returns an object with properties value and done.
- B: The next() method returns a boolean value indicating whether there are more
items to iterate over.
- C: The next() method is used to define how to access the next item in the
iterable.
- D: The next() method is not used in JavaScript iterators.
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The correct answer is A.
In JavaScript, an iterable is an object that defines a sequence and can be
iterated over using a loop.
An iterator is an object that knows how to access the elements of an iterable
one at a time.
An iterable object has a method with the key `Symbol.iterator`, which returns an
iterator object.
The iterator object has a `next()` method, which returns an object with two
properties: `value`, which is the next element in the sequence, and `done`,
which is a boolean indicating whether the iterator has reached the end of the
sequence.
Iterables are commonly used in many real-time applications while working with
large datasets, or while implementing custom data structures
</p>
</details>
---
###### 15. Generator Functions [▶️](https://youtu.be/4fIKcIMo7w4)
```javascript
function* counter() {
let i = 0
while (true) {
yield i++
}
}
const gen = counter()
console.log(gen.next().value)
console.log(gen.next().value)
console.log(gen.next().value)
```
What does the above code snippet output?
- A: This code snippet will result in an infinite loop.
- B: 1 2 3
- C: 0 0 0
- D: 0 1 2
<details><summary><b>Answer</b></summary>
<p>
#### Answer: D
The correct answer is D.
The `counter` function is a generator function that creates an infinite loop
that yields incrementing values of `i`.
The `gen` variable is set to the generator function, and each call to
`gen.next()` returns an object with the value property set to the next yielded
value.
The `console.log` statements then print the values returned by `gen.next()`.
A generator function is a special type of function that can be used to control
the iteration over a sequence of values.
Unlike traditional functions, generator functions allow you to pause and resume
their execution, and yield multiple values over time.
</p>
</details>
---
###### 16. Garbage Collection, Mark and Sweep Algorithm [▶️](https://youtu.be/QCmqefzwWlg)
Which of the following scenarios could potentially cause a memory leak in
JavaScript?
- A: Using the Array.from() method to convert a large array into a new array.
- B: Creating a circular reference between two objects that are still in use.
- C: Assigning a value of null to a variable that is still in use.
- D: Calling the delete operator on an object property.
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
Circular references occur when two or more objects reference each other,
creating a loop that prevents the objects from being garbage collected.
This can cause a memory leak if the objects are no longer needed but cannot be
freed because of the circular reference.
Options A, C, and D do not typically cause memory leaks in JavaScript.
Garbage collection is the process of automatically freeing up memory that is no
longer being used by a program.
In JavaScript, the mark and sweep algorithm is commonly used for garbage
collection.
This algorithm works by first marking all objects in memory that are still being
referenced by the program, then sweeping through and freeing up any memory that
is not marked as in use.
</p>
</details>
---
###### 17. try, catch, finally [▶️](https://youtu.be/uPhf3OjPwSU)
```javascript
function getData() {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve('Data retrieved successfully')
}, 1000)
})
}
async function main() {
try {
const data = await getData()
console.log(data)
throw new Error('Something went wrong')
} catch (err) {
console.log('Caught an error:', err.message)
return 'Error occurred'
} finally {
console.log('Finally block executed.')
return 'Finally block value'
}
}
;(async () => {
console.log(await main())
})()
```
What does the above code snippet output?
- A: "Data retrieved successfully", "Caught an error: Something went wrong",
"Finally block executed."
- B: "Data retrieved successfully", "Caught an error: Something went wrong".
- C: "Data retrieved successfully", "Caught an error: Something went wrong",
"Finally block executed.", "Finally block value"
- D: "Caught an error: Something went wrong", "Finally block executed."
- E: "Finally block executed.", "Finally block value".
<details><summary><b>Answer</b></summary>
<p>
#### Answer: C
When the code is executed, the main() function is called, which is an async
function that uses await to get data from the `getData()` function.
Once the data is retrieved, the `console.log(data)` statement logs "Data
retrieved successfully" to the console.
After that, the `throw new Error("Something went wrong")` statement throws an
error.
The `catch` block catches the error and logs
`"Caught an error: Something went wrong"` to the console, and then returns the
string `"Error occurred"`.
Finally, the finally block is executed and logs `"Finally block executed."` to
the console, and then returns the string `"Finally block value"`.
When the `main()` function is called, it returns a promise because it is an
async function. Since the `finally` block also returns a value, that value will
be the final resolved value of the promise.
Therefore, when `console.log(main())` is called, `"Finally block executed."` and
`"Finally block value"` will be logged to the console.
Try, catch, and finally are keywords used in JavaScript to handle runtime
errors.
</p>
</details>
---
###### 18. Array and Traversal in array [▶️](https://youtu.be/Mefj0GDslts)
```javascript
const arr = [1, 2, 3, 4, 5];
let sum = 0;
for (let num of arr) {
sum += num;
if(sum >= 6) break;
}
console.log(sum);
const arr2 = [1, 2, 3, 4, 5];
let sum2 = 0;
arr.forEach((num) => {
sum2 += num;
if(sum2 >= 6) break;
});
console.log(sum2);
```
What does the above code snippet output?
- A: 6, 15
- B: SyntaxError: Illegal break statement
- C: 15, 15
- D: 15, 15
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
Because `break` statement is not valid inside the callback function passed to
`forEach`.
`forEach` does not support early termination using the `break` statement.
Therefore, an error is thrown:
`"Uncaught SyntaxError: Illegal break statement".`
In case of for of loop, `break` statement is allowed.
To fix the issue, remove the `break` statement from forEach and it should work.
In general, `for of` is recommended over `for in` or `forEach`
</p>
</details>
---
###### 19. Array Manipulation: Understanding array.push() Method in JavaScript [▶️](https://www.youtube.com/shorts/ZkaIxib4IxI)
```javascript
let arr = [1, 2, 3, 4]
let result = arr.push(5)
console.log('result: ', result, 'arr: ', arr)
```
What does the above code snippet output?
- A: result: 5 arr: [1, 2, 3, 4, 5]
- B: result: 5 arr: [5, 1, 2, 3, 4]
- C: result: [1, 2, 3, 4, 5] arr: [1, 2, 3, 4, 5]
- D: result: [5, 1, 2, 3, 4] arr: [5, 1, 2, 3, 4]
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The `array.push()` method in JavaScript adds one or more elements to the end of
an array and returns the new length of the array.
In the given code, `arr` is an array with the values `[1, 2, 3, 4]`. The
`push()` method is called with the argument 5, which adds `5` to the end of the
`arr` array.
The `push()` method returns the new length of the array after the addition of
the element(s). In this case, the new length of arr will be 5 because `5` is
added to the end of the array.
</p>
</details>
---
###### 20. Array Manipulation: Understanding array.unshift() Method in JavaScript
```javascript
let arr = [3, 5, 7, 9]
let result = arr.unshift(1, 2)
console.log('result: ', result, 'arr: ', arr)
```
What does the above code snippet output?
- A: result: 6 arr: [3, 5, 7, 9, 1, 2]
- B: result: 6 arr: [1, 2, 3, 5, 7, 9]
- C: result: 4 arr: [1, 2, 3, 5]
- D: result: [1, 2, 3, 5, 7, 9] arr: [1, 2, 3, 5, 7, 9]
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
The `array.unshift()` method in JavaScript adds one or more elements to the
beginning of an array and returns the new length of the array.
In the given code, `arr` is an array with the values `[3, 5, 7, 9]`. The
`unshift()` method is called with the arguments 1 and 2, which adds 1 and 2 to
the beginning of the `arr` array.
The `unshift()` method returns the new length of the array after the addition of
the element(s). In this case, the new length of `arr` will be 6 because 1 and 2
are added to the beginning of the array, shifting the existing elements to the
right.
</p>
</details>
---
###### 21. Array Manipulation: Understanding array.pop() Method in JavaScript
```javascript
const myArray = [1, 2, 3, 4, 5]
const poppedValue = myArray.pop()
console.log(poppedValue)
```
What does the above code snippet output?
- A: 1
- B: 5
- C: 'undefined'
- D: An error will occur
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
The `Array.pop()` method in JavaScript removes the last element from an array
and returns that element.
In this case, `myArray` is an array with elements `[1, 2, 3, 4, 5]`, and
`myArray.pop()` is called, which removes the element 5 from the array and
returns it.
</p>
</details>
---
###### 22. Array Manipulation: Understanding array.shift() Method in JavaScript
```javascript
const arr = [10, 20, 30, 40, 50]
const removedElement = arr.shift()
console.log('removedElement: ', removedElement, 'arr: ', arr)
```
What does the above code snippet output?
- A: removedElement: 10 arr: [20, 30, 40, 50]
- B: removedElement: 50 arr: [10, 20, 30, 40]
- C: removedElement: 10 arr: [10, 20, 30, 40, 50]
- D: removedElement: [20, 30, 40, 50] arr: [20, 30, 40, 50]
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The `Array.shift()` method removes the first element from the `arr` array, which
is `10`, and returns it. The resulting `arr` array will then be
`[20, 30, 40, 50]`.
So, option A is the correct answer as it reflects the correct value of
`removedElement` and the updated state of `arr` after `Array.shift()` is called.
Option B is incorrect as it states that `removedElement` will be 50, which is
not true. Option C is also incorrect as it state that `arr` remains unchanged,
which is not accurate. Option D is slightly confusing as it states that
`Array.shift()` returns the array, which is not true.
</p>
</details>
---
###### 23. Array Manipulation: Understanding array.splice() Method in JavaScript
```javascript
let arr = [1, 2, 3, 4, 5]
let removed = arr.splice(1, 2, 'a', 'b')
console.log('removed:', removed, 'arr: ', arr)
```
What does the above code snippet output?
- A: removed: [1, 2] arr: [a, b, 3, 4, 5]
- B: removed: [2, 3] arr: [1, 'a', 'b', 4, 5]
- C: removed: [2, 3, 'a', 'b'] arr: [1, 4, 5]
- D: removed: [1, 2] arr: [3, 4, 5]
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
The `Array.splice()` method is used to modify an array by adding, removing, or
replacing elements.
In this case, the code snippet uses `arr.splice(1, 2, 'a', 'b')`, which starts
from index 1 (removing 2 elements) and inserts the elements `a` and `b` in their
place. The elements that are removed (i.e., 2 and 3) are returned and assigned
to the variable removed. After execution, removed will be `[2, 3]` and `arr`
will be `[1, 'a', 'b', 4, 5]`. Option C is incorrect as it includes the inserted
elements in the removed array, which is not accurate. Option D is also incorrect
as it mentions the incorrect elements that are removed from the array.
</p>
</details>
---
###### 24. JavaScript Array Search Methods - Array.indexOf(), Array.lastIndexOf(), and Array.includes()
```javascript
const fruits = ['apple', 'banana', 'orange', 'grape', 'apple', 'kiwi']
const index = fruits.indexOf('orange')
const lastIndex = fruits.lastIndexOf('apple')
const result = fruits.includes('grape')
console.log('index: ', index, 'lastIndex: ', lastIndex, 'result: ', result)
```
What does the above code snippet output?
- A: index: 2, lastIndex: 4, result: true
- B: index: 3, lastIndex: 0, result: false
- C: index: 2, lastIndex: 4, result: false
- D: index: -1, lastIndex: 4, result: true
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The `Array.indexOf()` method searches for the index of the first occurrence of
the specified value in the array fruits. In this case, "orange" is found at
index 2, so `index` will be 2.
The `Array.lastIndexOf()` method searches for the index of the last occurrence
of the specified value in the array fruits. In this case, "apple" appears twice
in the array and its last occurrence is at index 4, so `lastIndex` will be 4.
On the other hand, the `Array.includes()` method checks if the specified value
"grape" exists in the array fruits, and since "grape" is present in the array,
`result` will be true.
</p>
</details>
---
###### 25. JavaScript Advanced Array Search Methods - Array.find(), Array.findIndex(), and Array.filter()
```javascript
function isDivisibleBy7(num) {
return num % 7 == 0
}
const nums = [28, 7, 3, 29, 15, 1, 2, 23]
const filterResult = nums.filter(isDivisibleBy7)
const findResult = nums.find(num => num < 10)
const findIndexResult = nums.findIndex(num => num / 2 == 14)
console.log(
'filterResult:',
filterResult,
'findResult:',
findResult,
'findIndexResult:',
findIndexResult,
)
```
What does the above code snippet output?
- A: filterResult: 28 findResult: 2 findIndexResult: 1
- B: filterResult: [28, 7] findResult: 2 findIndexResult: 28
- C: filterResult: 7 findResult: [1, 2, 3, 7] findIndexResult: 0
- D: filterResult: [28, 7] findResult: 7 findIndexResult: 0
<details><summary><b>Answer</b></summary>
<p>
#### Answer: D
The `Array.filter()` method returns an array containing all elements for which
the function passed to it returns true. In this case, the function
`isDivisibleBy7` returns true for any number that is divisible by 7. In the
`nums` array, 7 and 28 are divisible by 7, so `nums.filter(isDivisibleBy7)`
returns [28, 7].
The `Array.find()` method returns the first element in the array for which the
function passed to it returns true. In this case, the function passed to it
returns true for any number less than 10. There are multiple numbers in `nums`
that are less than 10, but since `Array.find()` only returns the first for which
it is true, `nums.find((num) => num < 10)` returns 7.
The `Array.findIndex()` method is similar to the `Array.find()` method, but
returns the index of the first element in the array for which the function
passed to it returns true, rather than the element itself. In this case, the
function passed to it returns true for 28, since the 28 / 2 == 14. 28 is in the
array `nums` and is at index 0, so `nums.find((num) => num / 2 == 14)`
returns 0.
</p>
</details>
---
###### 26. Array.map() Method in JavaScript
```javascript
const numbers = [1, 2, 3, 4, 5]
const doubledNumbers = numbers.map(num => num * 2)
console.log(doubledNumbers)
```
What does the above code snippet output?
- A: [1, 2, 3, 4, 5]
- B: [2, 4, 6, 8, 10]
- C: [2, 4, 6, 8, 10, 12]
- D: [1, 4, 9, 16, 25]
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
The `Array.map()` method in JavaScript creates a new array by applying a
provided function to each element of the original array.
In this case, the provided function `num => num * 2` multiplies each number in
the numbers array by 2, resulting in a new array `[2, 4, 6, 8, 10]`.
</p>
</details>
---
###### 27. Array.reduce() Method in JavaScript
```javascript
const numbers = [1, 2, 3, 4, 5]
const sum = numbers.reduce((acc, val) => acc + val)
console.log(sum)
```
What does the above code snippet output?
- A: 1
- B: 15
- C: NaN
- D: undefined
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
`Array.reduce()` takes an array and "reduces" it to a single value by repeatedly
applying a function to each element and keeping track of the accumulated result.
It's commonly used for tasks such as summing up an array of numbers, finding the
maximum value, or concatenating an array of strings into a single string.
In this case, the reduce() method takes a callback function that is executed for
each element of the array. The callback function takes two parameters, `acc` and
`val`, which represent the accumulator and the current value of the array,
respectively.
Inside the callback function, the current value of the array is added to the
accumulator and the result is returned. The `reduce()` method updates the value
of the accumulator with each iteration until it has iterated over all the
elements of the array.
Finally, the `reduce()` method returns the final value of the accumulator, which
is the sum of all the numbers in the array, that is 15.
</p>
</details>
---
###### 28. Array.reduceRight() Method in JavaScript
```javascript
const arr = [1, 2, 3, 4]
const result = arr.reduceRight((acc, curr) => acc + curr)
console.log(result)
```
What does the above code snippet output?
- A: 10
- B: 11
- C: 12
- D: 13
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The `reduceRight()` method is similar to the `reduce()` method, except that it
starts reducing the array from the rightmost element to the leftmost element.
The `reduceRight()` method applies a function against an accumulator and each
value of the array (from right-to-left) to reduce it to a single value.
In the given code snippet, the `arr` array contains the values `[1, 2, 3, 4]`.
The `reduceRight()` method is called on this array with a callback function that
adds the accumulator `acc` with the current element `curr`.
In the first iteration, the `curr` value will be `4`, and the acc value will be
`undefined`, since no initial value is provided. Therefore, the result of the
first iteration will be `4`.
In the second iteration, the `curr` value will be `3`, and the `acc` value will
be the result of the previous iteration, which is `4`. Therefore, the result of
the second iteration will be `7`.
In the third iteration, the `curr` value will be `2`, and the `acc` value will
be the result of the previous iteration, which is `7`. Therefore, the result of
the third iteration will be `9`.
In the fourth and final iteration, the `curr` value will be `1`, and the `acc`
value will be the result of the previous iteration, which is `9`. Therefore, the
result of the fourth iteration will be `10`.
Therefore, the final output of the code will be `10`. Hence, the correct option
is A.
</p>
</details>
---
###### 29. Array.sort() Method in JavaScript
```javascript
const arr = ['Centauri', 3.14159, 'canine', 11235, undefined]
const result = arr.sort()
console.log(result)
```
What does the above code snippet output?
- A: [ 3.14159, 11235, 'Centauri', 'canine', undefined ]
- B: [ undefined, 11235, 3.14159, 'Centauri', 'canine' ]
- C: [ 11235, 3.14159, 'canine', 'Centauri', undefined ]
- D: [ 11235, 3.14159, 'Centauri', 'canine', undefined ]
<details><summary><b>Answer</b></summary>
<p>
#### Answer: D
By default the `sort()` method sorts elements by character so 11235 comes before
3.14159 because 1 comes before 3.
Words and letters are sorted alphabetically by ASCII code so "Centauri" which
starts with an uppercase C (ASCII code 67) sorts before "canine" which starts
with a lowercase c (ASCII code 99).
Undefined elements always sort to the end of an array.
Thus, the final output of the code will be [ 11235, 3.14159, 'Centauri',
'canine', undefined ] which is option D.
</p>
</details>
---
###### 30. Destructuring an array in JavaScript
```javascript
let numbers = [1, 2, 3, undefined, 6, 7, 8, 9]
let [a, , b, c = 2, ...rest] = numbers
console.log(a, b, c, rest)
```
What does the above code snippet output?
- A. 1 undefined 2 [ 6, 7, 8, 9 ]
- B. 1 3 2 [ 6, 7, 8, 9 ]
- C. 1 undefined 3 [ 6, 7, 8, 9 ]
- D. 1 3 2 undefined
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
With Array Destructuring it is possible to unpack certain values from an array
into individual variables. The values we created in the left hand side
(`a, b, c, rest`) correspond to the values and the order of the array we
assigned in the right hand side (`numbers`).
- The variable `a` corresponds to the first element of the array, which is `1`.
- Since we did not specify a variable for the next value `2`, the value is not
taken into account in the evaluation and is skipped.
- The variable `b` corresponds to the third element of the array, which is `3`.
- It is possible to set default values for the variables if the element in the
array is `undefined`. Since the fourth element in the array is `undefined`,
the variable `c` has the default value `2`.
- With the spread operator (`...`) we can assign the remaining values of the
array to a variable. Since the values `[ 6, 7, 8, 9 ]` are the remaining
values of the array, they are assigned to the variable `rest`.
Therefore, the final result is: `1 3 2 [ 6, 7, 8, 9 ]`, which is option B.
</p>
</details>
---
###### 31. Date() in JavaScript
```javascript
const date1 = new Date()
const date2 = new Date('1995-12-17T05:10:00')
const date3 = new Date('1995-10-15T08:12:15+02:00')
console.log(date1, '', date2, '', date3)
```
What does the above code snippet output?
- A: current date, 1995-10-17T04:10:00.000Z, 1994-10-15T06:12:15.000Z
- B: current date, 1995-12-17T04:10:00.000Z, 1995-10-15T06:12:15.000Z
- C: current date, 1995-08-17T04:10:00.000Z, 1995-10-15T06:12:15.000Z
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
`new Date()` will return the current date and time followed by the two specified
dates in the format "YYYY-MM-DDTHH:MM:SS.sssZ", where "Z" represents the UTC
time zone offset.
`YYYY-MM-DDTHH:mm:ss.sssZ` is a format used to represent dates and times in the
ISO 8601 standard. It consists of the following components:
- `YYYY`: Four-digit year (0000 to 9999), or as an expanded year with + or -
followed by six digits. The sign is required for expanded years. -000000 is
explicitly disallowed as a valid year.
- `MM`: Two-digit month (01 = January, 02 = February, and so on). It defaults
to 01.
- `DD`: Two-digit day of the month (01 to 31)
- `T`: A separator indicating the start of the time component
- `HH`: Two-digit hour of the day in 24-hour format (00 to 23). As a special
case, 24:00:00 is allowed, and is interpreted as midnight at the beginning of
the next day. Defaults to 00.
- `mm`: Two-digit minute of the hour (00 to 59). Defaults to 00.
- `ss`: Two-digit second of the minute (00 to 59). Defaults to 00.
- `.sss`: Millisecond component (000 to 999). Defaults to 000.
- `Z`: A suffix indicating that the time is in UTC (Coordinated Universal Time),
with no offset. It can either be the literal character Z (indicating UTC),
or + or - followed by HH:mm, the offset in hours and minutes from UTC.
</p>
</details>
---
###### 32. Date methods in JavaScript
```javascript
const date = new Date('Mart 15, 1975 23:15:30')
date.setMinutes(10)
date.setUTCDate(5)
console.log(
'Minutes:' + date.getMinutes() + ',',
'',
'Year:' + date.getFullYear() + ',',
'',
'UTCDate:' + date.getUTCDate(),
)
```
What does the above code snippet output?
- A: Minutes:10, Year:1975, UTCDate:5
- B: Minutes:15, Year:1975, UTCDate:5
- C: Minutes:15, Year:1975, UTCDate:15
- D: Minutes:10, Year:1975, UTCDate:15
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The provided code creates a Date object initialized with the date and time of
"March 15, 1975 23:15:30".
Then, it modifies the minutes and UTC date of the date object using the
`setMinutes()` and `setUTCDate()` methods, respectively.
Finally, it logs the updated values of minutes, year, and UTC date using
`console.log()`.
After modifying the minutes to 10 using `setMinutes(10)`, the `getMinutes()`
method returns the updated value of 10.
After modifying the UTC date to 5 using `setUTCDate(5)`, the `getUTCDate()`
method returns the updated value of 5.
The `getFullYear()` method returns the unchanged year, which is 1975.
</p>
</details>
---
###### 33. Time Methods in Javascript
```javascript
const date1 = new Date('2023-5-1')
const next_us_election = new Date('2024-11-5')
const difference_in_time = next_us_election.getTime() - date1.getTime()
const difference_in_days = difference_in_time / (1000 * 3600 * 24)
console.log(parseInt(difference_in_days, 10) + ' Days')
```
What does the above code snippet output?
- A: 490 Days
- B: 554 Days
- C: 560 Days
- D: 530 Days
<details><summary><b>Answer</b></summary>
<p>
#### ANSWER: B
The code calculates the difference in days between the date "2023-5-1" and the
next US election date "2024-11-5". It uses the `Date` object to create two
dates: `date1` represents May 1, 2023, and `next_us_election` represents
November 5, 2024.
The `getTime()` method is used to get the time value in milliseconds for each
date. By subtracting the time value of `date1` from `next_us_election`, we get
the time difference in milliseconds.
To convert the time difference from milliseconds to days, we divide it by the
number of milliseconds in a day (1000 _ 3600 _ 24). The result is stored in the
variable `difference_in_days`.
Finally, the `parseInt()` function is used to convert the difference_in_days
value to an integer, and the result is logged to the console along with the
"Days" string. The output will be "554 Days".
</p>
</details>
---
###### 34. Object Literals in Javascript
```javascript
let person = {
name: 'John',
age: 30,
hobbies: ['reading', 'traveling', 'cooking'],
address: {
street: '123 Main St',
city: 'New York',
state: 'NY',
},
sayHello: function () {
console.log('Hello, my name is ' + this.name)
},
}
console.log(person.name)
console.log(person.hobbies[1])
console.log(person.address.city)
person.sayHello()
```
What does the above code snippet output?
- A: John, traveling, New York, Hello my name is John
- B: John, cooking, New York, Hello my name is John
- C: John, reading, New York, Hello my name is John
- D: John, traveling, New York, NY
<details><summary><b>Answer</b></summary>
<p>
#### ANSWER: A
The code defines an object literal `person` with properties such as `name`,
`age`, `hobbies`, and `address`, and a method `sayHello`.
The `console.log()` statements print the value of `name`, the second element of
the `hobbies` array (which is "traveling"), and the value of the `city` property
in the `address` object (which is "New York").
Finally, the method `sayHello` is called on the `person` object using dot
notation, which outputs the string "Hello, my name is John" to the console.
</p>
</details>
---
###### 35. this Object
```javascript
function User(username) {
this.username = username
this.updateUsername = newName => {
this.username = newName
}
}
const user1 = new User('kirandash')
const user2 = new User('bgwebagency')
user1.updateUsername('kirandash-website')
user2.updateUsername('bgwebagency-app')
console.log(user1.username, user2.username)
```
What does the above code snippet output?
- A:"kirandash bgwebagency"
- B:"kirandash-website bgwebagency-app"
- C:"kirandash kirandash"
- D:"bgwebagency-app bgwebagency-app"
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
The code defines a constructor function `User` that creates `user` objects with
a `username` property and an `updateUsername` method. Two `user` objects,
`user1` and `user2`, are created with initial usernames 'kirandash' and
'bgwebagency' respectively.
The `updateUsername` method is called on both `user1` and `user2` objects to
update their usernames. `user1`'s username is updated to 'kirandash-website',
and `user2`'s username is updated to 'bgwebagency-app'.
Finally, the code logs the concatenation of `user1.username` and
`user2.username`, which results in the output 'kirandash-website
bgwebagency-app'.
</p>
</details>
---
###### 36. call(), apply() and bind() Functions Of Javascript
```javascript
function greet(name) {
console.log(`Hello, ${name}! Welcome to ${this.location}.`)
}
const person = {
location: 'New York',
}
greet.call(person, 'John')
greet.apply(person, ['Alex'])
const greetPerson = greet.bind(person)
greetPerson('Thomas')
```
What does the above code snippet output?
- A: Hello, Thomas! Welcome to New York , Hello, Alex! Welcome to New York ,
Hello, Alex! Welcome to New York.
- B: Hello, John! Welcome to New York , Hello, Alex! Welcome to New York ,
Hello, Thomas! Welcome to New York.
- C: Hello, Alex! Welcome to New York , Hello, Thomas! Welcome to New York ,
Hello, John! Welcome to New York.
- D: None Of The Above
<details><summary><b>Answer</b></summary>
<p>
#### ANSWER: B
The `call` function is used to invoke the `greet` function with the `person`
object as the context (the value of `this`) and `'John'` as the argument.
The `apply` function is used to invoke the `greet` function with the `person`
object as the context (the value of `this`) and an array ['Alex'] as the
arguments.
The `bind` function is used to create a new function `greetPerson` with the
`person` object as the bound context (the value of `this`).
In summary, the code demonstrates how `call`, `apply`, and `bind` can be used to
invoke a function with a specific context and arguments
</p>
</details>
---
###### 37. class, class expression and static members
```javascript
class Animal {
constructor(name) {
this.name = name
}
static makeSound() {
console.log('Generic animal sound')
}
sayName() {
console.log(`My name is ${this.name}`)
}
}
const a1 = new Animal('Lion')
const a2 = new Animal('Time')
Animal.makeSound()
a1.makeSound()
a2.makeSound()
```
What does the above code snippet output?
- A. "Generic animal sound", "TypeError", "TypeError"
- B. "Generic animal sound", "Generic animal sound", "Generic animal sound"
- C. "TypeError", "TypeError", "TypeError"
- D. "TypeError", "Generic animal sound", "Generic animal sound"
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
The static method `makeSound()` is defined on the `Animal` class, and is
accessible directly through the class itself, i.e., `Animal.makeSound()`. This
will output `"Generic animal sound"` to the console.
However, when we try to call `makeSound()` on an instance of the Animal class
`(a1.makeSound() and a2.makeSound())`, we get a TypeError, because static
methods can only be accessed through the class itself and not through its
instances.
</p>
</details>
---
###### 38. for Inheritance, Subclassing and Extending built in class (Level: Hard)
```javascript
function Animal(name) {
this.name = name
}
Animal.prototype.eat = function () {
console.log(this.name + ' is eating.')
}
function Dog(name) {
Animal.call(this, name)
}
Dog.prototype = Object.create(Animal.prototype)
Dog.prototype.constructor = Dog
Dog.prototype.bark = function () {
console.log(this.name + ' is barking.')
}
function CustomArray() {
Array.call(this)
}
CustomArray.prototype = Object.create(Array.prototype)
CustomArray.prototype.constructor = CustomArray
CustomArray.prototype.sum = function () {
return this.reduce((acc, val) => acc + val, 0)
}
var dog = new Dog('Buddy')
dog.eat()
dog.bark()
var numbers = new CustomArray()
numbers.push(1, 2, 3, 4, 5)
console.log(numbers.sum())
```
What will be the output of the following code
- A: Buddy is eating Buddy is barking 15
- B: Buddy is eating Buddy is eating 12
- C: Buddy is barking Buddy is eating 9
- D: Buddy is barking Buddy is barking 10
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
Explanation: In this example, we have a base class called `Animal` that defines a constructor and an `eat()` method. The subclass `Dog` extends the `Animal` class and adds its own constructor, `bark()` method, and a specific property `breed`.
Furthermore, we extend the built-in `Array` class using the `class` syntax to
create a `CustomArray` class. The `CustomArray` class adds a custom method
called `sum()` that calculates the sum of the array elements.
In the usage section, we create an instance of `Dog` named `dog` with the name
"Buddy" . We can call the inherited `eat()` method from the `Animal` class, the
`bark()` method defined in the `Dog` class.
Additionally, we create an instance of `CustomArray` called `numbers` and add
some numbers to it. We can call the custom `sum()` method, which is added to the
built-in `Array` class through subclassing.
This example showcases inheritance, subclassing, and extending a built-in class
in JavaScript, illustrating how classes can be extended and customized to add
additional functionality.
</p>
</details>
---
###### 39. Destructuring Object Literal
```javascript
const person = {
name: 'John',
age: 30,
city: 'New York',
}
const { name, age, city } = person
console.log(name)
console.log(age)
console.log(city)
```
What will be the output of the following code
- A: John 30 New York
- B: John 30 John
- C: New York 30 John
- D: None of the above
<details><summary><b>Answer</b></summary>
<p>
#### Answer: A
In the code above, we have an object literal called `person` with properties `name`, `age`, and `city`. We then use object destructuring to extract those properties into separate variables (`name`, `age`, and `city`). After destructuring, we can use these variables to access the corresponding values from the object.
</p>
</details>
---
###### 40. JavaScript Modules, Import, and Export in ES6
Consider the following code snippet:
```javascript
// module.mjs
export const PI = 3.14159
export function calculateArea(radius) {
return PI * radius * radius
}
export default function calculateCircumference(radius) {
return 2 * PI * radius
}
// script.mjs
import calculateCircumference, { PI, calculateArea } from './module.mjs'
console.log(PI) // Output: ________
console.log(calculateArea(5)) // Output: ________
console.log(calculateCircumference(5)) // Output: ________
```
What will be the output of the console.log statements in the code above?
Options:
- A. Output: `3.14159`, `78.53975`, `31.4159`
- B. Output: `3.14159`, `78.53975`, `62.8318`
- C. Output: `3.14159`, `78.53975`, `NaN`
- D. Output: `3.14159`, `NaN`, `62.8318`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B
The `module.js` file exports three entities:
1. `PI` is a named export, exported using the `export` keyword.
2. `calculateArea` is a named export, exported using the `export` keyword.
3. `calculateCircumference` is the default export, exported using the
`export default` syntax.
In the `main.js` file, we import `PI` and `calculateArea` as named exports using
the destructuring assignment syntax. We also import `calculateCircumference` as
the default export. The import statements reference the `module.js` file using
the relative file path `./module.js`.
The outputs of the `console.log` statements will be:
- `console.log(PI)` will output `3.14159` since we imported the named export
`PI`.
- `console.log(calculateArea(5))` will output `78.53975` since we imported the
named export `calculateArea` and called the function with a radius of 5.
- `console.log(calculateCircumference(5))` will output `62.8318` since we
imported the default export `calculateCircumference` and called the function
with a radius of 5.
</p>
</details>
---
###### 41. Named Import and Export
Consider the following code snippet:
```javascript
// foo.js
function foo() {
console.log(`Foo`)
}
export { foo }
```
What is the correct Syntax to import the function `foo`?
Options:
- A. `import foo from "./foo"`
- B. `import foo as FooFunction from "./foo"`
- C. `import { foo } from "./foo"`
- D. `import { foo } from "./bar"`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: C
Named exports are imported into different files with braces and must be imported
with the name of the object, function or variable that was exported. In this
example, a function with the name `foo` is exported from the file `foo.js`.
Accordingly, the correct expression is: `import { foo } from "./foo"`.
</p>
</details>
---
###### 42. Default Import Export (Level: Medium)
In JavaScript, when importing a default export from a module, which syntax
correctly assigns an alias "myAlias" to the default import?
- A: import default as myAlias from 'module';
- B: import myAlias from 'module';
- C: import { default as myAlias } from 'module';
- D: Both option B and C
<details><summary><b>Answer</b></summary>
<p>
#### Answer: D: Both option B and C.
Explanation: Both option B and C are valid syntaxes for importing a default export from a module and assigning it an alias. The difference between the two syntaxes is that option B does not use the { default as myAlias } syntax. This means that the default export will be imported under the name myAlias, rather than the name default.
Here is an example of how to use the option B syntax:{import myAlias from 'module';},This will import the default export from the module module and assign it the name myAlias. You can then use the myAlias variable to access the default export from the module module.
Here is an example of how to use the option C syntax:{import { default as myAlias } from 'module';},This will import the default export from the module module and assign it the alias myAlias. You can then use the myAlias alias to access the default export from the module module.
The choice of which syntax to use is up to you. The option B syntax is simpler,
but it can lead to collisions if there is already a variable named myAlias in
the current scope. The option C syntax is more verbose, but it avoids
collisions.
</p>
</details>
---
###### Misc 1. JavaScript JSON (Level: Medium)
Which method is used to convert a JavaScript object to a JSON string while
preserving data types like Dates and RegEx?
- A: `JSON.stringify()`
- B: `JSON.stringify()` with a custom replacer function
- C: `JSON.toTypedString()`
- D: There is no built-in method; you need to manually convert data types before
using `JSON.stringify()`
<details><summary><b>Answer</b></summary>
<p>
#### Answer: B `JSON.stringify()` with a custom replacer function.
Explanation: The `JSON.stringify()` method can be used to convert a JavaScript
object to a `JSON` string. However, by default, it will not preserve data types
like `Dates` and `RegEx`. To preserve these data types, you can use a custom
replacer function. The replacer function takes an object as input and returns a
new object with the modified values.
The code below would show you how to use a custom replacer function to preserve
data types:
</p>
```js
function replacer(key, value) {
if (typeof value === 'Date') {
return value.toJSON()
} else if (typeof value === 'RegExp') {
return value.toString()
} else {
return value
}
}
const object = {
date: new Date(),
regex: /some regex/,
}
const jsonString = JSON.stringify(object, replacer)
```
</details>
---
| JavaScript multiple choice questions with answers and video explanation to help you with Frontend/Web coding interviews | contributions-welcome,good-first-issue,help-wanted,javascript,open-source,opensource,frontend-interview,frontend-interview-questions,javascript-interview-questions | 2023-02-18T17:07:01Z | 2023-07-31T04:43:01Z | null | 12 | 31 | 94 | 3 | 13 | 25 | null | MIT | JavaScript |
ocni-dtu/epdx | main | # EPDx
EPDx is a library for parsing EPD files into a common exchange format.
The library is written in Rust, to allow for cross-language package distribution.
Currently, we support Javascript/Typescript, Python and Rust.
EPDx is part of a larger project of making life cycle assessments more accessible and transparent to building
professionals.
Read more about our [overall goal](https://github.com/ocni-dtu/life-cycle-formats)
## ILCD+EPD
The ILCD+EPD format is a digital format for EPDs.
Provided in either XML or JSON.
Initially EPDs were provided as PDFs.
That is not very convenient for automation processes and requires large amounts of manual work to process.
The ILCD (International Life Cycle Data System) is a data format developed by the European Commission to give LCA
practitioners a common digital format for life cycle assessments.
In order to integrate EPD specific information (e.g. scenarios, modules, type of data), extensions were added to the
ILCD format. The resulting format got named ILCD+EPD format.
The ECO Platform and Ökobau uses the format to store and expose EPDs through
the [soda4LCA](https://bitbucket.org/okusche/soda4lca/src/7.x-branch/) API.
The API makes it possible for everyone to search and download tons of EPDs to be used free of charge.
The ILCD+EPD format is a node based format. It means that each EPD consists of several layers of nodes that contain
different information.
The first node contains a summary of the EPD, with references to the nodes.
By drilling down the tree of nodes, you have access to more and more specific information, such as EPD manufacturer,
functional unit(s), etc.
Read more about ILCD at the [European Platform on Life Cycle Assessment](https://eplca.jrc.ec.europa.eu/)
# Documentation
EPDx can have available packages for Javascript, Python and Rust.
To get started head over to our [documentation](https://epdx.kongsgaard.eu).
## Install NPM Package
```bash
npm install epdx
```
## Install Python Package
```bash
pip install epdx
```
## Install Rust Crate
```bash
cargo add epdx
```
# Contribute
## Install Rust
Head over to Rust's installation [page](https://www.rust-lang.org/tools/install)
## Run Tests
```bash
cargo test --package epdx --target x86_64-unknown-linux-gnu
```
## Run Python Tests
```bash
maturin develop --extras tests --target x86_64-unknown-linux-gnu
source .venv/bin/activate .
cd packages/python
pytest tests/
```
## Build Documentation
```bash
maturin develop --extras doc,codegen --target x86_64-unknown-linux-gnu
mkdocs develop
```
## Build JS Package
```bash
wasm-pack build --features jsbindings
mv pkg/epdx* packages/javascript/src
``` | ILCD parser for Javascript and Python, written in Rust | javascript,python,rust,sustainability | 2023-02-22T20:23:32Z | 2024-04-01T19:09:42Z | 2024-04-01T19:09:42Z | 2 | 8 | 122 | 7 | 2 | 24 | null | Apache-2.0 | Rust |
alexz006/ChatGPT-Example | main | # ChatGPT PHP Example
A simple example of using the `GPT-3 API`, `GPT-3.5-turbo API`, and the unofficial API from `chat.openai.com (GPT-3.5 and GPT-4)`.
This example displays a chat in the browser where you can choose a GPT model. If you selected "chat.openai.com", you can specify a chatID, and support for communicating with the AI in dialogue mode will also be available.

## Usage
To use the official API (GPT-3 and GPT-3.5-turbo), add [OPENAI_API_KEY](https://platform.openai.com/account/api-keys) in the `openai_chat_api.php` file.
Additionally, to use the unofficial API from the [chat.openai.com/chat](https://chat.openai.com/chat) page (GPT-3.5 and GPT-4), add `ACCESS_TOKEN` and `COOKIE_PUID` (only available for ChatGPT Plus users).
#### ACCESS_TOKEN:
Go to the page https://chat.openai.com/api/auth/session and copy the `accessToken`

#### COOKIE_PUID:
Go to the page https://chat.openai.com/chat, open the `DevTools` in your browser (`F12`) and copy the cookie `_puid=user-...`

| Example of a ChatGPT on PHP and JS: GPT-3, GPT-3.5 and GPT-4 (chat.openai.com) | chatgpt-api,html,php,javascript,chatgpt,openai | 2023-02-19T22:05:23Z | 2023-03-17T12:30:20Z | null | 1 | 0 | 50 | 6 | 8 | 24 | null | null | PHP |
ImKennyYip/flappy-bird | master | # [Flappy Bird](https://youtu.be/jj5ADM2uywg)
- Coding Tutorial: https://youtu.be/jj5ADM2uywg
- Demo: https://imkennyyip.github.io/flappy-bird/
In this tutorial, you will learn to create the flappy bird game with html, css, and javascript. Specifically, you will learn how to code the game using html5 canvas.
Throughout the tutorial, you will learn how to create the game loop, add images onto the canvas, add click handlers to make the flappy bird jump, randomly generate pipes and move them across the screen, detect collisions between the flappy bird and each pipe, and add a running score.

| Coding Tutorial: https://youtu.be/jj5ADM2uywg | css,flappy-bird,flappy-bird-clone,flappy-bird-game,flappy-bird-game-code,flappy-bird-js,flappybird,flappybird-style-game,html,javascript | 2023-02-19T17:57:54Z | 2023-02-19T18:16:39Z | null | 1 | 2 | 4 | 0 | 50 | 24 | null | null | JavaScript |
sarvalabs/js-moi-sdk | main | 
[latestrelease]: https://github.com/sarvalabs/js-moi-sdk/releases/latest
[issueslink]: https://github.com/sarvalabs/js-moi-sdk/issues
[pullslink]: https://github.com/sarvalabs/js-moi-sdk/pulls
[pkgdocs]: https://docs.moi.technology/docs/build/packages/js-moi-sdk
[][pkgdocs]
[](https://npmjs.com/js-moi-sdk)

[][latestrelease]
[][issueslink]
[][pullslink]

# js-moi-sdk
**js-moi-sdk** is a Javascript/Typescript implementation of a feature-rich library designed to seamlessly interact with the MOI Protocol and its extensive ecosystem. It provides a convenient interface for interacting with the MOI protocol, allowing developers to create, sign, and send interactions, retrieve account balances, access interaction history, and more.
## Installation
Install the latest [release](https://github.com/sarvalabs/js-moi-sdk/releases) using the following command.
```sh
npm install js-moi-sdk
```
## Usage
```javascript
import { JsonRpcProvider } from "js-moi-sdk";
(async() => {
const provider = new JsonRpcProvider("http://localhost:1600");
const address = "0xf350520ebca8c09efa19f2ed13012ceb70b2e710241748f4ac11bd4a9b43949b";
const tesseract = await provider.getTesseract(address, true);
console.log(tesseract);
})()
// Output:
/*
{
"header": {
"address": "0xf350520ebca8c09efa19f2ed13012ceb70b2e710241748f4ac11bd4a9b43949b",
"prev_hash": "0x034e75e7d8b2910004e70d6d45157166e87fb1d47485248edf8919108179307e",
"height": "0x1",
"fuel_used": "0x64",
"fuel_limit": "0x3e8",
...
},
"body": {
"state_hash": "0x82543da922babd1c32b4856edd44a4bf5881edc3714cfe90b6d1576e00164aee",
"context_hash": "0xa1058908a4db1594632be49790b24211cd4920a0f27b3d2b876808f910b3e320",
"interaction_hash": "0x8aab5bc0817393d2ea163482c13ccc0f8f3e01cef0c889b8b3cffb51e4d76894",
"receipt_hash": "0x3e35a1f481df15da518ef6821f7b6f340f74f4f9c3f3eb30b15944ffea144f75",
...
},
"ixns": [
{
"type": 3,
"nonce": "0x0",
"sender": "0xf350520ebca8c09efa19f2ed13012ceb70b2e710241748f4ac11bd4a9b43949b",
"receiver": "0x0000000000000000000000000000000000000000000000000000000000000000",
"payer": "0x0000000000000000000000000000000000000000000000000000000000000000",
...
"hash": "0x7750a0f1c848e05f1e52204e464af0d9d2f06470117e9187bb3643216c4c4ee9"
}
],
"seal": "0x0460afdac7733765afa6410e58ebe0d69d484dfe021fba989438c51c69c078d6677446f179176681f005c0d755979bf81c090e02fdf8544bc618463e86c2778b7764b90c813f58a5965a47c5572bcf5784743e4c6c425e4bfa0f18b043e9aff21183",
"hash": "0xd343a7336df38590b47e5b20cb65940f463c358a08cded7af7cd6cde63a5575f"
}
*/
```
## Sub Packages
The **js-moi-sdk** package consists of several sub-packages, each offering independent functionality that can be utilized separately to enhance your development experience.
- [js-moi-constants](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-constants) This package includes common constants used within the js-moi-sdk ecosystem. These constants provide predefined values for various aspects of MOI, making it easier to work with the protocol.
- [js-moi-providers](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-providers) This package enables you to connect to MOI nodes and retrieve blockchain data, such as account balances and interaction history. It provides an interface for interacting with the MOI protocol and fetching information from the network.
- [js-moi-signer](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-signer) This package represents an MOI account with the ability to sign interactions and messages for cryptographic proof. It provides the necessary tools to sign interactions securely and authenticate interactions on the MOI network.
- [js-moi-bip39](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-bip39) This package offers the features necessary for generating and handling mnemonic phrases in accordance with the BIP39 standard.
- [js-moi-hdnode](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-hdnode) This package represents a Hierarchical Deterministic (HD) Node for cryptographic key generation and derivation. It allows you to generate and manage keys within a hierarchical structure, providing enhanced security and flexibility.
- [js-moi-wallet](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-wallet) This package represents a Hierarchical Deterministic Wallet capable of signing interactions and managing accounts. It provides a convenient interface for managing multiple accounts, generating keys, and securely signing interactions.
- [js-moi-manifest](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-manifest) This package encodes and decodes data according to the MOI Manifest specification, facilitating interaction with logic objects. It simplifies the process of encoding and decoding data structures, making it easier to work with MOI logic objects.
- [js-moi-logic](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-logic) This package simplifies interaction with MOI logic objects by offering deployment, interaction, and querying capabilities. It provides a higher-level interface for working with MOI logic, allowing you to deploy logic objects, send interactions, and retrieve results.
- [js-moi-utils](https://github.com/sarvalabs/js-moi-sdk/tree/main/packages/js-moi-utils) This package offers a comprehensive set of tools and functions to enhance development with MOI. It provides utility functions that simplify common tasks, making your development experience smoother and more efficient.
## Contributing
Unless you explicitly state otherwise, any contribution intentionally submitted
for inclusion in the work by you, as defined in the Apache-2.0 license, shall be
dual licensed as below, without any additional terms or conditions.
## License
© 2023 Sarva Labs Inc. & MOI Protocol Developers.
This project is licensed under either of
- [Apache License, Version 2.0](https://www.apache.org/licenses/LICENSE-2.0) ([`LICENSE-APACHE`](LICENSE-APACHE))
- [MIT license](https://opensource.org/licenses/MIT) ([`LICENSE-MIT`](LICENSE-MIT))
at your option.
The [SPDX](https://spdx.dev) license identifier for this project is `MIT OR Apache-2.0`.
| JavaScript library to interact with MOI Protocol via RPC API | javascript,moi,sdk,web3,blockchain | 2023-02-15T05:19:48Z | 2024-04-29T22:43:52Z | 2024-04-29T22:43:52Z | 17 | 43 | 166 | 1 | 0 | 24 | null | Apache-2.0 | TypeScript |
xml-wizard/huetiful | main | 
[](https://github.com/xml-wizard/huetiful/actions/workflows/deploy-docs.yml)
[](https://github.com/xml-wizard/huetiful/actions/workflows/release-please.yml)


[](https://bundlephobia.com/package/huetiful-js)
[](https://twitter.com/deantarisai)
[huetiful-js](www.huetiful-js.com) is a **small** (~10kB) & **fast** library for color manipulation written in JavaScript.
It is function oriented and borrows a lot of its features from color theory but tries to hide away the science from the developer.
The library aims to parse colors from as many types as possible allowing freedom to define our color tokens as we see fit as well as parse colors from other source. For instance, methods such as the HTML `Canvas` API's `getImageData()` method. The collection methods try to be as generic as possible by treating `ArrayLike` and `Map`-like objects as valid color collections so long as the values are parseable color tokens.
It uses [Culori](https://culorijs.org/api/) under the hood which provides access to low level functions for color conversions and other necessary bells and whistles that this library depends on. It works both in Node and the browser.
### Features
- [Filtering collections of colors](https://huetiful-js.com/api/filterBy) by using the values of their properties as ranges. For example `distance` against a comparison color and `luminance`.
- [Sorting collections of colors](https://huetiful-js.com/api/sortBy) by their properties. For example using `saturation` or `hue` in either descending or ascending order
- [Creating custom palettes and color scales](https://huetiful-js.com/api/generators)
- [Manipulating individual color tokens](https://huetiful-js.com/api/utils) for example setting and querying properties as well as querying their properties i.e chromaticity.
- [Calculating values of central tendency and other statistical values](https://huetiful-js.com/api/stats) from collections of colors
- [Wrapping collections of colors/individual color tokens](https://huetiful-js.com/api/wrappers) similar to Lodash's `_.chain` utility allowing method chaining before returning our final output.
- [Color maps for Colorbrewer, TailwindCSS and CSS named colors](https://huetiful-js.com/api/colors)
- [Converting colors across different types](https://huetiful-js.com/api/converterters) including numbers, strings (all CSS parseable string represantations of color), plain objects, arrays and even boolean values
## Installation
### Using a package manager
> Note that the library is ESM and UMD only.
Assuming you already have Node already installed, you can add the package using npm/yarn or any other Node based package manager:
```bash
npm i huetiful-js
```
Or:
```bash
yarn add huetiful-js
```
### In the browser and via CDNs
You can use also a CDN in this example, jsdelivr to load the library remotely:
```js
import {...} from 'https://cdn.jsdelivr.net/npm/huetiful-js/lib/huetiful.esm.js'
```
Or load the library as a UMD glabal (`huetiful`) in your HTML file using a `<script>` tag:
```html
# With script tag
<script src='https://cdn.jsdelivr.net/npm/huetiful-js/dist/huetiful.umd.js'></script>
```
## Quickstart
[See the Quickstart here](https://huetiful-js.com/quickstart)
## Community
[See the discussions](https://github.com/xml-wizard/huetiful/discussions) and just say hi, or share a coding meme (whatever breaks the ice🏔️)
## Contributing
This project is fully open source! Contributions of any kind are greatly appreciated! See🔍 the [contributing page on the documentation site](https://huetiful-js.com/contributing) file for more information on how to get started.
### References
This project is a result of open source resources from many places all over the Internet.
[See some of the references here](https://huetiful-js.com/references)
<pre>
License ⚖️
© 2024, <a href="https://deantarisai.me">Dean Tarisai</a> & <a href="https://github.com/xml-wizard">xml-wizard contributors</a>
Released under the <a href="http://www.apache.org/licenses/LICENSE-2.0">Apache 2.0</a> license.</h5>
🧪 & 🔬 with 🥃 in Crowhill,ZW</pre>
| Function oriented library for color manipulation 🧪 | color,javascript,lch,color-vision-deficiency,tailwindcss,color-schemes,data-visualization,generative-art,generators,algorithmic-art | 2023-02-20T00:05:22Z | 2024-05-09T00:30:56Z | 2024-04-08T12:26:36Z | 8 | 92 | 400 | 7 | 5 | 23 | null | Apache-2.0 | JavaScript |
ab-noori/SalsalDevGroup | main | <a name="readme-top"></a>

> # Salsal Developers Group Website
| Desktop version representation|
|---------------------------------------|
||
||
||
||
| Mobile version representation |
|---------------------------------------|
|<div align="center"><img src="./images/project-shoots/mobile1.PNG" alt="logo" width="300" height="580"/><img src="./images/project-shoots/mobile3.PNG" alt="logo" width="300" height="580"/><img src="./images/project-shoots/mobile2.PNG" alt="logo" width="300" height="580"/><img src="./images/project-shoots/mobile4.PNG" alt="logo" width="300" height="580"/></div>|
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
# 📖 [SalsalDevGroup] <a name="about-project"></a>
> **[SalsalDevGroup Website]** is a project to showcase the Salsal Developers group's recent projects. It will maintain the information and history of the group's recent projects, the brave biography of each developer, and the link to recent projects. it will also provide the context for receiving proposals and contacting the clients in its future features.
**[SalsalDevGroup Website]** is developed using HTML, CSS, and JavaScript technologies.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
- <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>
</ul>
### Key Features <a name="key-features"></a>
- **[Responsive layout]**
- **[UX/UI accessibility]**
- **[Dynamic data]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
> - [Live Demo on Gh-pages](https://ab-noori.github.io/SalsalDevGroup/)
> - [Live Demo on Render](https://salsaldevgroup.onrender.com)
> - [Introduction to the project](https://www.loom.com/share/abd300bec7be47d784b3e9f6af64eab7)
<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:
- A browser of you choice.
- A text editor of your choice.
- An installed node.js on your local system
### Setup
Clone this repository to your desired folder:
- Use the following Commands:
cd your-desired-folder
git clone git@github.com:ab-noori/SalsalDevGroup.git
### Install
Install this project with:
- You can deploy this projec on hosting provider of your choise or you can deploy it on github pages.
### Usage
- To show history and information about SDG group
- To represent the most recent projects.
- To maitain connection with clients.
### Run tests
- Run the following script and style test:
npx hint .
npx hint . --fix
npx eslint .
npx eslint . --fix
npx stylelint "**/*.{css,scss}"
npx stylelint "**/*.{css,scss}" --fix
### Deployment
You can deploy this project using:
- Free deployment services like GitHub pages.
- Any deployment services of your choice.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Abdul Ali Noori**
- GitHub: [@ab-noori](https://github.com/ab-noori)
- Twitter: [@AbdulAliNoori4](https://twitter.com/AbdulAliNoori4)
- LinkedIn: [abdul-ali-noori](https://www.linkedin.com/in/abdul-ali-noori-384b85195/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[Add news section]**
- [ ] **[Add sponsership section]**
<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/ab-noori/SalsalDevGroup/issues).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
If you like this project, give it 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 and my coding partners, and also give credit to Cindy Shin, the original author of the design.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ❓ FAQ (OPTIONAL) <a name="faq"></a>
- **How to make it mobile friendly?**
- Put a viewport tag in the header
- **How to design the site?**
- Draw a mockup before start to code
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| SalsalDevGroup Website is a platform to showcase the Salsal Developers group recent projects, maintain the information and history of the group recent projects, the short biography of each developer, and the link to recent projects. it will also provide the context for receiving proposals and contacting the clients in its future features. | css-flexbox,css-grid,css3,html5,javascript | 2023-02-13T06:44:03Z | 2023-12-30T20:30:26Z | null | 2 | 2 | 62 | 1 | 1 | 23 | null | MIT | CSS |
Doofenshmirtz-Evil-Incorp/Fuelish | main | # Fuelish
Fuelish is a simple web application that helps you to check the fuel prices of your state. With Fuelish, you can easily compare the fuel prices of different states and save money on fuel expenses.
## Table of Contents
- [Fuelish](#fuelish)
- [Table of Contents](#table-of-contents)
- [Features](#features)
- [Screenshots](#screenshots)
- [Technologies Used](#technologies-used)
- [Usage](#usage)
- [Installation](#installation)
- [Contributing](#contributing)
- [Author](#author)
- [Contributors](#contributors)
- [License](#license)
## Features
- Displays the latest fuel prices of your state.
- Displays the petrol and diesel price and the daily changes so you can avoid overpaying for fuel.
- Finds out the lowest price within 50-kms radius.
- Directs you to the nearest petrol pump.
- Live Location! (Don't need to explain)
## Screenshots



## Technologies Used
Fuelish is built with the following technologies:
- HTML, because it's the foundation of the web.
- CSS, because we don't want our app to look like it's from the 90s.
- JavaScript, because we want to make our app interactive.
- OpenMaps API, because we want to show you your location.
- Vercel for deployment.
## Usage
To use Fuelish, follow these steps:
1. Open the dropdown menu, and select your state and district.
2. Fuelish will display the petrol and diesel prices of your location.
## Installation
To install Fuelish, follow these steps:
1. Clone the repository: git clone https://github.com/Doofenshmirtz-Evil-Incorp/Fuelish
2. Navigate to the project directory: cd Fuelish
3. Open index.html in your web browser.
## Contributing
We welcome contributions from the community, especially if you're willing to bribe us with fuel. To contribute to Fuelish, follow these steps:
1. Fork the repository.
2. Create a new branch: git checkout -b my-feature-branch
3. Make your changes and commit them: git commit -am 'Add some feature'
4. Push to the branch: git push origin my-feature-branch
5. Submit a pull request, and we'll consider it (as long as it's not just a request to add a feature that tells jokes).
**Important**: Please do not ask for assignment before creating a pull request. We encourage you to directly create a pull request for your contributions.
## Author
Fuelish was created by [Aryaman Srivastava](https://github.com/actuallyaryaman) and joined by [Asvin Jain](https://github.com/asvin1), two fuel-saving ninjas who believe that the only thing better than a full tank of gas is a full tank of gas that didn't break the bank. If you have any questions or feedback, you can reach out to us at We promise to respond faster than a V8 engine revving up!
## Contributors
The current awesome state of Fuelish is a result of combine efforts from some of the few awesome people
<a href="https://github.com/Doofenshmirtz-Evil-Incorp/Fuelish/graphs/contributors">
<img src="https://contrib.rocks/image?repo=Doofenshmirtz-Evil-Incorp/Fuelish" />
</a>
## License
Fuelish is licensed under the GNU V3 License. See the [LICENSE](LICENSE.md) file for details. This license ensures that if you become a millionaire because of the money you saved using Fuelish, you'll still have to give us credit for it.
##

| Check your fuel before you wreck your wallet with Fuelish! | good-first-issue,css,fuel-prices,html,javascript | 2023-02-20T09:12:17Z | 2024-02-11T03:38:24Z | null | 5 | 37 | 148 | 8 | 16 | 23 | null | GPL-3.0 | JavaScript |
sudharsanan123/Front-End-Projects | master | # Front-End-Projects
created Html,Css,Javascript
| Front_end_projects for beginners | css,html,javascript,front-end-development,frontend | 2023-02-20T13:00:48Z | 2023-06-22T15:51:25Z | null | 1 | 2 | 7 | 0 | 0 | 22 | null | null | HTML |
BH-Tec/dio-desafios-bootcamps | main | null | Desafios em C#, Java, JavaScript, Kotlin, Python dos Bootcamps da Digital Innovation One. | csharp,java,javascript,kotlin,python,dio,php,ruby | 2023-02-10T10:07:27Z | 2024-01-30T18:26:41Z | null | 1 | 0 | 185 | 1 | 13 | 22 | null | MIT | Java |
python019/vertical-menu-hover-animation-js | main | <div align="center">
# Vertical Menu Hover Animation | Crimson
<img src="admin/base.png">
### by <a href="https://github.com/python019">SUBUX</a>
</div> | Vertical Menu Hover Animation | Crimson | javascript,jquery,jquery-ui,subux,crimson,made-in-uzbekistan | 2023-02-12T15:01:56Z | 2023-02-21T18:23:43Z | null | 1 | 0 | 3 | 0 | 1 | 21 | null | null | JavaScript |
Kamran1819G/Algopedia | main | # Algopedia - Largest Algorithm Library 📚

## How to Contribute ? 🤝
If you would like to contribute to Algopedia, please see the [contribution guidelines](CONTRIBUTING.md) for more information.
## Data Structure & Algorithms 📈
### What is Data Structure?
A data structure is a way to store and organize data in memory in order to facilitate access and modifications. In Algopedia, we cover a range of data structures, including:
- Array
- Linked List
- Stack
- Queue
For each data structure, we provide a brief overview of what it is and how it works, as well as code examples to help you get started.
### What is Algorithms?
An algorithm is a collection of steps to solve a particular problem. In Algopedia, we cover a range of algorithms, including:
- Searching Algorithms (e.g. Linear Search, Binary Search)
- Sorting Algorithms (e.g. Bubble Sort, Selection Sort, Insertion Sort, Quick Sort, Merge Sort, Shell Sort)
For each algorithm, we provide a brief overview of what it is and how it works, as well as code examples to help you get started.
### **Characteristics of a Data Structure**
When evaluating a data structure, there are a few key characteristics to consider:
- **Correctness** − Data structure implementation should implement its interface correctly.
- **Time Complexity** − Running time or the execution time of operations of data structure must be as small as possible
- **Space Complexity** − Memory usage of a data structure operation should be as little as possible.
## Index 📃
- ### [Data Structures](./DataStructures)
- [Array](./DataStructures/Notes/Array.md)
- [Multi-Dimensional array](./DataStructures/Notes/Multi-DimensionalArray.md)
- [2D-Array](./DataStructures/Notes/2D-Array.md)
- [3D-Array](./DataStructures/Notes/3D-Array.md)
- [Linked List](./DataStructures/Notes/LinkedList.md)
- [Singly Linked List](./DataStructures/Notes/SinglyLinkedList.md)
- [Doubly Linked List](./DataStructures/Notes/DoublyLinkedList.md)
- [Circular Linked List]()
- [Stack](./DataStructures/Notes/Stack.md)
- [Queue](./DataStructures/Notes/Queue.md)
- ### [Algorithms](./Algorithms)
- [Searching Algorithms](./Algorithms/Searches/)
- [Linear Search](./Algorithms/Searches/Notes/LinearSearch.md)
- [Binary Search](./Algorithms/Searches/Notes/BinarySearch.md)
- [Sorting Algorithms](./Algorithms/Sorts/)
- [Bubble Sort](./Algorithms/Sorts/Notes/BubbleSort.md)
- [Selection Sort](./Algorithms/Sorts/Notes/SelectionSort.md)
- [Insertion Sort](./Algorithms/Sorts/Notes/InsertionSort.md)
- [Quick Sort](./Algorithms/Sorts/Notes/QuickSort.md)
- [Merge Sort](./Algorithms/Sorts/Notes/MergeSort.md)
- [Shell Sort](./Algorithms/Sorts/Notes/ShellSort.md)
| Learn about Data-structures and Algorithms 📈 in different programming languages | computer-science,algorithms,algorithms-and-data-structures,data-structures,dsa,library,programming,collaborate,github,student-vscode | 2023-02-23T14:11:42Z | 2023-10-28T18:03:27Z | null | 9 | 24 | 111 | 3 | 12 | 20 | null | GPL-3.0 | JavaScript |
Inna-Mykytiuk/Ocean | main | ####
If you are passionate about saving our planet's oceans, then you won't want to miss this informative and visually stunning website! Using a combination of HTML, JavaScript, SASS, and parallax scrolling effects, the site provides a comprehensive look at why ocean conservation is so crucial for the health of our planet.
##
Not only is the site aesthetically pleasing with its use of parallax scrolling and captivating imagery, but it is also highly functional and fully responsive on all devices. This means that whether you are browsing on a desktop, laptop, tablet, or mobile device, you will be able to access all of the site's content and features with ease.
##
However, please note that media files may display incorrectly on iPhones. Despite this, the site's message is clear and urgent: we must take action to protect our oceans before it's too late. So if you're ready to learn more about why ocean conservation is so critical, be sure to visit this powerful website today!
##


####
| Using a combination of HTML, JavaScript, SASS, and parallax scrolling effects, the site provides a comprehensive look at why ocean conservation is so crucial for the health of our planet. | blurred,cards,effect,html5,javascript,parallax,sass,smooth-scrolling,simplelightboxgallery,music-buttons | 2023-02-12T11:40:06Z | 2023-03-16T10:05:04Z | null | 1 | 0 | 208 | 0 | 1 | 20 | null | null | SCSS |
python019/paris-landing-template | main | <div align="center">
# Paris Landing Page Template | Crimson
<img src="admin/base.png">
### by <a href="https://github.com/python019">SUBUX</a>
</div> | Paris Landing Page Template | Crimson | html,javascript,responsive-web-design,subux,crimsonweb | 2023-02-12T15:01:44Z | 2023-02-14T03:52:07Z | null | 1 | 0 | 2 | 0 | 1 | 20 | null | null | JavaScript |
nicejade/chatgpt.nicelinks.site | master | <p align="center">
<a href="https://chatgpt.nicelinks.site/" target="_blank">
<img width="100"src="https://chatgpt.nicelinks.site/logo.svg">
</a>
</p>
<h1 align="center">素问智聊斋</h1>
<div align="center">
<strong>
<a href="https://chatgpt.nicelinks.site/">素问智聊斋</a>,非官方 ChatGPT 在线客户端,旨在提供更便捷的 ChatGPT 访问体验;它基于非官方 <a href="https://github.com/transitive-bullshit/chatgpt-api">ChatGPT API</a>、<a href="https://nicelinks.site/post/62a9c2ad90509e23cea772c0">Svelte</a>、<a href="https://nicelinks.site/post/5fd20cb4c06d6302c1907ec7">TailwindCSS</a>、<a href="https://nicelinks.site/post/6010e1b10c71de1fb957b64e">Vite</a> 和 NodeJS 所搭建,无需账号,零配置,即可与 ChatGPT 畅聊;支持自定义 OPENAI API KEY。
</strong>
</div>
## 目标与哲学
[OpenAI](https://nicelinks.site/post/6391e22878b7a1291995ff86) 于 2022 年 11 月推出的超级对话模型 **ChatGPT**, 受到来自世界各地的认可和赞誉,令人印象深刻。然而,由于一些原因,如果没有正确搭建相应的环境(🪜),ChatGPT 在中国地区就无法正常使用。鉴于此,搭建了这个服务,以便用户能够方便地使用 ChatGPT。当然,条件允许您可前往 OpenAI 官网上注册、登录、申请专属 `API KEY`。此外,为了保障用户的数据安全,本服务的操作过程中不会存储任何使用者的数据,因此可以放心使用(备注:这段介绍有使用本服务加以润色)。
## 访问地址
在线地址:[素问智聊斋](https://chatgpt.nicelinks.site/)。
## 先决条件
说明用户在安装和使用前,需要准备的一些先决条件,譬如:您需要安装或升级 [Node.js](https://nodejs.org/en/)(> = `16.*`),[pnpm](https://nicelinks.site/post/62989af00f40a860b1599de2)、[Yarn](https://www.jeffjade.com/2017/12/30/135-npm-vs-yarn-detial-memo/) 作为首选)。
## 如何开发
```
# clone project
git clone https://github.com/nicejade/chatgpt.nicelinks.site.git
# install & run for client
cd client && pnpm i && pnpm start
# install & run for srever
cd server && pnpm i && pnpm start
```
## 执照
[MIT](http://opensource.org/licenses/MIT)
版权所有 (c) 2023-至今,[倾城之链](https://nicelinks.site)。
| 素问智聊斋,非官方 ChatGPT 在线客户端,旨在提供更便捷的 ChatGPT 访问体验;它基于非官方 ChatGPT API、Svelte、TailwindCSS、Vite 和 NodeJS 所搭建;无需账号,零配置,即可与 ChatGPT 畅聊;支持自定义 OPENAI API KEY。 | chatgpt,javascript,svlete,tailwindcss,typescript,pnpm,tsx,vite | 2023-02-21T15:19:10Z | 2023-04-07T16:33:29Z | null | 1 | 0 | 61 | 0 | 3 | 20 | null | null | Svelte |
John-Weeks-Dev/netflix-clone | master | # Netflix Clone (netflix-clone) / TV Version
### Learn how to build this!
If you'd like a step by step guide on how to build this just **CLICK THE IMAGE BELOW**
[](https://www.youtube.com/watch?v=PYz021FzZhg)
Come and check out my YOUTUBE channel for lots more tutorials -> https://www.youtube.com/@johnweeksdev
**LIKE**, **SUBSCRIBE**, and **SMASH THE NOTIFICATION BELL**!!!
## App Setup
```
git clone https://github.com/John-Weeks-Dev/netflix-clone.git
npm i
npm run dev
```
You should be good to go!
# Application Images
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/220828412-0f8da047-7130-45b7-93ef-7f3ed6dd03dc.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/220828423-16651149-2595-4288-b982-6449512ee15b.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/220828439-993d5c03-c330-44ef-bc66-8a43c1028b5f.png">
| This is a Netflix Clone (TV Version) made with Vite, Vue 3, Tailwind CSS, and Pinia | javascript,netflix,netflix-clone,tailwind,tailwindcss,tiktok-clone,vite,vue,vue-carousel,vue3 | 2023-02-23T05:28:57Z | 2023-02-26T05:59:05Z | null | 1 | 0 | 4 | 0 | 10 | 20 | null | null | Vue |
Shubh2-0/Shubh2-0.github.io | main | # Portfolio Website
This personal portfolio website, constructed with HTML, CSS, and JavaScript, serves as a dedicated platform to exhibit the work and projects of a developer. With a visually appealing homepage, visitors are immediately drawn in and introduced to the site's various sections. The projects section takes center stage, showcasing a collection of the developer's impressive work, including video presentations for backend projects. These videos provide an immersive experience, offering insights into the developer's technical skills and project implementation.
Additionally, the website features a contact form, allowing visitors to connect with the creator by submitting their basic details such as name, phone number, email, and a message. This functionality enables seamless communication, fostering engagement and interaction between the creator and potential clients or collaborators.
With its clean and professional design, the portfolio website effectively showcases the developer's talent and potential in the field of web development. The primary objective is to captivate visitors, encouraging them to explore the projects and facilitating connections for inquiries, collaborations, or general messages.
<a href="https://shubh2-0.github.io/" target="_blank">**Visit Now** 🌐🖇️</a>
### <h1 align="center">Website Preview 💻</h1>
#### Home Section
<img src="ReadmeImg/home.png" width="900">
#### About Section
<img src="ReadmeImg/about.png" width="900">
#### Skills Section
<img src="ReadmeImg/skills.png" width="900">
#### GitHub Section
<img src="ReadmeImg/contribution.png" width="900">
#### Projects Section
<img src="ReadmeImg/project.png" width="900">
#### Contact Section
<img src="ReadmeImg/contact.png" width="900">
:star: Star me on GitHub — it helps!
## Features 📋
- **Fully Responsive:** The portfolio is designed to be responsive, ensuring a seamless experience across different devices and screen sizes.
- **Valid HTML5 & CSS3:** The codebase adheres to the latest HTML5 and CSS3 standards, ensuring clean and efficient code.
- **User can Download Resume:** Visitors have the option to download your resume directly from the portfolio website.
- **Typing Animation using `Typed.js`:** The homepage showcases a typing animation effect created using the `Typed.js` library, adding a dynamic element to the design.
- **Easy to Modify:** The code is well-organized and easy to understand, allowing you to customize and personalize the portfolio to your liking.
- **User can Connect on Different Platforms:** The portfolio provides links to various platforms where visitors can connect with you, such as LinkedIn, GitHub, and more.
## Installation & Deployment 📦
- Clone the repository and modify the content of <b>index.html</b>
- Add or remove images from `assets/img/` directory as per your requirement.
- Update the info of `projects` folder according to your need
- Use [Github Pages](https://create-react-app.dev/docs/deployment/#github-pages) to create your own website.
- To deploy your website, first you need to create github repository with name `<your-github-username>.github.io` and push the generated code to the `master` branch.
## Sections 📚
The portfolio is divided into the following sections:
👤 **About**
Introduce yourself and share your background, skills, and interests.
🚀 **Projects**
Showcase your projects, providing details and showcasing your work.
🔧 **Skills**
Highlight your technical skills and competencies.
📄 **Resume**
Allow visitors to download your resume in a convenient format.
📞 **Contact Info**
Provide various ways for visitors to get in touch with you, such as social media profiles or email.
Feel free to customize and add more information to each section based on your specific portfolio and preferences. 😄
## Tools Used 🛠️
<img src="Assets/images/Skills/html.png" alt="skill" width="50" /> <img src="Assets/images/Skills/css.png" alt="skill" width="50" /> <img src="Assets/images/Skills/js.png" alt="skill" width="50" /> <img src="Assets/images/Skills/github.png" alt="skill" width="50" /> <img src="Assets/images/Skills/vscode.png" alt="skill" width="50" /> <img src="ReadmeImg/elasticmail.png" alt="skill" width="50" />
<img src="ReadmeImg/Smtpsrvr.png" alt="skill" width="50" />
<br>
To contribute to the project, follow these steps:
1. 🍴 Fork the repository on GitHub by visiting the following link: [https://github.com/Shubh2-0/Shubh2-0.github.io.git](https://github.com/Shubh2-0/Shubh2-0.github.io.git).
2. 🔽 Clone the forked repository to your local machine using the following command:
```
git clone https://github.com/Shubh2-0/Shubh2-0.github.io.git
```
3. 🛠️ Make your desired changes and enhancements to the project.
4. ✅ Commit and push your changes to your forked repository.
5. 🔄 Create a new pull request from your forked repository to the main repository.
6. ⏳ Be patient and wait for the maintainers to review and merge your pull request.
Thank you for your valuable contribution! 🙌
<a href="https://shubh2-0.github.io/" target="_blank">**Visit Now** 🚀</a>
## 📬 Contact
If you want to contact me, you can reach me through below handles.
<p align="left">
<a href="https://www.linkedin.com/in/shubham-bhati-787319213/" target="_blank"><img align="center" src="https://skillicons.dev/icons?i=linkedin" width="40px" alt="linkedin" /></a> 
<a title="shubhambhati226@gmail.com" href="mailto:shubhambhati226@gmail.com" target="_blank"><img align="center" src="https://cdn-icons-png.flaticon.com/128/888/888853.png" width="40px" alt="mail-me" /></a> 
<a href="https://wa.me/+916232133187" target="blank"><img align="center" src="https://media2.giphy.com/media/Q8I2fYA773h5wmQQcR/giphy.gif" width="40px" alt="whatsapp-me" /></a> 
</p>
| This personal portfolio website, built using HTML, CSS, and JavaScript, includes home, projects, about, and contact sections. Projects are presented with descriptions to highlight the creator's work. | backgroundvideo,css,font-awesome,github,html,javascript,responsive-layout,responsive-web-design,vscode,css3 | 2023-02-21T15:21:42Z | 2024-05-22T09:23:58Z | null | 1 | 1 | 93 | 0 | 0 | 20 | null | null | CSS |
themesberg/tailwind-symfony-starter | main | # Symfony starter project with Tailwind CSS and Flowbite
This is a free and open-source starter project with a fresh install of Symfony, Tailwind CSS and Flowbite. The full guide for this repository can be viewed on the [Flowbite Documentation](https://flowbite.com/docs/getting-started/symfony/) website.
## Getting started
1. Run `composer install` and `npm install` to set up project dependencies.
2. Run `npm run watch` to start the Webpack front-end bundler to compile styles and JavaScript.
3. Run `symfony server:start` to create a local development server.
## License
This project is open-source under the MIT license. | Free and open-source starter kit for Symfony (PHP), Tailwind CSS and Flowbite | css,flowbite,javascript,php,postcss,symfony,tailwind,tailwind-css,tailwindcss,webpack | 2023-02-21T09:17:40Z | 2023-04-10T11:00:03Z | null | 2 | 0 | 4 | 0 | 3 | 19 | null | MIT | Twig |
sdsds222/HTML-ChatGPT-3.js | master | # ChatGPT.js
ChatGPT-3.5.js聊天界面项目更新,使用官方最新版 GPT-3.5 turbo api 实现对话功能和记忆功能,速度更快,价格更低,功能更强大。
优化用户界面和功能。
前往 ChatGPT-3.5.js 仓库地址:https://github.com/sdsds222/ChatGPT-3.5.js
ChatGPT-3.5.js 静态网页:http://sdsds222.gitee.io/chat-gpt-3.5.js
#### 介绍
一个用原生JavaScript和编写的ChatGPT聊天界面,基于openai的GPT-3 API接口实现,
并增加记忆对话上下文的功能,使AI对话更加自然,通过特殊手段防止其“接话”,可实现与官网ChatGPT类似的持续性对话效果。
静态网页:http://sdsds222.gitee.io/chat-gpt.js/


#### 软件架构
软件架构说明
Javascript HTML CSS
#### 安装教程
1. 将完整项目克隆到电脑
2. 双击index.html文件
3. 启动浏览器运行
#### 使用说明
1. 要使用该页面需要提前自备openai的apikey,否则将无法正常使用所有功能。
2. 基于原生Javascript,可直接部署到静态网页托管平台运行。
3. 在输入框输入“/help”即可查看支持的指令,可通过这些指令来更改发送请求的参数以调整AI的行为:
/help (用于查看帮助信息)
/apikey (为每次发送的文本添加前置上下文)
/prompt (为每次发送的文本添加前置上下文)
/maxtoken (用于控制ChatGPT每次能生成的词数.)
/tpr (可以用来控制chatbot生成的话的多样性)
/top (可以用来控制chatbot生成的话的质量)
/fp (可以用来控制chatbot生成的话的“新颖程度”)
/pp (用于控制bot产生的句子的长度)
/info (用于显示当前各项参数的值)
/mode (用于设置是否启用持续对话模式)
输入/info后,将显示所有参数的值:

由于本项目能够持续对话的原理是将之前的历史对话内容作为上下文语境也一并发送给GPT-3的接口,这会导致账户额度的浪费,可以在控制台输入“/mode”并在输入框输入“false”来关闭持续对话模式。
#### 参与贡献
1. Fork 本仓库
2. 新建 Feat_xxx 分支
3. 提交代码
4. 新建 Pull Request
#### 特技
合理利用prampt参数来设置每句话的前置上下文,可以使AI的语气和性格长期保持一致,也可以使关键信息不被AI忘记。
本项目中有一部分代码由ChatGPT生成。
| 一个用原生JavaScript和编写的ChatGPT聊天界面,基于openai的GPT-3 API接口实现, 并增加记忆对话上下文的功能,使AI对话更加自然,通过特殊手段防止其“接话”,可实现与官网ChatGPT类似的持续性对话效果。 | chatgpt,javascript,css,html | 2023-02-11T11:17:52Z | 2023-03-09T18:02:24Z | 2023-02-11T11:56:22Z | 1 | 0 | 28 | 1 | 10 | 19 | null | MIT | HTML |
JS-Algorithm/JS_ALGORITHM_STUDY | main | ### 📅 스터디 일정
매주 화요일 저녁 오후 9시, Google Meet 로 진행
### 📚 스터디 방식
1. 매주 각자가 가져온 문제를 취합해 그 중 5개를 정하고 푼다 <br/>
2. 화요일 미팅에서 각자 한 문제씩 맡아 로직 공유 및 발표를 한다
3. 이후 어려운 부분 및 논의사항에 대해 서로 구체적으로 나눠본다
### 🖥 스터디 구성원
| 황태환 | 이주희 | 장혜원 | 백광인 |
| :-------------------------------------------------------------------------: | :-------------------------------------------------------------------------: | :------------------------------------------------------------------------: | :----: |
| <img src="https://avatars.githubusercontent.com/u/107744534?v=4" width=150> | <img src="https://avatars.githubusercontent.com/u/104717341?v=4" width=150> | <img src="https://avatars.githubusercontent.com/u/86519064?v=4" width=150> | <img src="https://avatars.githubusercontent.com/u/74497253?v=4" width=150> |
| [@stakbucks](https://github.com/stakbucks) | [@Doozuu](https://github.com/Doozuu) | [@Hyeple](https://github.com/Hyeple) | [@RookieAND](https://github.com/RookieAND) |
| 코딩테스트 준비 with JS | javascript | 2023-02-14T13:21:23Z | 2023-12-26T13:11:26Z | null | 8 | 139 | 155 | 0 | 1 | 19 | null | null | JavaScript |
ZiAzusa/sinaimg-cf-workers | main | # SinaImg Cloudflare Workers


<br>
新浪图床的Cloudflare Workers反向代理脚本,解决因防盗链造成的图片不可用问题<br>
此代理脚本利用了Cloudflare的缓存机制,避免重复回源新浪图床造成时间上的浪费
### 部署方法
直接将 [index.js](https://github.com/ZiAzusa/sinaimg-cf-workers/blob/main/index.js) 全部复制粘贴到Cloudflare Workers的代码编辑框里即可,替换里面的全部内容,然后部署Workers
### 使用方法
在原本的新浪图床链接前拼接上你的Cloudflare Workers域名即可正常获取图片,以下是例子:<br><br>
<b>新浪图床链接(有防盗链,不能直接访问):<a href='https://tva1.sinaimg.cn/large/ec43126fgy1go4femy66vj228e35px6q.jpg'>→</a></b>
```HTTP
GET https://tva1.sinaimg.cn/large/ec43126fgy1go4femy66vj228e35px6q.jpg
```
<b>通过Cloudflare Workers代理的链接:<a href='https://sinaimg.lie.moe/https://tva1.sinaimg.cn/large/ec43126fgy1go4femy66vj228e35px6q.jpg'>→</a></b>
```HTTP
GET https://server.domain.workers.dev/https://tva1.sinaimg.cn/large/ec43126fgy1go4femy66vj228e35px6q.jpg
```
或者可以省略HTTPS:
```HTTP
GET https://server.domain.workers.dev/tva1.sinaimg.cn/large/ec43126fgy1go4femy66vj228e35px6q.jpg
```
### 效果展示
个人搭建的代理地址:https://sinaimg.lie.moe/新浪图床链接<br>
注:如需使用请自行搭建,Workers免费版每天有10万调用限制
---
Made with ♡ by [梓漪(ZiAzusa)](https://intro.lie.moe/)
| 新浪图床的Cloudflare Workers反向代理脚本,解决因防盗链造成的图片不可用问题 | cloudflare,cloudflare-workers,imghosting,reverse-proxy,sina-weibo,cloudflare-cache,image-host,javascript | 2023-02-23T15:20:07Z | 2023-11-08T18:57:14Z | null | 1 | 0 | 35 | 0 | 4 | 19 | null | MIT | JavaScript |
natainditama/auctionx | main | <div align="center">
<h1>Auctionx</h1>
<p>
Efficient online vehicle auctions built with PHP MVC
</p>
<!-- Badges -->
<p>
<a href="https://github.com/natainditama/auctionx/graphs/contributors">
<img src="https://img.shields.io/github/contributors/natainditama/auctionx" alt="contributors" />
</a>
<a href="https://github.com/natainditama/auctionx">
<img src="https://img.shields.io/github/last-commit/natainditama/auctionx" alt="last update" />
</a>
<a href="https://github.com/natainditama/auctionx/network/members">
<img src="https://img.shields.io/github/forks/natainditama/auctionx" alt="forks" />
</a>
<a href="https://github.com/natainditama/auctionx/stargazers">
<img src="https://img.shields.io/github/stars/natainditama/auctionx" alt="stars" />
</a>
<a href="https://github.com/natainditama/auctionx/issues/">
<img src="https://img.shields.io/github/issues/natainditama/auctionx" alt="open issues" />
</a>
<a href="https://github.com/natainditama/auctionx/blob/master/LICENSE">
<img src="https://img.shields.io/github/license/natainditama/auctionx.svg" alt="license" />
</a>
</p>
<h4>
<a href="https://github.com/natainditama/auctionx/">View Demo</a>
<span> · </span>
<a href="https://github.com/natainditama/auctionx">Documentation</a>
<span> · </span>
<a href="https://github.com/natainditama/auctionx/issues/">Report Bug</a>
<span> · </span>
<a href="https://github.com/natainditama/auctionx/issues/">Request Feature</a>
</h4>
</div>
<br />
<div align="center">
<img src="https://user-images.githubusercontent.com/81244669/235050191-50f32154-bbf4-47ee-89e7-31b7f6c77fb7.png" alt="screenshot" />
</div>
<br />
<!-- About the Project -->
## 📝 About the Project
<!-- Features -->
### 🌟 Features
This project includes the following features:
- User Authentication
- Responsive Design
- Auction Countdown Timer
- Product Recommendations
- SEO Optimization
- Reserve Price
- Bidding System
- Auction History
- Admin Dashboard
<!-- Color Reference -->
### 🎨 Color Reference
| Color | Hex |
| ----------------- | ------------------------------------------------------------------ |
| Primary Color |  #624bff |
| White Color |  #ffffff |
| Background Color |  #f9fafb |
| Text Color |  #637381 |
<!-- Getting Started -->
## 🚀 Getting Started
<!-- Prerequisites -->
### 🔧 Prerequisites
- [Composer](https://getcomposer.org/)
- [MySQL](https://www.mysql.com/)
<!-- Run Locally -->
### 🏃 Run Locally
Clone the project
```bash
git clone https://github.com/natainditama/auctionx.git
```
Go to the project directory
```bash
cd auctionx
```
Define your config
```bash
cp src/config.example.php src/config.php
```
Import the database schema
```bash
mysql -u your_username -p < path/to/auctionx.sql
```
Generate the autoload file
```bash
composer dump-autoload
```
Start the php server
```bash
php -S localhost:5000 -t public
```
Open http://localhost:5000/public in your web browser
<!-- Contributing -->
## 👋 Contributing
<a href="https://github.com/natainditama/auctionx/graphs/contributors">
<img src="https://contrib.rocks/image?repo=natainditama/auctionx" />
</a><br/>
Contributions are always welcome!
See [contributing.md](https://github.com/natainditama/auctionx/blob/main/.github/CONTRIBUTING.md) for ways to get started.
<!-- Acknowledgments -->
## 🙏 Acknowledgements
Special thanks to contributors for their valuable contributions to this project:
- Image placeholders by [Imagin](https://www.imagin.studio/)
- Admin template by [Dashui](https://dashui.codescandy.com/)
<!-- Code of Conduct -->
### 📜 Code of Conduct
Please read the [Code of Conduct](https://github.com/natainditama/auctionx/blob/main/.github/CODE_OF_CONDUCT.md)
<!-- License -->
## ⚠️ License
This project is licensed under the MIT License. See the [LICENSE](https://github.com/natainditama/auctionx/blob/main/LICENSE) file for details
<!-- Contact -->
## 🤝 Contact
Contact me for inquiries, suggestions, or contributions via the following channels:
- [Email](mailto:natainditama.dev@gmail.com)
- [LinkedIn](https://www.linkedin.com/in/natainditama)
- [GitHub](https://github.com/natainditama)
Thank you for your support, interest, feedback, and contributions! | 🚗 Efficient online vehicle auctions | auction,auction-website,bootstrap5,css,css3,html,html5,javascript,php,php-mvc | 2023-02-11T04:38:54Z | 2024-03-29T01:42:43Z | null | 3 | 15 | 119 | 1 | 9 | 19 | null | MIT | CSS |
MuneneCalvin/Responsive-portfolio-website | main | # Responsive Portfolio Website Calvin
- Responsive Personal Portfolio Website Using HTML CSS & JavaScript
- Smooth scrolling in each section.
- Developed first with the Mobile First methodology, then for desktop.
- Compatible with all mobile devices and with a beautiful and pleasant user interface.
-
💙

| Responsive Personal Portfolio Website Using HTML CSS & JavaScript | css3,front-end,front-end-development,html,javascript,personal-portfolio,personal-website,portfolio,portfolio-website,responsive | 2023-02-20T04:37:21Z | 2023-04-21T14:31:19Z | null | 1 | 0 | 14 | 0 | 2 | 19 | null | null | HTML |
John-Weeks-Dev/deezer-clone | master | # Deezer Clone (deezer-clone)
### Learn how to build this!
If you'd like a step by step guide on how to build this just **CLICK THE IMAGE BELOW**
[](https://www.youtube.com/watch?v=XmCSzo09yqY)
Come and check out my YOUTUBE channel for lots more tutorials -> https://www.youtube.com/@johnweeksdev
**LIKE**, **SUBSCRIBE**, and **SMASH THE NOTIFICATION BELL**!!!
## App Setup
```
git clone https://github.com/John-Weeks-Dev/deezer-clone.git
npm i
npm run dev
```
You should be good to go! ROCK THE F**K OUT!!!
# Application Images
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/219700344-360641f3-33c2-49c3-bf38-5821093747bf.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/219700478-8941afac-4f3f-442e-bf46-a9d161ab2a7e.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/219700578-6b1f58b9-8708-4cfa-ab59-8478229b23b7.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/219743169-c7d3a5b6-f891-4ed3-be7e-4bb662325232.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/219700789-5994c348-b0db-4800-89da-6746b07f25c9.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/219700911-646097e0-9d92-494d-952b-c642c38760b6.png">
<img width="1439" alt="Screenshot 2023-02-04 at 12 33 25" src="https://user-images.githubusercontent.com/108229029/219743346-06a84132-6f14-4adf-b5a9-9af999b6a37c.png">
| This is a Deezer Clone made with Vite, Vue 3, Tailwind CSS, Pinia, and Vue3 Carousel | deezer,music-player,vue,vuejs,deezer-clone,vue3,spotify-clone,tailwind,tailwindcss,vite | 2023-02-17T09:07:39Z | 2023-02-20T06:50:41Z | null | 1 | 0 | 6 | 0 | 10 | 19 | null | null | Vue |
David-Lanzz/My-ToDo-List | master | <a name="readme-top"></a>
<img src="./src/logo/myLogo.png" alt="logo">
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [FAQ]
- [📝 License](#license)
# 📖 [MY-TODO-LIST] <a name="about-project"></a>
>
**MY-TODO-LIST** is a project i worked to help clients all around the world set goals/tasks according to priority.
## 🛠 Built With
> Visual Studio Code,
> Github
### Tech Stack <a name="tech-stack">Frontend Technology</a>
> The Tech stack used in this project is the frontend technology and it consists of just the index.html,scipt.js and styles.css and webpack files
<details>
<summary>Cascading Style Sheet</summary>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li>
</ul>
</details>
<details>
<summary>Mark-Up Language</summary>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li>
</ul>
</details>
<details>
<summary>JavaScript</summary>
<ul>
<li><a href="https://cdnjs.com/">JavaScript</a></li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- **[Fresh quality content]**
- **[Speed and responsive]**
- **[Easy to use]**
- **[Adding and removing of tasks]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
>
- [Live Demo Link]( https://david-lanzz.github.io/My-ToDo-List/dist/ )
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 💻 Getting Started <a name="getting-started"></a>
> All necessary files about the concert are present in the repo so run/install it and check through for any information you might need.
### Prerequisites
In order to run this project you need:
A browser
A good internet connection
Visual Studio Code [OPTIONAL]
### Setup
Clone this repository to your desired folder:
- cd my-project
- git clone https://github.com/David-Lanzz/My-ToDo-List.git
### Install
Install this project with:
- cd MY-TODO-LIST
- npm install
### Usage
To run the project, Click on the live Demo link or...
- git clone https://github.com/David-Lanzz/My-ToDo-List.git
- cd My-ToDo-List
- npm install
- npm start
### Run tests
To run tests, run the following command:
npm install --save-dev stylelint@13.x stylelint-scss@3.x stylelint-config-standard@21.x stylelint-csstree-validator@1.x
npx stylelint "**/*.{css,scss}"
npm install --save-dev hint@7.x
npx hint .
npm install --save-dev eslint@7.x eslint-config-airbnb-base@14.x eslint-plugin-import@2.x babel-eslint@10.x
npx eslint .
### Deployment
You can deploy this project using:
githack and github pages
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
>
👤 **Author1**
- GitHub: [@githubhandle](https://github.com/David-Lanzz)
- Twitter: [@twitterhandle](https://twitter.com/LanzzDavid)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/david-lanzz/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[A feature that allows users drag and drop tasks to desired position]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](../../issues/).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
> If you like this project... please leave me a comment in my twitter account, Thankyou
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
>
I will like to give kudos to microverse for assigning the creation of this project to me.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## FAQ <a name="FAQ"></a>
- **How did you get the linters to work for the html and CSS**
- Move into the project directory, copy and run the following commands:
"npm install --save-dev stylelint@13.x stylelint-scss@3.x stylelint-config-standard@21.x stylelint-csstree-validator@1.x"
then:
npx stylelint "**/*.{css,scss}" to test for CSS
and npx hint . for HTML
- **How did you align the elements to stack on or beside eachother**
- Use flex or grid boxes
<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>
| This project is containing a ToDo list which I used to sharpen my skills in JavaScript and also to learn how to use web packs efficiently. Stack: HTML, CSS, JavaScript, Webpack. | css,html5,javascript,stylelint,webpack | 2023-02-21T16:09:53Z | 2023-04-23T17:48:00Z | null | 2 | 12 | 48 | 6 | 0 | 18 | null | null | JavaScript |
UbdaNam/Portfolio | main | <a name="readme-top"></a>
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [🎥 Video description](#video-description)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
# 📖 Portfolio <a name="about-project"></a>
**Portfolio: Mobile only** is a portfolio only for mobile devices built with HTML and CSS.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li>HTML</li>
<li>CSS</li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- **Added a navbar**
- **Added a style for home page using flexbox**
- **Added a background image for my homepage**
- **Added some bio about me**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
- [Live Demo Link](https://abdurahim-miftah.onrender.com/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🎥 Video description <a name="video-description"></a>
- Below is a link to a video that I recorded to walk you through why I did this project and what I learned from doing it.
- [Video Description link](https://www.loom.com/share/b34e2bd11749442585d9239e8b470f93)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
- **Web Browser**
### Setup
Clone this repository to your desired folder
### Install
Install this project with:
```sh
cd porfolio
npm install
```
### Usage
Run this project by:
opening the index.html which is located inside the cloned folder, in the browser.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Author1**
- GitHub: [@UbdaNam](https://github.com/UbdaNam)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **Add more content to my home page**
- [ ] **Add footer for my home page**
- [ ] **Develop style for desktop size**
<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 <a href="https://github.com/UbdaNam/Portfolio/issues">Issues page</a>
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
If you like this project leave 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 there help in teaching us how to use flexbox for this project
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
_NOTE: we recommend using the [MIT license](https://choosealicense.com/licenses/mit/) - you can set it up quickly by [using templates available on GitHub](https://docs.github.com/en/communities/setting-up-your-project-for-healthy-contributions/adding-a-license-to-a-repository). You can also use [any other license](https://choosealicense.com/licenses/) if you wish._
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| Welcome to my portfolio project, where you can explore my latest projects, and tech stacks, and learn more about me. From web applications to mobile apps, my projects showcase my skills in programming languages/frameworks like JavaScript, Next, and React Native. Each project comes with a detailed description, highlighting the unique features... | css3,html5,javascript | 2023-02-16T12:22:18Z | 2023-09-20T15:20:22Z | null | 3 | 18 | 100 | 0 | 0 | 18 | null | MIT | CSS |
CodingWithEnjoy/React-Terminal-Portfolio | main | <h2 align="center">ترمینال شخصی | Terminal Portfolio 😊😁</h2>
###
<p align="left"></p>
###
<h4 align="center">دمو | Demo 😁<br><br>https://codingwithenjoy.github.io/React-Terminal-Portfolio</h4>
###
<p align="left"></p>
###
<div align="center">
<img height="350" src="https://user-images.githubusercontent.com/113675029/235364379-a96a5aeb-4557-4342-af7e-5e1774ea738a.png" />
</div>
###
<p align="left"></p>
###
<div align="center">
<img height="350" src="https://user-images.githubusercontent.com/113675029/235364393-9942e9a5-d72f-4b6b-ae59-7333f5d8d5d0.png" />
</div>
###
<p align="left"></p>
###
<p align="left"></p>
###
<p align="left"></p>
###
<div align="center">
<a href="https://www.instagram.com/codingwithenjoy/" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/instagram/default.svg" width="52" height="40" alt="instagram logo" />
</a>
<a href="https://www.youtube.com/@codingwithenjoy" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/youtube/default.svg" width="52" height="40" alt="youtube logo" />
</a>
<a href="mailto:codingwithenjoy@gmail.com" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/gmail/default.svg" width="52" height="40" alt="gmail logo" />
</a>
<a href="https://twitter.com/codingwithenjoy" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/twitter/default.svg" width="52" height="40" alt="twitter logo" />
</a>
</div>
###
<p align="left"></p>
###
<h4 align="center">توسعه داده شده توسط برنامه نویسی با لذت</h4>
###
| ترمینال شخصی | Terminal Portfolio 😊😁 | css,html,javascript,react,responsive,terminal,terminal-based,portfolio,reactjs | 2023-02-13T15:02:57Z | 2023-04-30T16:25:51Z | null | 1 | 0 | 3 | 1 | 1 | 18 | null | null | TypeScript |
MuhammadShakir-dev/Javascript-Basics | main | # Javascript-Basics
> This repository will help you to learn all the basic of javsscript in a proper manner step by step.
## Reuired Things.
> <a href= "https://code.visualstudio.com/">VS Code</a>
## What is Javascript?
> JavaScript is a high-level, interpreted programming language that is widely used for front-end web development. It was created by Brendan Eich in 1995 while he was working at Netscape Communications Corporation. Initially, JavaScript was called LiveScript, but it was later renamed to JavaScript for marketing purposes. Since then, JavaScript has evolved significantly and is now used for a wide range of purposes, including server-side programming, desktop application development, and mobile app development.
## Why is JavaScript So Popular?
> There are several reasons why JavaScript has become the most popular programming language, including:
> It's Easy to Learn: JavaScript is a beginner-friendly language that's easy to learn and understand. Unlike other programming languages, JavaScript doesn't require a lot of setup or configuration. All you need is a text editor and a web browser, and you can start coding.
> It's Versatile: JavaScript is a versatile language that can be used for a wide range of purposes, from front-end web development to server-side programming. This versatility has made JavaScript the go-to language for developers who want to build complex web applications.
> It Has a Large Community: JavaScript has one of the largest developer communities in the world. There are countless online resources, tutorials, and forums where developers can learn and share their knowledge. This vast community has helped to make JavaScript more accessible and easier to use.
> It's Constantly Evolving: JavaScript is a constantly evolving language that's always adapting to meet the needs of developers. New frameworks and libraries are being created all the time, making it easier to build complex applications quickly.
## Outline of this course.
1. JS Introduction
2. JS Implementation
3. HTML Tags in Javascript
4. JS Comments
5. JS Variables
6. JS Variables ( Let & Const )
7. JS Data Types
8. JS Arithmetic Operators
9. JS Assignment Operators
10. JS with Google Chrome Console
11. JS Comparison Operators
12. JS If Statement
13. JS Logical Operators
14. JS If Else Statement
15. JS If Else If Statement
16. JS Conditional Ternary Operator
17. JS Switch Case
18. JS Alert Box
19. JS Confirm Box
20. JS Prompt Box
21. JS Functions
22. JS Functions with Parameters
23. JS Functions with Return Value
24. JS Global & Local Variable
25. JS Events
26. JS While Loop
27. JS Do While Loop
28. JS For Loop
29. JS Break & Continue Statement
30. JS Even & Odd with Loops
31. JS Nested Loop JavaScript Nested Loop - II
32. JS Arrays
33. JS Create Arrays Method - II
34. JS Multidimensional Arrays
35. JS Modify & Delete Array
36. JS Array Sort & Reverse
37. JS Array Pop & Push
38. JS Array Shift & Unshift
39. JS Array Concat & Join
40. JS Array Slice & Splice
41. JS isArray
42. JS Array index
43. JS Array Includes
44. JS Array Some & Every
45. JS Array find & find index
46. JS Array Filter
47. JS Array Methods
48. JS forEach Loop
49, JS Objects
50. JS Objects - II
51. JS Array of Objects
52. JS Const Variable with Array & Objects
53. JS For in Loop
54. JS Map Method
55. JS String Methods
56. JS String Methods - II
57. JS Number Methods
58. JS Math Methods
59. JS Date Methods
| JS Basics | javascript,javascriptbasic,webdevelopment | 2023-02-23T08:53:51Z | 2023-03-23T06:53:00Z | null | 1 | 91 | 210 | 0 | 0 | 17 | null | null | JavaScript |
mumo-esther/Awesome-books-with-ES6 | master | <a name="readme-top"></a>
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [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)
# 📖 Awesome books: plain JavaScript with objects
<a name="about-project"></a>
**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.
## 🛠 Built With <a name="built-with"></a>
- Html
- css
- Javascript
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 💻 Live Demo
https://mumo-esther.github.io/Awesome-Books/
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
Git clone https://github.com/mumo-esther/Awesome-Books.git
### Prerequisites
In order to run this project you need:
git clone then open in your live server
### Setup
Clone this repository to your desired folder:
cd my-folder
git clonehttps://github.com/mumo-esther/Awesome-Books.git
### Run tests
To run tests, run the following command:
- npx hint .
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Author**
- GitHub:https://github.com/mumo-esther/mumo-esther
- Twitter:https://twitter.com/EstherMawioo
- LinkedIn: https://www.linkedin.com/in/esther-mawioo-58b636225/
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## KEY FEATURES
- when a user clicks the "Add" button:
- A new book is added to the collection.
- The new book is displayed in the page.
- when a user clicks the "Remove" button:
- The correct book is removed from the collection.
- The correct book dissapears from the page.
## FUTURE FEATURES
- Navbar
## ⭐️ Show your support <a name="support"></a>
If you like this project you can give it a ⭐️.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
I would like to thank all my coding partners who helped me in understanding linters
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](https://github.com/mumo-esther/Desktop-version-Portfolio/blob/main/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. | css,html,javascript | 2023-02-18T14:46:48Z | 2023-02-20T19:14:24Z | null | 1 | 2 | 3 | 1 | 0 | 17 | null | MIT | CSS |
kaf-lamed-beyt/stargazer | master | [](https://github.com/acekyd/made-in-nigeria)     
# stargazer
Get notified when someone stars — or **un-stars** — your project
Install the bot by clicking this [link](https://github.com/apps/astroloja)
## Setup
```sh
# Install dependencies
npm install
# Run the bot
npm start
```
## Docker
```sh
# 1. Build container
docker build -t stargazer .
# 2. Start container
docker run -e APP_ID=<app-id> -e PRIVATE_KEY=<pem-value> stargazer
```
## Contributing
If you have suggestions for how stargazer could be improved, or want to report a bug, open an issue! We'd love all and any contributions.
For more, check out the [Contributing Guide](CONTRIBUTING.md).
## License
[MIT](LICENSE) © 2023 kaf-lamed-beyt
| Get notified whenever someone stars or "unstars" your project. | githubbot,javascript,monitoring,probot | 2023-02-16T13:24:32Z | 2023-06-29T11:08:15Z | null | 1 | 1 | 29 | 1 | 1 | 17 | null | MIT | JavaScript |
CodingWithEnjoy/React-Tenzi-Game | main | <h2 align="center">Tenzi Game | بازی تاس ها</h2>
###
<h4 align="center">دمو | Demo 😁<br><br>https://codingwithenjoy.github.io/React-Tenzi-Game</h4>
###
<p align="left"></p>
###
<p align="left"></p>
###
<div align="center">
<img height="350" src="https://user-images.githubusercontent.com/113675029/228471193-87bd86df-ba27-4969-aca9-34de241f1e6f.png" />
</div>
###
<p align="left"></p>
###
<div align="center">
<img height="350" src="https://user-images.githubusercontent.com/113675029/228471409-305d925e-86d9-474e-9750-438488474729.png" />
</div>
###
<p align="left"></p>
###
<p align="left"></p>
###
<p align="left"></p>
###
<div align="center">
<a href="https://www.instagram.com/codingwithenjoy/" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/instagram/default.svg" width="52" height="40" alt="instagram logo" />
</a>
<a href="https://www.youtube.com/@codingwithenjoy" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/youtube/default.svg" width="52" height="40" alt="youtube logo" />
</a>
<a href="mailto:codingwithenjoy@gmail.com" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/gmail/default.svg" width="52" height="40" alt="gmail logo" />
</a>
<a href="https://twitter.com/codingwithenjoy" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/twitter/default.svg" width="52" height="40" alt="twitter logo" />
</a>
</div>
###
<p align="left"></p>
###
<h4 align="center">توسعه داده شده توسط برنامه نویسی با لذت</h4>
###
| Tenzi Game | بازی تاس ها 😊😉 | confetti,css,game,html,javascript,javascript-game,react,tenzi,tenzies,tenzies-game | 2023-02-23T09:25:09Z | 2023-04-03T13:18:22Z | null | 1 | 0 | 5 | 0 | 1 | 17 | null | MIT | JavaScript |
siposm/oktatas-frontend-dev | master | ### Követelmények
https://nik.uni-obuda.hu/targyleirasok/tantargyak/kliensoldali-fejlesztes/
### Tárgy weboldala
https://nik.siposm.hu/kf
<br>
<br>
<br>
### Modul-1: HTML és CSS alapok
Kliensoldali fejlesztéssel kapcsolatos tématerületek áttekintése. A leíró nyelvek megismerése (HTML, markdown, Tex). A szerver-kliens alapú kommunikáció folyamata. Alapvető HTML oldal létrehozása és saját stílusokkal történő kiegészítése CSS segítségével. A head elem részletes bemutatása.
```
1.01 Bevezető, tárgyismertető
1.02 Frontend roadmap
1.03 Leíró nyelvek
1.04 A HTML leíró nyelv
1.05 Egyéb leíró nyelvek
1.06 Szerver-kliens kapcsolat
1.07 Feladatmegoldás: alap HTML oldalak
1.08 CSS alapok
1.09 Feladatmegoldás: CSS alkalmazása
1.10 A head elem
```
Kulcsszavak:
`HTML`
`CSS`
`markdown`
`TeX`
<br>
<br>
<br>
### Modul-2: HTML és CSS haladó ismeretek
A CSS haladó funkcióinak valamint további HTML elemeknek a megismerése. Oldalstruktúra kialakítása (div, flexbox, grid). Webergonómia, tipográfia, UI és UX alapismeretek. Reszponzív alkalmazás készítésének alapelvei. CSS extra lehetőségek.
```
2.01 CSS haladó ismeretek I.
2.02 HTML további elemek
2.03 Oldalstruktúra kialakítása
2.04 CSS haladó ismeretek II.
2.05 CSS haladó ismeretek III.
2.06 Webergonómia, tipográfia, UI és UX
2.07 Reszponzivitás
2.08 CSS extrák
2.09 Feladatmegoldás
2.10 Feladatmegoldás kiegészítő
```
Kulcsszavak:
`HTML`
`CSS`
`flexbox`
`div`
`grid`
`box shadow`
`gradient`
`border`
`radius`
`margin`
`padding`
`px`
`em`
`rem`
<br>
<br>
<br>
### Modul-3: JavaScript alapok, nyelvi sajátosságok
A JavaScript nyelv története, nyelvi sajátosságai (típusok, változótípusok, operátorok, függvények, objektumok és osztályok). A DOM megismerése. DOM elemek lekérdezése és módosítása. Felületi elemek programozása. Stílusok és stíluslapok programozott előállítása. Oldalbetöltés folyamata. Események kezelése.
```
3.01 Bevezető
3.02 JS történelem, nyelvi alapok és sajátosságok
3.03 Szerver-kliens kommunikáció
3.04 Feladatmegoldás, fejlesztői környezet bemutatása
3.05 Típusok, függvények, osztályok és objektumok
3.06 Feladatmegoldás: objektumok tömbje és annak feldolgozása
3.07 DOM - document object model
3.08 DOM manipuláció (olvasás)
3.09 Feladatmegoldás: DOM elemek lekérése
3.10 DOM manipuláció (írás)
3.11 Feladatmegoldás: DOM elemek létrehozása
3.12 Stílusok programozott elérése
3.13 Feladatmegoldás: események kezelése
```
Kulcsszavak:
`ECMAScript`
`== vs ===`
`DOM`
`document object model`
`attribute`
`style`
`classList`
`alert`
`querySelector`
`getElementBy...`
`object`
`class`
`JSON`
`page load`
`render`
`onClick`
`eventHandler`
`high-level`
`prototype-based`
`object-oriented`
`multi-paradigm`
`interpreted`
`just-in-time compiled`
`dynamic`
`single-threaded`
`garbage-collected`
`first-class functions`
`event loop`
`concurrency model`
<br>
<br>
<br>
### Modul 4: JavaScript középhaladó ismeretek
Haladó eseménykezelés a JavaScript-ben. Események paraméterezése, eseményobjektum, események továbbadása (buborékozás, delegálás), saját események létrehozása. Gyakorlati feladatmegoldások (interaktív to do lista készítése, automatizált képcserélés, rajzolás, felhasználó eltérítése (~erőltetett hirdetés)).
```
4.01 Bevezető
4.02 Haladó eseménykezelés I.
4.03 Feladat: eseményobjektum
4.04 Haladó eseménykezelés II., Feladat: események továbbítása
4.05 Saját események létrehozása
4.06 Feladat: Automatizált képfrissítő
4.07 Feladat: Rajzolás
4.08 Feladat: Felhasználó eltérítése
4.09 Feladat: To do alkalmazás készítése
```
Kulcsszavak:
`createElement`
`addEventListener`
`appendChild`
`querySelector`
`setTimeout`
`setInterval`
`toggle`
`keyPress`
`classList`
`event bubbling`
`event capturing`
<br>
<br>
<br>
### Modul 5: JavaScript haladó ismeretek I.
További JS nyelvi elemek és adatszerkezetek használata. Web APIk és a BOM megismerése. Kódszervezés modulba rendezett file-ok segítségével. Egységbezárás osztályok esetén és a this kulcsszó vonatkozása. Adat helyének meghatározása, illetve az adat leképezése generáláson keresztül. Imperatív és deklaratív felhasználói felület kezelése. Progresszív webalkalmazás (weboldal vs webalkalmazás) fejlesztésének bemutatása, a GD és PE koncepciókon keresztül.
```
5.01 Bevezető
5.02 További JS nyelvi elemek
5.03 Adatszerkezetek
5.04 Web API-k (BOM, window)
5.05 Kódszervezés (modulok használata)
5.06 Egységbezárás
5.07 Adattárolás (adat leválasztása, HTML generálás)
5.08 Imperatív és deklaratív UI kezelés
5.09 Progresszív weboldal fejlesztés (weboldal vs webalkalmazás)
5.10 Feladat: Dolgozó kezelő alkalmazás dark-mode támogatással
```
Kulcsszavak:
`typeof`
`Date`
`array`
`Map`
`BOM`
`browser object model`
`web APIs`
`window`
`setTimeout`
`setInterval`
`import`
`export`
`module`
`class`
`DOM`
`imperative`
`declarative`
`graceful degradation`
`progressive enhancement`
`dark mode`
`render`
`this`
<br>
<br>
<br>
### Modul 6: JavaScript haladó ismeretek II.
Haladó ismeretek bővítése az alábbi fogalmak megismerésével: callback függvény, promise-ok létrehozása és kezelése, az async-await páros felhasználása. A CORS jelenség bemutatása. Beépített tömb metódusok megismerése és használata. Komplex feladat megoldása backend API hívásokkal (Fetch API-t és Promise-okat felhasználva), melyeken keresztül lehet hallgatókat listázni, új hallgatót felvenni, meglévő hallgatót módosítani.
```
6.01 Bevezető
6.02 Callback
6.03 Promise
6.04 Async-await
6.05 CORS
6.06 Array methods
6.07 Feladat: GET API (hallgatók lekérése)
6.08 Feladat: POST API (hallgató felvitele)
6.09 Feladat: DELETE API (hallgató törlése)
6.10 Feladat: Array method felhasználás
```
Kulcsszavak:
`fetch`
`GET`
`POST`
`DELETE`
`API`
`postman`
`swagger`
`promise`
`callback`
`async`
`await`
`CORS`
`filter`
`reduce`
`map`
`forEach`
`findIndex`
`sticky navbar`
<br>
<br>
<br>
### Modul 7: JavaScript haladó ismeretek III.
Haladó ismeretek bővítése a JS működési hátterének megismerésével. JS Engine és Runtime fogalmak megismerése és a hozzájuk szorosan kapcsolódó további fogalmak (compilation, interpretation, JIT, AST, event loop, execution context, call stack, scope chain, hositing, TDZ). Valódi párhuzamosságra alkalmas módszer megismerése. Az AJAX technológia és annak jelentőségének megismerése.
```
7.01 Bevezető
7.02 JS engine
7.03 AST
7.04 JS runtime, Event loop
7.05 Execution context, Call stack
7.06 Scope chain
7.07 Hoisting, TDZ
7.08 Web workers
7.09 AJAX
```
Kulcsszavak:
`compilation`
`interpretation`
`JIT`
`just in time compilation`
`AST`
`abstract syntax tree`
`engine`
`runtime`
`event loop`
`execution context`
`call stack`
`callback queue`
`scope chain`
`global scope`
`function scope`
`local scope`
`block scope`
`var`
`let`
`const`
`hoist`
`TDZ`
`temporal dead zone`
<br>
<br>
<br>
### Modul 8: JS Keretrendszerek, Vue alapok
A JavaScript keretrendszerek és library közötti különbség bemutatása. A jQuery megismerése, történelmi áttekintése. A JavaScript aktuális helyzete a piacon (state of JS). Template engine-k és a virtual DOM jelentőségének bemutatása a modern keretrendszerek esetén. A Vue keretrendszer bemutatása (felhasználása vue cli, illetve CDN-en keresztül), strukturális felépítése, vue2 és vue3 közötti különbségek ismertetése. Gyakorlati alkalmazás létrehozása Vue segítségével (adatkötés és API kezelés bemutatása), a vue lifecycle megismerésével. Komplex gyakorlati alkalmazás létrehozása komponens alapú fejlesztéssel.
```
8.01 Bevezető
8.02 Framework vs library
8.03 Template engine
8.04 Virtual DOM
8.05 State of JS
8.06 Vue elméleti alapok
8.07 Vue gyakorlati alapok (CDN, CLI, strukturális felépítés, adatkötés)
8.08 Vue gyakorlati alapok (API kezelés, lifecycle)
8.09 Feladatmegoldás: adatbeolvasás és megjelenítés
8.10 Feladatmegoldás: új elem létrehozása
8.11 Feladatmegoldás: komponens alapú refaktorálás
```
Kulcsszavak:
`CDN`
`cli`
`lifecycle`
`vue`
`virtual DOM`
`data binding`
`v-model`
`v-for`
`.vue`
`component`
`computed`
`property`
<br>
<br>
<br>
### Modul 9: TypeScript, Angular alapok
A tech stack fogalmának megismerése és az elterjedt alternatívák vizsgálata. A TypeScript nyelv megismerése, alapvető példák bemutatása. Angular projekt létrehozására szolgáló opciók megismerése. Angular projekt futtatása, Angular CLI-on keresztül (ng serve), vagy NPM-en keresztül (npm start). Angular alkalmazás fájlstruktúrájának megismerése, valamint az alapvető nyelvi elemek megismerése (ciklus, if, adatkötés, típusosság).
```
9.01 Bevezető
9.02 Tech stack
9.03 TypeScript elmélet
9.04 TypeScript gyakorlat
9.05 Angular (projekt létrehozás (node, npm))
9.06 Angular (alkalmazás futtatás (node, ng))
9.07 Angular alapvető nyelvi elemek megismerése
```
Kulcsszavak:
`tech stack`
`JAM`
`MEAN`
`LAMP`
`ng serve`
`npm start`
`node`
`typescript`
`angular`
<br>
<br>
<br>
### Modul 10: Angular középhaladó ismeretek
To Do alkalmazás készítése Angular segítségével. Adatkötés (tömb, input mezők) és típusok (TypeScript) használata. Keretrendszeri elemek használata: ngFor, click, class és value adatkötése. Fetch API használata.
```
10.01 Bevezető
10.02 Projekt inicializálás
10.03 Adatbetöltés fetch API-val
10.04 Elemek megjelenítése
10.05 Elemek törlése
10.06 Új elem felvitele
10.07 Port beállítás
```
Kulcsszavak:
`fetch`
`binding`
`[(ngModel)]`
`[value]`
`[class]`
`(click)`
`ngFor`
`FormsModule`
`app.module.ts`
<br>
<br>
<br>
### Modul 11: Angular haladó ismeretek I.
Több komponensből felépülő, User és Comment kezelő CRUD alkalmazás készítése Angular keretrendszerben. Routing felhasználás a navigációban. Komponensek közötti kommunikáció, adattovábbítás. Bootstrap elemek felhasználása.
```
11.01 Bevezető
11.02 Projekt inicializálás
11.03 Komponensek létrehozása
11.04 Navigáció és routing beállítása
11.05 Felhasználók listázása (táblázat)
11.06 Felhasználók törlése
11.07 Felhasználók szerkesztése (komponens paraméter átadás)
11.08 Kommentek listázása (card)
11.09 Felhasználó keresése (komponens paraméter átadás)
11.10 Hibaüzenet (feltételes megjelenítés)
```
Kulcsszavak:
`component`
`ng g c`
`binding`
`[src]`
`[(ngModel)]`
`(click)`
`httpClient`
`[routerLink]`
`navigateByUrl`
`GET`
`DELETE`
`PUT`
`scss`
`Sass CSS`
<br>
<br>
<br>
### Modul 12: Angular haladó ismeretek II.
Több komponensből felépülő, Teacher és Subject (valamint a köztük található reláció) kezelő CRUD alkalmazás készítése Angular keretrendszerben. Routing felhasználás a navigációban. Auth guard alkalmazása (csak authentikált felhasználók számára elérhető komponensek). Komponensek közötti kommunikáció, adattovábbítás. Angular Material UI és annak komponenseinek felhasználása. Regisztráció és bejelentkezés implementálása JWT token és localstorage segítségével.
```
12.01 Bevezető
12.02 Projekt inicializálás, Angular Material UI telepítés
12.03 Alap komponensek létrehozása, routing beállítás
12.04 Routing és navigáció
12.05 Tárgyak listázása
12.06 Oktatók listázása
12.07 Regisztráció
12.08 Bejelentkezés (JWT token)
12.09 Route védelem (auth guard)
12.10 Oktató és tárgy módosítása, törlése
12.11 Oktató és tárgy létrehozása
12.12 Oktató és tárgy összerendelése
```
Kulcsszavak:
`MUI`
`Material UI`
`auth guard`
`routing`
`login`
`logout`
`JWT`
`localstorage`
`bearer token`
`registration`
`snackbar`
`validation`
`service`
`navigation`
`component`
`ng g c`
`binding`
`[src]`
`[(ngModel)]`
`(click)`
`httpClient`
`[routerLink]`
`PUT`
`POST`
`GET`
`DELETE`
`scss`
`Sass CSS`
`ActivatedRoute`
`filter`
`map`
<br>
<br>
<br>
| 🛡️ A Kliensoldali fejlesztés tárgyhoz tartozó előadáson leadott kódok, valamint workshop feladatok. | html,css,dom-manipulation,javascript,json,webapi | 2023-02-16T15:10:01Z | 2024-02-14T09:34:00Z | null | 1 | 0 | 144 | 0 | 3 | 17 | null | null | HTML |
saluumaa/To-do-List | main | <a name="readme-top"></a>
<div align="center">
<h3><b>TO-DO-List-App</b></h3>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Run tests](#run-tests)
- [👥 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 application helps you to manage your daily task effectively and let you reserve your schedule and daily plan.
**[To-do-list-project]**
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href=" HTML Tutorial (w3schools.com) ">HTML</a></li>
<li><a href=" CSS Tutorial (w3schools.com) ">CSS</a></li>
<li><a href=" CSS Tutorial (w3schools.com) ">JavaScript</a></li>
<li><a href=" CSS Tutorial (w3schools.com) ">Webpack</a></li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- **[Github Flow execution]**
- **[Implement both Mobile and desktop version]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="Live-Demo"></a>
- [Live Demo Link](https://saluumaa.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:
### Setup
Clone this repository to your desired folder:
Use Terminal:
cd my-folder
git clone git@github.com:saluumaa/Saluma-s-Portfolio.git
### Install
Install this project with:
cd my-project
npm install
### Run tests
To run tests, run the following command:
Npx hint . for testing the html file errors
npx stylelint "**/*.{css,scss}" to check errors for CSS file.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Saluuma Hassan**
- GitHub: [@Saluumaa](https://github.com/saluumaa)
- Twitter: [@SalmaHIbrahim20](https://twitter.com/SalmaHIbrahim20)
- LinkedIn: [Salma ibrahim](https://www.linkedin.com/in/salma-ibrahim-78bb5a14a/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[drag and drop tasks]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](../../issues/).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
Please give a ⭐️ if you 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 everyone contributed the completion of this project
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE.md) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| The To-Do List Application is a simple yet powerful productivity tool built using JavaScript. It allows users to easily manage their daily tasks and activities by creating a list of things to do. With its clean and intuitive interface, users can add, edit, and delete tasks as well as mark them as complete. | css3,hmtl5,javascript,webpack | 2023-02-21T18:45:20Z | 2023-02-28T16:22:08Z | null | 1 | 5 | 20 | 2 | 0 | 17 | null | MIT | JavaScript |
saluumaa/Awesome-Books | main | <a name="readme-top"></a>
<div align="center">
<h3><b>Awesome-books</b></h3>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Run tests](#run-tests)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [📝 License](#license)
# 📖 [Awesome-Books] <a name="about-project"></a>
>Awesome books site is a website that help you to save and retrieve the books you interest.
**[Saluuma’s Portfolio]**
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href=" HTML Tutorial (w3schools.com) ">HTML</a></li>
<li><a href=" CSS Tutorial (w3schools.com) ">CSS</a></li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- **[Github Flow execution]**
- **[Implement both Mobile and desktop version]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
- [Live Demo Link](https://saluumaa.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:
### Setup
Clone this repository to your desired folder:
Use Terminal:
cd my-folder
git clone git@github.com:saluumaa/Saluma-s-Portfolio.git
### Install
Install this project with:
cd my-project
npm install
### Run tests
To run tests, run the following command:
Npx hint . for testing the html file errors
npx stylelint "**/*.{css,scss}" to check errors for CSS file.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Saluuma Hassan**
- GitHub: [@Saluumaa](https://github.com/saluumaa)
- Twitter: [@SalmaHIbrahim20](https://twitter.com/SalmaHIbrahim20)
- LinkedIn: [Salma ibrahim](https://www.linkedin.com/in/salma-ibrahim-78bb5a14a/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[Web Accessibility]**
- [ ] **[Implement Forms Validation]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](../../issues/).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
Please give a ⭐️ if you 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 everyone contributed the completion of this project
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE.md) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| Awesome Books is an Application that helps you to collect and save your favorite books, it will let you as well remove the completed books. | css,html,javascript,modules | 2023-02-20T04:13:55Z | 2023-02-27T08:43:50Z | null | 1 | 2 | 14 | 1 | 0 | 17 | null | null | JavaScript |
hunghg255/reactjs-handle-refresh-token | master | # Handle refresh token with `axios`, `umi-request` using interceptors, `apollo-client`, `token-management`, `brainless-token-manager`
### 1. Axios interceptors, Apollo-client
- After all requests failed, we will call a request to take a new access token after that retry all requests which failed

### 2. `brainless-token-manager`
- Check access token expire if token expire will call a request to take a new access token after that call requests
[brainless-token-manager](https://www.npmjs.com/package/brainless-token-manager)

| Handle refresh token with fetch, axios, umi-request, apollo-client, brainless-token-manager | axios,refresh-token,tokenmanager,umi-request,reactjs,fetch,interceptors,javascript,nextjs,typescript | 2023-02-12T07:25:05Z | 2024-05-13T10:53:44Z | null | 1 | 0 | 18 | 0 | 3 | 16 | null | null | TypeScript |
ColonelParrot/AnabolicSet | master | <p align="center">
<img src="docs/images/rocket.png" height="100">
<br/>
<img src="docs/images/logo.png">
</p>
---
<p align="center">
<a href="https://GitHub.com/ColonelParrot/anabolicset/stargazers/"><img src="https://img.shields.io/github/stars/ColonelParrot/anabolicset.svg?style=social&label=Star"></a>
<br />
<br />
<a href="https://github.com/ColonelParrot/anabolicset/blob/master/LICENSE"><img src="https://img.shields.io/github/license/ColonelParrot/anabolicset.svg"></a>
<a href="https://GitHub.com/ColonelParrot/anabolicset/releases/"><img src="https://img.shields.io/github/release/ColonelParrot/anabolicset.svg"></a>
<a href="https://npmjs.com/package/anabolicset"><img src="https://badgen.net/npm/v/anabolicset"></a>
</p>
<p align="center">
<a href="https://nodei.co/npm/anabolicset/"><img src="https://nodei.co/npm/anabolicset.png"></a>
</p>
<i align="center">You'll never use [`Set`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Set) again...</i>
AnabolicSet is built around the optional ability to customize item comparisons with a custom serializer. The uniqueness is guaranteed for the return value of the serializer.
This allows you to do things like:
```javascript
const set1 = new AnabolicSet([{ id: 1 }, { id: 2 }, { id: 2 }], (obj) => obj.id) // <-- serializer
set1.values() // [{id: 1}, {id: 2}]
```
## Featuring...
- custom comparing with custom serializer (similar to Java's [`HashSet`](https://docs.oracle.com/javase/7/docs/api/java/util/HashSet.html) and `hashCode`)
- improved functionality based upon native [`Set`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Set)
- [`union`](https://github.com/ColonelParrot/AnabolicSet/wiki#--unionset)
- [`intersect`](https://github.com/ColonelParrot/AnabolicSet/wiki#--intersectset)
- [`complement`](https://github.com/ColonelParrot/AnabolicSet/wiki#--complementset)
- [`isSubsetOf`](https://github.com/ColonelParrot/AnabolicSet/wiki#--issubsetofset)
- [`isSupersetOf`](https://github.com/ColonelParrot/AnabolicSet/wiki#--issupersetofset)
- all native [`Set` methods](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Set#instance_methods)
- extensive & broad browser support
- blazing fast 💨 ([up to **70%** faster than native Set](https://jsbench.me/zrlebmbyq1/1) for certain operations)
```javascript
const set1 = new AnabolicSet([1, 2, 3, 4, 5])
const set2 = new AnabolicSet([2, 4])
set1.addAll(...[5, 6])
set1.values() // [1, 2, 3, 4, 5, 6]
set2.isSubsetOf(set1) // true
set1.isSupersetOf(set2) // true
set2.add(7)
set1.union(set2) // AnabolicSet [1, 2, 3, 4, 5, 6, 7]
```
## Import
**npm**:
```javascript
$ npm i anabolicset
import AnabolicSet from 'anabolicset'
```
**cdn**:
```html
<script src="https://cdn.jsdelivr.net/gh/ColonelParrot/AnabolicSet@latest/src/anabolicset.min.js"></script>
```
<p align="center">
<a href="https://github.com/ColonelParrot/AnabolicSet/wiki">documentation</a>
</p> | 💪 Javascript Set on steroids. | set,javascript,data-structures | 2023-02-19T02:33:44Z | 2023-03-12T00:19:37Z | 2023-02-27T00:02:00Z | 1 | 1 | 33 | 0 | 1 | 16 | null | MIT | JavaScript |
dutchtux3000/jiyuai | main | # JiYuAi a small UI kit for DOjS
A small UI kit to create simple UI apps

Look in minimal.js for minimal usage
## How to setup?
Just download version 1.10 of DOjS from https://github.com/SuperIlu/DOjS/releases/tag/v1.100
And extract all files to this folder and run jiyuai from DOS or Dosbox
### Using dosbox
The app is tested in with [Dosbox-staging](https://dosbox-staging.github.io/).
You can use the following configuration to run the JiYuAi:
```
[dosbox]
memsize=32
[cpu]
cputype=pentium_slow
cycles=max
[autoexec]
mount c .
c:
jiuai.bat
```
## TODO
* [ ] Maybe make UIApp a singelton object. (There is only 1 app.)
* [ ] Create textarea field
* [ ] only update parts of the screen that are needed.
* [ ] rename children to nodes (more in line with htmldom)
* [ ] beter event handling for mouse (like mouseIn, mouseOut, mouseOver)
* [ ] make a generic event handler system.
## CHANGELOG
### v0.0.2
* Added checkbox widget
* Added group widget
* Added image widget
* Give buttons rounded corners
* Give buttons a pressed in state
* Make window ascci table demo smaller
### v0.0.1
* First version
| A simple ui toolkit created for DOjS | dojs,dos,freedos,javascript,ms-dos,msdos,retro,ui | 2023-02-12T19:32:24Z | 2023-02-26T20:20:49Z | null | 1 | 0 | 3 | 0 | 1 | 16 | null | MIT | JavaScript |
green-code-initiative/ecoCode-javascript | main | 
Websites are becoming increasingly heavy and complex over the years. They represent an important part
of the digital environmental footprint. The objective of this project is to detect smells in a website source code
that can have a negative ecological impact: overconsumption of energy, "fatware", shortening of the life span of
devices, etc. This project is part of [ecoCode](https://github.com/green-code-initiative/ecoCode).
Rules in this repository are mainly based from book
[115 Web Ecodesign Best Practices](https://github.com/cnumr/best-practices).
This reference is maintained by [CNumR](https://collectif.greenit.fr/), a french collective that works
for a responsible design of digital services. You can find all applicable rules in the [RULES.md file](RULES.md).
[](https://www.gnu.org/licenses/gpl-3.0)

[](https://sonarcloud.io/project/overview?id=green-code-initiative_ecoCode-linter)
🌿 SonarQube plugin
---------------------------------
_ecoCode_ JavaScript is an "eco-responsibility" static code analyzer for projects based on the JavaScript ecosystem. It
can handle JavaScript, TypeScript and all frameworks that use them. Its main purpose is to work with website source
code, but it can also analyze back-end code.
This project proposes rules for the following technologies:
- JavaScript
- TypeScript
- NestJS
- React (JSX)
🔧 ESLint plugin
----------------
This project uses an internal ESLint plugin to analyze your source code.
If you are not using SonarQube, we have a solution for you: the linter is working nicely on its own! \
Follow instructions in the [dedicated README file](eslint-plugin/README.md) to use it as a standalone plugin.
🛒 Distribution
---------------
[](https://github.com/green-code-initiative/ecoCode-javascript/releases/latest)
[](https://npmjs.com/package/@ecocode/eslint-plugin)
**The plugin is available from the official SonarQube marketplace! Check the
[version matrix here](https://docs.sonarsource.com/sonarqube/latest/instance-administration/plugin-version-matrix/).**
Ready to use binaries for SonarQube are also
available [from GitHub](https://github.com/green-code-initiative/ecoCode-javascript/releases). \
Make sure to place the binary inside `extensions/plugins/` folder of your SonarQube instance.
The standalone version of the ESLint plugin is available from [npmjs](https://npmjs.com/package/@ecocode/eslint-plugin).
🧩 Compatibility
----------------
| Plugins Version | SonarQube version | ESLint version |
|-----------------|-------------------|----------------|
| 1.4.+, 1.5.+ | 9.9.+ LTS to 10.5 | 7+ |
🤝 Contribution
---------------
You have an idea or you want to help us improving this project? \
We are open to your suggestions and contributions! Open an issue or PR 🚀
Check out the [CONTRIBUTING.md](CONTRIBUTING.md) file
and follow the various guides to start contributing.
Thank you to all the people who already contributed to ecoCode-javascript!
- Elise Dubillot
- Laetitia Bézie
| Reduce the environmental footprint of your JS/TS software programs | eslint-plugin,javascript,typescript,ecodesign,sonarqube-plugin,sonarqube | 2023-02-10T13:54:16Z | 2024-05-13T22:39:44Z | 2024-03-13T18:55:19Z | 6 | 19 | 181 | 6 | 10 | 16 | null | GPL-3.0 | JavaScript |
ozboware/cloudReflare | ozboware | # cloudReflare
Combining the power of the ipData and CloudFlare APIs, cloudReflare automatically checks for IPv4 address changes and updates cloudFlare IPv4 A Name records accordingly. Works across multiple CloudFlare accounts, zones and records simultaneously.
Available for Windows, Linux and browser.
-----
**No installation**
Simply download and unzip. Open either the **LINUX** or the **WINDOWS** (depending on your operating system) directory and run **cloudReflare**(.exe). For developers or MAC users, the source code is also provided so you can run it in your own server stack environment.
-----
**Server/Browser Use**
A server with access to one directory above the public folder is required to install and use this script. Upload the contents of httpd.www to your public folder, upload httpd.private to one directory above your public directory. Your public directory may be named something other than **httpd.www**. It may, for instance, be called **public** or your **username**. If this is the case you must open **httpd.private/system/bootstrap.php** and change all instances of **httpd.www** to the name of your public directory. Do the same for **httpd.private** to whatever your private directory is called.
-----
## How to use
I've tried to make the UI as user friendly as possible
### Language select

cloudReflare comes with 7 built-in languages. In the top left corner we have the language selection. A simple click and select will change the language of the app and remember the choice, so you only need to set it once.
-----
### Help
In the top right corner, you'll see a question mark. Click on this to view the help page. Click anywhere on the help page to go back.
-----
### ipData API key
In order to use this software, you will need an ipData account. It's quick and free to sign-up and use.
- To begin, go to [ipdata.co](https://ipdata.co).
- Click **Sign Up For Free** in the top right hand corner.
- On the following screen, add in your **email address** and **password**.
- **Verify** your email address.
- Sign in to your **ipdata** account.
- In the menu on the left hand side of the dashboard, click **API Settings**.
- On the following page, your **API key** will be displayed. Enter that in the **ipdata API key input**.
-----
### CloudFlare
**Zone ID**
- Sign in to your **CloudFlare** account.
- Select the **domain** you wish to work on.
- In **Quick actions** on the right of the **Overview** screen, scroll down to **API**. Your **Zone ID** will be listed there. Copy that into the **CloudFlare zone ID input** field.
**Global API Key**
- Go to [dash.cloudflare.com/profile/api-tokens](https://dash.cloudflare.com/profile/api-tokens).
- Click the **view** button for **Global API Key**. Copy the key into the **CloudFlare global API key input**
**DNS A Name**
- Next, go to your **DNS records** and copy the **name** field of your **A record** to the **CloudFlare DNS Name input**.
**email address**
- Finally, add in the **email address** associated with the **CloudFlare account**.
**Multiple Records**
If you want to add multiple records, click on **Add another record** and **repeat** the **above** steps for **each** record.
**Delete Record**
Does exactly what it says ... clicking this will delete the current record being viewed.
**Record Select**
Selects a record to view, edit or delete
-----
### Current IPv4 Address
This field is optional. You can insert your current IPv4 address here or you can leave it blank and allow the app to find it for you.
-----
### Refresh rate
Set the number of **minutes** between checks. The **default** is 10 minutes, the **minimum** requirement is **1** minute.
-----
### Save settings
All the fields, apart from the **Current IPv4 address** field, must be filled in in order for you to save the settings and begin monitoring. Once you're sure they're correct, click **Save settings**
-----
### Begin monitoring
Click this to start the monitor. The software will now check for local IPv4 address changes. If a change is detected, the new IPv4 address will be stored and the CloudFlare records will be changed. This software will only change the IPv4 address in the record, all other fields will remain in their current state. If there is no change in your IPv4 address, no other actions will be taken. These actions will repeat every x minutes, depending on how you've set the timer. You can leave the app minimised and running in the background. On Windows, the app will minimise to the tray and will ensure your IPv4 address is up to date while you work.
If any of the fields have been set incorrectly, the monitor will display a warning.
-----
### Screenshots

-----
#### Stack
SQLite, PHP, Javascript, HTML, CSS
#### Framework
ozboware PHP MVCF 1.5.0
#### Version
1.0.0
-----
**Powered by [PHPDesktop](https://github.com/cztomczak/phpdesktop)**
| For those who are running domains through CloudFlare to their own servers with dynamic IP addresses. cloudReflare will automatically scan for IPv4 changes and update the CloudFlare DNS records accordingly. | cloudflare,ipv4,ipv4-address,ipv4-address-checker,auto-updater,automation,cloudflare-api,cloudflare-dns,cloudflare-worker,dns-management | 2023-02-19T08:22:13Z | 2023-07-19T03:48:33Z | 2023-07-19T03:48:33Z | 1 | 0 | 26 | 0 | 1 | 16 | null | GPL-3.0 | PHP |
Leeoasis/Awesome-books | main | # 📗 Table of Contents
- [📖 About the Project](#Awesome books)
- [🛠 Built With](#built-with)
- [Tech Stack](#html-css)
- [Key Features](#home-page)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#Leslie_Gudo)
- [🔭 Future Features](#the other pages)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#microverse)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
**[Awesome-books]** is a website that basically displays a list of the user favourite books. It has a function to add new books or remove any unwanted books from the list.
## 🛠 Built With <a name="html, css and JavaScript"></a>
### Tech Stack <a name="html, css and JavaScript"></a>
<details>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li>
</ul>
</details>
<details>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li>
</ul>
</details>
<details>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript">JavaScript</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **[Add-books-section]**
- **[Book-display]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
### Setup
Clone this repository to your desired folder using the following command; git clone https://github.com/Leeoasis/Awesome-books.git
### Run tests
To run tests, run the following command: npx hint . and npx stylelint "\*_/_.{css,scss}" and npx eslint .
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Leslie Gudo**
- GitHub: [@githubhandle](https://github.com/Leeoasis)
- Twitter: [@twitterhandle](https://twitter.com/gudo_leslie)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/leslie-gudo-b08a4)
👤 **Sane Myburg**
- GitHub: [@githubhandle](https://github.com/SaneMyburg)
- Twitter: [@twitterhandle](https://twitter.com/@SaneMyburg)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/sane-myburg)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[home_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](https://github.com/Leeoasis/Awesome-books/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 then don't forget to give a star ⭐ on this repository.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE.md) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| Awesome-books is a website that basically displays a list of the user favourite books. It has a function to add new books or remove any unwanted books from the list. | css,css3,html,javascript,modules | 2023-02-13T09:19:59Z | 2023-02-15T13:41:13Z | null | 2 | 3 | 21 | 2 | 1 | 16 | null | MIT | JavaScript |
pacifiquem/connect-four-duel | main | # connect-four-duel


<br>
- This is a connect 4 game repository.
- You can play it on [web](https://at-connect-4-game.vercel.app)
- Or use your teminal ``npx connect-four-duel``
## Preview
| Web | Terminal |
|---------------------|---------------------|
| <img src="./web-preview.png" alt="Web Preview" /> | <img src="./terminal-preview.png" alt="Terminal Preview" /> |
## Remember to Star the repo if you enjoyed this .
| connect-4-game in browser and terminal . | connect-four,game,javascript | 2023-02-18T11:39:59Z | 2023-05-15T11:51:28Z | 2023-02-20T11:42:19Z | 1 | 0 | 42 | 0 | 0 | 15 | null | null | TypeScript |
Alejandroq12/the-store | dev | <a name="readme-top">The Store.</a>
<div align="center">
<img src="./assets/images/logo.png" alt="logo" width="140" height="auto" />
<br/>
<h3><b>The Store</b></h3>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📗 Table of Contents](#-table-of-contents)
- [📖 The Store ](#-the-store-)
- [🛠 Built With HTML and CSS](#-built-with-html-and-css)
- [Tech Stack ](#tech-stack-)
- [Key Features ](#key-features-)
- [💻 Getting Started ](#-getting-started-)
- [Prerequisites](#prerequisites)
- [Setup](#setup)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment ](#deployment-)
- [👥 Author ](#-author-)
- [🔭 Future Features ](#-future-features-)
- [🤝 Contributing ](#-contributing-)
- [⭐️ Show your support ](#️-show-your-support-)
- [📝 License ](#-license-)
<!-- PROJECT DESCRIPTION -->
# 📖 The Store <a name="about-project"></a>
The Store is an e-commerce platform created with React.js + Redux Toolkit.
## 🛠 Built With <a name="built-with">HTML and CSS</a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href="https://developer.mozilla.org/es/docs/Learn/HTML">HTML</a></li>
<li><a href="https://developer.mozilla.org/es/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.js</a></li>
<li><a href="https://redux-toolkit.js.org/">Redux Toolkit</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **A complete website that simulates an e-commerce platform.**
- **Responsive design.**
- **Correctly implemented Redux Toolkit**
<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://alejandroq12.github.io/hello-world/)
<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:
- 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/).
- `node` should be installed in your local machine, [node website](https://nodejs.org/en/download/).
- Install the `npm` package manager use this [to install both node and npm](https://docs.npmjs.com/downloading-and-installing-node-js-and-npm).
- [A terminal](https://code.visualstudio.com/docs/terminal/basics).
### Setup
Clone this repository to your desired folder or download the Zip folder:
```
https://github.com/Alejandroq12/the-store.git
```
- Navigate to the location of the folder in your machine:
**``you@your-Pc-name:~$ cd the-store``**
### Install
To install all dependencies, run:
```
npm install
```
### Usage
To run the project, follow these instructions:
- After cloning this repo to your local machine.
- You must use `npm start` command in terminal to run this at the localhost.
### Run tests
To run tests, run the following command:
- Track CSS linter errors run:
```
npx stylelint "**/*.{css,scss}"
```
- Track JavaScript linter errors run:
```
npx eslint "**/*.{js,jsx}"
```
### Deployment <a name="deployment"></a>
You can deploy this project using: Render,
- I will use Render Pages to deploy my website.
- For more information about deployment on Render see "[Netlify](https://render.com/)".
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Author <a name="authors"></a>
👤 **Julio Quezada**
- GitHub: [Alejandroq12](https://github.com/Alejandroq12)
- Twitter: [@JulioAle54](https://twitter.com/JulioAle54)
- LinkedIn: [Julio Quezada](https://www.linkedin.com/in/quezadajulio/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[I will make this project a complete e-commerce website]**
<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 a star.
<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>
| The Store is an e-commerce platform created with React.js + Redux Toolkit. | css,dom,html,javascript,reactjs,redux,redux-toolkit | 2023-02-14T18:07:42Z | 2023-06-27T22:29:37Z | null | 1 | 6 | 117 | 0 | 0 | 15 | null | null | JavaScript |
mumo-esther/To-Do-List | master | <a name="readme-top"></a>
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [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)
# 📖 To Do list: list structure
<a name="about-project"></a>
**To Do list** "To-do list" is used to lists the things that you need to do and allows you to mark them as complete. This is built using ES6 and Webpack!
## 🛠 Built With <a name="built-with"></a>
- Html
- css
- Javascript
- Webpack
- Visual Studio Code
- Git & Github
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 💻 Live Demo
Live Demo Link
https://mumo-esther.github.io/To-Do-List/dist/
## 💻 Getting Started <a name="getting-started"></a>
To get a local copy up and running, follow these steps.
Git clone https://github.com/mumo-esther/To-Do-List.git
### Prerequisites
In order to run this project you need:
git clone then open in your live server
### Setup
Clone this repository to your desired folder:
cd my-folder
git clone https://github.com/mumo-esther/To-Do-List.git
### Run tests
To run tests, run the following command:
- npx hint .
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Author**
- GitHub:https://github.com/mumo-esther/mumo-esther
- Twitter:https://twitter.com/EstherMawioo
- LinkedIn: https://www.linkedin.com/in/esther-mawioo-58b636225/
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## KEY FEATURES
- when a user clicks the "Add" button:
- A new book is added to the collection.
- The new book is displayed in the page.
- when a user clicks the "Remove" button:
- The correct book is removed from the collection.
- The correct book dissapears from the page.
## FUTURE FEATURES
- Navbar
## ⭐️ Show your support <a name="support"></a>
If you like this project you can give it a ⭐️.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
I would like to thank all my coding partners who helped me in understanding linters
<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" is used to lists the things that you need to do and allows you to mark them as complete. This is built using ES6 and Webpack! | css,html,javascript | 2023-02-21T19:18:43Z | 2023-02-27T12:47:35Z | null | 1 | 6 | 23 | 1 | 0 | 15 | null | null | JavaScript |
HERMON-1995/To-do-list-project | main | # To-do-list-project
<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)
- [🚀 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 -->
# 📖 [To-do-list-project] <a name="about-project"></a>
**[To-do-list-project]** is a web application that enables users to create and manage a list of tasks by adding and removing tasks.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li><a href="https://html.com/">HTML</a></li>
<li><a href="https://www.w3.org/Style/CSS/">CSS</a></li>
<li><a href="https://www.javascript.com/">JavaScript</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **[Add tasks]**
- **[Remove tasks]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
- [See live here](https://hermon-1995.github.io/To-do-list-project/dist/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
### Prerequisites
In order to run this project you need to:
```sh
Set up Webpack
linters and jest.
```
### Setup
Clone this repository to your desired folder:
```sh
cd To-do-list-project
git clone https://github.com/HERMON-1995/To-do-list-project.git
```
### Install
```sh
cd To-do-list-project
```
```sh
npm install
```
### Usage
```sh
npm run build
```
```sh
npm start
```
### Run tests
```sh
npm test
```
```sh
npx hint .
```
```sh
npx stylelint "**/*.{css,scss}"
```
```sh
npx eslint .
```
### Deployment
- GitHub pages
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Author1**
*[HERMON Gebre]*
- [GitHub profile](https://github.com/HERMON-1995)
- [LinkedIn](https://www.linkedin.com/in/hermon-gebre)
**Author2**
*[Dheeraj Sachdeva]*
**Author3**
*[Hiwot Bayissa]*
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
#[Drag and drop]
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- CONTRIBUTING -->
## 🤝 Contributing <a name="contributing"></a>
- [Issues](https://github.com/HERMON-1995/To-do-list-project/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 show support by staring ⭐️.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
* we would like to give Microverse our sincerest gratitude for accommodating us in the Full-time Software Development program.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| To-do list project is a web application that allows users to create, manage and remove tasks or items that they need to complete. Built with: HTML/CSS, JavaScript | babel,css3,html5,javascript,webpack | 2023-02-21T05:31:39Z | 2023-04-19T08:41:02Z | null | 3 | 9 | 78 | 0 | 0 | 15 | null | MIT | JavaScript |
0xabdulkhalid/tic-tac-toe | main | null | Digitalized Tic Tac Toe game, Built during partial completion of Odin Project Curriculam | css,html,javascript,tic-tac-toe,css3,html5,theodinproject | 2023-02-11T03:47:09Z | 2023-02-15T01:30:26Z | null | 1 | 4 | 9 | 0 | 3 | 14 | null | MIT | CSS |
farhanlabib/k6-faker-load-testing | master | # k6-faker-load-testing
[](https://github.com/grafana/k6)
# k6-faker-load-testing
k6-faker is a small project that demonstrates how to use the Faker library with [k6](https://k6.io/), a modern load testing tool.
This project includes a simple k6 script that creates a fake user using Faker and posts it to the [FakeStoreAPI](https://fakestoreapi.com/) for testing purposes.
## Getting Started
To use this framework, you need to have Node.js and k6 installed on your machine.
- Clone the Repository
```bash
> git clone https://github.com/farhanlabib/k6-faker-load-testing.git
> cd k6-faker-load-testing
> npm install
```
- Install k6
```bash
https://k6.io/docs/get-started/installation/
```
## Folder Structure
Code is structured as shown below:
```
k6-Performance-Testing-Framework/
├── specs # The k6 test file is located in the spec folder.
│ ├──main.js # Main k6 Script
│ ├──test.js # Console Log File
│
├── payload.js # Function for generate fake user data
```
## Configuring the Test
The performance tests are configured using the options variable in the test script. The options variable defines the stages of the load test, including the duration and target number of requests per second for each stage.

The current configuration is set up as follows:
- Stage 1: 5 second duration and target of 1 requests per second
## Writing the Test

The main.js file contains the main function that will be executed for each virtual user. This function generates random user data using the userData function from the payload.js file, sends a POST request to the API with the generated data, and checks the response status code and response time using the k6 check function.

The payload.js file contains a function userData that generates a random user data object using the Faker.js library. The user data object contains properties such as email, username, password, name, address, and phone, with each property having randomly generated values using the Faker.js library.
## Run the Test
```bash
k6 run specs/main.js
```
This command will execute the test file and provide a summary of the test results in the console.
```bash
k6 run --log-format raw specs/main.js --console-output=./test.csv
```
This command will execute the test file and provide a detailed raw log of the test results in a csv file.
## Conclusion
This is a basic example of how to use the the Faker.js library with the k6 load testing tool. You can customize the test to suit your needs by changing the options and the test function.
Feel free to fork and make pull request for any additional feature.
| k6-faker is a small example project that demonstrates how to use the Faker.js library with the k6 load testing tool. It generates random user data objects and uses k6 to send HTTP requests to an API endpoint with the generated data. The project includes a test script and instructions for getting started. | faker-js,javascript,k6 | 2023-02-23T18:36:28Z | 2023-02-25T14:45:16Z | null | 1 | 0 | 4 | 0 | 0 | 14 | null | null | JavaScript |
ktsalik/sloticon | 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)
| Online casino client built with React and PixiJS | javascript,pixijs,slot-machine | 2023-02-13T13:40:44Z | 2023-04-08T10:14:14Z | null | 1 | 3 | 43 | 0 | 10 | 14 | null | null | JavaScript |
MikeCarbone/type-genius | main | # Type Genius
[Demo](https://type-genius.carbonology.in/)
## What is it
Type Genius is a library that can generate a Typescript file from any JSON object.
This generator can be useful for many reasons:
- Creating interfaces for JSON data returned from HTTP requests
- Migrating JavaScript code to Typescript
- Quickly scaffolding Typescript interfaces based on existing data structures
For example, the object returned from an HTTP request can be _anything_, but generally, it's going to be consistent in its return. It would be great to leverage Typescript to have intellisense for the response object. However, many APIs don't ship with a Typescript library, so you have to assume `any` as its type, or type it by hand.
On the other hand, you can use this package to quickly generate an interface from an API response.
```ts
import { buildTypes } from "type-genius";
// Get some data
const res = await fetch("https://json.com");
const data = await res.json();
// Generate type file
buildTypes(data);
```
## Options
The `buildTypes` function takes a second parameter where you can pass an options object. Below are the expected keys for that option object.
| **Option Name** | **Type** | **Default** | **Description** |
| -------------------- | ---------- | --------------------------------------------------------------------------------------- | --------------------------------------------------------------------------------------------------------------------------------------------- |
| customTypes | Object? | `js { string: "string", number: "number", boolean: "boolean", object: "object" } ` | Customize the types that get rendered. For objects, you can render a Record like this: `js customTypes: { object: "Record<string, unknown>" ` |
| forceOptional | Boolean? | false | Forces each value in every type to be optional. |
| initialInterfaceName | String? | "Response" | The name given to the first generated interface. |
| logSuccess | Boolean? | false | Should a success message get rendered after successfully generating the types. |
| outputFilename | String? | "exported.d.ts" | File name to give the rendered types file. |
| outputPath | String? | "../dist/" | Where to render the generated types. |
| renderSemis | Boolean? | false | Render semicolons in the outputted file. |
| skipFileWrite | Boolean? | false | Whether to write the file or not. |
| useStore | TypeStore? | [] | Store of existing InterfaceConfiguration objects to use for this generation. |
| useTypes | Boolean? | false | Whether to render "type"s instead of "interface"s. |
## Architecture
Before we can create our Typescript file, we have to run through a few steps to make sure things run correctly. Here is what happens under the hood:
### 1. PARSE - Convert object to a type configuration object
We first parse our object to determine each value's type. For example, this object:
```json
{
"key_name_1": "value",
"key_name_2": 1,
"key_name_3": {
"key_name_4": true
}
}
```
will become this:
```json
{
"key_name_1": {
"type": "string",
"optional": false
},
"key_name_2": {
"type": "number",
"optional": false
},
"key_name_3": {
"type": "object",
"optional": false,
"object_keys": {
"key_name_4": {
"type": "boolean",
"optional": false
}
}
}
}
```
### 2. SAVE - Initialize type store
Soon we're going to create configuration objects that describe how to construct our interface. Before we do that, we need to save them somewhere so we can refer back to this list if we have to. We have to do this in order to remove duplicate interfaces.
```js
const typesStore = [];
```
If you want to save interfaces generated in the past and refer back to them, you can use a populated array here. This is useful if you have recurring interfaces in multiple places. You don't always want to generate every interface from scratch.
### 3. CREATE - Populate store with interface configurations
An interface configuration is a set of instructions that outline how to create each interface. It includes the name of the interface, the various type configuration objects within, and the generated file string.
An interface configuration looks like this:
```js
{
"string": "", // string that will get written to a file
"typesConfig": {}, // type configuration object
"interfaceName": "" // name of the interface
}
```
Here is how each interface configuration gets produced.
First, let's assume our store is empty. The engine will go key-by-key through our type configuration object and generate the string necessary.
```json
{
"key_name_1": {
"type": "string",
"optional": false
}
}
```
will produce the string:
```typescript
export interface Response {
key_name_1: string;
}
```
At this point the interface configuration is saved and stored.
If one of the keys has a type of `object`, the function will run recursively to determine an interface for the nested object. For example, when the engine reaches a key like the one below, the function is going to rerun on the `object_keys` field:
```json
{
"key_name_3": {
"type": "object",
"optional": false,
"object_keys": {
"key_name_4": {
"type": "boolean",
"optional": false
}
}
}
}
```
#### Interface Resolution
Each time the engine attempts to create an interface configuration, it will first do a deep comparison of its type configuration object against all existing interface configurations' type configuration objects already in the store. If it finds a match, it will return that interface and the key will now reference that interface.
### 4. EXPORT - Concatenate string properties from interface configurations
At this stage, each interface configuration string is concatenated into a single string. This big string will get written to a file, and exported with the specified options.
| Generate Typescript types from any JSON object. | api,generator,typescript,javascript | 2023-02-22T04:15:08Z | 2023-02-28T06:33:23Z | null | 1 | 1 | 20 | 3 | 0 | 14 | null | null | TypeScript |
shotit/shotit | main | <p align="center">
<a href="https://shotit.github.io/" target="_blank" rel="noopener noreferrer">
<img width="180" src="https://shotit.github.io/shotit-frontend/img/logo.svg" alt="Shotit logo">
</a>
</p>
<br/>
<p align="center">
<a href="https://github.com/shotit/shotit-api"><img src="https://img.shields.io/docker/v/lesliewong007/shotit-api?style=flat-square" alt="Version"></a>
<a href="https://github.com/shotit/shotit-api"><img src="https://img.shields.io/static/v1?label=Repo&message=Shotit-api&color=brightgreen&style=flat-square" alt="Shotit-api"></a>
<a href="https://github.com/shotit/shotit-media"><img src="https://img.shields.io/static/v1?label=Repo&message=Shotit-media&color=brightgreen&style=flat-square" alt="Shotit-media"></a>
<a href="https://github.com/shotit/shotit-worker"><img src="https://img.shields.io/static/v1?label=Repo&message=Shotit-worker&color=brightgreen&style=flat-square" alt="Shotit-worker"></a>
<a href="https://github.com/shotit/shotit-sorter"><img src="https://img.shields.io/static/v1?label=Repo&message=Shotit-sorter&color=brightgreen&style=flat-square" alt="Shotit-sorter"></a>
</p>
<br/>
# Shotit ⚡
Shotit is a screenshot-to-video search engine tailored for TV & Film, blazing-fast and compute-efficient.

## Quick Start 🚀
Docker Compose is required, Please install it first.
Minimum workload: 2v16G, 4v32G preferred.
```
git clone https://github.com/shotit/shotit.git
cd shotit
```
- Copy `.env.example` to `.env`
- Edit `.env` as appropriate for your setup, as is for the first time.
- Copy `milvus.yaml.example` to `milvus.yaml`
- Edit `milvus.yaml` as appropriate for your setup, as is for the first time.
Create these necessary folders.
```
mkdir -p volumes/shotit-hash
mkdir -p volumes/shotit-incoming
mkdir -p volumes/shotit-media
mkdir -p volumes/mycores
mkdir -p volumes/mysql
```
Set the user and group information of `mycores` to 8983, required by `liresolr`.
```
sudo chown 8983:8983 volumes/mycores
```
Then, up docker-compose services.
```
(Windows or Mac):
docker compose up -d
(Linux):
docker-compose up -d
```
PS: The docker-compose.yml file fetches docker images from GitHub. If you prefer dockerhub, use the following commands instead.
```
(Windows or Mac):
docker compose -f docker-hub-compose.yml up -d
(Linux):
docker-compose -f docker-hub-compose.yml up -d
```
Once the cluster is ready, you can add your video files to the incoming folder. Take Blender's Big Buck Bunny as an example, whose imdb tag is tt1254207, the path should be:
```
./volumes/shotit-incoming/tt1254207/Big_Buck_Bunny.mp4
```
Restart `shotit-worker-watcher`, in case it doesn't catch the change of your files.
```
docker restart shotit-worker-watcher
```
When `shotit-worker-watcher` detects the existence of video files in the incoming folder, it would start uploading the videos to object-storage powered `shotit-media`. After the upload, the videos would be eliminated, then `shotit-worker-hasher` creates hash and `shotit-worker-loader` loads the hash to vector database. Use the following command to see whether the index process has been completed:
```
docker logs -f -n 100 shotit-worker-loader
```
When the index process completes, you will notice a `Loaded tt1254207/Big_Buck_Bunny.mp4` log and you can search the videos by screenshot directly from the URL below.
```
GET http://127.0.0.1:3311/search?url=https://i.ibb.co/KGwVkqy/big-buck-bunny-10.png
```
Response:
```
{
"frameCount": 0,
"error": "",
"result": [
{
"imdb": "tt1254207",
"filename": "Big_Buck_Bunny.mp4",
"episode": null,
"duration": 596.4169921875,
"from": 473.75,
"to": 479.17,
"similarity": 0.9992420673370361,
"video": "http://127.0.0.1:3312/video/tt1254207/Big%20Buck%20Bunny.mp4?t=476.46000000000004&now=1682985600&token=kc64vEWHPMsvu54Fpl1BrR7wz8",
"image": "http://127.0.0.1:3312/image/tt1254207/Big%20Buck%20Bunny.mp4.jpg?t=476.46000000000004&now=1682985600&token=K0qxDPHhoviiexOyEvS9qHRim4"
}
]
}
```
**Congratulations!** You have successfully deployed your `shotit` search engine.
Notice: the first time of api call should be longer since shotit has to load hash completely into RAM first.
## Reference 📋
Wong, L. (2024). Shotit: compute-efficient image-to-video search engine for the cloud. ArXiv. /abs/2404.12169
## Documentation 📖
Please see [here](https://shotit.github.io/) for full documentation on:
- Getting started (installation, hands-on demo guide, cloud-native S3 configuration)
- Reference (full API docs, limitation)
- Resources (explanation of core concepts)
## Architecture ⛪
### In a nutshell
`Shotit` is composed of these docker images.
| Docker Image | Docker CI Build | Image Size |
| ---------------------- | --------------- | ---------- |
| [shotit-api](https://github.com/shotit/shotit-api)| [](https://github.com/shotit/shotit-api/actions) | [](https://hub.docker.com/r/lesliewong007/shotit-api) |
| [shotit-media](https://github.com/shotit/shotit-media) | [](https://github.com/shotit/shotit-media/actions) | [](https://hub.docker.com/r/lesliewong007/shotit-media) |
| [shotit-worker-watcher](https://github.com/shotit/shotit-worker) | [](https://github.com/shotit/shotit-worker/actions) | [](https://hub.docker.com/r/lesliewong007/shotit-worker-watcher) |
| [shotit-worker-hasher](https://github.com/shotit/shotit-worker) | [](https://github.com/shotit/shotit-worker/actions) | [](https://hub.docker.com/r/lesliewong007/shotit-worker-hasher) |
| [shotit-worker-loader](https://github.com/shotit/shotit-worker) | [](https://github.com/shotit/shotit-worker/actions) | [](https://hub.docker.com/r/lesliewong007/shotit-worker-loader) |
| [shotit-worker-searcher](https://github.com/shotit/shotit-worker) | [](https://github.com/shotit/shotit-worker/actions) | [](https://hub.docker.com/r/lesliewong007/shotit-worker-searcher) |
| [shotit-sorter](https://github.com/shotit/shotit-sorter) | [](https://github.com/shotit/shotit-sorter/actions) | [](https://hub.docker.com/r/lesliewong007/shotit-sorter) |
| [liresolr](https://github.com/Leslie-Wong-H/liresolr) | | [](https://hub.docker.com/r/lesliewong007/liresolr) |
| [minio](https://min.io/) | | [](https://hub.docker.com/r/minio/minio) |
| [etcd](https://etcd.io/) | | [](https://quay.io/coreos/etcd:v3.5.5) |
| [mariadb](https://mariadb.org/) | | [](https://hub.docker.com/r/_/mariadb) |
| [adminer](https://www.adminer.org) | | [](https://hub.docker.com/r/_/adminer) |
| [redis](https://redis.io/) | | [](https://hub.docker.com/r/_/redis) |
| [milvus-standalone](https://milvus.io/) | | [](https://hub.docker.com/r/milvusdb/milvus) |
### Go deeper

### Deep dive

## Benchmarks
| Dataset | Episode number | Vector volume | Search time |
| ---------------------- | --------------- | ---| --- |
| [Blender Open Movie](https://studio.blender.org/films/) | 15 | 55,677 | within 5s |
| Proprietary genre dataset | 3,734 | 53,339,309 | within 5s |
## Live Demo
[https://shotit.github.io/shotit-frontend/demo](https://shotit.github.io/shotit-frontend/demo)
## Acknowledgment
`Shotit` significantly adopts its system design pattern from [trace.moe](https://github.com/soruly/trace.moe). The vision of `Shotit` is to make screenshot-to-video search engine genre-neutral, ease-of-use, compute-efficient and blazing-fast.
## Contribution
See [Contributing Guide](https://github.com/shotit/shotit/blob/main/CONTRIBUTING.md).
## License
[Apache-2.0](https://github.com/shotit/shotit/blob/main/LICENSE)
| Shotit is a screenshot-to-video search engine tailored for TV & Film, blazing-fast and compute-efficient. | anns,distributed,embedding-similarity,faiss,image-search,nearest-neighbor-search,screenshot,search,search-engine,vector | 2023-02-13T07:02:02Z | 2024-05-15T16:22:52Z | null | 1 | 0 | 80 | 0 | 3 | 14 | null | Apache-2.0 | null |
Kevin-Mena/AwesomeBooks-ES6 | main | # AwesomeBooks-ES6
is a simple book app for keeping track of books added and removed in a booklist.
<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">
<br/>
</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)
- [🚀 Visit my website](https://kevin-mena.github.io/Personal-Portfolio-Website/)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
# 📖 [Awesome Books ES6] <a name="about-project"></a>
**[Awesome Books ES6]** is a simple book app for keeping track of books added and removed in a booklist.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Markup</summary>
<ul>
<li><a href="https://https://developer.mozilla.org">HTML</a></li>
</ul>
</details>
<details>
<summary>Styles</summary>
<ul>
<li><a href="https://https://developer.mozilla.org">CSS</a></li>
</ul>
</details>
</details>
### Key Features <a name="key-features"></a>
- **[Navigation bar]**
- **[Book list feature]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo" ></a>
- [Live Demo Link](Coming soon...)
<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 text-editor like VS code or Sublime Editor and a github account.
### Setup
Clone this repository to your desired folder:
### Install
Install this project with git bash or github desktop.
### Usage
To run the project, execute the following command:
$git clone to clone the project to your desktop.
### Run tests
To run tests, run the following command:
bin/rails test test/models/article_test.rb
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Kevin Okoth**
- GitHub: [@githubhandle](https://github.com/Kevin-Mena)
- Twitter: [@twitterhandle](https://twitter.com/Fmenawende)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/kevin-okoth-19407119b/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[APIs]**
- [ ] **[Database]**
- [ ] **[visual Support]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](../../issues/).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
If you like this project,give it a ⭐️!
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
Thanks to everyone whose idea and codebase was used in this project🙏
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ❓ FAQ (OPTIONAL) <a name="faq"></a>
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license">MIT License
This project is [MIT](Copyright (c) [2023] [Kevin Okoth]
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. ) licensed.
MIT License
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| Awesome books app is a simple book app which keep track of the list of books added to a bookstore.It has a feature where a user can add and remove a book from a book store list. | javascript,linters,css3,html5,luxon | 2023-02-20T08:09:48Z | 2023-04-12T07:29:25Z | null | 1 | 1 | 17 | 0 | 0 | 14 | null | null | JavaScript |
CodingWithEnjoy/React-OHMOJI | main | <h2 align="center">جعبه ابزار برنامه نویسا | Developers Tools 🤩🤩</h2>
###
<p align="left"></p>
###
<h4 align="center">دمو | Demo 😁<br><br>https://ohmoji.netlify.app</h4>
###
<p align="left"></p>
###
<div align="center">
<img height="350" src="https://user-images.githubusercontent.com/113675029/232234131-b1a30299-c987-4e8a-a85c-1cd7cad06e75.png" />
</div>
###
<p align="left"></p>
###
<div align="center">
<img height="350" src="https://user-images.githubusercontent.com/113675029/232234149-5f1fa641-d3bd-40bd-857e-db23511dcf47.png" />
</div>
###
<p align="left"></p>
###
<p align="left"></p>
###
<p align="left"></p>
###
<div align="center">
<a href="https://www.instagram.com/codingwithenjoy/" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/instagram/default.svg" width="52" height="40" alt="instagram logo" />
</a>
<a href="https://www.youtube.com/@codingwithenjoy" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/youtube/default.svg" width="52" height="40" alt="youtube logo" />
</a>
<a href="mailto:codingwithenjoy@gmail.com" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/gmail/default.svg" width="52" height="40" alt="gmail logo" />
</a>
<a href="https://twitter.com/codingwithenjoy" target="_blank">
<img src="https://raw.githubusercontent.com/maurodesouza/profile-readme-generator/master/src/assets/icons/social/twitter/default.svg" width="52" height="40" alt="twitter logo" />
</a>
</div>
###
<p align="left"></p>
###
<h4 align="center">توسعه داده شده توسط برنامه نویسی با لذت</h4>
###
| برنامه ایموجی | All Emojies 🚀🔴😊 | api,css,emoji,html,json,nextjs,react,responsive,typescript,javascript | 2023-02-13T11:27:47Z | 2023-04-17T15:42:10Z | null | 1 | 0 | 4 | 0 | 0 | 14 | null | MIT | TypeScript |
VelzckC0D3/Portfolio_v1.0 | main | <a name="readme-top"></a>
<div align="center">

</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#deployment)
- [👥 Author](#author)
- [👥 Collaborator](#collaborator)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 [My Portfolio] <a name="about-project"></a>
**[My Portfolio]** Here you have the Portfolio project, were I was able to learn how to properly apply the Mobile First method and also a proper GitFlow
## 🛠 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>
</ul>
</details>
<details>
<summary>Server</summary>
<ul>
<li><a>N/A</a></li>
</ul>
</details>
<details>
<summary>Database</summary>
<ul>
<li><a>N/A</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **[Easy to navigate]**
- **[Mobile First Focus]**
- **[It is well designed]**
- **[It shows the proper GitFlow]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
[Click here to visit the Live Demo on Netlify](https://velzckcode.netlify.app)
\
[Click here to visit the Live Demo on Github](https://velzckc0d3.github.io/Portfolio-v2.0-Microverse/)
\
\

<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:
```sh
To have a computer, Internet, Keyboard and Mouse
```
### Setup
Clone this repository to your desired folder:
```sh
Open it with Visual Studio Code, and open a server with "LiveServer".
```
### Install
Install this project with:
```sh
Installation is not necessary
```
### Usage
To run the project, execute the following command:
```sh
Open Live Server
```
### Run tests
To run tests, run the following command:
```sh
To check the HTML functionality use: 'HTML npx hint .'
```
```sh
To check the CSS functionality use: 'npx stylelint "**/*.{css,scss}"'
```
### Deployment
You can deploy this project using:
```sh
Your software of preference
```
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHOR -->
## 👥 Author <a name="author"></a>
- GitHub: [@VelzckC0D3](https://github.com/VelzckC0D3)
- LinkedIn: [VelzckC0D3](https://www.linkedin.com/in/velzckcode/)
<!-- COLLABORATOR -->
## 👥 Collaborator <a name="collaborator"></a>
- GitHub: [@zam-cham](https://github.com/zam-cham)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[CSS Animations and Transitions]**
- [ ] **[Easy user interface to navigate with]**
- [ ] **[Complete, user friendly design, responsive and optimized]**
<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, be pending on my profile since I'll be doing much more!
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
I would like to thanks my Microverse Team for helping me to get this done.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FAQ (optional) -->
## ❓ FAQ<a name="faq"></a>
- **[Which languages did you use in this project?]**
- [only HTML and CSS]
- **[How were you able to do the Icons hover effect?]**
- [It's a round solid border, with a transparent color that changes on a smooth transition to orange when you hover it.]
<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>
| null | css,html,javascript | 2023-02-15T20:34:54Z | 2023-08-19T10:27:42Z | null | 4 | 9 | 61 | 0 | 0 | 14 | null | MIT | CSS |
crkco/Chess.com-Redesign-of-Nibbler-GUI | main | # Chess.com Redesign of Nibbler GUI
This is a redesign of the Nibbler Chess GUI (https://github.com/rooklift/nibbler), creating a similar look and feel as Chess.com (only tested for Stockfish).
## How to install?
Under Code - Download ZIP. Extract and replace all in nibbler-folder/resources/app/.
## What is changed?
Mainly the layout and graphics have been changed. The pieces are now sliding instead of teleporting, sounds have been added and themes (e.g. lichess board and pieces) can be selected.
Additionally, each move shows an evaluation icon similar to Chess.com and accuracy is also calculated.
<img src="https://user-images.githubusercontent.com/23149790/225937986-878f33f2-9f35-49c1-8390-b99f4e68170c.png" width=90% height=90%>
## How is win percentage and accuracy calculated?
Both calculations are directly taken from lichess: https://lichess.org/page/accuracy.
## How does this differ to Chess.com's evaluation?
The win percentage is the exact same, where only the engine and depth create differences.
To calculate if a blunder or better moves occured, Chess.com's table providing the win percentage difference for each classification is used: https://support.chess.com/article/2965-how-are-moves-classified-what-is-a-blunder-or-brilliant-and-etc.
However, it is also stated that they are not using as strict of a model anymore (e.g. less blunders for lower rated players) and therefore the number of blunders can be different. From comparing some games, it is practically the same, but with more blunders.
## How does accuracy differ to Chess.com's calculation?
Since lichess' calculation is very strict, you will see quite high accuracies displayed. Chess.com is using a newer model that takes some context into account and is also aiming for a general evaluation that tells you if you played good or not, which means it is generally lower than the strict model. More about it: https://support.chess.com/article/1135-what-is-accuracy-in-analysis-how-is-it-measured.
## Credits
Credit to https://github.com/Aldruun for creating chess move sounds.
Chess pieces are taken from: https://github.com/lichess-org/lila/tree/master/public.
| Nibbler with Chess.com Icons and Review | chess,gui,chess-com,analysis,icons,javascript,nibbler,review,stockfish,lichess-api | 2023-02-23T06:37:10Z | 2023-04-04T11:59:02Z | null | 1 | 0 | 97 | 3 | 1 | 14 | null | null | JavaScript |
Iamdivyak/Freelance-Web-Developer-Portfolio-Template | main | <h1 style="color: #F26C4F; text-align: center; padding: 20px 0"> Freelance Web Developer Portfolio Template ✨</h1>
## A clean, beautiful, and responsive portfolio template for Developers!
<img width="908" alt="image" src="https://github.com/Iamdivyak/Freelance-Web-Developer-Portfolio-Template/assets/102896170/9035b9d2-255f-4df1-a355-dd4cb7d16fe4">
Welcome to the Freelance Web Developer Portfolio Template, an open-source project to help web developers showcase their skills and work in a professional manner. This template provides a customizable and responsive portfolio website, allowing you to create a stunning online presence to attract clients and employers.
To view a live example, **[click here](https://iamdivyak.netlify.app/)**.
## Features
- **Responsive Design**: Your portfolio will look great on various devices and screen sizes.
- **Customizable**: Easily modify content, images, and styles to suit your personal brand.
- **Projects Showcase**: Display your projects with details, images, and links.
- **Contact Form**: Include a contact form for potential clients and collaborators to reach out to you.
- **Skills and Services**: Showcase your skills and services to highlight what you can offer.
- **Blog Section**: Share your thoughts, insights, and knowledge with a built-in blog section.
- **SEO Friendly**: Optimize your portfolio for search engines to increase your online visibility.
## Getting Started
1. **Fork the Repository**: Start by forking this repository to your GitHub account.
2. **Clone the Repository**: Clone the forked repository to your local development environment:
```bash
git clone https://github.com/yourusername/Freelance-Web-Developer-Portfolio-Template.git
To get your personal portfolio. Customize your portfolio theme by using your own color scheme. Feel free to use it as-is or personalize it as much as you want.
If you'd like to **contribute** and make this much better for other users, have a look at [Issues](https://github.com/Iamdivyak/Freelance-Web-Developer-Portfolio-Template/issues) or feel free to create an issue that helps to make the portfolio more batter.
## 🖼️ Figma Design of the Website
- Visite the design file [Figma Design](https://www.figma.com/file/wKcuUSuG9uEbaXL4TytRzG/my-profile%2Fportfolio-design?type=design&node-id=0%3A1&mode=design&t=TgSPcyjNpZr9n8YT-1)
## 💻 Tech Stack
- [HTML5](https://developer.mozilla.org/en-US/docs/Glossary/HTML5) - HTML is the standard markup language for Web pages
- [JavaScript](https://tc39.es/) - JS is an Open source runtime environment, built on the Chrome browser's V8 engine
- [CSS](https://developer.mozilla.org/en-US/docs/Web/CSS) - CSS describes how HTML elements should be displayed
- [Bootstrap](https://getbootstrap.com/docs/5.0/getting-started/introduction/) - A popular framework for building responsive, mobile-first sites.
## 🚀 Quick start
Contributions are welcome! If you have any ideas, suggestions, or bug fixes, please feel free to open an [issue](https://github.com/Iamdivyak/Freelance-Web-Developer-Portfolio-Template/issues) and submit a pull request. Make sure to follow the project's code of conduct.
> **Note**: If you are new to open source contributions, you can refer to [this](https://opensource.guide/how-to-contribute/) guide by GitHub.
> **Warning**: Please do not spam the repository with unnecessary PRs. Please create PRs if and only if you are assigned to the respective issue. Make sure to follow the project's [code of conduct](/CODE_OF_CONDUCT.md).
### Installation
1. Clone the repo
```sh
git clone https://github.com/Iamdivyak/Freelance-Web-Developer-Portfolio-Template.git
```
2. Open the **index.html** file
3. Have fun!
### Creating A Pull Request
1. Fork the Project
2. Clone your forked repository
```sh
git clone https://github.com/<your_github_username>/Freelance-Web-Developer-Portfolio-Template.git
```
3. Now go ahead and create a new branch and move to the branch
```sh
git checkout -b fix-issue-<ISSUE-NUMBER>
```
4. After you have added your changes, follow the following command chain
Check the changed files
```sh
git status -s
```
5. Add all the files to the staging area
```sh
git add .
```
or
```sh
git add <file_name1> <file_name2>
```
6. Commit your changes
```sh
git commit -m "<EXPLAIN-YOUR_CHANGES>"
```
7. Push your changes
```sh
git push origin fix-issue-<ISSUE-NUMBER>
```
8. Open a Pull Request
## Thanks to all Contributors 💪
Your contribution is the root of the success of this project.
Also Give it a Star 🌟, If you loved contributing to the project.
Let's connect on my [Github](https://github.com/Iamdivyak) for more such projects !!
<a href="https://github.com/Iamdivyak/Freelance-Web-Developer-Portfolio-Template/graphs/contributors">
<img src="https://contrib.rocks/image?repo=Iamdivyak/Freelance-Web-Developer-Portfolio-Template" />
</a>
## 👩💻 Project Admin
<table>
<tr>
<td align="center">
<a href="https://github.com/Iamdivyak">
<img src="https://avatars.githubusercontent.com/u/102896170?v=4" width="100px" alt="" />
<br /> <sub><b>Divya Kumari</b></sub>
</a>
<br /> <a href="https://github.com/Iamdivyak">
👩💻Admin
</a>
</td>
</tr>
</table>
| The personal # Freelance Web Developer Portfolio Template. Built using html, css, javaScript and Bootstrap. | css,html,javascript,bootstrap5,hacktoberfest,hacktoberfest-accepted | 2023-02-18T13:17:49Z | 2023-11-02T15:52:50Z | null | 14 | 37 | 115 | 1 | 24 | 14 | null | MIT | HTML |
Bestbynature/portfolio | main | <a name="readme-top"></a>
<div align="center">
<br/>
<h3><b>Portfolio - Mobile first 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)
- [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)
<!--Portfolio PROJECT DESCRIPTION -->
# 📖 [Portfiolio - Mobile first Project] <a name="about-project"></a>
**[Portfiolio - Mobile first Project]** is my first project to show that I can use industry best-practices to design a responsive, mobile first website. It also checks to see if i can translate figma designs to actual web pages. I did use Figma and Behance for my design inspirations these days.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Client</summary>
<ul>
<li>HTML</li>
<li>CSS</li>
<li>JAVASCRIPT</li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **[Figma design to web pages]**
- **[Hyperlinks joining the pages]**
- **[professional commit messages]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
> Add a link to your deployed project.
- [My Portfolio](https://bestbynature.github.io/portfolio/)
<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:
<ul>
<li>The current version of node</li>
<li>To have Git installed on your local machine</li>
<li>Node Package manager (npm) </li>
<li>An editor such as Visual Studio Code</li>
</ul>
### Setup
Clone this repository to your desired folder:
<ul>
<li>Create your classic access token from github.com</li>
<li>run "git clone https://{access_token}@github.com/username/{repo_name}.git"</li>
<li>Update your git identity by running "git config --global user.email "your_email@gmail.com""</li>
<li>Update your name on git by running "git config --global user.name "your_name""</li>
</ul>
### Install
Install this project with:
<ul>
<li>In the first commit of your feature branch create a .github/workflows folder and add a copy of [.github/workflows/linters.yml](https://github.com/microverseinc/linters-config/blob/master/html-css/.github/workflows/linters.yml) to that folder.</li>
<li>create a .gitignore file and add node_modules to it</li>
<li>run 'npm init -y'</li>
<li>run 'npm install --save-dev hint@7.x'</li>
<li>Copy [.hintrc](https://github.com/microverseinc/linters-config/blob/master/html-css/.hintrc) to the root directory of your project.</li>
<li>run 'npx hint .'</li>
<li>Fix validation errors.</li>
<li>run 'npm install --save-dev stylelint@13.x stylelint-scss@3.x stylelint-config-standard@21.x stylelint-csstree-validator@1.x'</li>
<li>Copy [.stylelintrc.json](https://github.com/microverseinc/linters-config/blob/master/html-css/.stylelintrc.json) to the root directory of your project.</li>
<li>run 'npx stylelint "**/*.{css,scss}"'</li>
</ul>
### Usage
To run the project, execute the following command:
Example command:
```sh
use git bash to open in Vs code
```
### Run tests
To run tests, run the following command:
Example command:
```sh
Run "npx stylelint "**/*.{css,scss}" --fix " to fix linters
```
### Deployment
You can deploy this project using:
- github pages
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
> Mention all of the collaborators of this project.
👤 **Author1**
- GitHub: [@githubhandle](https://github.com/Bestbynature)
- Twitter: [@twitterhandle](https://twitter.com/Dammybest)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/damilare-ismaila-4a5a8b30/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[contact form page]**
- [ ] **[About page]**
- [ ] **[links to portfolio items]**
<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>
> Write a message to encourage readers to support your project
If you like this project...
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
> Give credit to everyone who inspired your codebase.
I would like to thank members of my stand up team for their input while making this project.
<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 is a portfolio website that makes use of figma design and mobile first approaches. It was built with html, CSS, and JavaScript. It portrays the usage of flexbox and grid and dynamic DOM manipulations with JavaScript. | css,html,javascript | 2023-02-15T11:21:27Z | 2023-11-24T15:43:24Z | null | 3 | 18 | 154 | 0 | 0 | 14 | null | MIT | JavaScript |
tjay1760/Shakys-Cookout | master | <a name="readme-top"></a>
<!--
HOW TO USE:
This is an example of how you may give instructions on setting up your project locally.
Modify this file to match your project and remove sections that don't apply.
REQUIRED SECTIONS:
- Table of Contents
- About the Project
- Built With
- Live Demo
- Getting Started
- Authors
- Future Features
- Contributing
- Show your support
- Acknowledgements
- License
OPTIONAL SECTIONS:
- FAQ
<div align="center">
<img src="./images/Shakys-logo.jpeg" alt="logo" width="140" height="auto" />
<br/>
<h3><b>Microverse README Template</b></h3>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
-[Project Overview](#overview)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
-- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 [Capstone-project-1] <a name="My first capstone project"></a>
**[Capstone-project-1]** is a event page about the annual Shaky's Cookout. The Events brings together various players in the culinary industry to showcase their cooking skills.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
> HTML
> CSS
> Javascript
<!-- Features -->
### Key Features <a name="key-features"></a>
> Describe between 1-3 key features of the application.
- **[Dynamic Created Presenters section]**
- **[Responsive for both mobile and DEsktop]**
- **[Cross navigability across pages]**
<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://tjay1760.github.io/Capstone-project-1/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- PROJECT OVERVIEW -->
<a name="overview"></a>
Here's a video explaining the project
- [Video Link](https://www.loom.com/share/ea75d89b298844b3a8657f4d9e6ed5f8)
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
> Describe how a new developer could make use of your project.
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
-Git installed in desktop
-Code editor of your choice i.e; Visual Studio Code
-Browser of your choice i.e; Mozilla Firefox ,google chrome, etc
-Terminal of your choice i.e; Git Bash
### Setup
-Clone this repository to your desired folder:
-use the git clone command with this link
-cd into Capstone-project-1
-Switch branch using this command git checkout event-branch
-Open index.html in your browser
### Deployment
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
- GitHub: [@githubhandle](https://github.com/tjay1760)
- Twitter: [@twitterhandle](https://twitter.com)
- LinkedIn: [LinkedIn](https://www.linkedin.com/mwlite/in/john-thiongo-10484347)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
>
- [ ] **[Create a form to take registered participants]**
- [ ] **[Add more photos for past event section]**
- [ ] **[Add more content to the Partners 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>
> Write a message to encourage readers to support your project
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 thank Cindy Shin.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](./license) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| is a event page about the annual Shaky's Cookout. The Events brings together various players in the culinary industry to showcase their cooking skills. | css,html,javascript | 2023-02-13T09:02:55Z | 2023-02-18T05:32:53Z | null | 1 | 1 | 24 | 1 | 0 | 14 | null | MIT | HTML |
joyapisi/ThePortfolio | main | # Portfolio
Portfolio setup, Mobile First and DOM Manipulation
<a name="readme-top"></a>
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
-- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ](#faq)
- [📝 License](#license)
# 📖 [Portfolio] <a name="Portfolio"></a>
**[Portfolio]** is a simple HTML, CSS and JavaScript project that teaches how to parse a Figma design to create a UI in both mobile and desktop version, use JavaScript events and use JavaScript to manipulate DOM elements.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<summary>Figma Template</summary>
<ul>
<li><a href="https://https://www.figma.com/">Figma</a></li>
</ul>
<summary>Javascript runtime environment</summary>
<ul>
<li><a href="https://nodejs.org/en/">Node JS</a></li>
</ul>
<summary>Version control</summary>
<ul>
<li><a href="github.com">Git Hub</a></li>
</ul>
</details>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
Click here to see a live demo of this project online: <li><a href="https://joyapisi.github.io/ThePortfolio/">Live Demo</a></li>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
Creating your first "Portfolio" project
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
-A Git hub account
-Git bash
-Node JS
-Visual Studio Code as your code editor
-Figma account
### Setup
Clone this repository to your desired folder:
```sh
cd my-folder
git clone[ (https://github.com/joyapisi/ThePortfolio.git)]
```
### Set Up Linters
## Define Linters
A linter is a tool to help you improve your code. You can learn more about Linters here: (source: (<https://www.testim.io/blog/what-is-a-linter-heres-a-definition-and-quick-start-guide/>)).
Advantages of Linting:
1. Fewer errors in production- The use of linters helps to diagnose and fix technical issues such as code smells. As a result, fewer defects make their way to production.
2. Achieving a more readable and consistent style, through the enforcement of its rules.
3. Having more secure and performant code.
4. Having an objective and measurable assessment of code quality.
5. Having fewer discussions about code style and aesthetic choices during code reviews.
## Install Linters
You can find linters for most of the programming languages, e.g. Rubocop for Ruby or ESLint for JavaScript.
Also, there are many ways you can integrate a linter in your workflow:
-text editor plugin
-GitHub Actions
-GitHub apps
## Set up Linters
**Note:** The npm package manager is going to create a node_modules directory to install all of your dependencies. You shouldn't commit that directory. To avoid that, you can create a .gitignore file and add node_modules to it:
# .gitignore
node_modules/
## ESLint
Run
```
npm install --save-dev eslint@7.x eslint-config-airbnb-base@14.x eslint-plugin-import@2.x babel-eslint@10.x
```
## Web Hint
This is a customizable linting tool that helps you improve your site's accessibility, speed, cross-browser compatibility, and more by checking your code for best practices and common errors.
**NOTE:** If you are using Windows, make sure you initialize npm to create `package.json` file.
```
npm init -y
```
1. Run
```
npm install --save-dev hint@7.x
```
*how to use npm: (https://docs.npmjs.com/downloading-and-installing-node-js-and-npm).*
2. Copy [.hintrc](.hintrc) to the root directory of your project.
3. **Do not make any changes in config files - they represent style guidelines that you share with your team - which is a group of all Microverse students.**
- If you think that change is necessary - open a [Pull Request in this repository](../README.md#contributing) and let your code reviewer know about it.
4. Run
```
npx hint .
```
[Copy contents of .eslintrc.json to the root directory of your project](https://github.com/microverseinc/linters-config/blob/master/html-css-js/.eslintrc.json)
5. Fix validation errors.
### [Stylelint](https://stylelint.io/)
A mighty, modern linter that helps you avoid errors and enforce conventions in your styles.
1. Run
npm install --save-dev stylelint@13.x stylelint-scss@3.x stylelint-config-standard@21.x stylelint-csstree-validator@1.x
not sure how to use npm? Read this.
2. Copy .stylelintrc.json to the root directory of your project.
3. **Do not make any changes in config files - they represent style guidelines that you share with your team - which is a group of all Microverse students.**
If you think that change is necessary - open a Pull Request in this repository and let your code reviewer know about it.
4. Run npx stylelint "**/*.{css,scss}" on the root of your directory of your project.
5. Fix linter errors.
6. **IMPORTANT NOTE:** feel free to research auto-correct options for Stylelint if you get a flood of errors but keep in mind that correcting style errors manually will help you to make a habit of writing a clean code!
### Making Your HTML and CSS Code From Figma
-Pick a figma template to work on and use css and html to build a replica the first 2 sections of the mobile website using the template you have chosen.
-Make sure to replace the contents of helloworld.html with new contents of your own html code which replicates the chosen figma template.
-In your figma template, you will create the toolbar (or header) and the headline section (right after the header)
**note**
-Make sure to pick the mobile template on figma and not the desktop template.
-In order to lay out the elements on the page you should use Flexbox in all 2 sections.
-You don't need to implement any functionality that requires JavaScript, like opening the menu or creating dropdowns.
-You must stick to the design as much as possible (e.g. font, colors, images, text, margins) using the templates in Figma.
-Implement the button interactions (enable, hover, etc.).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Joy Phoebe**
- GitHub: (https://github.com/joyapisi)
- Twitter: (https://twitter.com/joyapisi)
- LinkedIn: (https://http://www.linkedin.com/in/joy-phoebe-00b80a13a)
## 🤝 Contributing <a name="contributing"></a>
Dave: (https://github.com/dave-prog)
Nelofar: (https://github.com/Nelofarzabi)
Ismail Mayito: (https://github.com/ismayito)
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[Feature_1]**
Adding drop down for my tech stack in the about me section.
- [ ] **[Feature_2]**
Adding proper project titles
- [ ] **[Feature_3]**
Adding proper project details from former employment
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- CONTRIBUTING -->
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](https://github.com/joyapisi/ThePortfolio/issues).
## ⭐️ Show your support <a name="support"></a>
If you like this project, kindly leave a comment below and share it with someone who enjoys coding! Coding is all about continuous learning and allowing yourself to be a beginner. Keep going!
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="Microverse Inc."></a>
I'm thankful to Microverse for providing a study platform which guided me through this project and to my coding partners at Microverse for the collaborative effort.
<!-- FAQ (optional) -->
## ❓ FAQ <a name="faq"></a>
- **[Question_1]**
How can I download figma images?
- [Answer_1]
You can watch this video to understand hpw you can download figma images and use CSS provided in figma:
<ul>
<li><a href="https://www.loom.com/embed/167236d17f104fc18298c5c9888354c9">Git Hub</a></li>
</ul>
- **[Question_2]**
Where can I download node JS for installation?
- [Answer_2]
Node Js can be downloaded here- <ul>
<li><a href="https://nodejs.org/en/download/"> Node JS </a></li>
</ul>
- **[Question_3]**
How can I style with flexbox?
- [Answer_3]
Learn everything you need to know about flex boxes here:
<ul>
<li><a href="https://www.youtube.com/watch?v=Vj7NZ6FiQvo&list=PLu8EoSxDXHP7xj_y6NIAhy0wuCd4uVdid">Flex Boxes</a></li>
</ul>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](https://choosealicense.com/licenses/mit/) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p> | Portfolio is a HTML, CSS and JavaScript project that displays a personal portfolio. I have parsed a Figma design to create a UI in both mobile and desktop version. I have also used JavaScript events and DOM manipulation to create the mobile menu pop-up and modal pop ups. | css,guidelines,html,javascript,styleguide,best-practices | 2023-02-14T08:32:38Z | 2023-09-05T23:28:55Z | null | 4 | 13 | 127 | 0 | 0 | 13 | null | null | CSS |
Newtayo/Module-Awesome-Books | main | <!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Prerequisites](#prerequisites)
- [Setup](#setup)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 Awesome Books: ES6 <a name="about-project"></a>
> Awesome books project is created using html, css and javascript.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- BUILT WITH -->
## 🛠 Built With <a name="built-with"></a>
- Programming languages:
HTML, CSS3, Javascript
- Tools:
Git, GitHub, Linters, Luxons
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- Features -->
### Key Features <a name="key-features"></a>
- Built using ES6 Modules
- Dynamic website for adding and removing books.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
> Link to deployed project.
- [Live Demo Link](<a href="https://newtayo.github.io/Module-Awesome-Books/main/">Live Demo</a>)
<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:
- Git and Code editor.
### Setup
Clone this repository to your desired folder:
``git clone `https://github.com/Newtayo/Module-Awesome-Books.git`
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="author"></a>
👤 Akande Omotayo
- GitHub: [@Newtayo](https://github.com/Newtayo)
- Twitter: [@Omortayoh](https://twitter.com/Omortayoh)
- LinkedIn: [Akande Abdulwasiu](https://linkedin.com/in/AkandeAbdulwasiu)
<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/Newtayo/Module-Awesome-Books/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 a ⭐️ to this repository.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
> I would like to thank [Microverseinc](https://github.com/microverseinc).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](<a href="https://github.com/Newtayo/Module-Awesome-Books/blob/main/LICENSE">License</a>) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| This web app manages the books available at a store called Awesome Books. Books can be added and removed at will. It also utilizes local storage to ensure changes are preserved | css,html,javascript | 2023-02-19T17:23:27Z | 2023-03-04T07:30:12Z | null | 1 | 4 | 14 | 0 | 0 | 13 | null | MIT | JavaScript |
h1r0kuu/ecommerce-spring-react | master | # Ecommerce
This is an ecommerce REST API built using Java and Spring Boot. The API provides functionality for managing products, orders, and customers. The API uses JSON Web Tokens (JWT) for authentication and authorization.
## Table of Contents
- [Microservices](#microservices)
- [config-service](#config-service)
- [api-gateway](#api-gateway)
- [catalog-service](#catalog-service)
- [order-service](#order-service)
- [auth-service](#auth-service)
- [image-service](#image-service)
- [customer-service](#customer-service)
- [cart-service](#cart-service)
- [Technologies Used](#technologies-used)
- [Setup](#setup)
- [Authentication and Authorization](#authentication-and-authorization)
- [Future Development](#future-development)
## Microservices
The API is built using a microservice architecture, with the following services:
### api-gateway
The `api-gateway` service provides a single entry point for clients to access the various services in the system.
### catalog-service
The `catalog-service` service manages the catalog of products available for sale.
### config-service
The `config-service` service stores configuration data for the various services in the system.
### order-service
The `order-service` service manages orders placed by customers.
### auth-service
The `auth-service` service provides authentication and authorization for the system.
### image-service
The `image-service` service manages the images associated with products.
### customer-service
The `customer-service` service manages information about customers who have registered with the system.
### cart-service
The `cart-service` service manages customer cart
## Technologies Used
The following technologies were used to build this API:
- Spring Cloud (Config, OpenFeign, Eureka)
- JPA / Hibernate
- Springdocv2
- Java version 19
- Spring Boot version 3.0.2
- PostgreSQL database
## Setup
1. Clone this repository to your local machine.
2. Install PostgreSQL database and create a database for the application.
3. Update the `application-{service}.yml` file in the `config-server` module with the database details for each service.
4. Start the Eureka server by running the `DiscoveryServerApplication.java` file in the `discovery-server` module.
5. Start the Config Server by running the `ConfigServerApplication.java` file in the `config-server` module.
6. Start the Api Gateway by running the `ApiGatewayApplication.java` file in the `api-gateway` module.
7. Start the remaining modules (catalog-service, order-service, auth-service, image-service, customer-service and cart-serivce) by running their respective `Application.java` files.
## Authentication and Authorization
The API uses JSON Web Tokens (JWT) for authentication and authorization. When a user logs in, they receive a JWT that must be included in the header of all subsequent requests. The JWT is verified on the server side to ensure that the user is authenticated and authorized to perform the requested action.
## Future Development
In the future, a React-based frontend will be added to the application to provide a user interface for managing products, orders, and customers.
Additionally, the API could be expanded to include features such as payment processing, order tracking, and inventory management. The API could also be optimized for performance by implementing caching, load balancing, and other techniques. Finally, the API could be secured further by adding additional security measures such as rate limiting, input validation, and intrusion detection.
| Multipurpose eCommerce application based on the microservices architecture built with using Spring Boot and ReactJS. | ecommerce,java,javascript,microservice,multipurpose-ecommerce,react,spring,spring-boot,fullstack,reactjs | 2023-02-22T14:52:46Z | 2023-03-23T19:08:48Z | null | 1 | 0 | 111 | 0 | 1 | 13 | null | null | Java |
DawnSee0823/e-conom-site | master | <br />
<h2 align="center">E-Commerce Website</h2>
<p align="center">
<a href="https://github.com/anilsenay/next-e-commerce">
<img src="https://i.ibb.co/ZzG3GtN/index.png" alt="Header photo" >
</a>
<h4 align="center">Demo: <a href="https://next-e-commerce-example.vercel.app/">https://next-e-commerce-example.vercel.app/</a></h4>
<p align="center">
An e-commerce website example built with Next.js that I made in 1 week as a self challenge. There are some issues that I will handle later. Using Firebase as backend.
<br />
<br />
Solid and perfect
</p>
</p>
<!-- TABLE OF CONTENTS -->
## Table of Contents
- [About the Project](#about-the-project)
- [Built With](#built-with)
- [Screenshots](#screenshots)
- [Home (News In)](#news-in)
- [Categories](#categories)
- [Product](#product)
- [Cart](#cart)
- [Account](#account)
- [Getting Started](#getting-started)
- [Prerequisites](#prerequisites)
- [Installation](#installation)
- [Issues / Feature Plans](#issues---future-plans)
- [Contributing](#contributing)
- [Questions & Answers](#q--a)
- [License](#license)
- [Contact](#contact)
<!-- ABOUT THE PROJECT -->
## About The Project
I saw a UI design on Dribbble by [Anton Mikhaltsov](https://dribbble.com/shots/9404340-Shop-Clothing-Web-Page). And I wanted to code this design. So I decided to make it a full working website with NextJS but in just 1 week as challenge myself. Some issues are still there but I will check out them later.
- Filter and Sort buttons are not working yet.
- Firebase functions could be better
- Home page(News In) cards has no redirects. They are just placeholders.
### Built With following Stack
- [React](https://reactjs.org)
- [NextJS](https://nextjs.org/)
- [Firebase](https://firebase.google.com/docs/web/setup)
- [React Hook Form](https://react-hook-form.com/)
- [date-fns](date-fns.org/)
- [Sass](https://sass-lang.com/)
<!-- Screens -->
## Screenshots
### News In

- Cards has no links and they are static, they are just placeholders.
### Categories

### Product

### Cart

### Account

<!-- GETTING STARTED -->
## Getting Started
### Prerequisites
- [Node.js](https://nodejs.org/en/) version 10.13 or later
- [Git](https://git-scm.com/) (I used 2.20.1)
### Installation
1. You need to create a firebase project
2. Clone the repo and change the directory
```sh
git clone https://github.com/anilsenay/next-e-commerce.git
cd next-e-commerce
```
3. Install NPM packages
```sh
npm install
```
4. Create your .env.local file on root folder(next-e-commerce) with this content. Put your firebase keys.
```
NEXT_PUBLIC_FIREBASE_API_KEY = your-firebase-api-key
NEXT_PUBLIC_FIREBASE_PROJECT_ID = your-firebase-project-id
NEXT_PUBLIC_FIREBASE_APP_ID = your-firebase-app-id
```
5. Run in development mode
```sh
npm run dev
```
<!-- Issues / Future plans -->
## Issues - Future plans
- Filter and Sort buttons
- Optimize firestore query functions
- On cart page, decrease item button is not working
- ~~Website will be %100 responsive~~
- Replace some HTML tags with semantic tags
<!-- CONTRIBUTING -->
## Contributing
Contributions are what make the open source community such an amazing place to be 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
<!-- Q & A -->
## Q & A
- Question: I created Firebase project but I do not familiar with it. What should I do then?
**Answer**: You can contact me about setting your Firebase project, I would gladly help you.
- Question: I created Firebase project but I do not have database structure. What should I do then?
**Answer**: Please contact me to get database structure I created.
- Question: Why did not you share your database structure?
**Answer**: I just want to know if someone is interest in this project :D
- Question: How can I contribute?
**Answer**: It makes me happy even if you just star this project. For code [contributes](#contributing), you can fork the repo and open a pull request after your changes. Any feedback is also important for me. You can open issue or send me message.
- Question: Did you design UI?
**Answer**: No, I did not design actually. I found home page design on Dribbble by [Anton Mikhaltsov](https://dribbble.com/shots/9404340-Shop-Clothing-Web-Page). Except home page, other UI choices is mine. While I made this website in limited time, I did not think on UI/UX a lot. So you can also feedback me about design.
<!-- LICENSE -->
## License
Distributed under the GPL License. See `LICENSE` for more information.
<!-- CONTACT -->
## Contact
Project Link: [https://github.com/dawnsee0823/e-conom-site]()
| An e-commerce site is a platform that allows businesses to sell products or services online. It typically consists of various web pages and functionalities that enable users to browse, search, select, and purchase items. | css-framework,ecommerce,firebase,javascript,nodejs,react,shopify,woocommerce | 2023-02-16T10:03:54Z | 2024-03-12T07:50:42Z | null | 3 | 7 | 124 | 1 | 4 | 13 | null | GPL-3.0 | JavaScript |
baqar-abbas/Conference-site-Capstone-Project-Module1 | main | # Conference-site-Capstone-Project-Module1
<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!
-->
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 Conference Website](#About the Project)
- [🛠 Built With HTML, CSS and Javascript using VS Code and Git Hub ](#built-with)
- [Tech Stack HTML, CSS and Javascript](#tech-stack)
- [Key Features Conference Page _ Demostration of Web Summit conference Project](#key-features)
- [🚀 Live Demo available on Git Hub](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites - HTML,CSS and Javascript on VS Code and Git HUB](#prerequisites)
- [Install](#install)
- [Usage - Conference Page of Web Summit](#usage)
- [Run tests](#run-tests)
- [Deployment on Git Hub](#triangular_flag_on_post-deployment)
- [👥 Author: Baqar Abbas](#authors)
- [🔭 Future Features will be updated and enhanced](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 [Conference Site Project] <a name="about-project"></a>
**[Conference Site Project ]** is my first Microverse Portfolio Project...
## 🛠 Built With HTMl, CSS and Javascript on Visual studio Code in collaboration with Git Hub <a name="built-with"></a>
### Tech Stack HTML, CSS and JavaScript using VS CODE and Git Hub<a name="tech-stack"></a>
> Describe the tech stack and include only the relevant sections that apply to your project.
Built on HTML, CSS and Javascript using Visual studio Code in Collaboration with Git Hub
<details>
<summary>Client</summary>
<ul>
<li><a href="https://www.google.com/">HTML</a></li>
<li><a href="https://www.google.com/">CSS</a></li>
<li><a href="https://www.google.com"">JavaScript</a></li>
</ul>
</details>
<details>
<summary>Server</summary>
<ul>
</ul>
</details>
<details>
<summary>Database</summary>
<ul>
</ul>
</details>
<!-- Features -->
### Key Features demostration of Conference Page <a name="key-features"></a>
>
- **[Conference Site Project]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo available on Git HUB <a name="live-demo">https://baqar-abbas.github.io/Conference-site-Capstone-Project-Module1/</a>
- [Live Demo Link](https://baqar-abbas.github.io/Conference-site-Capstone-Project-Module1/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
A New developer can view my project updates on Git HUB shared Repository
To get a local copy up and running, follow these steps.
### Prerequisites
In order to run this project you need:
> Browser
> GitHub Account
> VS Code Editor
<!--
Example command:
```sh
gem install rails
```
-->
### Setup
Clone this repository to your desired folder:
git clone <project repository link>
<!--
Example commands:
```sh
cd my-folder
git clone git@github.com:myaccount/my-project.git
```
--->
### Deployment
This project can be deployed using:
Git Hub
<!--
Example:
```sh
```
-->
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
> Mention all of the collaborators of this project. (No Collaborators - Solo Capstone Project)
Author - Baqar Abbas - Author1: Baqar Abbas
<ul>
<li>GitHub<a href="https://github.com/">@githubhandle</a></li>
<li>Twitter<a href="https://www.twitter.com/">@twitterhandle</a></li>
<li>LinkedIn<a href="https://www.linkedin.com"">@LinkedIn</a></li>
</ul>
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features will be added and enhancements will be updated<a name="future-features"></a>
> Desktop and Mobile responsive Design of Conference Site project..
Conference Site project will be updated to handle responsiveness so that it will look good on all major breakpoints
of resolution for handling Desktop and mobile resolution. It will be handled using media queries.
- [ ] **[Conference Site Project]**
<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>
> Write a message to encourage readers to support your project
This is a Conference Site Project following the Git Flow Processes.
If you like this project give it a Thumbs up ...
This Project shows Conference page of Web Summit and build on a responsive design.
using mobile first approach _ with responsive desgins for small and large screens resolutions.
Live Demo will be available on GitHub.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
> Give credit to everyone who inspired your codebase.
I would like to thank the Code Reveiwer as well for their constructive feedback...
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FAQ (optional) -->
## ❓ FAQ (OPTIONAL) <a name="faq"></a>
> Add at least 2 questions new developers would ask when they decide to use your project.
- **[Did you understand the Git Hub Process Flow]**
- [Yes and will improve as I gain more experience working with Git Hub]
- **[Do you understand Git Process Flow]**
- [Yes and will improve as I gain more experience working with Git]
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](./LICENSE) licensed.
_NOTE: we recommend using the [MIT license](https://choosealicense.com/licenses/mit/) - you can set it up quickly by [using templates available on GitHub](https://docs.github.com/en/communities/setting-up-your-project-for-healthy-contributions/adding-a-license-to-a-repository). You can also use [any other license](https://choosealicense.com/licenses/) if you wish._
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| This project is made on Web Summit 2023 using html, css and JS best practices. The Original design idea is by Cindy Shin in Behance" Thanks ❤️ to Cindy Shin Creating such a beautiful design. | html,javascript,css3 | 2023-02-12T19:46:24Z | 2023-02-25T17:43:46Z | null | 1 | 2 | 33 | 0 | 0 | 13 | null | MIT | HTML |
kauderk/youtube-browser-api | main | Fully typed endpoints that parse HTML/JSON data from youtube.com from any environment.
# [YouTube Browser API](https://youtube-browser-api.netlify.app/)
<a href="https://youtube-browser-api.netlify.app/" target="_blank"><img src="https://img.shields.io/badge/youtube browser api-website-green"></a>
## Features
- Get data on YouTube videos, channels, playlists, heatmap, chapters and more
- Get YouTube video transcripts
- Simple and user-friendly API wrapper
- Works from any environment
# Install <a href="https://www.npmjs.com/package/youtube-browser-api" target="_blank"><img src="https://img.shields.io/badge/npm-red"></a>
```bash
npm install youtube-browser-api
```
###### `REST API is also available`
---
## Endpoints
### **[/query](https://youtube-browser-api.netlify.app/query/page)**: Extract data by passing schemas on `video ids`:
- 🔥 **You can make granular request as complex as the Javascript Object Notation allows**.</br>[Go to the playground](https://stackblitz.com/edit/youtube-browser-api-client-playground?file=index.ts)
<a href="https://youtube-browser-api.netlify.app/query?id=ZwLekxsSY3Y&schema=%7B%22playerResponse%22%3A%7B%22videoDetails%22%3A%7B%22title%22%3A%22youtube-browser-api-schema-id%22%2C%22shortDescription%22%3A%22youtube-browser-api-schema-id%22%2C%22thumbnail%22%3A%7B%22thumbnails%22%3A%7B%224%22%3A%7B%22url%22%3A%22youtube-browser-api-schema-id%22%7D%7D%7D%7D%7D%7D&paths=playerResponse.streamingData.formats.0.url" target="_blank"><img src="https://img.shields.io/badge/test endpoint-query-green"></a>
<details><summary>📚 Response Reference - <strong>Your IDE will autocomplete everthing :)</strong> </summary>
| JSON | Interface | Source Code |
|--------|--------|--------|
| Examine the shape of the Response from a Video using a JSON Viewer | The autogenerated Interfaces for the `playerResponse, videoData, apiToken, context and transcriptMeta`| The source code from a YouTube Video website - [how to](https://www.lifewire.com/view-web-source-code-4151702) |
| [Dummy](https://jsonhero.io/j/NFIdMOFrHINJ) - [Skeleton](https://jsonhero.io/j/vrmFSgjGNLFv) | [Inspect](https://github.com/kauderk/youtube-browser-api/blob/main/src/routes/data/types/player-response.ts) | view-source:https://www.youtube.com/watch?v=s-I_dV5oY8c |
</details>
<br/>
<details><summary>📦 Visual Response Reference</summary>
 <a href='https://excalidraw.com/#json=0hDFTajVxa2oO7s34kMef,M_jPO1x4IoE_Eqz2RGvPVA' title='Excalidraw Link'>⠀</a>
</details>
<br/>
<details open><summary>Code </></summary>
```ts
// typescript
import Api from 'youtube-browser-api'
const myVideoQuery = await Api.query({
id: 'ZwLekxsSY3Y',
schema: {
playerResponse: {
videoDetails: {
title: true,
shortDescription: true,
thumbnail: {
thumbnails: {
1: {
url: true,
height: true,
width: true,
},
},
},
},
},
},
})
```
<details><summary>🚧 Keep in mind</summary>
**For complex queries you may** enable `tsAny: true` to bypass typechecking.<br/> Help to solve the issue [https://github.com/kauderk/youtube-browser-api/issues/1](https://github.com/kauderk/youtube-browser-api/issues/1)
</details>
<br/>
<details><summary>Javascript</summary>
```js
// javascript
const partialChapterQuery = {
id: 'ZwLekxsSY3Y',
schema: {
initialData: { playerOverlays: { playerOverlayRenderer: { decoratedPlayerBarRenderer: { decoratedPlayerBarRenderer: { playerBar: { multiMarkersPlayerBarRenderer: { markersMap: { 0: { value: { chapters: { 1: { chapterRenderer: { title: true, }, }, }, }, }, }, }, }, }, }, }, }, }
},
// optional paths|paths[]
paths: 'playerResponse.streamingData.formats.0.url',
};
const fetchUrl = 'https://youtube-browser-api.netlify.app/query?' + new URLSearchParams(partialChapterQuery).toString()
// https://youtube-browser-api.netlify.app/query?id=ZwLekxsSY3Y&paths=playerResponse.streamingData.formats.0.url
fetch(fetchUrl)
.then(res => res.json())
.then(console.log)
```
</details>
</details>
---
### **[/content](https://youtube-browser-api.netlify.app/content/page)**: Extract all or some video data by a video ID.
<a href="https://youtube-browser-api.netlify.app/content?id=pOEyYwKtHJo¶ms=title" target="_blank"><img src="https://img.shields.io/badge/test endpoint-params=title-green"></a>
<details><summary>Code </></summary>
```ts
// typescript
import Api from 'youtube-browser-api'
const titleData = await Api.content({
id: 'pOEyYwKtHJo',
params: ['title'],
})
```
<details><summary>Javascript</summary>
```js
// javascript
const query = {
id: 'pOEyYwKtHJo',
params: ['title'], // ['title','suggestions','storyboard','heatmapPath','isLive','channel','description','initialData','playerResponse','apiToken','context','auto_chapters','chapters','heatmap']
}
const fetchUrl = `https://youtube-browser-api.netlify.app/content?id=${query.id}¶ms=` + query.params.join()
// https://youtube-browser-api.netlify.app/content?id=pOEyYwKtHJo¶ms=title
fetch(fetchUrl)
.then(res => res.json())
.then(console.log)
```
</details>
</details>
---
### **[/data](https://youtube-browser-api.netlify.app/data/page)**: Search for narrower data by passing keywords in the query parameter. For example `search`:
<a href="https://youtube-browser-api.netlify.app/data/search?keyword=record&withPlaylist=false&limit=1&option=" target="_blank"><img src="https://img.shields.io/badge/test endpoint-keyword=record-green"></a>
<details><summary>Code </></summary>
```ts
// typescript
import Api from 'youtube-browser-api'
const mySearch = await Api.data('search', {
keyword: 'AI',
limit: 1,
})
```
<details><summary>Javascript</summary>
```js
// javascript
const query = {
keyword: 'AI',
withPlaylist: false,
limit: 1,
option: ''
};
const fetchUrl = 'https://youtube-browser-api.netlify.app/data/search?' + new URLSearchParams(query).toString()
// https://youtube-browser-api.netlify.app/data/search?keyword=record&withPlaylist=false&limit=1&option=
fetch(fetchUrl)
.then(res => res.json())
.then(console.log)
```
</details>
</details>
---
### **[/transcript](https://youtube-browser-api.netlify.app/transcript/page)**: Extract transcripts by passing video IDs in the query parameter. For example `video ids`:
<a href="https://youtube-browser-api.netlify.app/transcript?videoId=pOEyYwKtHJo" target="_blank"><img src="https://img.shields.io/badge/test endpoint-transcript-green"></a>
<details><summary>Code </></summary>
```ts
// typescript
import Api from 'youtube-browser-api'
const myTranscript = await Api.transcript({
videoId: 'pOEyYwKtHJo',
})
```
<details><summary>Javascript</summary>
```js
// javascript
const query = {
videoId: 'pOEyYwKtHJo'
};
const fetchUrl = 'https://youtube-browser-api.netlify.app/transcript?' + new URLSearchParams(query).toString()
// https://youtube-browser-api.netlify.app/transcript?videoId=pOEyYwKtHJo
fetch(fetchUrl)
.then(res => res.json())
.then(console.log)
```
</details>
</details>
---
## Description
This YouTube API Wrapper website offers a simple and user-friendly interface to access YouTube's API. It is tailored to the needs of developers; it provides data through fully typed endpoints. Whether you need to extract video analytics, search for specific data, or extract transcripts, the API wrapper can help you do it quickly and easily.
### License
This project is licensed under the [MIT License](https://github.com/kauderk/youtube-browser-api/blob/main/LICENSE).
<a href="https://youtube-browser-api.netlify.app/" target="_blank"><img src="https://img.shields.io/badge/Try it out now!-youtube browser api-blue"></a>
<meta name="description" content="Access YouTube's videos, channels, playlists and more through our YouTube API Wrapper website. Our API wrapper offers content, data, and transcript endpoints with a simple interface tailored to your needs." />
<meta name="keywords" content="YouTube API, YouTube API Wrapper, video data, transcripts, channels, playlists, data endpoints, content endpoints, HTML data, simple interface, user-friendly." /> | Retrieve YouTube data from your Browser | endpoint,transcript,video-data,youtube,youtube-api,javascript,scraper | 2023-02-18T15:57:41Z | 2023-04-24T06:07:26Z | null | 1 | 0 | 124 | 2 | 5 | 13 | null | MIT | TypeScript |
Ruthmy/portfolio | main | <a name="readme-top"></a>
<div align="center">
<h1><b>Portfolio - README</b></h1>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📖 About the Project](#about-project)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 [Portfolio] <a name="about-project"></a>
**[Portfolio]** is a practice project that seeks to reinforce previously learned theories with practice. It is a simple and visual personal portfolio, which has the Linters for HTML and CSS3 configured along with a couple of .html and .css files.
## 🛠 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>
</ul>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS3</a></li>
</ul>
</details>
<details>
<summary>Server</summary>
<ul>
<li><a href="#">No additional server-side technology is implemented.</a></li>
</ul>
</details>
<details>
<summary>Database</summary>
<ul>
<li><a href="#">No additional database technology is implemented.</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **[Lihgthouse]**
- **[Webhint]**
- **[Stylelint]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo"></a>
<br>
[](https://www.loom.com/share/71fa9c1ba37b4a5395abf07a83a27183)
- [Live Demo Link](https://ruthmy.github.io/portfolio/)
<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:
<ul>
<li><p>A browser that supports html5</p></li>
</ul>
<ul>
<li><p>Git and a GitHub account</p></li>
</ul>
### Setup
Clone this repository to your desired folder:
<ul>
<li><p>You can just create a Repository from the Template</p></li>
</ul>
<p>or you can</p>
<ul>
<li><p>Open your terminal and clone the repo with this command `cd my-folder git clone git@github.com:myaccount/my-project.git`</p></li>
</ul>
### Install
Install this project with:
<ul>
<li><p>You don't need install this project.</p></li>
</ul>
### Usage
To open it, make double-click on the HTML file. Run it in your browser.
### Run tests
Not applicable.
### Deployment
You can deploy this project using:
- [Implementation Link](https://github.com/microverseinc/curriculum-transversal-skills/blob/main/documentation/hello_microverse_project.md)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Ruth Abreu**
- GitHub: [@Ruthmy](https://github.com/Ruthmy)
- Twitter: [@rury_exe](https://twitter.com/rury_exe)
- LinkedIn: [LinkedIn](https://linkedin.com/in/ruth-abreu)
**Colaborators:**
👤 **Dani Morillo**
- GitHub: [@danifromecuador](https://github.com/danifromecuador)
- Twitter: [@danifromecuador](https://twitter.com/danifromecuador)
- LinkedIn: [danifromecuador](https://www.linkedin.com/in/danifromecuador/)
👤 **Alejandro Salazar Castro**
- GitHub: [@githubhandle](https://github.com/xandro2021)
- Twitter: [@twitterhandle](https://twitter.com/xandro2021)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/alejandro-salazar-ba0ba7255/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
Upcoming improvements:
- Accessibility improvements.
- Modal/Pop up windows for the cards details.
- Javascript to make page interactive.
- Validate contact form and preserve data in the browser.
<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 know someone who might find it helpful, 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 Microverse for pushing me to meet challenges like this.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](https://github.com/Ruthmy/portfolio/blob/a15bde81c6f76367f00c8a710557311818f276b8/LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| null | css,html,javascript,astrojs,tailwindcss | 2023-02-16T22:14:27Z | 2023-03-12T02:03:02Z | null | 4 | 9 | 111 | 1 | 1 | 13 | null | MIT | CSS |
Rohit2216/nosy-tree-9718- | main | # nosy-tree-9718-
Hello, I am Rohit Chauhan. In this blog, I am writing about our project cloaning of Pepperfry.com, which is a part of our construct week at Masai School.
## About Pepperfry
Pepperfry is an Indian online marketplace for furniture and home décor.
# Team
We are five members in our team Sayali Jadhav, Kishor Kamble, Yogesh Singh, Navneet Srivastav and me. We divided website in parts and assigned work to every member by understanding the strength of each team member. We have completed this project in a four days and this is possible because of our hardworking team members.
## Tech Stack which we used
We used HTML, CSS, JavaScript and Advanced Javascript to build this clone. We also used GitHub for collaboration and merging the code. For better communication we used Slack and Zoom.
## Working Strategy
On first day we discussed website structure and functionalities. On the basis of member's strength, we assigned perticular work to the member. We we meeting on zoom in morning and evening. In this meeting we discuss about work progress. If someone unable to the perticular task that other member helped that member.
## Landing Page
-----
The Landing page of Pepperfry.com displays the navigation bar for products, Learn about a particular product, pricing for the product, Cart Page and the login & signup part, Trending, Popular in Various categories, Just launched furniture.

## Middle Page
-----
From shop By Room user can get idea to decorate their room. Below that we have mentioned some offers for Cushion covers, cup holders etc. Below that we have mentioned some Furniture and décor products which are in trend and some new arrival products. Also, we have mentioned some offers for coffee tables, sofa throws and style carpets etc. Below that these are top brands on Papperfry such as Woodsworth for beds , duroflex for Recliners, etc. Again we have mentioned some home décor idea, user can take inspiration from our blog to décor their home. Also there are some products which are on the top demand. We have provided help to the customer if they need any kind of help while buying product. As well as user can see recently viewed products.

## Signup Page
-----
There have no account to first to create the acount. There be need to E-mail account and the mobile no. also then set the strong password and again re-enter the same password. then click the signup. they also redirect to login page.

## Login Page
-----
After the successful completion of the signup, your mobile number, username and password are stored in the local storage and you can log in with that credentials, if the mobile number and password are incorrect it will fail the validation and you cannot log in to the website.

## Product Page
-----
This is the product page of the website. There have all type of categories for furnitures and home decor. we can sort the product price increasing and decreasing and normal. and with the brand name.

## Add to cart Page
-----
Here users can see all the products that are added to cart and also but the product easily.

## Footer Page
------
This is the footer part of my website. There have some data to our site what's their office and what's contact no. and connect to E-mail id. also.

## Admin Page
------
This is Admin page of our Website we can add product in main product page and also we can edit product details from here and if we want delete particular product from api we can do this thing also this all operations perform by JS crud operations

| Pepperfry is an Indian online marketplace for furniture and home décor. | css,html,javascript | 2023-02-21T09:34:02Z | 2023-06-14T17:42:11Z | null | 4 | 21 | 76 | 0 | 3 | 13 | null | null | HTML |
AmrBedir/IcyTower-Game | main | # IcyTower-Game
**IcyTower Game, Fully coded with: HTML, CSS, JavaScript**
* [Check code on CodePen.io](https://codepen.io/amrbedir/pen/oNZaexM)

| IcyTower Game, Fully coded with: HTML, CSS, JavaScript | css,game,html,icy-tower-game,javascript | 2023-02-13T17:41:24Z | 2023-02-13T17:49:15Z | null | 1 | 0 | 6 | 0 | 0 | 13 | null | null | JavaScript |
Moslihbadr/Products-Management-System | main | <h1>Products Management System (PMS)</h1>
This is a simple Products Management System (PMS) built using JavaScript. The system allows you to manage various products, including their descriptions and pricing information. The system does not rely on a back-end or database, and instead uses local storage to store data about the products.
<h2>Table of Contents</h2>
<ul>
<li><a href="#section-1">Getting Started</a></li>
<li><a href="#section-2">Features</a></li>
<li><a href="#section-3">Security</a></li>
<li><a href="#section-4">Usage</a></li>
<li><a href="#section-5">Contributing</a></li>
<li><a href="#section-6">Acknowledgements</a></li>
</ul>
<h3 id="section-1">Getting Started</h3>
To use the PMS, simply visite our official web site : <a href="https://use-pms.netlify.app">use-pms.netlify.app</a>. This will launch the login page, you have to enter your full name and a password and you can start managing your products right away.
<h3 id="section-2">Features</h3>
The PMS includes the following features:
<ul>
<li>Add new products to the system</li>
<li>Edit and update information about existing products</li>
<li>Delete one product or all products from the system</li>
<li>View a list of all products currently in the system</li>
<li>Search for specific products using product title or category or ID</li>
<li>View product details, including their descriptions and pricing information</li>
</ul>
<h3 id="section-3">Security</h3>
While the PMS does not rely on a back-end or database, it does use local storage to store data about the products. This data is stored in the user's browser, and is only accessible to the user who is currently using the system. However, keep in mind that local storage is not a secure way to store sensitive data, and it is not recommended to use this system for managing highly sensitive or confidential information.
<h3 id="section-4">Usage</h3>
To add a new product,fill in all the required informations in the form. Once you have filled in all the required informations, click the "Create" button to save the new product to the system.
To update an existing product, click on the "Update" button next to the product you want to edit.When you click the "Update" button for a particular product, the form will be populated with the existing information for that product, such as its title, price, taxes, ads, discount, count, and category. You can then make your desired changes to any of these fields, and click the "Save" button to update the product with the new information.
To delete a product, click on the "Delete" button next to the product you want to delete. This will remove the product from the system.
To delete all products, click on the "Delete All" button . This will remove all products from the system.
To search for products,choose your serch mode (search by id, title or category),then enter a search term in the search input and click the enter in your keybord. The system will return a list of products that match the search term.
<h3 id="section-5">Contributing</h3>
If you would like to contribute to this Products Management System, please submit a pull request with your changes. We welcome contributions of all kinds, including bug fixes, feature additions, and documentation improvements.
<h3 id="section-6">Acknowledgements</h3>
Special thanks to Abderrahman Jamal for his original idea for this project. His guidance have been invaluable in bringing this project to fruition.
| PMS is a simple web-based tool built with JavaScript that allows small businesses to manage their products inventory. | es6,javascript,storage,css3,html5,inventory,management | 2023-02-21T21:57:16Z | 2023-04-09T17:35:33Z | null | 1 | 0 | 85 | 0 | 1 | 13 | null | null | JavaScript |
Moslihbadr/Ecommerce-Website | main | E-Commerce Website(static)
This is an e-commerce website built using HTML/CSS/Javascript and Bootstrap. The website allows users to browse products, add them to their cart.
Features :
<ul>
<li>Add products to cart</li>
<li>View and edit cart</li>
</ul>
Installation :
Clone the repository: git clone https://github.com/Moslihbadr/ecommerce-website.git
Install dependencies: npm install
Create a .env file and add the following environment variables:
MONGO_URI: MongoDB connection URI
JWT_SECRET: Secret key for JSON Web Tokens
Run the application: npm start
Usage :
Visit https://badr-shop.netlify.app in your browser to access the website.
Create an account or sign in with an existing account to browse products, add them to your cart, and checkout.
Contributing :
Contributions are welcome! Please submit a pull request for any changes you would like to make. For major changes, please open an issue first to discuss what you would like to change.
| HTML/CSS/BOOTSTRAP/JAVASCRIPT | css,ecommerce,html,javascript,bootstrap5 | 2023-02-17T21:47:11Z | 2023-03-23T23:24:50Z | null | 1 | 0 | 12 | 0 | 1 | 13 | null | null | HTML |
Nikita-Filonov/playwright_typescript_api | main | # Playwright Typescript API
[Demo allure report](https://nikita-filonov.github.io/playwright_typescript_api/)
**Project setup**
```
git clone https://github.com/Nikita-Filonov/playwright_typescript_api.git
cd playwright_typescript_api
yarn install
yarn playwright install
```
**Starting auto tests**
```
npx playwright test
```
| null | api,api-client,api-testing,api-testing-framework,automated-testing,javascript,playwright,playwright-api,playwright-javascript,playwright-tests | 2023-02-23T18:16:01Z | 2023-02-24T11:09:40Z | null | 1 | 0 | 25 | 0 | 4 | 13 | null | Apache-2.0 | TypeScript |
rohitranjan-2702/dev-landing-page | master | null | Landing page for developers with modern UI design and style. Make your own landing page in few clicks !!! | javascript,landing-page,open-source,reactjs,responsive,tailwindcss | 2023-02-21T19:14:22Z | 2023-05-20T06:36:21Z | null | 4 | 7 | 30 | 9 | 10 | 13 | null | null | JavaScript |
ismailmunyentwari9/books | main | # 📗 Table of Contents
- [📖 About the Project](#about-awesome-books)
- [🛠 Built With](#built-with)
- [Tech Stack](#tech-stack)
- [Key Features](#key-features)
- [🚀 Live Demo](#live-demo)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#amen-and-Isma)
- [🔭 Future Features](#the other pages)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#microverse)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
<!-- PROJECT DESCRIPTION -->
# 📖 [Awesome Books] <a name="Awesome Books"></a>
**[Awesome_Books]** is a website that basically allows users to add books using a form and the book added is displayed in the list of books. The user can also delete the added book.
## 🛠 Built With <a name="html, css and JavaScript"></a>
### Tech Stack <a name="html, css and JavaScript"></a>
<details>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/HTML">HTML</a></li>
</ul>
</details>
<details>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li>
</ul>
</details>
<details>
<ul>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript">JavaScript</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **[list_of_books]**
- **[remove_book_functionality]**
- **[add_book_functionality]**
- **[local_storage_functionality]**
<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://ismailmunyentwari9.github.io/books/)
<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.
### Setup
Clone this repository to your desired folder using the following command; git clone https://github.com/ismailmunyentwari9/books
### Run tests
To run tests, run the following command: npx hint . and npx stylelint "\*_/_.{css,scss}" and npx eslint .
### Deployment
You can deploy this project using Github pages.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Amen Musingarimi**
- GitHub: [@Amen-Musingarimi](https://github.com/Amen-Musingarimi)
- LinkedIn: [@atmusingarimi](https://www.linkedin.com/in/atmusingarimi/)
👤 **Ismail Munyentwari**
- GitHub: [@Ismail-Munyentwari](https://github.com/ismailmunyentwari9)
- LinkedIn: [@Ismail-Munyentwari](https://www.linkedin.com/in/munyentwari-ismail-754718191/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[navigation_bar]**
- [ ] **[contact_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](https://github.com/ismailmunyentwari9/books/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 then don't forget to give a star ⭐ on this repository.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- ACKNOWLEDGEMENTS -->
## 🙏 Acknowledgments <a name="acknowledgements"></a>
I would like to thank [Microverse](https://www.microverse.org/), for the original [design](https://github.com/microverseinc/curriculum-javascript/blob/main/books/m2_plain_js_classes_v1_1.md)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LICENSE -->
## 📝 License <a name="license"></a>
This project is [MIT](LICENSE.md) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
| Awesome-Books is a website that basically allows users to add books using a form and the book added is displayed in the list of books. The user can also delete the added book. | css,html,javascript | 2023-02-14T07:40:56Z | 2023-02-16T05:25:03Z | null | 2 | 3 | 16 | 0 | 0 | 13 | null | MIT | JavaScript |
shivammchaudhary1/trip-to-heaven | master | # Trip To Heaven
This project is a clone of the MakeMyTrip website, created by Team of 5 starting with Shivam Chaudhary (Team Lead), Arun Kumar, Arpit Kumar, Sagar Balsaraf, and Harsh Vardhan. The purpose of this project is to showcase our skills and knowledge in HTML, CSS, JavaScript, React, Redux, and Json-Server.
## Tech Stack
- HTML
- CSS
- JavaScript
- React
- Redux
- Json-Server
- firebase
## Dependency
- axios
- redux
- react-redux
- redux thunk
- chakraUI
- firebase
- font-awesome
- json-server
- react-router-dom
- better-react-carousel
## Features
- Landing Page
- Login and signup via firebase (OTP).
- View details of flights, hotels.
- Search for flights, hotels, and holiday packages
- Sorting & Filtering and Seraching
- Book flights, hotels.
- Cart Section
- Admin Panel
## Installation
To run this project locally, follow the steps below:
1. Clone the repository by running the following command:
`git clone https://github.com/shivammchaudhary1/hesitant-river-6235.git`
2. Navigate to the project directory:
`cd hesitant-river-6235`
3. Install the dependencies:
`npm install`
4. Start the server:
`npm start`
5. Start JSON- Server:
`npm run server`
6. Open the website in your browser:
`http://localhost:3000/`
## Deployment
This project has been deployed using Vercel at the following URL:
<a href="https://hesitant-river-6235-ashy.vercel.app/">https://hesitant-river-6235-ashy.vercel.app/</a>
## Contributors
- Shivam Chaudhary (Team Lead)
- Arun Kumar
- Arpit Kumar
- Sagar Balsaraf
- Harsh Vardhan
## Acknowledgements
We would like to thank MakeMyTrip for providing the inspiration for this project. We would also like to thank our IA Vivek Goswami, which helped us and guide us.
## Glimpses
### Landing Page

### Login Via Firebase

### Flight Secton

### Hotel Section

### Cart Section


### Admin Panel


| The project is a clone of the MakeMyTrip website, which is a popular travel booking platform. The team's objective was to showcase their proficiency in various web development technologies, including HTML, CSS, JavaScript, React, Redux, and Json-Server. | bootstrap,chakra-ui,css,firebase,html,javascript,json,json-server,react,react-redux | 2023-02-18T08:51:35Z | 2023-04-19T17:22:12Z | null | 6 | 49 | 133 | 3 | 2 | 12 | null | null | JavaScript |
Shubh2-0/Youtube-Clone | main | # Youtube Clone 📽
🚀 Welcome to the Youtube Clone project! 🎉🎥
This amazing project allows users to search for videos, watch them in fullscreen mode, control playback (play, pause), adjust playback speed (slow down or speed up), and search for videos using keywords. Get ready for an exciting and immersive video experience! 🌟📺
<img src="https://github.com/Shubh2-0/Shubh2-0.github.io/blob/main/Assets/images/projects/youtube.png">
## Features
🔍 **Video Search**: Users can easily search for videos by entering keywords. The application leverages the power of the Youtube API to fetch relevant search results and display them in a user-friendly manner.
📺 **Fullscreen Mode**: Immerse yourself in the world of videos by enjoying them in fullscreen mode. It's like having a mini-cinema right at your fingertips! 🎬
⏯️ **Playback Control**: Take charge of your video-watching experience with playback control. Pause and resume videos with ease, allowing you to savor every moment of your favorite content. ⏯️
⏩⏪ **Playback Speed**: Want to breeze through a tutorial or slow down a thrilling action scene? No problem! Our playback speed feature lets you adjust the video speed to match your preferences. Speed up or slow down, the choice is yours! ⚡
## Tech Stack
The Youtube Clone project harnesses the power of these amazing technologies:
| JavaScript | HTML | CSS | Youtube API |
|:--------------:|:--------------:|:--------------:|:--------------:|
| <img src="https://cdn.iconscout.com/icon/free/png-256/javascript-2752148-2284965.png" alt="JavaScript" width="50" /> | <img src="https://cdn.iconscout.com/icon/free/png-256/html-2752158-2284975.png" alt="HTML" width="50" /> | <img src="https://cdn.iconscout.com/icon/free/png-256/css-118-569410.png" alt="CSS" width="50" /> | <img src="https://cdn-icons-png.flaticon.com/512/2165/2165004.png" alt="Youtube API" width="50" /> |
## Project Link
What are you waiting for? Dive into the Youtube Clone project right away! Click the link below and let the adventure begin! 🎉🔗
[Let's Explore the Youtube Clone!](https://genuine-sable-69c1a0.netlify.app/)
## Contribution
We welcome contributions to the Youtube Clone project. If you're passionate about web development and want to make this project even more awesome, here's how you can contribute:
1. Fork the repository.
2. Make your desired changes and improvements in your forked repository.
3. Submit a pull request, explaining the changes you've made and their benefits.
Together, we can take the Youtube Clone to new heights and create an incredible user experience for video enthusiasts around the world! 🌟🌍🚀
## 📬 Contact
If you want to contact me, you can reach me through below handles.
<p align="left">
<a href="https://www.linkedin.com/in/shubham-bhati-787319213/" target="_blank"><img align="center" src="https://skillicons.dev/icons?i=linkedin" width="40px" alt="linkedin" /></a> 
<a title="shubhambhati226@gmail.com" href="mailto:shubhambhati226@gmail.com" target="_blank"><img align="center" src="https://cdn-icons-png.flaticon.com/128/888/888853.png" width="40px" alt="mail-me" /></a> 
<a href="https://wa.me/+916232133187" target="blank"><img align="center" src="https://media2.giphy.com/media/Q8I2fYA773h5wmQQcR/giphy.gif" width="40px" alt="whatsapp-me" /></a> 
</p>
<br>
<div align="center">
<strong>💓 Enjoy the videos, unleash your creativity, and have a blast! 🎥</strong>
</div>
| Code repository for YouTube clone project. Search videos, fullscreen playback, control, and speed adjustment. Built with JavaScript, HTML, CSS, and YouTube API. Contribute to enhance the clone and make it even better! 🚀 | css,html,javascript,youtube-api | 2023-02-15T19:54:30Z | 2023-09-08T12:03:02Z | null | 1 | 0 | 18 | 0 | 0 | 12 | null | null | JavaScript |
fpsapc/MyPortfolio | dev | null | I use mobile first approach to make this project and make it responsive for all devices. HTML/CSS and JavaScript best practices are used to make this project. | css,html,javascript | 2023-02-15T19:20:52Z | 2023-09-17T06:25:01Z | null | 4 | 20 | 156 | 0 | 0 | 12 | null | MIT | CSS |
zhoujiahua/chat-gpt-tpl | master | 火爆全网的ChatGPT人工智能机器人 - 前端页面模板
===============
ChatGPT 是 OpenAI 开发的一款专门从事对话的人工智能聊天机器人原型。聊天机器人是一种大型语言模型,采用监督学习和强化学习技术。ChatGPT 于 2022 年 11 月推出,尽管其回答事实的准确性受到批评,但因其详细和清晰的回复而受到关注。ChatGPT 使用监督学习和强化学习在 GPT-3.5 之上进行了微调和升级。ChatGPT的相关模型是OpenAI与微软合作在其 Azure 超级计算基础设施上进行训练的。ChatGPT 的训练数据包括手册页、互联网现象和编程语言的知识,例如公告板系统和 Python 编程语言。
+ 写作
+ 绘画
+ 聊天
+ 唱歌
+ 跳舞
+ 地表最强大的AI,无所不能,目前持续火爆全网,感兴趣的可以尝试深入研究下。
> 前端页面模板仅仅只是纯静态页面,由于微信审核的原因,本来接口都对接好了的,但是上线不了,这就很蛋疼,如果你们有什么好的方式可以交流下。
## 关于我
目前是一名独立开发者,已开发多款成熟商用的产品,例如WiFi大师、超级挪车码、探店达人、AI红包封面、万能节日头像、抓取大师、外链大师、社群大师等。
### 技术栈
* 后端主要是PHP,当然如果项目特殊需要,其他的语言也可以做,譬如Python、JAVA等
* 前端比较浅、但是一般的页面不是问题,能写,只是没有太深入的去写前端的东西。
* 所有项目均独立完成,前后端一把梭哈,对每个产品都有独立的思考过程。
* 从业多年,只想交个朋友,VX:OpenTMD
### 关于ChatGPT接口
ChatGPT需要梯子才能访问,我目前已经完成接口对接,国内也可以直接访问接口获取数据,如果需要接口对接,可以找我或者自行去官方研究也行。
| ChatGPT-Template | chatgpt,css3,docker,html5,javascript,nodejs,scss,uniapp,vue | 2023-02-17T10:51:39Z | 2023-02-17T11:10:26Z | null | 2 | 0 | 4 | 0 | 6 | 12 | null | GPL-3.0 | Vue |
stevdza-san/EditorApp | master | # Pretty-KO - Web App built with Kotlin and Jetpack Compose (Kobweb framework)
<p align="center">
<a href="https://youtu.be/WAwA8Nv0Nss" align="center">YouTube Video Tutorial</a>
</p>
<p align="center">
<img src="https://i.postimg.cc/Y0Hmp0n7/Web-App.png" href="">
</p>
| A Web app that allows you to make your code pretty and export it as an image. | compose-for-web,compose-html,css,html,javascript,jetpack-compose,kobweb,kotlin | 2023-02-13T08:35:03Z | 2023-04-26T06:39:58Z | null | 1 | 0 | 28 | 0 | 0 | 12 | null | null | JavaScript |
Alejandroq12/form-validator | master | <a name="readme-top"></a>
<div align="center">
<img src="assets/logo.png" alt="logo" width="450" height="auto" />
<br/>
<h3><b>Form Validator</b></h3>
</div>
<!-- TABLE OF CONTENTS -->
# 📗 Table of Contents
- [📗 Table of Contents](#-table-of-contents)
- [📖 Form Validator ](#-form-validator-)
- [🛠 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-)
- [❓ FAQ ](#-faq-)
- [📝 License ](#-license-)
<!-- PROJECT DESCRIPTION -->
# 📖 Form Validator <a name="about-project"></a>
Form Validator is a website that uses JavaScript to save data in the local storage, allows you to calculate the number of seats/price, it shows the occupied seats and the selected ones. It has a simple interfaces as it was only created to practice DOM manipulation.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Frontend</summary>
<ul>
<li><a href="https://developer.mozilla.org/es/docs/Learn/HTML">HTML</a></li>
<li><a href="https://developer.mozilla.org/es/docs/Web/CSS">CSS</a></li>
<li><a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript">JavaScript</a></li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **Validata data.**
- **Clean code.**
<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://alejandroq12.github.io/form-validator/)
<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:
- Only a web browser.
### Setup
Clone this repository to your desired folder:
- Open the terminal and use the following command:
```
cd my-folder
git clone https://github.com/Alejandroq12/form-validator.git
```
### Install
Install this project with:
For this project you just need a web browser.
### Usage
To run the project, execute the following command:
For this project you just need to open the index.html file with your browser.
### Run tests
No tests were added to this project.
### Deployment
You can deploy this project using:
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>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Julio Quezada**
- GitHub: [Alejandroq12](https://github.com/Alejandroq12)
- Twitter: [@JulioAle54](https://twitter.com/JulioAle54)
- LinkedIn: [Julio Quezada](https://www.linkedin.com/in/quezadajulio/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **I will add a header and footer.**
- [ ] **I will add another 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 please give me 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 Traversy Media for his amazing content and his amazing learning platform.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FAQ -->
## ❓ FAQ <a name="faq"></a>
- **What did you learn?**
- I learned a lot about data validation.
<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>
| This a form with validation. By coding this project I practiced Vanilla JavaScript, CSS and HTML. | css,html,javascript | 2023-02-22T23:55:36Z | 2023-04-23T14:41:50Z | null | 1 | 1 | 50 | 0 | 0 | 12 | null | null | JavaScript |
Krishna11118/QTripStatic | main |
<h2>Website Description </h2>
<p>QTrip is a travel website aimed at travelers looking for a multitude of adventures in different cities.
Created 3 different web pages from Wireframe layout using HTML and CSS
Utilized Bootstrap extensively for responsive design</p>

👉 Live Demo: <a href='https://krishna-qtrip.netlify.app/'>Live Demo</a>
List of frameworks/libraries/languages that were used to built this project .
* [![Bootstrap][Bootstrap.com]][Bootstrap-url]
* [![Css][Css.com]][Css-url]
* [![Html][Html.com]][Html-url]
<h2>Screenshots</h2>
<br>
<h3>Landing Page </h3>
<div align='center'>
<img src='https://github.com/Krishna11118/QTripStatic/blob/main/examples/Qtrip_Static_1.png'/>
</div>
<h3>Adventure Page </h3>
<div align='center'>
<img src='https://github.com/Krishna11118/QTripStatic/blob/main/examples/Qtrip_Static_2.png'/>
</div>
<h3>Adventure Detailed Page </h3>
<div align='center'>
<img src='https://github.com/Krishna11118/QTripStatic/blob/main/examples/Qtrip_Static_3.png'/>
</div>
<h2>Contact</h2>
Krishna - [@Whatsapp](https://wa.me/+917318378893) - krishnassss365@gmail.com - [@LinkedIn](https://www.linkedin.com/in/krishna365/)
[contributors-shield]: https://img.shields.io/github/contributors/othneildrew/Best-README-Template.svg?style=for-the-badge
[contributors-url]: https://github.com/othneildrew/Best-README-Template/graphs/contributors
[forks-shield]: https://img.shields.io/github/forks/othneildrew/Best-README-Template.svg?style=for-the-badge
[forks-url]: https://github.com/othneildrew/Best-README-Template/network/members
[stars-shield]: https://img.shields.io/github/stars/othneildrew/Best-README-Template.svg?style=for-the-badge
[stars-url]: https://github.com/othneildrew/Best-README-Template/stargazers
[issues-shield]: https://img.shields.io/github/issues/othneildrew/Best-README-Template.svg?style=for-the-badge
[issues-url]: https://github.com/othneildrew/Best-README-Template/issues
[license-shield]: https://img.shields.io/github/license/othneildrew/Best-README-Template.svg?style=for-the-badge
[license-url]: https://github.com/othneildrew/Best-README-Template/blob/master/LICENSE.txt
[linkedin-shield]: https://img.shields.io/badge/-LinkedIn-black.svg?style=for-the-badge&logo=linkedin&colorB=555
[linkedin-url]: https://linkedin.com/in/othneildrew
[product-screenshot]: images/screenshot.png
[Next.js]: https://img.shields.io/badge/next.js-000000?style=for-the-badge&logo=nextdotjs&logoColor=white
[Next-url]: https://nextjs.org/
[React.js]: https://img.shields.io/badge/React-20232A?style=for-the-badge&logo=react&logoColor=61DAFB
[React-url]: https://reactjs.org/
[Vue.js]: https://img.shields.io/badge/Vue.js-35495E?style=for-the-badge&logo=vuedotjs&logoColor=4FC08D
[Vue-url]: https://vuejs.org/
[Angular.io]: https://img.shields.io/badge/Angular-DD0031?style=for-the-badge&logo=angular&logoColor=white
[Angular-url]: https://angular.io/
[Svelte.dev]: https://img.shields.io/badge/Svelte-4A4A55?style=for-the-badge&logo=svelte&logoColor=FF3E00
[Svelte-url]: https://svelte.dev/
[Expressjs.com]: https://img.shields.io/badge/Expressjs-0FBEFE?style=for-the-badge&logo=express&logoColor=black
[Expressjs-url]: https://expressjs.com/
[Css.com]: https://img.shields.io/badge/Css-C14FB9?style=for-the-badge&logo=css3&logoColor=black
[Css-url]: https://developer.mozilla.org/en-US/docs/Web/CSS/
[Html.com]: https://img.shields.io/badge/HTML-E44C27?style=for-the-badge&logo=html5&logoColor=black
[Html-url]: https://html.com/
[Nodejs.org]: https://img.shields.io/badge/Nodejs-35802E?style=for-the-badge&logo=nodedotjs&logoColor=white
[Node-url]: https://nodejs.org/
[Bootstrap.com]: https://img.shields.io/badge/Bootstrap-563D7C?style=for-the-badge&logo=bootstrap&logoColor=white
[Bootstrap-url]: https://getbootstrap.com
[Js.com]: https://img.shields.io/badge/JavaScript-F7DF1E?style=for-the-badge&logo=javascript&logoColor=black
[Js-url]:https://developer.mozilla.org/en-US/docs/Web/JavaScript/
[Scss]: https://img.shields.io/badge/sass-20232A?style=for-the-badge&logo=sass&logoColor=#CC6699
[Scss-url]: https://sass-lang.com/
</div>
| QTrip is a travel website aimed at travelers looking for a multitude of adventures in different cities. | bootstrap5,css,html5,javascript | 2023-02-12T12:47:02Z | 2023-08-18T10:27:51Z | null | 1 | 0 | 33 | 0 | 0 | 12 | null | null | HTML |
TharunKumarReddyPolu/Graduate-Market-Place | main | ## Hello! Good to see you here...👋
# Welcome to the `Graduate Market Place` 🛒🤝🏻
✏️ An online marketplace designed and developed for students which serve as a common platform to sell and buy used/new products.<br>
✏️ One Stop solution for e-Exchange of products within a student(Graduates, Undergraduates and Postgraduates) community.<br>
✏️ Here you can post the product you want to sell or look for products you wanted to buy from other fellow students.<br>
📌 Tech Stack used: Python, HTML, CSS, JavaScript, TailwindCSS, Django, SQL Database<br>
### If you're an open-source developer/enthusiast, Feel free to Contribute 😁🛠 Be it code or non-code 😉
## How to get started with Graduate Market Place
### User Flow:

### Admin Flow:

## Steps to follow📃
## Contents
[1. Fork the project 🔪](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place#1-fork-the-project-) <br>
[2. Clone the forked repository 📥](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place#2-clone-the-forked-repository-)<br>
[3. Let's setup it up🔧⚙️](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place#3-lets-set-it-up-%EF%B8%8F)<br>
[4. Keep in sync always♻️ (best practice🤝🏻) ](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place#4-keep-in-sync-always%EF%B8%8F-best-practice)<br>
[5. Ready for the contribution 🌝](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place#5-woohoo-you-are-ready-for-the-first-contribution-)<br>
[6. Working with the project 🧑💻👩💻](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place#6-working-with-the-project-)<br>
[7. Create a new branch 🌱](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place#7-create-a-new-branch-)<br>
### 1. Fork the project 🔪
[Fork Button](https://github.com/TharunKumarReddyPolu/Graduate-Market-Place)
> _This creates a copy of the project into repositories of your GitHub account_ 📀
### 2. Clone the forked repository 📥
You need to clone (download) it to your local machine using the below command in terminal
```bash
$ git clone https://github.com/TharunKumarReddyPolu/Graduate-Market-Place.git
```
> _This creates a local copy of the repository in your local machine_ 📂
Once you have cloned the `Graduate-Market-Place` repository into your local machine, move➡️ into that folder using the change directory `cd` command on Linux/ Mac/ Windows
```bash
$ cd Graduate-Market-Place
```
### 3. Let's set it up 🔧⚙️
Run the following commands to verify that your _local copy_ has a reference to your _forked remote repository_ on Github
```bash
$ git remote -v
```
It should display the below output
```
origin https://github.com/Your_Username/Graduate-Market-Place.git (fetch)
origin https://github.com/Your_Username/Graduate-Market-Place.git (push)
```
Now, let us add the reference to the original `Graduate-Market-Place` repository using the below command 🔙
```bash
$ git remote add upstream https://github.com/TharunKumarReddyPolu/Graduate-Market-Place.git
```
> _The above command creates a new remote as `upstream`_
To Verify the changes run the below command
```bash
$ git remote -v
```
Output in console ☑️:
```
origin https://github.com/Your_Username/Graduate-Market-Place.git (fetch)
origin https://github.com/Your_Username/Graduate-Market-Place.git (push)
upstream https://github.com/TharunKumarReddyPolu/Graduate-Market-Place.git (fetch)
upstream https://github.com/TharunKumarReddyPolu/Graduate-Market-Place.git (push)
```
### 4. Keep in sync always♻️ (best practice🤝🏻)
It is a better practice to keep the `local copy` in sync with the `original repository` and to stay updated with the latest changes. Run the below commands before making changes or in regular intervals to stay updated with the `base` branch
```
# Fetch all remote repositories and delete any deleted remote branches
$ git fetch --all --prune
# Switch to the master branch
$ git checkout master
# Reset the local master branch to match the upstream repository's master branch
$ git reset --hard upstream/master
# Push changes to your forked Tweety-Virtual-Voice-Assistant repo
$ git push origin master
```
### 5. Woohoo! You are ready for the first contribution 🌝
Once you are done with the above steps, you are ready to contribute to the `Graduate-Market-Place` project code. Add `new features` or Check out the `issues` tab of the `original repository` and solve them. Once you are done with your changes, submit your precious efforts with a `pull request`.
### 6. Working with the project 🧑💻👩💻
To get started with the project setup, run the following commands:
```bash
# navigate to the virtual environment "gmp_env"
cd gmp_env
# activate the python virtual environment. Careful, S in Scripts is upper case
.\Scripts\activate
# navigate to the project directory "gmp"
cd gmp
# To install the required packages for the project. run the below command
pip install -r requirements.txt
```
> _If any package installation is not specified above, then those packages are built-in with python._
```
# Here's the main fun part, running the server
python manage.py runserver
```
If you encounter the below error after running the above command:
```
python : The term 'python' is not recognized
as the name of a cmdlet, function, script
file, or operable program. Check the spelling
of the name, or if a path was included, verify
that the path is correct and try again.
At line:1 char:1
+ python manage.py runserver
+ ~~~~~~~
+ CategoryInfo : ObjectNotFound:
(python:String) [], CommandNotFoundExcept
ion
+ FullyQualifiedErrorId : CommandNotFoundE
xception
```
Then change `python` to `python3` and re-run the command. This should solve the issue for you.😁<br>
If the latest version of the packages is not working on your machine, then you can downgrade the version using the below commands
```bash
$ pip uninstall package_name
$ pip install package_name==specific version
```
For instance, If `Pillow` package latest version isn't working on your local machine, then do
```bash
$ pip uninstall Pillow
$ pip install Pillow==9.3.0
```
where `Pillow` refers to `package_name` and `9.3.0` refers to `previous version`/`specific version`
Hurray!🤩 you have the website up and running on your local host and ready for your development.
To deactivate the virtual environment before you logoff from development, run the below command
```bash
$ deactivate
```
### 7. Create a new branch 🌱
Whenever you are going to submit a contribution. Please create a separate branch using the below command and keep your `master` branch clean (i.e. synced with the remote branch)
#### Method 1:
```bash
$ git branch Changetype_name
```
change type includes `bug fix`, `new feature`, `comments`, `enhancements` etc.
the name includes your `first name` or `last name`
After creating the branch above, run the below command to checkout/switch to the new branch created
```bash
$ git checkout changetype_name
```
#### Method 2:
You can also create the branch and checkout to the desired branch using the single command below
```bash
$ git checkout -b changetype_name
```
To add your changes to the branch. Run the below command ➕️
```bash
$ git add .
```
> _Above command uses `period (.)` indicating all the files are added (or)
> to stage specific file changes, use the below command instead_
```bash
$ git add <file_name>
```
Then, Type in a message that is relevant for the code reviewer using the below command ✉️
```bash
$ git commit -m 'relevant message'
```
Finally, Push your awesome hard work to your remote repository with the below command 📤🤝🏻
```bash
$ git push -u origin changetype_name
```
Here, `changetype_name` refers to the branch in your remote repository
In the last, Navigate to your forked `Graduate-Market-Place` repository in the browser, where you will see `compare and pull requests`. Kindly click and then add a relevant `title` and `description` to your pull request that defines your valuable effort. 🥳✅️
### Latest Updates 📢
> _Yet to be published_
## Help us improve the project better 📈🤗
Please discuss your concerns with [Polu Tharun Kumar Reddy](https://www.linkedin.com/in/polu-tharun-kumar-reddy/) before creating a new issue. 😉
_Please `STAR`⭐️ the repository if you like the content and code_**😁
_Also enable the `WATCH`👁 button to keep watching the updates on the repository_**😉
💯💻🧑💻👩💻 Happy Contributing 👩💻🧑💻💻💯

| An online Marketplace for Graduates, Undergraduates and Postgraduates which serves as a common platform to sell and buy. | django,html,python,sqlite3,tailwindcss,javascript | 2023-02-13T21:47:10Z | 2024-04-30T16:07:49Z | null | 1 | 0 | 18 | 0 | 3 | 12 | null | MIT | Python |
i-m-prabhat/Node-notes | master | # Node js Notes
<a href="./fsModule.md">FS Module</a>
<hr/>
<a href="https://github.com/Vasu7389/JavaScript-Interview-Questions-2023">JavaScript Interview tricky questions</a>
<br/>
<a href="https://github.com/Vasu7389/ReactJs-Interview-Question-2023">React Interview Questions</a>
<br/>
<a href="https://github.com/trekhleb/javascript-algorithms">JavaScript DSA</a>
<br/>
<a href="https://github.com/lydiahallie/javascript-questions">JavaScript interview questions </a>
<br/>
<a href="https://github.com/ryanmcdermott/clean-code-javascript">JavaScript Clean Code </a>
<br/>
<a href="https://github.com/denysdovhan/wtfjs#-and-null-are-objects">funny and tricky JavaScript examples</a>
<br/>
<a href="https://github.com/getify/You-Dont-Know-JS">You Don't Know -JS</a>
<hr/>
## How to create a Node server
To crate a node server in Node js we need two things
1. Request Object : handle client
2. Response Object : handle server.
Steps to crete node server:- <br/>
create a file server.js/index.js : : most important file which intialises the server or which set-ups server.
No Application is possible without node-server file.
step1:- <br/>
create const reference for http module. <br>
```
const http = require('http');
```
step2 :- <br/>
using http Object createServer Interface.
```
http.createServer((request,response)=>{
});
```
step3:- <br/>
Now set up a port where you want Your server launch.
<br/>
Never use following <br>
port => 80 => Apache <br>
port => 3000 => React <br>
port => 5000 => Django <br>
Note :: Never use reserved Port
Use other port like 👇🏻 <br/>
8080 => by-default port.(mostly used) <br/>
7080 <br/>
7000<br/>
const PORT=8080;
```
http.listen(PORT,()=>{
console.log("Server started successfully at port"+PORT);
});
```
Complete Code 👇🏻
```
//http require
const http = require('http');
// port
const PORT=8080;
//create server using http Object
const server = http.createServer((request,response)=>{
response.writeHead(200,{"Content-Type":"text/plain"});
response.write("<h1>Hello Coders</h1>")
response.end();
});
//listen to the port;
server.listen(PORT,function(){
console.log('Server Started at PORT ='+PORT);
}); //Asynchronous : callback
```
in sort for use below command
```
require('http').createServer((rq,rs)=>{
rs.write("<h1>Hello Baccho</h1>")
rs.end();
}).listen(8080,function(){
console.log("Server Started");
})
```
## How to send Json Response to the Browser
1. You should have a Array of Json Object which can be send as response to server.
2. set the Content-Type : application/json
3. use JSON.stringify() to encode the json to string : Serialization.
Note : : Why we are using JSON.stringify, because of two reasons
1. response.write() only takes string input
2. Browser only Understand text or tag.
Code 👇🏻
```
let student = [
{
"id": 1,
"name": "XYZ",
"class": "10th",
"email": "xyz@gmail.com",
"mobile": "9999999990"
},
{
"id": 2,
"name": "ABC",
"class": "12th",
"email": "abc@gmail.com",
"mobile": "9999999990"
},
{
"id": 3,
"name": "Raj",
"class": "Naam to suna hi hoga",
"email": "raj@gmail.com",
"mobile": "9999999990"
}
];
require('http').createServer((rq, rs) =>
{
rs.writeHead(200, { "Content-Type": "application/json" });
rs.write(JSON.stringify(student));
rs.end();
}).listen(8080, () =>
{
console.log("Server Started at port 8080");
})
```
## How to send html Response to the Browser :-
```
1. response.writeHead(200,{"Content-Type":"text/html"});
2. response.write("<h1>This is Heading</h1>");
```
Note here is problem :- <br/>
You cannot write lot of html code. <br/>
You can use template string and Write the web-page code
and you can then pass that variable as response to write();
Problem:-
<hr/>
Right now we are writting all data level code and design level code in server.js
data level => model <br/>
design level => View <br/>
hence we must organise the data in mvc design pattern to follow modular approach.
## Project structure of MVC Node Application:-
Controller <br/>
model <br/>
View <br/>
index.js or server,js <br/>
.env => configuration or Environment variable. <br/>
.gitIgnore <br/>
package.json <br/>
package-lock.json
This project structure is common for all, projects.
controller => folder mkdir <br/>
model => folder mkdir <br/>
view => folder mkdir <br/>
index.js => js file touch <br/>
package.json => npm init -y <br/>
package-lock.json => npm install

Note : : package.json will install node_modules folder
if any dependencies are added in package.json
& please make use of git bash terminal
## Making a Node Module:-
1. module.exports = {} <br/>
2. exports.var = var; <br/>
Note :: module.exports/exports both referes to global empty Object <br/>
this => {} => global empty Object.<br/>
```
module = {exports : {x:10}}
module.exports = {x:10}
module.exports.x=10
var x=10;
module = {exports:x}
module.exports = x;
```
<br/>
In flexible there is no difference B/w module.exports and exports. <br/>
but in strict mode we cannot use exports directly. <br/>
it is because module is a mendatory, Object in strict mode.
<br/>
but since module refer to this Object.
you can pass varaible in following
```
1. module.exports = x;
2. this.exports = x;
3. exports.x=x;
|
this => module.
exports === module.exports : strict mode : off
exports != module.exports : strict mode : on
```
## Implementation modularity in mvc:-
We know that, <br/>
m => model <br/>
v => view <br/>
c => controller <br/>
It is always better approach, to keep the different Js file with in different associated folder such that modularity of the project can be maintained.
<br/>
StudentModel.js Model suffix => pascal case <br/>
StudentController.js Controller suffix => pascal case. <br/>
students.js =>view lovwecase suffix. <br/>
Note :: Template Engine <br/>
pug : students.pug <br/>
EJS : student.ejs <br/>
jade : student.jd <br/>
handlebars : student.hbs <br/>
mustaches : mts <br/>
These template files on views are called as partials.
Views <br/>
| partials
....template Engines.
<br/>
<br/>
| layouts
index.html,index.js
<br/>
StudentModel.js
<br/>
data of the Student model =>
<br/>
Api call => student data.
```
var studentModel = {
students:[
{
"id":1001,
"name": "Prabhat",
"class": "Btech",
"stream": "CS"
},
{
"id":1002,
"name": "virat",
"class": "Btech",
"stream": "IT"
},
{
"id":1003,
"name": "Salmon",
"class": "BA",
"stream": "Hindi"
},
{
"id":1004,
"name": "Akash",
"class": "MBA",
"stream": "IT"
},
]
}
module.exports = studentModel
```
StudentController.js
<br/>
``const studentModel = require("./studentModel");``
1. data from model to controller <br/>
Response Object it must contain <br/>
1. code : 201 <br/>
2. data : it can be array or object [], {} <br/>
3. status : true or false <br/>
4. message or comment : "Login Successfull","Oops something, went wrong". <br/>
5. error : by-default it will be false, if any error error message will be raised <br/>
```
let response = {};
try and catch.
let promise = fetch(url).then().then.catch((error)=>{
let responseError = error
});
JsonResponse = {
"code" : 404,
"message" : "Runtime Exception cannot Post data",
"data" : [],
"status" : false
"error" : responseError
}
response.writeHead(200,{"Content-Type":"application/json"})
or
response.writeHead(200,{"Content-Type":"application/json;Charset=utf-8"})
response.write(JSON.stringify(JsonResponse));
```
## Generating Pretty JSON Response :-
by default when you will be using express module.
you will get json() method, to print the output in pretty mode.
but we are not using "express" module hence, we need to use JSON.stringify() to print the output in pretty mode.
<br/>
pretty mode in JSON.stringify() :-
```
JSON.stringify({name:"prabhat",class:"Diploma"})
```
output :
```
{name:"prabhat",class:"Diploma"}
```
pretty Output :- <br/>
you need to increase padding width or pretty width <br/>
JSON.stringify(object,null,Pwidth) <br/>
Pwidth = 1,2,..................n <br/>
standard : 4 <br/>
```
JSON.stringify({name:"prabhat",class:"Diploma"},null,4)
```
Output :
```
{name:"prabhat",class:"Diploma"}
{
name:"prabhat",
class:"Diploma"
}
```
| Node Js Notes | javascript,json,nodejs,reactjs | 2023-02-13T15:26:24Z | 2023-12-31T12:23:33Z | null | 1 | 38 | 85 | 0 | 8 | 12 | null | null | JavaScript |
tnmyk/goodreads-bookshelf-api | main | <h1 align="center" style="font-size: 10rem;">
Goodreads Bookshelf API 📔📕
</h1>
<p align="center">
<a href="https://www.npmjs.com/package/goodreads-bookshelf-api">
<img src="https://img.shields.io/npm/v/goodreads-bookshelf-api" alt="NPM Version" />
</a>
<a href="https://www.npmjs.com/package/goodreads-bookshelf-api">
<img src="https://img.shields.io/npm/dt/goodreads-bookshelf-api" alt="NPM Downloads" />
</a>
</p>
Unofficial Node Goodreads API for getting any user's bookshelf details without API keys.
<br/>
<a href="https://codesandbox.io/p/sandbox/goodreads-bookshelf-api-demo-4hboo4" target="_blank">
Live demo
</a>
## Installation
Using npm:
```bash
npm i goodreads-bookshelf-api
```
Using yarn:
```bash
yarn add goodreads-bookshelf-api
```
Using pnpm:
```bash
pnpm i goodreads-bookshelf-api
```
## Usage/Examples
```js
import GoodreadsShelf from "goodreads-bookshelf-api";
const myReadShelf = new GoodreadsShelf({
username: "50993735-emma-watson",
shelf: "read",
});
try {
const data = await myReadShelf.fetch();
// handle data...
} catch (e) {
// handle error...
}
```
## Example response data
```json
[
{
"title": "Pachinko",
"link": "https://www.goodreads.com/review/show/2857752906?utm_medium=api&utm_source=rss",
"pubDate": "Mon, 01 Jul 2019 07:04:28 -0700",
"contentSnippet": null,
"guid": "https://www.goodreads.com/review/show/2857752906?utm_medium=api&utm_source=rss",
"isoDate": "2019-07-01T14:04:28.000Z",
"author": "Min Jin Lee",
"name": "Emma",
"averageRating": 4.33,
"bookPublished": "2017",
"rating": null,
"readAt": "2019/07/01",
"dateAdded": "2019/07/01",
"shelves": ["read"],
"review": null,
"imageLink": "https://i.gr-assets.com/images/S/compressed.photo.goodreads.com/books/1529845599l/34051011.jpg",
"bookLink": "https://www.goodreads.com/book/show/34051011-pachinko"
},
{
"title": "Fierce Femmes and Notorious Liars",
"link": "https://www.goodreads.com/review/show/2773875452?utm_medium=api&utm_source=rss",
"pubDate": "Fri, 14 Jun 2019 05:01:35 -0700",
"contentSnippet": null,
"guid": "https://www.goodreads.com/review/show/2773875452?utm_medium=api&utm_source=rss",
"isoDate": "2019-06-14T12:01:35.000Z",
"author": "Kai Cheng Thom",
"name": "Emma",
"averageRating": 4.29,
"bookPublished": "2016",
"rating": null,
"readAt": "2019/06/14",
"dateAdded": "2019/06/14",
"shelves": ["read"],
"review": null,
"imageLink": "https://i.gr-assets.com/images/S/compressed.photo.goodreads.com/books/1480517872l/32279708.jpg",
"bookLink": "https://www.goodreads.com/book/show/32279708-fierce-femmes-and-notorious-liars"
}
// ...
]
```
## Contributing
Contributions are always welcome!
| 📕Unofficial Node Goodreads API for getting user's bookshelf without API keys. | goodreads,goodreads-api,javascript,npm,typescript,goodreads-data,goodreads-shelves | 2023-02-14T13:40:57Z | 2023-06-12T14:00:38Z | 2023-02-19T12:09:57Z | 1 | 0 | 18 | 0 | 1 | 12 | null | null | TypeScript |
ParachuteTeam/Parachute | main | # Parachute.fyi - when2meet alternative
## Introduction
🪂 Parachute.fyi is an open-sourced web-based scheduling application built with modern frameworks. It integrates modern user interface and login mechanism, thus offering way better experience than when2meet.com.
## Key Features
- 📦 All features of when2meet.com.
- 🎊 Modern interface offering clearer information display and quicker operations.
- 🗒️ Login with Google / Auth0 to automatically fill-in names and track all joined events.
- 🚀 Use join code to quickly join a event without typing the full link.
- ⏰ Full timezone support allows scheduling over multiple regions and tracking which timezone each participant is in.
- 🔒 Have full control over your information, free and easy to delete anything you have created.
## Tech Stack
- create-t3-app
- Next.js
- TypeSript
- NextAuth.js
- Prisma.js
- tRPC
- tailwindcss
- PostgreSQL (not part of repository)
## Development Guide
1. Git clone the repository
```shell
git clone https://github.com/ParachuteTeam/Parachute.git
cd Parachute
```
2. Install packages using `pnpm` [make sure you have [pnpm](https://pnpm.io/) installed]:
The command will also generate prisma client. Run it again whenever you changed `prisma.schema`.
```shell
pnpm install
```
3. Create a `.env` file and make sure you have the required variables as shown in `.env.example`.
4. Start the project for development:
```shell
pnpm run dev
```
5. If you want to test build (without HMR and with production behaviors), use:
```shell
pnpm run build
pnpm run start
```
## Deployment
It is recommended to deply using [Vercel](https://vercel.com), simply select Next.js project and fill-in all environment variables will do. Remember to also create a production-ready PostgreSQL database for data persistence. Here is our deployed web [Parachute](https://parachute.fyi).
## Star History
[](https://star-history.com/#ParachuteTeam/Parachute&Date)
## Contributors
[](https://github.com/ParachuteTeam/Parachute/graphs/contributors)
Made with [contrib.rocks](https://contrib.rocks).
| 🪂 Parachute.fyi is an open-sourced web-based scheduling application built with modern frameworks. It integrates modern user interface and login mechanism, thus offering way better experience than when2meet.com. | css,javascript,mysql,prisma,react,trpc,typescript | 2023-02-16T02:53:17Z | 2024-04-10T14:19:30Z | null | 5 | 68 | 87 | 10 | 4 | 12 | null | MIT | TypeScript |
CodingWithEnjoy/Piano-HTML-CSS-JS | main | # Piano-HTML-CSS-JS
Preview | نتیجه ی کار 😊😉
https://codingwithenjoy.github.io/Piano-HTML-CSS-JS/
| Preview | نتیجه ی کار 😊😉 | css,game,html,instrument,javascript,javascript-game,piano,piano-keyboard | 2023-02-23T09:48:06Z | 2023-02-23T09:52:58Z | null | 1 | 0 | 5 | 0 | 1 | 11 | null | null | CSS |
Alejandro-Bernal-M/To-do-list | 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)
- [🚀 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 -->
# 📖 [To-Do-list] <a name="about-project"></a>
**[To-Do-list]** is a project where list is implemented using JavaScript and webpack bundle
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Languages</summary>
<ul>
<li>HTML5</li>
<li>CSS</li>
<li>JAVASCRIPT</li>
</ul>
</details>
<details>
<summary>Tools</summary>
<ul>
<li>Webpack</li>
</ul>
</details>
<!-- Features -->
### Key Features <a name="key-features"></a>
- **[Webpack]**
- **[Dynamic]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- LIVE DEMO -->
## 🚀 Live Demo <a name="live-demo"></a>
[GitHub-Pages](https://alejandro-bernal-m.github.io/To-do-list/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- GETTING STARTED -->
## 💻 Getting Started <a name="getting-started"></a>
you can use this code as a base for your own project.
### Prerequisites
In order to run this project you need:
CSS/HTML/JavaScript/webpack
### Setup
git clone https://github.com/Alejandro-Bernal-M/To-do-list.git
### Install
npm install
### Usage
npm start to go to live server and see the to do list
### Run tests
npm test. Tested with [Jest](https://jestjs.io/)
### Deployment
npm start to go to live server
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- AUTHORS -->
## 👥 Authors <a name="authors"></a>
👤 **Author1**
- GitHub: [Alejandro](https://github.com/Alejandro-Bernal-M)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- FUTURE FEATURES -->
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[Functionality]**
- [ ] **[Dragable on mobile]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- CONTRIBUTING -->
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
<p align="right">(<a href="#readme-top">back to top</a>)</p>
<!-- SUPPORT -->
## ⭐️ Show your support <a name="support"></a>
If you like this project give it 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.
-I would like to thank to [Icon-8.com](https://icons8.com/) for the icons.
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 📝 License <a name="license"></a>
This project is [MIT](LICENSE) licensed.
<p align="right">(<a href="#readme-top">back to top</a>)</p> | A To do's list implementation where you can add, remove, mark as completed, edit, and drag tasks. | css,html,javascript,webpack | 2023-02-21T18:18:25Z | 2023-03-10T16:44:37Z | null | 2 | 10 | 67 | 1 | 0 | 11 | null | MIT | JavaScript |
llegomark/betterreadings | master | # Better Readings
Welcome to Better Readings, the revolutionary website designed to help students improve their reading skills, comprehension, and confidence. Better Readings provides teachers and educators with a platform that delivers custom reading passages tailored to each student's grade level. Our high-quality, engaging content is created by experienced educators who understand the needs of students and the importance of personalized learning.
Better Readings recognizes that every student is unique, and therefore, we strive to deliver personalized content that caters to their individual needs. Our custom reading passages are designed to challenge and inspire students, without overwhelming them. This approach keeps students engaged and motivated throughout their learning experience.
Our website is easy to navigate, with a user-friendly interface that makes it accessible for teachers who may not be familiar with technology. Teachers can generate reading passages that are appropriate for their students' level, track their students' progress, and adjust the content accordingly. This helps teachers to identify areas of strength and weakness and to adjust their teaching strategies to achieve the best possible outcomes.
Better Readings is committed to delivering a high-quality learning experience for students. Our content is developed with a focus on high-interest topics that students will find engaging and relevant. By doing so, we aim to instill a love of reading and encourage students to continue to read throughout their lives.
In conclusion, Better Readings is an effective and innovative tool for teachers and educators looking to help their students improve their reading skills, comprehension, and confidence. Our custom reading passages, personalized to each student's grade level, deliver high-quality content in an engaging and accessible format.
## Generating Reading Passages using OpenAI API
To generate reading passages using OpenAI API, the website makes use of a few key files: Generate.ts, Reading.ts, and Middleware.ts.
### Generate.ts
The Generate.ts file contains the code for generating reading passages using OpenAI API. The code is written in TypeScript.
First, the file defines a list of OpenAI API keys. If additional API keys are needed, they can be added to the list. The code then checks if all API keys are available, and if any are missing, an error is thrown.
```
const API_KEYS: string[] = [
process.env.OPENAI_API_KEY1 as string,
process.env.OPENAI_API_KEY2 as string,
process.env.OPENAI_API_KEY3 as string,
// add more API keys as necessary
];
if (!API_KEYS.every(Boolean)) {
throw new Error("Missing env var(s) from OpenAI");
}
```
Next, the interface for the request body is defined. The request body must contain a prompt string for generating the reading passage.
```
interface RequestBody {
prompt: string;
}
```
The configuration object for the Next.js API route is defined next. It specifies that the code should run on the "edge" runtime.
```
export const config = {
runtime: "edge",
};
```
The main function in Generate.ts is an async function that handles the Next.js API request. The prompt is obtained from the request body, and if it is not provided, an error response is returned.
```
const handler = async (req: NextRequest): Promise<Response> => {
const { prompt } = (await req.json()) as RequestBody;
if (!prompt) {
return new Response("No prompt in the request", {
status: 400,
statusText: "Bad Request",
});
}
```
The GPT3Tokenizer is used to count the number of tokens in the prompt, and the maximum number of tokens allowed for the prompt is set to 400. If the prompt exceeds the maximum number of tokens, an error response is returned.
```
const tokenizer = new gpt3Tokenizer({ type: 'gpt3' });
const tokens = tokenizer.encode(prompt);
const numTokens = tokens.bpe.length;
const MAX_PROMPT_TOKENS = 400;
if (numTokens > MAX_PROMPT_TOKENS) {
return new Response(`The prompt has ${numTokens} tokens, which exceeds the maximum limit of ${MAX_PROMPT_TOKENS} tokens.`, {
status: 400,
statusText: "Bad Request",
});
}
```
One of the API keys is randomly selected, and the API parameters for the OpenAI text completion request are set. The function then calls the OpenAI API to stream the generated text. If there is an error in the process, an error response is returned.
```
try {
// Call the OpenAI API to stream the generated text
const stream = await OpenAIStream(payload, apiKey);
// Return the response from the OpenAI stream as the response to the API request
return new Response(stream);
} catch (e) {
console.error(e);
// If there is any error in the process, return an error response
return new Response("Failed to fetch stream from OpenAI", {
status: 500,
statusText: "Internal Server Error",
});
}
```
### Reading.ts
The Reading.ts file contains the function OpenAIStream that is called from Generate.ts to handle the streaming of data from the OpenAI API. The function takes in the payload object and an API key, and returns a readable stream that will continuously receive data from the OpenAI API until it returns the "[DONE]" message.
The function first creates a text encoder and decoder, and sets a counter to zero.
```
const encoder = new TextEncoder();
const decoder = new TextDecoder();
let counter = 0;
```
The function then sends a POST request to the OpenAI API with the given payload and API key. If the response is not successful, an error is thrown.
```
const res = await fetch("https://api.openai.com/v1/chat/completions", {
headers: {
"Content-Type": "application/json",
Authorization: `Bearer ${apiKey}`,
},
method: "POST",
body: JSON.stringify(payload),
});
// Throw an error if the response is not successful
if (!res.ok) {
throw new Error(`Failed to fetch stream from OpenAI: ${res.statusText}`);
}
```
A ReadableStream object is then created that will continuously receive data from the response.
```
const stream = new ReadableStream({
async start(controller) {
// Define a callback function to handle incoming data
function onParse(event: ParsedEvent | ReconnectInterval) {
if (event.type === "event") {
const data = event.data;
// Close the stream if the OpenAI API returns the "[DONE]" message
if (data === "[DONE]") {
controller.close();
return;
}
//... Continue the rest of the code
}
}
//... Continue the rest of the code
},
async cancel() {
//... Continue the rest of the code
},
});
return stream;
```
The start() method of the ReadableStream is an async function that is called when the stream is started. It defines a callback function onParse to handle incoming data. If the data is the "[DONE]" message, the stream is closed. If the data contains generated text, the text is extracted and enqueued as encoded binary data in the stream.
```
try {
const parsedData = JSON.parse(data) as OpenAIResponse;
if (parsedData.choices && parsedData.choices.length > 0) {
const choice = parsedData.choices[0];
if (choice && choice.delta?.content) {
text = choice.delta.content;
}
}
} catch (e) {
console.error(e);
}
```
The cancel() method of the ReadableStream is an async function that is called when the stream is cancelled. It cancels the response if the stream is closed or an error occurs.
```
async cancel() {
if (res.body && typeof res.body.cancel === "function") {
try {
await res.body.cancel();
} catch (e) {
console.error(e);
}
}
},
```
### Middleware.ts
The Middleware.ts file contains the middleware function that enforces rate limiting for requests to the "/api/generate" path. The function is exported as the default export.
The middleware function takes in the request and event objects, which represent the incoming HTTP request and Next.js fetch event, respectively. It returns a response or undefined.
```
export default async function middleware(
request: NextRequest,
event: NextFetchEvent
): Promise<Response | undefined> {
//... Continue the rest of the code
}
```
The function first gets the user's IP address from the request, defaulting to "127.0.0.1" if not present.
```
const ip = request.ip ?? "127.0.0.1";
```
It then uses the ratelimit library to get information about the user's request limit. If the user has not exceeded the request limit, a NextResponse.next() response is returned. Otherwise, the user is redirected to the "/api/blocked" endpoint.
```
const ratelimitInfo: RatelimitInfo = await ratelimit.limit(`mw_${ip}`);
event.waitUntil(ratelimitInfo.pending);
const response = ratelimitInfo.success
? NextResponse.next()
: NextResponse.redirect(new URL("/api/blocked", request.url), request);
```
The response headers are then set to indicate the rate limit and remaining requests.
```
response.headers.set("X-RateLimit-Limit", ratelimitInfo.limit.toString());
response.headers.set(
"X-RateLimit-Remaining",
ratelimitInfo.remaining.toString()
);
response.headers.set("X-RateLimit-Reset", ratelimitInfo.reset.toString());
```
Finally, the function returns the response.
```
return response;
```
The config object is also exported, specifying that this middleware should be applied to requests matching the "/api/generate" path.
```
export const config = {
matcher: "/api/generate",
};
```
| Improve your child's reading skills with personalized reading passages. Our website offers a wide range of topics and reading levels, making reading both fun and educational. Start your child's reading journey today and give them the tools they need to succeed. | ai,artificial-intelligence,openai,machine-learning,machine-learning-algorithms,javascript,nextjs,nodejs,typescript,react | 2023-02-11T06:08:09Z | 2023-03-13T07:23:26Z | null | 1 | 2 | 69 | 0 | 2 | 11 | null | MIT | TypeScript |
Shubh2-0/ShubhamBhati.github.io | master | # Shubham Bhati Portfolio
<a href="https://shubh2-0.github.io/ShubhamBhati.github.io/" target="_blank">**Visit Now** 🌐🖇️</a>
<!-- # Overview
<h2 align="center">
<img src="ReadmeImg/home.png?raw=true" alt="portfolio" width="600px" />
<br>
</h2>
:star: Star me on GitHub — it helps! -->
### <h1 align="center">Website Preview 💻</h1>
#### Home Section
<img src="ReadmeImg/home.png" width="900">
#### About Section
<img src="ReadmeImg/about.png" width="900">
#### Projects Section
<img src="ReadmeImg/project.png" width="900">
#### Contact Section
<img src="ReadmeImg/contact.png" width="900">
#### Skills Section
<img src="ReadmeImg/skills.png" width="900">
:star: Star me on GitHub — it helps!
## Features 📋
⚡️ Fully Responsive\
⚡️ Valid HTML5 & CSS3\
⚡️ User can Download Resume\
⚡️ Typing animation using `Typed.js`\
⚡️ Easy to modify\
⚡️ User can connect in different platforms
## Installation & Deployment 📦
- Clone the repository and modify the content of <b>index.html</b>
- Add or remove images from `assets/img/` directory as per your requirement.
- Update the info of `projects` folder according to your need
- Use [Github Pages](https://create-react-app.dev/docs/deployment/#github-pages) to create your own website.
- To deploy your website, first you need to create github repository with name `<your-github-username>.github.io` and push the generated code to the `master` branch.
## Sections 📚
✔️ About\
✔️ Projects \
✔️ Skills \
✔️ Resume\
✔️ Contact Info
## Tools Used 🛠️
<img src="Assets/images/Skills/html.png" alt="skill" width="50" /> <img src="Assets/images/Skills/css.png" alt="skill" width="50" /> <img src="Assets/images/Skills/js.png" alt="skill" width="50" /> <img src="Assets/images/Skills/github.png" alt="skill" width="50" /> <img src="Assets/images/Skills/vscode.png" alt="skill" width="50" />
<br>
## Contributing 💡
#### Step 1️⃣ -> Clone this repo to your local machine 🖥️.
#### Step 2️⃣ -> **Build your code** ⚒️
#### Step 3️⃣ -> 🔃 Create a new pull request.
<a href="https://shubh2-0.github.io/ShubhamBhati.github.io/" target="_blank">**Visit Now** 🚀</a>
## 📬 Contact
If you want to contact me, you can reach me through below handles.
<p align="left">
<a href="https://www.linkedin.com/in/shubham-bhati-787319213/" target="_blank"><img align="center" src="https://skillicons.dev/icons?i=linkedin" width="40px" alt="linkedin" /></a> 
<a title="shubhambhati226@gmail.com" href="mailto:shubhambhati226@gmail.com" target="_blank"><img align="center" src="https://cdn-icons-png.flaticon.com/128/888/888853.png" width="40px" alt="mail-me" /></a> 
<a href="https://wa.me/+916232133187" target="blank"><img align="center" src="https://media2.giphy.com/media/Q8I2fYA773h5wmQQcR/giphy.gif" width="40px" alt="whatsapp-me" /></a> 
</p>
<br>
<div align="center">
<strong>💓Happy Coding😄💻</strong>
</div>
| This is a personal portfolio website built with HTML, CSS and JavaScript. It has home, project, about and contact sections. The projects have a pop up that displays a detailed description of the project. | animated-gifs,css,html,javascript,responsive-web-design,sections-slider,css3,portfolio,portfolio-website,resume | 2023-02-12T17:37:43Z | 2023-09-08T11:55:38Z | null | 1 | 0 | 62 | 0 | 0 | 11 | null | null | CSS |
Kevin-Mena/TODOList | main | ## TODO List App
<a name="readme-top"></a>
<div align="center">
<br/>
</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)
- [🚀 Visit my website](#)
- [💻 Getting Started](#getting-started)
- [Setup](#setup)
- [Prerequisites](#prerequisites)
- [Install](#install)
- [Usage](#usage)
- [Run tests](#run-tests)
- [Deployment](#triangular_flag_on_post-deployment)
- [👥 Authors](#authors)
- [🔭 Future Features](#future-features)
- [🤝 Contributing](#contributing)
- [⭐️ Show your support](#support)
- [🙏 Acknowledgements](#acknowledgements)
- [❓ FAQ (OPTIONAL)](#faq)
- [📝 License](#license)
# 📖 [TODO List App <a name="about-project"></a>
\*\*[TODO List App] is a simple to do list app used to manage tasks, projects, and team's work.
## 🛠 Built With <a name="built-with"></a>
### Tech Stack <a name="tech-stack"></a>
<details>
<summary>Markup</summary>
<ul>
<li><a href="https://https://developer.mozilla.org">HTML</a></li>
</ul>
</details>
<details>
<summary>Styles</summary>
<ul>
<li><a href="https://https://developer.mozilla.org">CSS</a></li>
</ul>
</details>
<details>
<summary>Javascript</summary>
<ul>
<li><a href="https://https://developer.mozilla.org">CSS</a></li>
</ul>
</details>
### Key Features <a name="key-features"></a>
- **[Homepage]**
- **[Todo List feature]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🚀 Live Demo <a name="live-demo" ></a>
- [Live Demo](https://todo-listapp-js.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 text-editor of your own choice.
### Setup
Clone this repository to your desired folder:
Example commands:
```sh
cd <desired folder to contain project>
git clone <https://github.com/Kevin-Mena/TODOList.git>
```
### Install
Install this project with:
```sh
npm install
```
### Usage
To run the project, execute the following command:
- Open the terminal and execute
```sh
npm start
```
### Run tests
- On the terminal
```sh
npm test
```
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 👥 Authors <a name="authors"></a>
👤 **Kevin Okoth**
- GitHub: [@githubhandle](https://github.com/Kevin-Mena)
- LinkedIn: [LinkedIn](https://www.linkedin.com/in/kevin-okoth/)
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🔭 Future Features <a name="future-features"></a>
- [ ] **[Better UI design]**
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🤝 Contributing <a name="contributing"></a>
Contributions, issues, and feature requests are welcome!
Feel free to check the [issues page](https://github.com/Kevin-Mena/TODOList/issues).
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ⭐️ Show your support <a name="support"></a>
If you like this project,give it a ⭐️!
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## 🙏 Acknowledgments <a name="acknowledgements"></a>
Thanks to everyone whose idea and codebase was used in this project🙏
<p align="right">(<a href="#readme-top">back to top</a>)</p>
## ❓ FAQ (OPTIONAL) <a name="faq"></a>
N/A
<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 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,jest-tests,linters,webpack | 2023-02-22T05:44:41Z | 2023-04-12T22:38:35Z | null | 2 | 7 | 84 | 1 | 0 | 11 | null | MIT | JavaScript |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.