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
NimeshPiyumantha/React_Application
master
# Getting Started with Create React App This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app). ## Available Scripts In the project directory, you can run: ### `npm start` Runs the app in the development mode.\ Open [http://localhost:3000](http://localhost:3000) to view it in your browser. The page will reload when you make changes.\ You may also see any lint errors in the console. ### `npm test` Launches the test runner in the interactive watch mode.\ See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information. ### `npm run build` Builds the app for production to the `build` folder.\ It correctly bundles React in production mode and optimizes the build for the best performance. The build is minified and the filenames include the hashes.\ Your app is ready to be deployed! See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information. ### `npm run eject` **Note: this is a one-way operation. Once you `eject`, you can't go back!** If you aren't satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project. Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you're on your own. You don't have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn't feel obligated to use this feature. However we understand that this tool wouldn't be useful if you couldn't customize it when you are ready for it. ## Learn More You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started). To learn React, check out the [React documentation](https://reactjs.org/). ### Code Splitting This section has moved here: [https://facebook.github.io/create-react-app/docs/code-splitting](https://facebook.github.io/create-react-app/docs/code-splitting) ### Analyzing the Bundle Size This section has moved here: [https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size](https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size) ### Making a Progressive Web App This section has moved here: [https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app](https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app) ### Advanced Configuration This section has moved here: [https://facebook.github.io/create-react-app/docs/advanced-configuration](https://facebook.github.io/create-react-app/docs/advanced-configuration) ### Deployment This section has moved here: [https://facebook.github.io/create-react-app/docs/deployment](https://facebook.github.io/create-react-app/docs/deployment) ### `npm run build` fails to minify This section has moved here: [https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify](https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify) # React_Application
This is learning React.
javascript,react
2023-01-16T14:08:58Z
2023-01-20T02:58:15Z
null
1
0
10
0
0
14
null
null
JavaScript
qnighy/dedent-js
master
# `@qnighy/dedent`: JS multi-line literal done right ```javascript import { dedent } from "@qnighy/dedent"; const mdDoc = dedent`\ ## Hello! - Plants - Apples - Oranges - Animals - Dogs - Cats `; ``` ## Simple, yet expressive The `dedent` function does only one thing: it removes indentation **as it appears in the source code** in a template literal. Therefore the result is easily predictable. Additionally, you can express **any text** using the dedent function. ```javascript import { dedent } from "@qnighy/dedent"; // End-of-line at the end const eol = dedent`\ foo bar `; // No end-of-line at the end const noEol = dedent`\ foo bar`; // With all lines indented const withIndent = dedent`\ \ This line is the 1st line. It has 2 spaces of indentation. This line is the 2nd line. It has 2 spaces of indentation. `; ``` ## Tagged literal Tagged literals are also supported. You can write ```javascript import { dedent } from "@qnighy/dedent"; const text = dedent(myTag)`\ foo ${bar} `; ``` for ```javascript const text = myTag`\ foo ${bar} `; ``` which is often equivalent to: ```javascript const text = myTag`foo ${bar} `; ``` ## With or without code transformation You **do not** need to configure Babel or SWC or whatever to use `@qnighy/dedent`. Simply import the function and you are ready to use it. Though you can use `@qnighy/babel-plugin-dedent` or `@qnighy/swc-plugin-dedent` if you need optimization. ## Installation (NOTE: not released yet) ``` yarn add -D @qnighy/dedent # OR: npm install -D @qnighy/dedent ``` ## Detailed rules ### Indenting some lines in the indented text Indentation is determined based on **the longest common indentation** among lines. Therefore, you can have some lines indented among other lines. ```javascript const text = dedent`\ non-indented line indented line `; ``` ### The first line It does not remove indentation of the first line, as it is always preceded by a backtick <code>`</code>. Remember that the library removes indentation **as it appears in the source code**. ```javascript const text = dedent` indented line non-indented line `; ``` That is why we recommend putting a backslash `\` immediately after the backtick <code>`</code>, like this: ```javascript const text = dedent`\ the above backslash (\\) tells JS to join the lines. `; ``` ### Counting Spaces and tabs are counted equally. The result would be unpredictable should you mix spaces and tabs. ### Lines containing only spaces and tabs Lines containing only spaces and tabs are considered to have infinity number of indentation. If they are shorter than the inferred indentation, they become empty. Otherwise, there remain some spaces or tabs. ```javascript const text = dedent`\ 1st line 3rd line. The above line is empty. `; ``` The closing backtick <code>`</code> is not accounted for in this rule. Therefore, in the example above, last line is considered to be empty. ### Escapes and interpolations This library removes indentation **as it appears in the source code**. Therefore, escapes and interpolations are both considered to be non-space elements. ```javascript const text = dedent`\ \x20 <- This is a non-space element ${" "} <- This is a non-space element too `; ``` However, indentation within interpolated expressions are excluded from this rule, as we cannot reliably know the indentation there. ```javascript // prettier-ignore const text = dedent`\ ${ "Indentation is still removed" } `; ``` This is the only exception to the aforementioned rule. ### Newline characters There are three types of newline in JS: - LF (`\n`) - LS (`\u2028`) - PS (`\u2029`) They all start new lines. Note that CR (`\r`) and CRLF (`\r\n`) in the source text are automatically converted to LF (`\n`) before parsing, thus the library cannot distinguish between LF, CR, and CRLF. ## License MIT
JS multi-line literal done right
babel-plugin,javascript,typescript
2023-01-14T14:04:07Z
2024-05-06T07:30:58Z
null
1
31
91
1
0
14
null
null
TypeScript
abhicominin/Character-Controller-three.js
master
null
null
css3,glsl,html5,javascript,threejs,webgl
2023-01-15T12:35:39Z
2023-01-20T05:09:22Z
null
2
0
5
1
1
14
null
null
JavaScript
lbartworks/openvgal
main
https://github.com/lbartworks/openvgal/assets/121262093/517b6b67-7a87-4f2c-8166-b5c9314ff9e9 # OpenVgal v1.1 (Open source Virtual Gallery) Virtual 3D gallery for art showcase. Based on Babylon.js ----------------------------------------- OpenVgal started in June 2022 as a personal project to provide myself, or anyone, a way to build an interactive 3D virtual gallery programmatically. What this means is that you do not need to design the hall or halls of the galleries, or deal with the 3D work, or the browser code to move around it. You just need organize your collections in folders and run some code provided here. I was inspired by what Oncyber was creating but they had not open sourced the project. A demonstration of the gallery can be seen here: [https://nostromophoto.com/virtual/virtual.html](https://nostromophoto.com/virtual/virtual.html) At the current stage the effort/skills have dropped from v0.1 but it is not a one-click process. I plan to create a youtube tutorial if there is demand for it. This is currently needed to use Vgal: * A web server to host the final virtual gallery/ies * A working installation of python to generate the .json file * (advised) A local webserver to do the tests. 🎨 If you want to create your own galleries you can go directly to the [How to create your gallery](#4-steps-to-create-a-gallery) section. Currently there is no video tutorial but I can create if there is demand for it. 🛠️ If you want to contribute or further develop, the following sections explain some of the internal working of the code. You may look at the TODO list 🙏 If you want to support this development and/or want to collect some of my artwork, you can see my NFTs here: [https://opensea.io/LB_Artworks](https://opensea.io/LB_Artworks) You can also purchase the Kraken gallery to use in inside Oncyber: [Kraken gallery in Rarible](https://rarible.com/token/0x449f661c53ae0611a24c2883a910a563a7e42489:181) ### SHORTCUTS 👉 To create your own virtual gallery [click here](#1-steps-to-create-a-gallery) 👉 To learn about the structure of OpenVGal [click here](#2-structure-of-openvgal) 👉 To learn how to customize OpenVgal [click here](#3-customize-openvgal) 👉 To see the changelog [click here](#4-changelog) *Disclaimer:* I am not an expert in javascript or Babylon.js. If you find parts of the code that can be written in a more academic way, feel free to help. ## 1. Steps to create a gallery In the following steps you can re-create a working example with the files/artwok I provide. Once you make it work, you can proceed to create it with your own files/artwork. The two main elements of OpenVGal are a `building_v2.json` file that describes the content and structure of the galleries and a visualization engine. In the first steps we shall use the building_v2.json provided in the repository. In a second step, we will recreate it and in a third step you can recreate it with your own artwork. ### 1.0 Preparatory work 1. If you do not have a working python installation with jupyter notebooks, install it. You can go to the [Anaconda website](https://www.anaconda.com/products/distribution) 2. Install a local webserver. A simple and light option available in different operative systems is [Devd](https://github.com/cortesi/devd). If you do not want to compile it you can download a portable version [here](https://www.downloadcrew.com/article/33851-devd). Once you download it, uncompress it and place it in some folder you fancy. You can run it from the command line with the command `"devd -ol ."` (the double quotes are not needed). To access the server, if devd does not open automatically a web browser, simply type in your browser http://devd.io. Despite the devd.io domain, this actually points to your localhost. 3. Download or clone the openvgal repository. For consistency, put it inside the local webserver folder. The local webserver would look like: <p align="center"> <img src="https://github.com/lbartworks/openvgal/assets/121262093/6b93f93a-3240-45d5-8cba-7579a3cdc90f" "> </p> 4. Download this [zip file](https://mega.nz/file/ThxWUJqJ#dFo9w7eMpXGKTGHbFG9RM8AeEB8UIrOHBVfurwaNoZs) with example galleries. Uncompress the zip archive <u>in the openvgal folder</u>. You will notice that 6 folders (gallery1, gallery2, gallery3, gallery4, gallery5 and gallery6) will be created. This example has, hence, 6 art halls. ### 1.1 Verify that default options work 5. Verify that all works navigating to `openvgal/virtual_gallery.html`. You should see OpenVGal in your browser and you can navigate the 6 galleries by clickin on the doors. You can return to the hub hall by clicking on doors with the "Entrance" sign written. 6. If it would not work, review the steps and check the console errors in the browser. ### 1.2 Recreate building_v2.json with the given galleries 6. Next step is to recreate the .json file. Delete the file `openvgal/building_v2.json` and restart the web server (close it and open it again to make sure the cache is cleared). The goal of the next steps is to verify that the code to build up the .json file works properly 7. Run jupyter notebook in Anaconda and load the notebook `python/VR_gallery.ipynb`. This notebook will create the [buliding_v2.json](building_v2.json) file. If you follow these instructions you do not need to change the paths. Run the notebook until you get to the optional parts, and everythig goes well a fresh `buliding_v2.json` will be created at the web server root folder. You may see a warning concerning `UserWarning: Truncated File Read warnings.warn(str(msg))`. You can ignore it. 8. Verify that it works. It should merely reproduce what was seen in step 5 ### 1.3 Create your own galleries 9. Organize each of the artwork images for each art hall on a different folder. Put all the images (1 Mpix advised) of each hall in one folder. Similarly to the example, where the folder gallery1 contains the artworks that later will be shown in the same art hall. 10. Create a spreadsheet (see [example](python/building_v2.csv)) with the .csv fields and save it. You need to assign a gallery name (preferrably not very long) to each folder with images. That will be the name displayed on the door. You can overwrite the existing csv file for simplicity. Remember that, for the moment, all galleries need to be parented by the root gallery. If the folder contains a large number of images (hundreds), the python code will break it up in smaller art halls automatically. 11. Run again the [VR_gallery.ipynb](python/VR_gallery.ipynb) notebook. If you simply overwrote the .csv file you do not need to customize any folder. The first lines of the notebook contains some variables for customization. After running it, a new building_v2.json should be created. Notice that if the number of artworks is larger than the max template hall capacity the code will automatically create linked galleries. 12. You may want to customize your `materials/logo.png` file to show in the hub hall. Use the existing one as a reference for size. ### 1.4 Deploy on a public web server 13. Customize the variables in the `gallery_viewer.html` file depending on the folder where you placed the files in the web server. ``` const glb_location='/openvgal/templates/'; const config_file_name='/openvgal/building_v2.json'; const materials_folder='/openvgal/materials'; const hallspics_prefix= '/openvgal'; const icons_folder='/openvgal/icons'; const aux_javascript= '/openvgal/room_builder_aux.js'; ``` Upload the files to the web server. Check the console in case of error. Most common errors are related to files not found due to changes in the variables above. 14. One final step is to fix the BJS_ materials. They are json file that unfortunately do not support yet relative links. The existing ones will search the textures in the dvd.io domain, that obviously will not work. To update the BJS_ materials you can see in the Optional area of `VR_gallery.ipynb` a small piece of code to update the BJS_ files before uploading them to the server. ## 2. Structure of OpenVGal The project is structured around three key elements: - A json file that describes the structure and content of the gallery halls. - Hall templates in the form of .glb files. Glb files is the binary version of [GLTF](https://en.wikipedia.org/wiki/GlTF), an open format to describe 3D scenes and models. Each template should be consistent with the VR_Gallery.ipynb python code to properly display the items. - A gallery visualizer that creates the virtual experience using a web browser OpenVgal uses a *building_v2.json* file to describe the structure of galleries (_v2 aims to avoid confusion with the older versions) The format is aimed to be flexible enough to accommodate a single hall or interconnecting halls in an arbitrary structure (not completely arbitrary at the moment). It always starts with a root gallery hub hall. Each hall can have items. Items are: either an artwork (a picture) or a door connecting to another gallery. In this version hub halls can only have doors and artwork halls can have artworks and 1 or 2 doors. The *building_v2.json* file follows a nested structure of dictionaries (dictionary is understood here as a data structure organized in the form of [name/value pairs](https://www.w3resource.com/JSON/structures.php)). The highest level structure (level 1) lists all the halls in the gallery. #### Example of the level 1 structure: ``` { “root”: root_dictionary, “another_hall”: hall_dictionary, … “last_hall”: hallN_dictionary h} ``` The `root_dictionary` or the `hallN_dictionary` are level 2 dictionaries describing the characteristics of the hall. Each level 2 dictionary has three compulsory keys in the dictionary: * A **parent** field with the hall name that will give access to it. Note that the root hall has “none” as parent. * A **resource** field with the name of a .glb file. Normally the file selected here will not exist and fall back to the next field. If it exist it will override any subsequent information about the items. It should be a fully designed gallery, including all the artworks. * A **template** field with the name of a template .glb file. A template .glb file with start with "T_" and it simply contains an empty hall where the artworks will be placed. * In addition to the three compulsory keys, it will have additional keys with the contents (items) of the hall. #### Example of the level 1 and level 2 structure: ``` { “root”:{ “parent”: “none”, "resource": "root.glb", "template": "T_root.glb", “item1”:{…}, “item2”: {…}, “last item”: {…}, }, “another gallery”:{…}, “yet another gallery”: {…}, … “last gallery”: {…} } ``` Each of the **items** (`item1`, `item2`, etc...) consist of a level 3 dictionary with the following compulsory keys: * A resource key with the path to the file containing either the picture or the gallery (a .glb file) * A resource_type key that can have two values: [“door” | “image”] width. In the case of resource_type=image, this additional keys are needed: * A width and height key. They have values between 0 and 1. Depending on the aspect ratio, either the width or the height are expected to be equal to 1 and the other one lower than 1. * A location key with 3 values containing the x,y,z position of the center of the item. Notice that here the "up" direction is the Z axis. * A vector key with 2 values (x,y) that define a normal vector that identifies the orientation of the artwork (where does it face, to put in simple terms). * A metadata key with text. That text will be shown when you hover on the artwork #### Example of the level 1, 2 and 3 dictionaries: ``` { “root”:{ “parent”: “none”, "resource": "root.glb", "template": "T_root.glb", “another_gallery”:{ "resource": "another.glb", "resource_type": "door", }, “item2”: {…}, “last item”: {…}, }, “another gallery”:{ “parent”: root, "resource": "another.glb", "template": "T_pannels.glb", "item1":{ "resource": "gallery1/item1.jpg", "resource_type": "image", "width": "1.00", "height": "0.74", "location": "[15.0, -14.62573121343933, 2.0]", "vector": "[-1.0, 0.0]", "metadata": "ID #0 Beach bike" }, “item2”: {…}, “last item”: {…}, }, “yet another gallery”: {…}, … “last gallery”: {…} } ``` At the bottom the file contains a technical section: ``` "Technical": { "ambientLight": 0.5, "pointLight": 50, "scaleFactor": 2.5, "verticalPosition": 0.4 } ``` Small inconsistencies in this structure will be address in the next update of OpenVgal ## 2.1 Json file creation Although it is possible to get the `building_v2.json` file created manually, as soon as several halls are interconnected with a few tens of items, this will not be practical. As an alternative a python jupyter notebook is provided to generate the .json file based on a more intuitive .csv file The csv file will get the following fields or columns: * Gallery name (name of the hall) * Parent (hall name of the parent. "none" for the root) * Folder (local filesystem folder with all the images of the hall) ## 2.2. Gallery viewer The gallery viewer is an html page with javascript code to start the babylon engine and handle the following tasks: - Read the `building_v2.json` file and create the root hall. For the root hall, or any other hall: - First it will try to to pull from the server a glb file with the name of the "resoure" field - If it does not exist, it will try to pull up a glb file with a template version ("T_" prefix) of the "resource" field - If none exist is will create an error - Creaate a kebyboard controller and camera to navigate the galleries in a first-person shooter style. You can rotate with the mouse and move in the four directions with the arrow keys. Tries to detect touch devices and adapt accordingly. - Create an event listener for each door in a hall. When the visitor hovers on those doors the mouse icon changes. The user can teleport from one hall to another by clicking on the door - If the user chooses another hall, the code pulls up in the background the .glb file and show a progress bar screen. - Swap the scene contents but keep in memory the previous halls for faster interaction if the user returns to previously visited halls. ## 3. Customize OpenVGal Openvgal default files provide a robust way to represent a large number of galleries and artwork. However, proficient programmers or designers would like to take it on step further. These are the customization options available from simpler to more complex ### 3.1 Customize materials The templates used for the root hall or the art galleries have some BJS_ materials are pulled from the server (rather than embedded). In this way if you update the material contents in the server, you update the style. Note that you could customize and radically change the aspect of the galleries just with the materials. ### 3.2 Create new templates OpenVgal provides currently 3 templates (T_root, T_pannels, T_nopannels) that act consistently with the VR_gallery.ipynb python code. You can add some non-structural element to the given templates and all should work fine. If you want structurally different galleries, you would need additionally a python object consistent with those new templates. To create new templates you would need the following steps: FOR HUB HALLS - New glb files with: * meshes for the doors named "d_0", "d_1", etc... * pointLight sources to be used later in Babylon. This simply fixes the position of the light, not the intensity. Notice that performance is affected as more lights are added. * Either normally embedded materials or materials with the prefix name "BJS_". In that case the gallery viewer will try to pull the material from the server. - If the template has more than 10 doors you will need to modify the `doors_root=10` variable in `VR_gallery.ipynb` FOR ARTWORK HALLS - New glb files with: * meshes for the doors named "d_0", "d_1", etc... Meshes preferrably having a single plane. * pointLight sources to be used later in Babylon. This simply fixes the position of the light, not the intensity. Notice that performance is affected as more lights are added. * Either normally embedded materials or materials with the prefix name "BJS_". In that case the gallery viewer will try to pull the material from the server. - A python classs equivalent to `class GalleryWithOptionalPanels` that you can see in the `VR_gallery.ipynb` file. The object must implement the following interfaces: * a `max_capacity()` function that returns the maximum number of artworks the template/s can accomodate * a `solve_gallery(N)` function that returns positions, vectors, template_gallery. The last one is a string with the corresponing .glb file. Notice that the same object can handle different templates, for example: for a small number of artworks (N), choose a small template, otherwise choose a larger one. ### 3.3 Create a full gallery OpenVgal supports that you load directly a fully configured .glb file. ## 4. Changelog :new: **Update (18 March 2024).** :new: New loadbar, more accurate. Useful for slow connections :new: **Update (18 March 2024).** :new: My own experience as a user and the feedback from some of other early birds identified these areas of improvement: - Automation in the creation of galleries. In v0.6 you had to assign everything manually - Limitation on the size. What to do with more than 100 artworks, halls became too big. - Lighting was very limited and realism required baking the textures which is not simple so the developemnt direction had to go in the line of: a) Full automation. Just pass over the contents of the galleries and the code should figure out how to distribute it b) Scalability. Handle large galleries. More than 100 items was leading to huge galleries where all the inner space was unused. c) Better native materials and lights. Baking textures gives a great visual aspect but is a pain in the ass and not easy to automate In view of this I decided to do these main design changes: - Remove room geometry by drawing primitives. I had the code written to incorporate internal panels in the hall but that would have been very difficutl to scale. Then only glb files are imported, either as full galleries or as spaces were items can be placed. - For template glbs the json file would have the location of each item and the main engine would place these items in the empty template. This has the advantage of designing very different templates. Most users will not want to deal with that, so a default template is provided. Actually 3 templates: one for the entrance hall, an exhibition hall with internal pannels and without them. As a plus I added support for native node Babylon materials (wonderful Babylon team !!!) that are vey light and make it very easy to radically change the aspect of the galleries. :new: **Update (22 December 2023).** :new: Touch devices are now detected and better supported. Instruction on how to move around on the initial screen. Info field when hovering on the artwork. Im starting to do gallery designs. See below. :new: **Update (22 August 2023).** :new: consistency updates in the repository :new: **Update (25 June 2023).** :new: Great visual improvement aspect of automatic galleries. The materials for the walls and floor are now on a style.json file. Less parameters hardwired into the code. More general way to generate the doors, they are one additional item in the north wall. Light position is dynamically adapted to the dimensions of the hall. White frames for the artworks. :new: **Update (12 May 2023).** :new: An existing .glb template (hall) can now be populated with existing place-holders. This enables high-quality rendering and/or texture baking while the asset remain in the server and are loaded in real time. :new: **Update (5 March 2023).** :new: ON-the-fly built incorporated. If the .glb objects are not available the code will try to build the hall from scratch based on the images. Of course the images and materials need to be available in the web server. ## FAQ - Could lights/shadows be incorporated? The best way to do that would be generating the halls with blender and bake (precalculate) the textures. ## TODO - [ ] Alternative hall templates, not simply a rectangular hall. - [ ] Support for VR devices - [ ] Code to detect overlapping artwork or erroneous configurations - [ ] Support for lightmaps. I have some experiments baking lightmaps, you can check them in this youtube [video](https://www.youtube.com/watch?v=mZzMPlagnQk) - [x] On the fly rendering of the hall and items (pure babylon.js) - [x] Hybrid mode where you load a glb with the hall but the items are loaded in real time - [x] A blender based hall builder with textures baked manually. - [X] Better management of mobile devices - [X] Framing for artwork - [X] Titles and information for the artwork
Virtual 3D gallery for art showcase. Based on Babylon.js
babylonjs,gallery,html,javascript,python,virtual-gallery,virtual-reality,webgl,blender
2023-01-02T18:49:32Z
2024-05-21T19:59:11Z
null
2
0
38
0
5
14
null
MIT
Jupyter Notebook
Gmanlove/My-Portfolio
main
My Portfolio project # 📗 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) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) # About the Project This is an Html,Css and Javascript My Portfolio project ## Tech Stack HTML5, CSS3 HTML5,css3 and Javascript were used in this project. ## Built With - Major languages HTML, CSS and JAVASCRIPT # 📖 [My portfolio] <a name="about-project"></a> I did this project by creating repository where I created my portfolio website **[My portfolio]** is my personal portfolio ## 🛠 Built With <a name="built-with"></a> - HTML - CSS - JAVASCRIPT ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://gmanlove.github.io/My-Portfolio/) ## 💻 Getting Started <a name="getting-started"></a> Get you Pc. Clone this project to your local machine ### Prerequisites Basic knownledge of Computer In order to run this project you need: Live Server ### Setup Clone this repository to your desired folder: git@github.com:Gmanlove/My-Portfolio.git ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [Gmanlove](https://github.com/Gmanlove) - *[future_feature]* Refactoring the work section dynamically with Javascript. ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank God for His Grace <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. _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._
My Portfolio was built using HTML, CSS, and JavaScript, along with the Bootstrap framework for responsive design. The website is hosted on GitHub Pages, making it easily accessible to potential employers or clients. The visually appealing design and user-friendly navigation make it easy for visitors to learn about my skills .
css3,html5,javascript
2023-01-10T13:35:37Z
2024-01-08T21:34:56Z
null
5
16
65
0
0
14
null
null
CSS
hashmat-wani/Nobita-chatbot
main
Nobita(chatbot) is a ChatGPT playground that interacts in a conversational way. In this application: - While generating the response, the User can stop the response. And then it can be regenerated again with the same button. - User can also copy the response after its generated. - Speech Recognition is implemented in the app. - User can toggle between Dark and light mode theme. - User can change the Model/Engine, Temperature, or Maximum Length to get different responses: - **Model:** The model parameter controls the engine used to generate the response. _text-davinci-003_ produces the best results. - **Temperature:** Higher values means the model will take more risks. Try _0.9_ for more creative responses, and _0_ for ones with a well-defined response. We generally recommend _0_ - **MaximumLength:** The maximum number of tokens to generate. The exact limit varies by model. _1_ token is roughly _4_ characters for normal English text # Desktop View ## Home Page ![Home Page Image](./readmeImages/home-dv.png) ## Examples ![Examples Page Image](./readmeImages/examples-dv.png) ## Dialogue Box ![model Page Image](./readmeImages/model-dv.png) ## Chat Container ![Chat Page Image](./readmeImages/chat-dv.png) # Mobile View ![home Page Image](./readmeImages/home-mv.png) ![Drawer Image](./readmeImages/drawer-mv.png) ![Model Image](./readmeImages/model-mv.png) ![Chat Page Image](./readmeImages/chat-mv.png)
Nobita(chatbot) is a ChatGPT playground that interacts in a conversational way. For more details refer readme.
chatbot-application,chatgpt-api,css3,expressjs,html5,javascript,mui-icons,muiv5,nodejs,reactjs
2023-01-13T20:32:49Z
2023-02-03T12:21:25Z
null
1
0
53
0
1
14
null
null
JavaScript
arnab2001/Coinverse
main
# <p align="center"> 🪙 Coinverse 🪙</p> <div align="center"> <p> [![Open Source Love svg1](https://badges.frapsoft.com/os/v1/open-source.svg?v=103)](https://github.com/ellerbrock/open-source-badges/) ![PRs Welcome](https://img.shields.io/badge/PRs-welcome-brightgreen.svg?style=flat) ![Visitors](https://api.visitorbadge.io/api/visitors?path=arnab2001%2FCoinverse%20&countColor=%23263759&style=flat) ![GitHub forks](https://img.shields.io/github/forks/arnab2001/Coinverse) ![GitHub Repo stars](https://img.shields.io/github/stars/arnab2001/Coinverse) ![GitHub contributors](https://img.shields.io/github/contributors/arnab2001/Coinverse) ![GitHub last commit](https://img.shields.io/github/last-commit/arnab2001/Coinverse) ![GitHub repo size](https://img.shields.io/github/repo-size/arnab2001/Coinverse) ![Github](https://img.shields.io/github/license/arnab2001/Coinverse) ![GitHub issues](https://img.shields.io/github/issues/arnab2001/Coinverse) ![GitHub closed issues](https://img.shields.io/github/issues-closed-raw/arnab2001/Coinverse) ![GitHub pull requests](https://img.shields.io/github/issues-pr/arnab2001/Coinverse) ![GitHub closed pull requests](https://img.shields.io/github/issues-pr-closed/arnab2001/Coinverse) </p> </div> ## Cryptocurrency tracker and cryptocurrency related News , all at one place ## 📌Key Features :- - All crypto prices at a glance in the home page - Crypto News - Current prices of coins - Bookmark your favourite coins - Historical price data with charts - Search and get latest news on any specefic coin - Origin , facts and other stuffs - 100+ language support ## 💻Tech Stacks used :- - React - Redux - Ant Designe - Chart js - Coinranking API, Bing News API ## Screenshots ![home-page](https://user-images.githubusercontent.com/86073340/224627305-c835236c-c4ab-47a4-beb4-0376602e26f7.png) ![price-chart](https://user-images.githubusercontent.com/86073340/224627337-271151fe-6e2f-4c3f-ac6c-e91c8cee704e.png) <!-- ![image](https://user-images.githubusercontent.com/63441472/216687966-b76c340b-3719-4a28-ac4e-6c9cd9e4990e.png) --> <h2>Getting Involved</h2> <p>We welcome contributions from the community and are always looking for ways to improve the Coinverse. Here's how you can get involved:</p> <h3>Contribute code</h3> <p>If you have experience with React and would like to contribute code to the project, please follow the guidelines in the <a href="https://github.com/ arnab2001/Coinverse/blob/master/CONTRIBUTING.md">CONTRIBUTING.md</a> file. Your contributions are greatly appreciated!</p> <h3>Report bugs and suggest features</h3> <p>If you find any bugs or have ideas for new features, please open an issue in the <a href="https://github.com/arnab2001/Coinverse/issues">Issues</a> section of the repository. Make sure to check if the issue has already been reported before creating a new one.</p> <h3>Ask for help</h3> <p>If you need help with anything related to the React App, feel free to open an issue in the <a href="https://github.com/arnab2001/Coinverse/issues">Issues</a> section or reach out to the repository owner or a collaborator for assistance.</p> <p>We are excited to see what you can bring to the React App and can't wait to see your contributions!</p> # Getting Started with Coinverse( Create-React-App ) This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app). ## To Setup this project in your local environment - Clone repo to you local system ``` bash git clone https://github.com/arnab2001/Coinverse.git ``` - Add .env file ( example is given in the .envDEMO) - go to https://rapidapi.com/Coinranking/api/coinranking1 and https://rapidapi.com/microsoft-azure-org-microsoft-cognitive-services/api/bing-news-search1 - subscribe to both of them - take rapdi api key from there and put it in your .env file - run ```bash npm install ``` - then run ```bash npm start ``` - good to go! ### 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) ## Contributors <br> <div> <h1 align="center"> <b>Thanks to these amazing people <h1> <a href="https://github.com/arnab2001/Coinverse/contributors"> <img src="https://contrib.rocks/image?repo=arnab2001/Coinverse&&max=817" /> </a> </div> <br> <div align="center"> <h3>Show some ❤️ by starring this awesome repository!</h3> </div>
Crypto tracker dashboard
javascript,react,redux,antd,chartjs,rapidapi,jwoc,jwoc-2k23,jwoc2k23,cypress
2023-01-10T07:02:19Z
2023-05-23T20:20:08Z
null
13
65
197
3
18
14
null
MIT
JavaScript
kalevski/phaser-plus
main
# Phaser Plus [![forthebadge](https://forthebadge.com/images/badges/built-with-love.svg)](https://phaser-plus.kalevski.dev/) [![forthebadge](https://forthebadge.com/images/badges/uses-js.svg)](https://phaser-plus.kalevski.dev/) [![GitHub](https://img.shields.io/github/license/kalevski/phaser-plus?style=for-the-badge)](https://github.com/kalevski/phaser-plus/blob/main/LICENSE) [![Read docs](https://img.shields.io/badge/READ-DOCS-green?style=for-the-badge)](https://phaser-plus.kalevski.dev/docs/intro) [![Visit website](https://img.shields.io/badge/Official-Website-blue?style=for-the-badge)](https://phaser-plus.kalevski.dev/) [![Check examples](https://img.shields.io/badge/EXAMPLES-blue?style=for-the-badge)](https://phaser-plus.kalevski.dev/examples/) Phaser Plus is a set of utilities and tools in the form of [free and open-source (FOSS)](https://en.wikipedia.org/wiki/Free_and_open-source_software) libraries that provide solutions for common problems related to game development using [Phaser framework](https://phaser.io). [Phaser](https://phaser.io). is a free and open source software developed and owned by [Richard Davey](https://github.com/photonstorm). You can visit their [funding page](https://www.patreon.com/join/photonstorm) and help them to make Phaser even better. ![phaser plus](https://user-images.githubusercontent.com/10467454/211043231-96deb3df-60dc-420e-8dfb-5c620150378a.png) Currently, **phaser-plus** is in the early stages of development. If you encounter any problems while setting up a project, please [open an issue](https://github.com/kalevski/phaser-plus/issues) or [start a discussion](https://github.com/kalevski/phaser-plus/discussions) on GitHub. ### 🚀 Getting started ```js npx @phaser-plus/cli init my-awesome-game cd my-awesome-game npm install npm start ``` ### 📦 Packages - [@phaser-plus/cli](https://github.com/kalevski/phaser-plus/tree/main/cli) - [@phaser-plus/core](https://github.com/kalevski/phaser-plus/tree/main/core) - [@phaser-plus/debugger](https://github.com/kalevski/phaser-plus/tree/main/debugger) - [@phaser-plus/perspective2d](https://github.com/kalevski/phaser-plus/tree/main/perspective2d) ### 🚀 Run examples locally 1. Clone the project `git clone git@github.com:kalevski/phaser-plus.git` 2. Install dependencies `npm install` 3. Run examples: `npm run dev -w @phaser-plus/examples` ## License The project is licensed under [MIT License](https://github.com/kalevski/phaser-plus/blob/main/LICENSE)
🐠 Extensions to make PhaserJS more awesome
javascript,phaser,phaser-plugins,phaser-plus,phaser3,phaser3-parcel,phaser3-plugin
2023-01-03T09:39:02Z
2023-04-10T12:10:03Z
null
2
58
126
0
2
14
null
MIT
JavaScript
yanyaoli/surfing
main
# Surfing **Optimization rules for network requests and responses of QuantumultX, Shadowrocket, Loon and Surge.** ## Quick Start |Rule|Link| |---|---| |Rewrite|https://raw.githubusercontent.com/just22tu/surfing/main/rewrite/rewrite.conf| |AdBlock|https://raw.githubusercontent.com/just22tu/surfing/main/adblock/advertising.conf| |WebsiteBlock|https://raw.githubusercontent.com/just22tu/surfing/main/filter/block.list| |Filter|https://raw.githubusercontent.com/just22tu/surfing/main/filter/surfing.list| ## Details |Rule|Details| |---|---| |Rewrite|[README](./rewrite/readme.md)| |AdBlock|[README](./adblock/readme.md)| |Filter|[README](./filter/readme.md)| ## Statement - All resource files are collected from the Internet Open Source project. - The third-party hardware and software involved in this project have no direct or indirect relationship with this project. - The data involved in this project shall be filled in by the user or organization, and the project shall not be responsible for the data content, including but not limited to the authenticity, accuracy and legality of the data. - All consequences arising from the use of this project have nothing to do with all contributors to this project and are solely the responsibility of the individual or organization using this project. - All content in this project is for study and research only. Any content in this project shall not be used for other purposes that violate the laws and regulations of the country/region/organization or other relevant provisions. - All resource files in this project are forbidden to be reproduced or released in any form by anyone. - The Project reserves the right to supplement or change the disclaimer at any time. Individuals or organizations directly or indirectly using the contents of the Project are deemed to accept the special statement of the Project. ## Contact https://github.com/just22tu https://t.me/quantumultxjs
Optimization rules for network requests and responses of QuantumultX, Shadowrocket, Loon and Surge.
adblock,crack,filter,javascript,loon,quantumultx,rewrite,rules,shadowrocket,surge
2023-01-02T09:13:17Z
2024-04-22T05:41:07Z
null
2
36
5
0
4
14
null
null
JavaScript
s3mant/web-beauty
main
# web-beauty A very nice site to feel the life try it [here](https://semant.is-a.dev/web-beauty) Star it if you like it :D # Whats in it? Nothing much, just a nice little rainbow background, some nice music and sounds, and a few pop ups # inspiration inspired by theannoyingsite.com # Contribution? Just make a pr to contribute :D
A very nice website that gives you beautiful feel of the web
annoying,beautiful,html,javascript,website
2023-01-06T05:00:28Z
2023-12-27T12:53:25Z
null
2
1
38
1
1
14
null
Apache-2.0
JavaScript
dbpunk-labs/db3.js
main
The repo has been moved into [db3](https://github.com/dbpunk-labs/db3/tree/main/sdk)
DB3 Network Javascript API
indexeddb,firebase,web3js,json,document,javascript,typescript,html,web3,dapp
2023-01-03T04:35:23Z
2023-07-01T01:05:25Z
2023-06-23T03:13:50Z
7
75
267
2
9
14
null
Apache-2.0
TypeScript
MohamedHNoor/TvMaze-App
development
<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 After you're finished please remove all the comments and instructions! --> <!-- 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 --> # 📖 TvMaze-App<a name="about-project"></a> **TvMaze-App** is web application based on an external API. The website have a home page showing a list of items and a popup window with more data about an item that you can use to comment on it. ## 🛠 Built With <a name="built-with"></a> - Html - Css - JavaScript - Webpack - jest - TV Maze API - Involvement API ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="#">HTML</a></li> <li><a href="#">CSS</a></li> <li><a href="#">JavaScripts</a></li> <li><a href="#">Webpack</a></li> <li><a href="#">Jest</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[Project 1: The Home Page.]** - **[Project 2: The Comments Popup]** - **[Project 3: send and receive data from API.]** <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://mohamedhnoor.github.io/TvMaze-App/dist/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Prerequisites - Please install git in your computer. - Also install a code editor. - A web browser to view the output. ### Setup - To clone my repository run this command https://github.com/MohamedHNoor/TvMaze-App.git - Run npm install to install the dependencies. - Open the dist/index.html file with a browser. ### Tests - Please install Jest to your local environment. - Run tests using `npm run test` command on your terminal. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Mohamed H Noor** - GitHub: [@MohamedHNoor](https://github.com/MohamedHNoor) - Twitter: [@MohamedHNoor](https://twitter.com/MohamedHNoor) - LinkedIn: [@MohamedHNoor](https://www.linkedin.com/in/mohamedhnoor/) 👤 **Yash Solo** - GitHub: [Yash](https://github.com/yash244466666) - LinkedIn: [Yash Solo](https://www.linkedin.com/in/yash-solo) - Twitter: [Yash Solo](https://twitter.com/yash_solo000) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Reservation Popup** - [ ] **send and receive data from API.** - [ ] **final touches.** <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/MohamedHNoor/TvMaze-App/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project please give it an star. Thank you! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> We would like to thank Microverse for giving us this project to improve our skills. - [TvMaze API](https://www.tvmaze.com/api). <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. _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>
TvMaze-App is web application based on an external API. The website have a home page showing a list of items and a popup window with more data about an item that you can use to comment on it.
javascript,webpack,jest,css,html
2023-01-02T12:10:40Z
2023-09-12T15:15:31Z
null
2
5
67
0
0
14
null
MIT
JavaScript
shubhambhoyar077/portfolio
main
<a name="readme-top"></a> <div align="center"> <h1><b>Portfolio</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 first project by Microverse to show my complete profile and projects. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li>HTML and CSS</li> </ul> </details> <details> <summary>Server</summary> <ul> <li></li> </ul> </details> <details> <summary>Database</summary> <ul> <li></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **[Simple Design]** - **[Support all device size]** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo](https://shubhambhoyar077.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: any web-browser. ### Setup Clone this [repository](https://github.com/shubhambhoyar077/portfolio) to your desired folder. ### Install This project does not require installation. ### Usage To run the project, open index.html in any web browser. ### Run tests To run tests, open index.html in any web browser. ### Deployment You can deploy this project using: Project is incomplete. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Shubham Bhoyar** - GitHub: [@shubhambhoyar077] <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[Support any device resolution]** <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 Microverse. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ (OPTIONAL) <a name="faq"></a> - **[Can I use this project for my website?]** - [It's MIT license, feel free to use as you like.] <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>
Portfolio, To showcase my best work.
css,html,javascript
2023-01-11T12:38:08Z
2023-08-04T10:10:00Z
null
3
15
176
0
0
14
null
MIT
CSS
lvdamaceno/boracodar
main
# boraCodar Repositório dos projetos do desafio Bora Codar da Rocketseat [Acesse os desafios clicando aqui](https://lvdamaceno.github.io/boracodar/) <table> <thead> <tr> <th align="center"> <img width="20" height="1"> <p> <small>#</small> </p> </th> <th align="center"> <img width="150" height="1"> <p> <small> CODE </small> </p> </th> <th align="left"> <img width="100" height="1"> <p align="left"> <small> RELEASE DATE </small> </p> </th> <th align="center"> <img width="201" height="1"> <p align="center"> <small> PREVIEW </small> </p> </th> </tr> </thead> <tbody> <tr> <td>31</td> <td><a href="desafio30-recomendacao-filme">Transcrição de Vídeo com IA</a></td> <td>02/08/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio31-transcricao-video/index.html"> <img width="300px" src="assets/img/desafio31-transcricao-video.png"/></a></td> </tr> <tr> <td>30</td> <td><a href="desafio30-recomendacao-filme">Recomendação de Filmes</a></td> <td>01/08/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio30-recomendacao-filme/index.html"> <img width="300px" src="assets/img/desafio30-recomendacao-filme.png"/></a></td> </tr> <tr> <td>29</td> <td><a href="desafio29-antes-depois">Antes e Depois</a></td> <td>25/07/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio29-antes-depois/index.html"> <img width="300px" src="assets/img/desafio29-antes-depois.png"/></a></td> </tr> <tr> <td>28</td> <td><a href="desafio28-plataforma-ia">Plataforma de IA</a></td> <td>19/07/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio28-plataforma-ia/index.html"> <img width="300px" src="assets/img/desafio28-plataforma-ia.png"/></a></td> </tr> <tr> <td>27</td> <td><a href="desafio27-404">404</a></td> <td>06/07/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio27-404/index.html"> <img width="300px" src="assets/img/desafio27-404.png"/></a></td> </tr> <tr> <td>26</td> <td><a href="desafio26-receita">Receita Junina</a></td> <td>02/07/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio26-receita/index.html"> <img width="300px" src="assets/img/desafio26-receita.png"/></a></td> </tr> <tr> <td>25</td> <td><a href="desafio25-player-vr">Player VR</a></td> <td>28/06/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio25-player-vr/index.html"> <img width="300px" src="assets/img/desafio25-player-vr.png"/></a></td> </tr> <tr> <td>24</td> <td><a href="desafio24-color-light">Ajuste de iluminação</a></td> <td>14/06/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio24-color-light/index.html"> <img width="300px" src="assets/img/desafio24-color-light.png"/></a></td> </tr> <tr> <td>23</td> <td><a href="desafio23-form-multi-step">Formulário multi step</a></td> <td>09/06/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio23-form-multi-step/index.html"> <img width="300px" src="assets/img/desafio23-form-multi-step.png"/></a></td> </tr> <tr> <td>22</td> <td><a href="desafio22-profile">Profile</a></td> <td>31/05/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio22-profile/index.html"> <img width="300px" src="assets/img/desafio22-profile.png"/></a></td> </tr> <tr> <td>21</td> <td><a href="desafio21-shopping-cart">Shopping Cart</a></td> <td>24/05/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio21-shopping-cart/index.html"> <img width="300px" src="assets/img/desafio21-shopping-cart.png"/></a></td> </tr> <tr> <td>20</td> <td><a href="desafio20-galeria-arte">Art Gallery</a></td> <td>19/05/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio20-galeria-arte/index.html"> <img width="300px" src="assets/img/desafio20-galeria-arte.png"/></a></td> </tr> <tr> <td>19</td> <td><a href="desafio19-widget-transporte">Transport Widget</a></td> <td>10/05/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio19-widget-transporte/index.html"> <img width="300px" src="assets/img/desafio19-widget-transporte.png"/></a></td> </tr> <tr> <td>18</td> <td><a href="desafio18-card-personagem">Character Card</a></td> <td>05/05/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio18-card-personagem/index.html"> <img width="300px" src="assets/img/desafio18-card-personagem.png"/></a></td> </tr> <tr> <td>17</td> <td><a href="desafio17-date-picker">Date Picker</a></td> <td>02/05/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio17-date-picker/index.html"> <img width="300px" src="assets/img/desafio17-date-picker.png"/></a></td> </tr> <tr> <td>16</td> <td><a href="desafio16-pagina-contatos">Contacts Page</a></td> <td>19/04/2023</td> <td align="center"> <a href="https://lvdamaceno.github.io/boracodar/desafio16-pagina-contatos/index.html"> <img width="300px" src="assets/img/desafio16-contacts-page.png"/></a></td> </tr> <tr> <td>15</td> <td><a href="desafio15-pricing-table">Pricing Table</a></td> <td>12/04/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio15-pricing-table/index.html"> <img width="300px" src="assets/img/desafio15-pricing-table.png"/></a></td> </tr> <tr> <td>14</td> <td><a href="desafio14-upload">Upload</a></td> <td>05/04/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio14-upload/index.html"> <img width="300px" src="assets/img/desafio14-upload.png"/></a></td> </tr> <tr> <td>13</td> <td><a href="desafio13-credit-card">Credit Card</a></td> <td>29/03/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio13-credit-card/index.html"> <img width="300px" src="assets/img/desafio13-credit-card.png"/></a></td> </tr> <tr> <td>12</td> <td><a href="desafio12-kanban">Kanban</a></td> <td>23/03/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio12-kanban/index.html"> <img width="300px" src="assets/img/desafio12-kanban.png"/></a></td> </tr> <tr> <td>11</td> <td><a href="desafio11-login">Login</a></td> <td>16/03/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio11-login/index.html"> <img width="300px" src="assets/img/desafio13-credit-card.png"/></a></td> </tr> <tr> <td>10</td> <td><a href="desafio10-clima">Weather Dashboard</a></td> <td>14/03/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio10-clima/index.html"> <img width="300px" src="assets/img/desafio10-clima.png"/></a></td> </tr> <tr> <td>09</td> <td><a href="desafio09-currency-converter">A Currency Converter</a></td> <td>06/03/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio09-currency-converter/index.html"> <img width="300px" src="assets/img/desafio09-currency-converter.png"/></a></td> </tr> <tr> <td>08</td> <td><a href="desafio08-dashboard">A Dashboard</a></td> <td>28/02/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio08-dashboard/index.html"> <img width="300px" src="assets/img/desafio08-dashboard.png"/></a></td> </tr> <tr> <td>07</td> <td><a href="desafio07-bloco-carnaval">Find a street carnival party</a></td> <td>22/02/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio07-bloco-carnaval/index.html"> <img width="300px" src="assets/img/desafio07-bloco-carnaval.png"/></a></td> </tr> <tr> <td>06</td> <td><a href="desafio06-cartao-embarque">A Boarding Ticket</a></td> <td>10/02/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio06-cartao-embarque/index.html"> <img width="300px" src="assets/img/desafio06-cartao-embarque.png"/></a></td> </tr> <tr> <td>05</td> <td><a href="desafio05-uma-calculadora">A Calculator</a></td> <td>27/01/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio05-uma-calculadora/index.html"> <img width="300px" src="assets/img/desafio05-uma-calculdora.png"/></a></td> </tr> <tr> <td>04</td> <td><a href="desafio04-um-chat">A Chat</a></td> <td>27/01/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio04-um-chat/index.html"> <img width="300px" src="assets/img/desafio04-um-chat.png"/></a></td> </tr> <tr> <td>03</td> <td><a href="desafio03-botoes-cursores">Buttons</a></td> <td>24/01/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio03-botoes-cursores/index.html"> <img width="300px" src="assets/img/desafio03-botoes-cursores.png"/></a></td> </tr> <tr> <td>02</td> <td><a href="desafio02-card-de-produto">Product Cards</a></td> <td>18/01/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio02-card-de-produto/index.html"> <img width="300px" src="assets/img/desafio02-card-de-produto.png"/></a></td> </tr> <tr> <td>01</td> <td><a href="desafio01-player-de-musica">Music Player</a></td> <td>11/01/2023</td> <td><a href="https://lvdamaceno.github.io/boracodar/desafio01-player-de-musica/index.html"> <img width="300px" src="assets/img/desafio01-player-de-musica.png"/></a></td> </tr> </tbody>
Repositório dos projetos do desafio Bora Codar da Rocketseat
html,css,git,github,javascript
2023-01-10T00:17:18Z
2024-03-20T18:28:38Z
null
1
0
215
1
0
13
null
null
HTML
surajaswal29/themenhood-ecommerce
v1-ecomm-js
# TheMenHood Themenhood is a comprehensive eCommerce web application developed using the MERN stack (MongoDB, Express.js, React, and Node.js). It offers a feature-rich platform for users to engage in online shopping with ease and convenience. With Themenhood, customers can explore a wide range of products across various categories, add desired items to their shopping cart, and securely complete their purchases using secure payment gateways. The application includes powerful search and filtering functionalities, enabling users to quickly find the products they're looking for. Themenhood provides an intuitive and visually appealing user interface, ensuring an immersive shopping experience across different devices. It incorporates responsive design principles to deliver a seamless interface on desktops, tablets, and mobile devices. <h4>Demo Link : https://themenhood.netlify.app/</h4> <br> <h4>Video Demo:</h4> https://user-images.githubusercontent.com/87890258/225565147-c0626dd5-50d3-4d40-95a6-df882923fe93.mp4 <br> <div> <img src="https://res.cloudinary.com/dbihgswg7/image/upload/v1672905072/logo/bb-logo-1_1_y72x1k.svg"/> </div> </br> <h4>Live API Link: https://themenhood.onrender.com/api/v1/</h4> <hr> <h3>Example - Get All Products</h3> <p>GET Request => https://themenhood.onrender.com/api/v1/products</p> <pre> https://themenhood.onrender.com/api/v1/products </pre> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/Render-%46E3B7.svg?style=for-the-badge&logo=render&logoColor=white" alt="Deploy to Render"> </a> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/netlify-%23000000.svg?style=for-the-badge&logo=netlify&logoColor=#00C7B7" alt="Deploy to Render"> </a> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/MongoDB-%234ea94b.svg?style=for-the-badge&logo=mongodb&logoColor=white" alt="Deploy to Render"> </a> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/express.js-%23404d59.svg?style=for-the-badge&logo=express&logoColor=%2361DAFB" alt="Deploy to Render"> </a> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/NPM-%23CB3837.svg?style=for-the-badge&logo=npm&logoColor=white" alt="Deploy to Render"> </a> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/node.js-6DA55F?style=for-the-badge&logo=node.js&logoColor=white" alt="Deploy to Render"> </a> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/react-%2320232a.svg?style=for-the-badge&logo=react&logoColor=%2361DAFB" alt="Deploy to Render"> </a> <a href="https://render.com/deploy?repo=https://github.com/surajaswal29/themenhood"> <img src="https://img.shields.io/badge/redux-%23593d88.svg?style=for-the-badge&logo=redux&logoColor=white" alt="Deploy to Render"> </a> <hr> </br>
Themenhood is a comprehensive eCommerce web application developed using the MERN stack (MongoDB, Express.js, React, and Node.js). It offers a feature-rich platform for users to engage in online shopping with ease and convenience.
expressjs,javascript,mongodb,nodejs,reactjs,redux,react,cloudinary,cloudinary-api,cors
2023-01-05T07:39:45Z
2024-04-27T03:18:37Z
null
1
1
56
0
3
13
null
Apache-2.0
JavaScript
Lornakaboro/My-portfolio
main
# My-portfolio <a name="readme-top"></a> <!-- HOW TO USE: This is an example of how you may give instructions on setting up your project locally. Modify this file to match your project and remove sections that don't apply. REQUIRED SECTIONS: - Table of Contents - About the Project - Built With - Live Demo - Getting Started - Authors - Future Features - Contributing - Show your support - Acknowledgements - License OPTIONAL SECTIONS: - FAQ After you're finished please remove all the comments and instructions! --> <div align="center"> <!-- You are encouraged to replace this logo with your own! Otherwise you can also remove it. --> <img src="logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Microverse README Template</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ (OPTIONAL)](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [My-Portfolio] <a name="about-project"></a> > My name is Lorna and this is my portfolio aimed at showcasing my accomplishments, skills and educational background **[Microverse-Portfolio]** is a portfolio project in Microverse aimed at showcasing my accomplishments, skills and educational background github flow. ## 🛠 Built With <a name="built-with"></a> > HTML > CSS ### Tech Stack <a name="tech-stack"></a> <details> <summary>HTML</summary> <ul> <li><a href="https://reactjs.org/">React.js</a></li> </ul> </details> <details> <summary>CSS</summary> <ul> <li><a href="https://expressjs.com/">Express.js</a></li> </ul> </details> <details> <summary>JavaScript</summary> <ul> <li><a href="https://www.postgresql.org/">PostgreSQL</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - Mobile & desktop version of my-portfolio <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://lornakaboro.github.io/My-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: - 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 <!-- Example command: ```sh gem install rails ``` --> ### Setup Clone this repository to your desired folder: - use the git clone command with this [link](https://github.com/Lornakaboro/First-hello-microverse-project.git) - cd into First-hello-microverse-project - Switch branch using this command `git checkout create-popup-modal` - Open index.html in your browser - You will be able to see a template with my name, a brief description and social media handles,featured projects and a contact form. <!-- Example commands: ```sh cd my-folder git clone git@github.com:myaccount/my-project.git ``` ---> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **LornaKaboro** - GitHub: [@githubhandle](https://github.com/Lornakaboro) - Twitter: [@twitterhandle](https://twitter.com/KaboroLorna) - Linkedin [@linkedinprofile](https://www.linkedin.com/in/lorna-kaboro-23620b242/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] personalized_webpage/portfolio - [ ] portfolio with direct links to my cv - [ ] more interactive web 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 Give a ⭐️! <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank: - Teammates - Mentors - Youtube tutorials - Microverse guides <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 project in Microverse aimed at showcasing my accomplishments, skills and educational background .
css,html,javascript
2023-01-12T09:13:26Z
2024-05-22T12:12:14Z
null
3
11
87
1
0
13
null
MIT
JavaScript
raihan2bd/react-expense-tracker
main
# React Expense Tracker <p> I build this project when I was learning React and Redux. To build this project I use Javascript, React, and CSS. React Expense Tracker is a Front-end web App that allows you to track you expenses. User can track their expenses and also user can filter thir expenses by selecting a year. </p> ## Demo ![React Expense Tracker](https://user-images.githubusercontent.com/35267447/212456980-e0da7471-7f24-4d09-9ad0-90afa61f6c46.png) [Live Demo](https://react-expence-tracker.onrender.com) ## 💻 Getting Started - To get star with this package first of all you have to clone the project ⬇️ ``` bash git clone https://github.com/raihan2bd/react-expense-tracker.git ``` - Then Make sure you have install [NodeJs](https://nodejs.org). - Then make sure you have install [React](https://reactjs.org/) on your local mechine if you want to use this project as localy. - To install all the npm packages navigate the folder address on your terminal and enter the below command ⬇️ ``` bash npm install ``` # Usages > *Note: Before enter the below command make sure you are in the right directory.* - After downloading the packages To build the project as a single executable just run the below command. ⬇️ ``` bash npm run build ``` - After finishing the avove instructions you can see the project in your local mechine by entering the below command ⬇️ ```bash npm start ``` - Then you can see this project live on your browser by this link http://localhost:3000 or your given the port nuber you set for the project. ## 👥 Author 👤 **Abu Raihan** - GitHub: [@githubhandle](https://github.com/raihan2bd) - Twitter: [@twitterhandle](https://twitter.com/raihan2bd) - LinkedIn: [LinkedIn](https://linkedin.com/in/raihan2bd) ## ⭐️ Show your support <a name="support"></a> > Thanks for visiting my repository. Give a ⭐️ if you like this project! ## 🙏 Acknowledgments <a name="acknowledgements"></a> > Thanks a lot [Academind](https://academind.com/) especially **Maximilian Schwarzmüller** who help me learn React and redux and help me to build this project. ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. ## Contribution *Your suggestions will be more than appreciated. If you want to suggest anything for this project feel free to do that. :slightly_smiling_face:*
React Expense Tracker is a Front-end web App that allows you to track you expenses. User can track their expenses and also user can filter thir expenses by selecting a year.
css,html5,javascript,react
2023-01-09T12:59:21Z
2023-02-01T09:00:00Z
null
1
4
14
0
0
12
null
MIT
JavaScript
CodingWithEnjoy/Portfolio-HTML-CSS-JS
main
<h2 align="center">Personal Portfolio | سایت شخصی</h2> ### <h4 align="center">دمو | Demo 😁<br><br>https://codingwithenjoy.github.io/Portfolio-HTML-CSS-JS</h4> ### <p align="left"></p> ### <p align="left"></p> ### <div align="center"> <img height="1000" src="https://user-images.githubusercontent.com/113675029/228473157-da9ac44f-c4de-4dce-8d20-210e4e010af0.png" /> </div> ### <p align="left"></p> ### <div align="center"> <img height="4000" src="https://user-images.githubusercontent.com/113675029/228473251-6aab853f-3a69-43f3-a54c-d51b40954c73.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> ###
Personal Portfolio | سایت شخصی 🤩🫡😁
css,html,portfolio,responsive,javascript
2023-01-15T16:47:25Z
2023-03-29T12:58:35Z
null
1
0
20
0
1
12
null
MIT
HTML
teknosains/Buku-Saku-JavaScript
main
# Buku Saku JavaScript Series ini adalah bagi mereka yang sabar ingin mempelajari JavaScript dari ```titik 0```. Diharapkan pembaca dapat memahami JavaScript fundamental dan konsep-konsep dasar lainnya sehingga membantu membentuk pemahaham yang kokoh sebelum lebih jauh terjun ke dunia Web Development dan Framework-framework JavaScript diluar sana. <div align="center"> <img src="https://user-images.githubusercontent.com/3906229/213153956-11adbdf9-a528-488e-9c1b-0056d8b65081.png"/> </div> **Sangat disarankan** untuk membaca semua materi dalam series ini secara berurutan agar pemahaman kamu menjadi lebih baik dan lebih melekat. Termasuk pada bagian *Introduction*, disana kamu dapat mengetahui sekilas tentang JavaScript mulai dari sejarahnya, creatornya dan yang lainnya. Pengetahuan dasar seperti ini banyak diremehkan orang padahal sangat penting untuk diketahui dan seringkali hal ini ditanyakan diberbagai kesempatan seperti saat interview kerja, seminar dll. Mengetehaui hal-hal dasar tentang suatu tekonologi / bahasa Pemrograman artinya kita memberi perhatian khusus pada teknologi itu sehingga bisa menimbulkan rasa kecintaan, motivasi, percaya diri dan bahkan akan diperhatikan orang lain karena berarti kita serius dalam bidang tersebut. ## Latar Belakang * Apakah kamu baru ingin/memulai belajar Web Development? * Apakah kamu termasuk yang memulai belajar Web Development langsung menggunakan jQuery? * Atau bahkan yang langsung terjun menggunakan framework seperti Angular, Vue React dsb? Sekarang saatnya *back to basic*. Ayoo kita belajar bersama Fundamental JavaScript disini. Perlahan kita akan mengulas dengan singkat dan bahasa yang simple materi JavaScript mulai dari yang paling *basic* hingga konsep yang lebih advance atau jarang kamu dengar seperti *Prototypal Inheritance*, *Classical Inheritance*, *Closure*, *IIFE* dll. ## Topic Bahasan * [Introduction](https://github.com/teknosains/Buku-Saku-JavaScript/tree/main/1%20-%20Introduction) * [Fundamental JavaScript](https://github.com/teknosains/Buku-Saku-JavaScript/tree/main/2%20-%20Fundamental) * [Konsep Dasar](https://github.com/teknosains/Buku-Saku-JavaScript/tree/main/2%20-%20Fundamental/Konsep%20Dasar) * [Tipe Data](https://github.com/teknosains/Buku-Saku-JavaScript/blob/main/2%20-%20Fundamental/1.%20Tipe%20Data.md) * [Variable](https://github.com/teknosains/Buku-Saku-JavaScript/blob/main/2%20-%20Fundamental/2.%20Variable.md) * [Basic Operator](https://github.com/teknosains/Buku-Saku-JavaScript/blob/main/2%20-%20Fundamental/3.%20Basic%20Operator.md) * Conditional * Looping * Object * Array * Function * Arrow Function * Callback Function * *this* keyword * _use strict_ * dll * DOM dan Events di Browser * Event Listener * Event Bubbling * Event Delegation * DOM Tree * Mouse Events * dll * Network / Backend Request * HTTP Verbs * AJAX * AJAX dengan Axios * dll * Advance Concept * Promise * Async/Await * IIFE (Immediately Invoked Function Expression) * Prototypal Inheritance * Classical Inheritance * Event loop * Closure * Design Pattern ## Kontribusi Bantu saya memperbaiki konten, typo dan kesalahan lainnya agar series ini menjadi lebih baik. Silahkan clone dan lakukan PR (Pull Request) untuk berkontribusi memperbaiki series ini.
Buku saku simple JavaScript dalam bahasa Indonesia
javascript,web
2023-01-03T03:46:26Z
2024-05-18T03:12:32Z
null
1
0
165
0
0
12
null
null
null
MohamedHNoor/math-magicians-app
development
<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 - [📖 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 --> # 📖 Math-Magicians-App <a name="about-project"></a> **Math-Magicians-App** is a website for all fans of mathematics. It is a Single Page App (SPA) that allows users: - to make simple calculations - read a random math-related quote. > This project was based on learning React. ## 🛠 Built With <a name="built-with"></a> - React - JavaScript - CSS - ReactJS - GitHub-Pages - Eslint - Stylelint (<a href="#readme-top">back to top</a>) <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://math-magicians-app-q7qq.onrender.com) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started with Create React App <a name="getting-started"></a> 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) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Mohamed H Noor** - GitHub: [@MohamedHNoor](https://github.com/MohamedHNoor) - Twitter: [@MohamedHNoor](https://twitter.com/MohamedHNoor) - LinkedIn: [@MohamedHNoor](https://www.linkedin.com/in/mohamedhnoor/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[new_feature_1]** - [ ] **[new_feature_2]** - [ ] **[new_feature_3]** <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/MohamedHNoor/Math-Magicians-App/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> Give a ⭐️ if you like this project <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE.txt) 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>
Math-Magicians-App is a website for all fans of mathematics. It is a Single Page App (SPA) that allows users to make simple calculations and read a random math-related quote.
css,javascript,react,eslint,github-actions,github-pages,reactjs,stylelint
2023-01-09T08:44:18Z
2023-01-19T17:56:48Z
null
2
7
47
0
0
12
null
MIT
JavaScript
MohamedHNoor/react-todo-app
development
<!-- 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 --> # 📖 React-Todo-App <a name="about-project"></a> **React-Todo-App** In this app, you can add, delete, submit and edit items. To edit items, simply double click on it. Once you are done, press the enter key to resubmit. This app will persist your data in the browser local storage. So whether you reload, close your app or reopened it, you still have access to your to-dos items. ## 🛠 Built With <a name="built-with"></a> - React - JavaScript - CSS - ReactJS - GitHub-Pages - Eslint - Stylelint (<a href="#readme-top">back to top</a>) <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://mohamedhnoor.github.io/react-todo-app/) <p align="right">(<a href="#readme-top">back to top</a>)</p> # 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) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Mohamed H Noor** - GitHub: [@MohamedHNoor](https://github.com/MohamedHNoor) - Twitter: [@MohamedHNoor](https://twitter.com/MohamedHNoor) - LinkedIn: [@MohamedHNoor](https://www.linkedin.com/in/mohamedhnoor/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **[new_feature_1]** - [ ] **[new_feature_2]** - [ ] **[new_feature_3]** <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/MohamedHNoor/Math-Magicians-App/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> Give a ⭐️ if you like this project <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE.txt) 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>
In this app, you can add, delete, submit and edit items. To edit items, simply double click on it. Once you are done, press the enter key to resubmit. This app will persist your data in the browser local storage. So whether you reload, close your app or reopened it, you still have access to your to-dos items.
css3,eslint,gitflow,github-pages,javascript,jsx,react,reactjs,stylelint
2023-01-16T07:28:43Z
2023-07-18T13:54:01Z
null
1
1
32
0
0
12
null
MIT
JavaScript
baqar-abbas/Portfolio-Project-Final-version
main
# Portfolio-Project-Final-version <a name="readme-top"></a> <!-- HOW TO USE: This is an example of how you may give instructions on setting up your project locally. Modify this file to match your project and remove sections that don't apply. REQUIRED SECTIONS: - Table of Contents - About the Project - Built With - Live Demo - Getting Started - Authors - Future Features - Contributing - Show your support - Acknowledgements - License OPTIONAL SECTIONS: - FAQ After you're finished please remove all the comments and instructions! --> <div align="center"> <!-- You are encouraged to replace this logo with your own! Otherwise you can also remove it. --> <!--> <img src="murple_logo.png" alt="logo" width="140" height="auto" /> --> <br/> <h3><b>Microverse README Template</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 Portfolio Project](#About the Project) - [🛠 Built With HTML and CSS using VS Code Figma and Git Hub ](#built-with) - [Tech Stack HTML and CSS](#tech-stack) - [Key Features Portfolio Page _ Demostration of portfolio Projects](#key-features) - [🚀 Live Demo available on Git Hub](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites - HTML & CSS on VS Code and Git HUB](#prerequisites) - [Install](#install) - [Usage Portfolio Page for Work Demostration](#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 --> # 📖 [Portfolio Project] <a name="about-project"></a> **[Portfolio Project ]** is my first Microverse Portfolio Project... ## 🛠 Built With HTMl & CSS on Visual studio Code & Figma in collaboration with Git Hub <a name="built-with"></a> ### Tech Stack HTML and CSS using VS CODE Figma 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 using Visual studio Code & Figma 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"">GITHUB</a></li> </ul> </details> <details> <summary>Server</summary> <ul> </ul> </details> <details> <summary>Database</summary> <ul> </ul> </details> <!-- Features --> ### Key Features demostration of Portfolio <a name="key-features"></a> > - **[Portfolio 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/Portfolio-Project-Final-version/</a> - [Live Demo Link](https://baqar-abbas.github.io/Portfolio-Project-Final-version/) <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 You can deploy this project 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. Solo Project - Baqar Abbas - Portfolio Page <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 Portfolio project.. Portfolio project will be updated to handle responsiveness so that it will look good on all major breakpoints of resolution for handling Desktop, Tablets and mobile resolution. It will be handled using media queries. - [ ] **[Portfolio 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 Portfolio Project following the Git Flow Processes. If you like this project give it a Thumbs up ... This Project shows portfolio demonstrations of work and build on a responsive design. using mobile first approach _ with responsive desgins for small and large screens resolutions. Live Demo 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>
Portfolio Project - Mobile and Desktop version -This is my portfolio website that I made as part of Microverse's task although I'll use it for my portfolio when it will be completed. It has four main sections headline, works, about me, and a contact form.
css3,html5,javascript
2023-01-14T14:03:02Z
2023-03-08T10:34:23Z
null
1
10
70
1
0
12
null
MIT
JavaScript
ticks-tan/NodeInject
master
# NodeInject more nodeinject information: [NodeInject](https://github.com/DiamondHunters/NodeInject) # Example ### Typora Crack 1. inject ```shell cargo build --bin node-inject --release mv target/release/node-inject <Your Typora root dir> cd <Your Typora root dir> ./node-inject ``` 2. generator a license ```shell cargo run --bin license-gen --release ``` 3. open typora and input your license.
a node inject
javascript,rust,typora
2023-01-06T12:11:03Z
2024-05-20T10:33:40Z
null
2
0
16
0
3
12
null
MIT
JavaScript
madalena-rocha/bora-codar
main
# 👩🏽‍💻 bora-codar > Desafios semanais propostos pela Rocketseat. Como participar do desafio: - Sempre na quarta-feira, às 11h, será liberado um novo desafio no site boracodar.dev; - Code a sua versão do desafio, compartilhe o resultado e marque a Rocketseat nas redes sociais com a hashtag #boraCodar; - Sempre na semana seguinte (ou seja, na próxima quarta-feira, às 11h), no canal do YouTube da Rocket, você encontra um vídeo da equipe da Rocket (um dos Boosters e educadores) com a resolução completa do desafio. Resultados dos desafios: - <a href="https://www.linkedin.com/posts/madalena-machado-rocha-a79242116_boracodar-css-dev-activity-7018952263721218048-rpRI?utm_source=share&utm_medium=member_desktop">Semana 01</a>: Codar um player de música; - <a href="https://www.linkedin.com/posts/madalena-machado-rocha-a79242116_boracodar-css-dev-activity-7020818495323914242-a0rP?utm_source=share&utm_medium=member_desktop">Semana 02</a>: Codar um card de produto; - <a href="https://www.linkedin.com/posts/madalena-machado-rocha-a79242116_boracodar-css-dev-activity-7024175558196408320-EUse?utm_source=share&utm_medium=member_desktop">Semana 03</a>: Codar botões e cursores; - <a href="">Semana 04</a>: Codar um chat; - <a href="https://www.linkedin.com/posts/madalena-machado-rocha_boracodar-css-dev-activity-7029874350279266304-PSFr?utm_source=share&utm_medium=member_desktop">Semana 05</a>: Codar uma calculadora;
Desafios semanais propostos pela Rocketseat.
css,git,github,html,javascript
2023-01-11T01:19:15Z
2023-02-10T18:53:33Z
null
1
0
27
0
1
12
null
null
HTML
0xabdulkhalid/plibrary
main
null
Plibrary is an lightweight book-tracking web application which uses localStorage to preserve data
book-tracker,html5,css3,javascript,theodinproject,0xabdulkhalid,plibrary
2023-01-12T06:45:26Z
2023-01-12T06:58:07Z
null
1
0
2
1
1
12
null
MIT
CSS
neriyashul/tfilatunes
master
# tfilatunes ## About ## Tfilatunes is a "musical parody" sharing platform for tfilot (Jewish prayers),<br> meaning a collaborative collection of songs and melodies for tfilot. The URL of the website is https://tfilatunes.com ## Contribute ## 1. Clone the repository: ``` git clone https://github.com/neriyashul/tfilatunes.git ``` 2. Install: ``` cd tfilatunes npm install ``` 3. Run: * To run the client side: ``` npm run dev ``` * To run the "server side" (cloudflare functions): ``` npm run server ```
A collaborative collection of songs and tunes for tfilot (Jewish prayers)
javascript,jewish,website
2023-01-09T16:45:52Z
2023-12-11T14:25:45Z
null
1
12
215
0
1
12
null
null
JavaScript
chandrashekharjoshi302/meanbuy.com
main
# meanbuy.com MeanBuy was originally founded as a cross border B2C e-commerce platform, . It primarily focuses on bringing transparency to customers ordering directly from wholesalers or manufacturers. By offering flexible pricing around future delivery d # <h1> "Meanbuy.com" (Individual) </h1> <img src="https://d64lkarmo2mrq.cloudfront.net/baselogo.png" width="400" height="200"> <h2 style="color:Tomato;">About</h2> <h3 >MeanBuy was originally founded as a cross border B2C e-commerce platform, . It primarily focuses on bringing transparency to customers ordering directly from wholesalers or manufacturers. By offering flexible pricing around future delivery dates. </h3> **Original website link** : https://www.meanbuy.com/ <br/> Link of My deployed project : https://lustrous-malabi-7c7fc6.netlify.app/ <br/> ## Tech Stack and features - Javascript - React - Chakra-UI - HTML - CSS <br/><br/><br/> <h3 style="color:Tomato;"> build this website clone during construct week in just 5 days. Most focused on Functionality part. </h3> <br/> <br/>
MeanBuy was originally founded as a cross border B2C e-commerce platform, . It primarily focuses on bringing transparency to customers ordering directly from wholesalers or manufacturers. By offering flexible pricing around future delivery dates.
bootstrap,css,html5,javascript,reactjs,redux
2023-01-04T14:18:45Z
2023-01-10T03:08:33Z
null
1
0
9
0
0
11
null
null
JavaScript
wdhdev/EasyScript
main
# Deprecated Easy Script has been deprecated due to a lack of updates and features. It has been succeeded by [william.js](https://github.com/wdhdev/william.js), which has much more advanced modules, better documentation, proper TypeScript support and more. --- # ✨ Easy Script Easy Script is a npm package which makes coding in JavaScript easy! [![Latest Release](https://img.shields.io/github/v/release/wdhdev/easyscript?style=for-the-badge)](https://github.com/wdhdev/EasyScript/releases/latest) ## 📊 Installation You can use any of the commands below to install Easy Script. ``` npm install easyscriptjs ``` ``` yarn add easyscriptjs ``` For more information on how to use Easy Script, the [docs](https://github.com/wdhdev/EasyScript#deprecated) will have all the information you need. ## 🤔 Why? - Beginner friendly - Easy to use - Open source project - Reduces the size of your code - Simple & understandable documentation ## ❓ Support If you need any help, feel free to [open an issue](https://github.com/wdhdev/EasyScript/issues/new/choose).
Easy Script is a npm package which makes coding in JavaScript easy!
developer-tools,easy,easy-to-use,easyscript,javascript,js,nodejs,backend,frontend,npm
2023-01-06T03:35:26Z
2023-12-04T08:24:01Z
2023-12-04T08:24:01Z
5
59
49
0
6
11
null
MIT
JavaScript
JonyanDunh/DeginxWeb
main
<p align="center"> <h3 align="center">DeginxWeb</h3> <p align="center"> The official website of DEGINX rebuilds with React, NEXT.js and Daisy UI, and it contains some of the new technology which can generate some pages needed by inbound requests and fluently deal with user's requests etc. I devote myself to making it become a generic framework of a website. <br/> <br/> <a href="https://www.deginx.com/tools/BiliTools"><strong>View demo »</strong></a> </p> ![Contributors](https://img.shields.io/github/contributors/JonyanDunh/DeginxWeb?color=dark-green) ![Forks](https://img.shields.io/github/forks/JonyanDunh/DeginxWeb?style=social) ![Stargazers](https://img.shields.io/github/stars/JonyanDunh/DeginxWeb?style=social) ![Issues](https://img.shields.io/github/issues/JonyanDunh/DeginxWeb) ![License](https://img.shields.io/github/license/JonyanDunh/DeginxWeb) ## Table Of Contents * [About the Project](#about-the-project) * [Getting Started](#getting-started) * [Prerequisites](#prerequisites) * [Installation](#installation) * [Contributing](#contributing) * [License](#license) * [Authors](#authors) * [Acknowledgements](#acknowledgements) ## About The Project #### **Preview:** **Tools page:** ![tools.png](https://github.com/JonyanDunh/DeginxWeb/blob/main/Preview/tools.jpeg?raw=true) **Bilibili tools page:** ![bilibili_tools.jpeg](https://github.com/JonyanDunh/DeginxWeb/blob/main/Preview/BiliTools.jpeg?raw=true) ## Getting Started This is a Next.js project bootstrapped with multiple frameworks, such as [tailwindcss](https://github.com/tailwindlabs/tailwindcss), [daisyui](https://github.com/saadeghi/daisyui) and [next.js](https://github.com/vercel/next.js). ### Prerequisites This is an example of how to list things you need to use the software and how to install them. * npm ```sh npm install npm@latest -g ``` ### Installation 1. Clone the repo ```sh git clone https://github.com/JonyanDunh/DeginxWeb.git ``` 2. Install NPM packages ```sh npm install ``` 3. Run the development server: ```sh npm run dev # or yarn dev ``` ## Learn More To learn more about Next.js, take a look at the following resources: - [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API. - [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial. You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js/) - your feedback and contributions are welcome! ## 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**. * If you have suggestions for adding or removing projects, feel free to [open an issue](https://github.com/JonyanDunh/DeginxWeb/issues/new) to discuss it, or directly create a pull request after you edit the *README.md* file with necessary changes. * Please make sure you check your spelling and grammar. * Create individual PR for each suggestion. * Please also read through the [Code Of Conduct](https://github.com/JonyanDunh/DeginxWeb/blob/main/CODE_OF_CONDUCT.md) before posting your first idea as well. ### Creating A Pull Request 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 Randroca is now open-source, secure, free, and trustworthy under the GNU GPL 3.0 license for mutual progress and transparency to users. This program is distributed under the terms of the GNU General Public License. If necessary, please also comply with the open-source license GNU General Public License ## Authors * **Jonyan Dunh** - *A Full Stack developer from China.* - [Jonyan Dunh](https://twitter.com/JonyanDunh) - *Whole of the project* ## Acknowledgements * [next.js](https://github.com/vercel/next.js) * [tailwindcss](https://github.com/tailwindlabs/tailwindcss) * [daisyui](https://github.com/saadeghi/daisyui)
The official website of DEGINX rebuilds with React, NEXT.js and Daisy UI, and it contains some of the new technology which can generate some pages needed by inbound requests and fluently deal with user's requests etc. I devote myself to making it become a generic framework of a website.
daisyui,nextjs,react,website,tailwindcss,css,deginx,frontend,html,javascript
2023-01-10T05:22:18Z
2023-03-17T13:10:18Z
null
1
1
52
0
1
11
null
null
JavaScript
Kidd254/Module1-Capstone-Project
main
# Module1-Capstone-Project # 📗 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](#faq) - [📝 License](#license) # 📖 [Module1-Capstone-Project] <a name="about-project"></a> **[Module1-Capstone-Project]** is the first capstone project at Microverse that is meant to test one's knowledge on gitflow and Es Linter Configuration. This project was build using Html and css. Git, Github, and Vs Code Studio were key technological tools used in this project. ## 🛠 Built With <a name="built-with"> </a> This project is built using pure Html and css <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [a link to the online version](https://kidd254.github.io/Module1-Capstone-Project/) - [a link to a presentation about this project](https://www.loom.com/share/d957c2e80f5749b0bd361c8178d1adc9) <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: You need to have a code editor pre-installed (preferably Vs Studio Code Editor). You may also need to install Git Bash terminal but if you're using Vs Code Studio you can use its terminal. ### Setup Step 1:if you don't have git installed on your machine you can download it from [here](https://git-scm.com/downloads). Once you have git installed on your machine you can clone your project by running the command below to clone your project to your local machine `git clone <your project link>` Alternatively, you can download the zip file of your project by clicking on the `Code` button on the right side of your project page and clicking on `Download ZIP` Step 2: Locate the folder where you cloned your project and open the `index.html` file in your browser to view your project. ### Install Install this project with: 1. install WebHint: npm install --save-dev hint@7.x 2. install Stylelint: npm install --save-dev stylelint@13.x stylelint-scss@3.x stylelint-config-standard@21.x stylelint-csstree-validator@1.x 3. install live Server from the extensions section on Vs Code Studio if using this code editor ### Usage To run the project, execute the following command: open the cloned repository in your code editor ### Run tests To run tests, run the following command: To run tests and check for errors: -After installing the required linter, npx stylelint "**/*.{css,scss}" -To fix CSS or SCSS linters error: npx stylelint "**/*.{css,scss}" --fix -Run your code on web browser ### Deployment You can deploy this project using: github pages <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Author <a name="authors"></a> 👤 **Lawrence Muema Kioko** - GitHub: [@Kidd254](https://github.com/Kidd254) - Twitter: [@lawrenc98789206](https://twitter.com/lawrenc98789206) - LinkedIn: [lawrence-kioko-972035240/](https://www.linkedin.com/in/lawrence-kioko-972035240/) <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> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project kindly offer your support in terms of contributions. If you notice any issues you can raise them in the issues section, kindly. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> Vote of thanks to Microverse for giving me an opportunity and ispiring me to complete this project.I would like to thank my learning partners, and my previous partner Nelson Araujo for helping me in my project. Above all i would like to also give credit to Cindy Shin in Behance for making the template that i used in this project available for free. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ❓ FAQ <a name="faq"></a> - **[Where is the functionality in this project?]** - [this project is work in progress, more changes are likely to be added in the due course] - **[What is the aim of this project?]** - [This project is meant to equip a learner with knowledge on correct github flow, and correct es linter configuration set up] <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed.
This is the first Capstone project meant to test HTML, CSS, and JavaScript skills acquired in a five week period. More description about the project can be found in the README file
css3,html5,javascript
2023-01-08T20:48:26Z
2024-02-01T17:45:11Z
null
1
5
81
0
1
11
null
MIT
CSS
weizman/ProtoTree
main
<div align="center"> <h1> <a href="https://weizman.github.io/ProtoTree/?filters=XMLHttpRequest"> ProtoTree 🌳 </a> </h1> <p><i> ~ The first tool <b>ever</b> for visually exploring the JavaScript <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript/Inheritance_and_the_prototype_chain">prototype chain</a> that's generated <b>live</b> in <b>your browser</b> ~ </i></p> <br> <a href="https://weizman.github.io/ProtoTree/?filters=tree"> <img src="img.jpg" width="400px"> </a> </div> <br><br> <div align="center"> <h1> How does ProtoTree work? </h1> </div> * ProtoTree uses [LavaTube 🌋](https://github.com/LavaMoat/LavaTube) to recursively walk through the entire JavaScript prototype chain in real time in your browser * With every recursive visit, ProtoTree slowely builds a tree representation of the prototype chain * In order to avoid external polution that the app creates, ProtoTree runs the recursive operation inside a cross origin iframe, to leverage a fresh new realm for the job * Follow the instructions on the app itself to take full adventage of this tool * Enjoy and please consider to ⭐ this project > *Read further @ https://twitter.com/WeizmanGal/status/1684608574444785664*
Use ProtoTree to visually view the entire javascript prototype chain as a tree!
javascript,prototype
2023-01-13T23:20:29Z
2024-03-03T08:26:43Z
null
1
4
65
0
1
11
null
MIT
JavaScript
hashmat-wani/QRcode-Generator-Scanner
main
This app is combination of both QR code **Generator** & **Scanner** ## Generator - User can enter a text or URL to generate a styled QR code for it. User Can also customize a generated QR code with different styles like colors, shapes etc. - Finally User can download a QR code in 3 different formats - **PNG/JPG/SVG** ## Scanner/Reader - User can scan QR code by the camera. - User can also **upload** or _Drag & Drop_ any QR code image and decode or extract the content from it. # QR code Generator ![Generator](./readmeImages/qrcode%201.png) # QR code Scanner ![Reader](./readmeImages/qrcode%202.png) # After Read ![Result](./readmeImages/qrcode%203.png) # Camera Scanner ![Scanning](./readmeImages/qrcode%204.png) # Mobile Version ![Mobile Version](./readmeImages/qrcode%20mv1.jpg) ![Mobile Version](./readmeImages/qrcode%20mv2.jpg)
This app is combination of both QR code Generator & Scanner, where User can enter a text or URL to generate a styled QR code for it. or scan a QR code by the camera. User can also upload or _Drag & Drop_ any QR code image, and decode or extract the content from it. And Finally User can download a QR code in 3 different formats - PNG/JPG/SVG.
css3,html5,javascript,qrcode-generator,qrcode-scanner,scan-app
2023-01-08T17:15:14Z
2023-01-10T15:19:52Z
null
1
0
89
0
0
11
null
null
JavaScript
tsparticles/confetti
main
# tsParticles confetti website tsParticles official confetti website <https://confetti.js.org>
tsParticles official confetti website
canvas,canvas-confetti,confetti,confetti-animation,confetti-js,javascript,typescript,website,2d,fireworks
2023-01-10T13:10:59Z
2024-04-22T15:38:56Z
null
1
61
161
1
1
11
null
MIT
JavaScript
Lucas-Erkana/math_magician_react
development
<a name="readme-top"></a> <div align="left"> <h1>Math magicians</h1> >In this react project I created a full website for the Math magicians app, consisting of several pages and using the components I have already created. By adding a Home page, Calculator page and Quotes page. Project 1: Setup. In this project I will set up the environment and tools needed to develop a React application. Project 2: Components. In this project, I will continue with the development of the Math Magicians app. I will develop a React component that will hold the core functionality of a calculator Project 3: Events. In this project, I will add the logic needed to make the Calculator component I developed in the previous project actually work. Project 4: Refactor with hooks. In this project I will refactor the Calculator component I developed in the past projects. Instead of using class based components, I will use hooks. Project 5: Full website. In this project I will create a full website for the Math magicians app, consisting of several pages and using the components I have already created. By adding a Home page, Calculator page and Quotes page. </div> <img src="/images/Math-Magician2.gif" alt="Math Magician Demo" width="650" height="450" /> <div> <div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [� Table of Contents](#-table-of-contents) - [📖 Math Magicians ](#-math_magic_react-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🔭 Future Features ](#-future-features-) - [🚀 Live Demo ](#-live-demo-) - [🚀 Video Presentation ](#-Video-Project-Presentation-) - [💻 Getting Started ](#-getting-started-) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [Testing](#testing) - [Deployment](#deployment) - [👥 Author](#-author) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [❓ FAQ ](#-faq-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 Math magician <a name="about-project"></a> >This is the first project of the Math Magicians application. I set up the environment and tools needed to develop a React application. **Math magician app** ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> - HTML - CSS - [JavaScript](https://developer.mozilla.org/en-US/docs/Web/JavaScript) - [React]((https://github.com/microverseinc/curriculum-react-redux/blob/main/math-magicians/lessons/what_is_react.md)) <details> <summary>Languages</summary> <ul> <li>HTML</li> <li>CSS</li> <li>Javascript</li> <li>React</li> </ul> </details> <details> <summary>Bundler</summary> <ul> <li>React</li> </ul> </details> <details> <summary>Server</summary> <ul> <li>Github</li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **Use calculator** - **Use calculator to make calculations(Addition, Subtraction, Multiplication, Division and Percentage)** - **Access Home page** - **Access Calculator page** - **Access Quote page** <p align="right">(<a href="#readme-top">back to top</a>)</p> #### 🔭 Future Features <a name="future-features"></a> - [ ] **Calculate sin,cos and tan** - [ ] **Calculate square root and to the power** <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - <a href="https://math-magicians-s0ze.onrender.com" target="_blank">Live Demo Link</a> <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Video Project Presentation <a name="live-demo"></a> - <a href="https://www.loom.com/share/5f0a6c88d3d04b859d471a04860f2104" target="_blank">Video Project Presentation Link</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. ### Setup Clone this repository to your desired folder: ```sh git clone https://github.com/Lucas-Erkana/math_magician_react.git cd math_magiacian_react ``` ### Install Install this project with: ```yarn ``` ```sh npm install ``` ```yarn ``` ```sh npm install --save-dev @testing-library/react ``` ```yarn ``` ```sh npm install --save-dev react-test-renderer ``` ### Usage To run the project in a development server, execute the following command: ```sh npm start ``` ### Testing To run the tests in a development server, execute the following command: ```yarn ``` ```sh npm test ``` To to build for the production, execute the following command: ```yarn ``` ```sh npm run build ``` ### Deployment You can deploy this project using [Github Pages](https://docs.github.com/en/pages/getting-started-with-github-pages/creating-a-github-pages-site) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Author <a name="authors"></a> <h4>Lucas Erkana</h4> <img src="/images/github.svg" alt="logo" width="18" height="18" />[githubhandle](https://github.com/Lucas-Erkana) <br> <img src="/images/twitter.svg" alt="logo" width="18" height="18" /> [twitterhandle](https://twitter.com/@Lucas_David_22) <br> <img src="/images/linkedin.svg" alt="logo" width="18" height="18" />[linkedIn](https://www.linkedin.com/in/lucas-erkana/) <br> <img src="/images/facebook.svg" alt="logo" width="18" height="18" />[facebook](https://www.facebook.com/lucash.toni) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Contributions, issues, and feature requests are welcome! Feel free to check the [issues page](https://github.com/Lucas-Erkana/math_magician_react/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project give me a star. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> Thanks to our friend [Alex](https://github.com/Osoro254Alex) for a good insight of the overview of the project. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ <a name="faq"></a> > Add at least 2 questions new developers would ask when they decide to use your project. - **What is this project?** - It's a project of micoverse curriculum. - **Is there any SQL database for this site** - No, there isn't. However, I used javascirpt objects stored in a file as a small database. <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/Lucas-Erkana/math_magician_react/blob/linters/LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
In this react project I created a full website for the Math magicians app, consisting of several pages and using the components I have already created. By adding a Home page, Calculator page and Quotes page.
css,javascript,reactjs,react-native
2023-01-09T11:19:28Z
2023-08-07T17:26:41Z
null
2
11
94
0
3
11
null
NOASSERTION
JavaScript
lqq-code/Threejs-Rabbit-Island
main
# threejs rabbit island ## GLTF loader (GLTFLoader) `glTF` (gl Transport Format) is an open format specification (open format specification) for more efficient transmission and loading of 3D content. The class files are provided in JSON (.gltf) or binary (.glb) format, with external files storing textures (.jpg, .png) and additional binary data (.bin). A glTF component can transfer one or more scenes, including meshes, materials, textures, skinning, skeletons, morph targets, animations, lights, and cameras. ```javascript const loader = new GLTFLoader(); ``` Click to view: [Example](https://threejs.org/examples/#webgl_loader_gltf) ## Import the rabbit model ```javascript const loader = new GLTFLoader(); loader.load( Rabbit1, function (gltf) { gltf.scene.scale.set(10, 10, 10); gltf.scene.position.set(10, 7, -125); gltf.scene.rotation.y = - 4; mixer = startAnimation( gltf.scene, gltf.animations, gltf.animations[3].name ); scene.add(gltf.scene); animate(); }, ); ``` Print to see what are the animations of the rabbit model: ![Insert picture description here](https://img-blog.csdnimg.cn/616a68cff2e44d15a355d0ee8c693f19.png) Perform animation operations through startAnimation(): ```javascript function startAnimation(skinnedMesh, animations, animationName) { const m_mixer = new THREE.AnimationMixer(skinnedMesh); const clip = THREE.AnimationClip.findByName(animations, animationName); if (clip) { const action = m_mixer.clipAction(clip); action.play(); } return m_mixer; }; ``` **AnimationMixer** An animation mixer is a player for animations of specific objects in the scene. When multiple objects in a scene are animated independently, each object can use the same animation mixer. ```javascript AnimationMixer( rootObject : Object3D ) ``` - `rootObject` - The object that the animation played by the mixer belongs to - `time` - global mixer time - `timeScale` - scaling factor for global time (mixer time) Some methods: - `.clipAction (clip : AnimationClip, optionalRoot : Object3D)` : Returns the AnimationAction of the clip parameter passed in, the root object parameter is optional, and the default value is the default root object of the mixer. The first parameter can be an AnimationClip object or the name of an animation clip. - `.existingAction (clip : AnimationClip, optionalRoot : Object3D)` : returns the existing AnimationAction of the incoming clip, the root object parameter is optional, and the default value is the default root object of the mixer. - `.getRoot ()` : returns the root object of the blender - `.stopAllAction ()` : Stops all scheduled actions on the mixer - `.update (deltaTimeInSeconds : Number)` : advance mixer time and update animation - `.setTime (timeInSeconds : Number)` : Sets the global mixer to a given time and updates the animation accordingly. - `.uncacheClip (clip : AnimationClip)`: Release all memory resources of the clip - `.uncacheRoot (root : Object3D)`: Release all memory resources of the root object - `.uncacheAction (clip : AnimationClip, optionalRoot : Object3D)` : Release all memory resources of the action ## Source code experience address github: [Animated Rabbit Island](https://github.com/lqq-code/threejs-rabbit-island) Online experience: [https://threejs-rabbit-island.vercel.app/](https://threejs-rabbit-island.vercel.app/)
Rabbit Island Based on React+Threejs Animation Model
gltf,javascript,threejs,webgl
2023-01-12T09:23:23Z
2023-09-27T08:23:01Z
null
1
0
6
0
1
11
null
null
JavaScript
js-play/JSKit
main
# JSKit Modern JavaScript runtime for iOS and macOS. ## License Apache 2.0. Check [LICENSE](./LICENSE) for more info. Copyright 2023 © DjDeveloperr, Helloyunho
Modern JavaScript runtime for iOS and macOS.
ios,javascript,javascriptcore,macos,runtime,swift
2023-01-16T19:24:28Z
2023-02-01T14:39:47Z
null
2
0
21
1
2
11
null
Apache-2.0
Swift
Lucas-Erkana/TodoGenius-app
develop
<a name="readme-top"></a> <h1 align='center'> Task Genius App 🤘 </h1> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [ Task Genius App 🤘](#-about-project-) - [Live Demo](#live-demo) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [💻 Getting Started ](#-getting-started-) - [To get a local copy up and running, follow these steps.](#to-get-a-local-copy-up-and-running-follow-these-steps) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [🙏 FAQ ](#-faq-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # Task Genius App 🤘 <a name="about-project"></a> The Vue.js project is a lightweight and efficient todo app for managing tasks. Users can add, edit, and remove tasks with ease while categorizing them for better organization. The app leverages local storage to save progress, making it an ideal solution for streamlining productivity. ### App Screenshot ![taskgenius](https://github.com/Lucas-Erkana/TodoGenius-app/assets/41428579/570d808d-5c76-45b1-ae45-c88c8a14e720) ## Live Demo To see this project's live demo, please click [here](https://todo-genius-app.vercel.app/). ## 🛠 Built With <a name="built-with"></a> This app is built with Vue.js, Javascript, HTML5, and CSS3. ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://vuejs.org/">Vue.js</a></li> <li><a href="https://www.w3schools.com/js/">Javascript</a></li> <li><a href="https://www.w3schools.com/html/">HTML</a></li> <li><a href="https://www.w3schools.com/css/">CSS</a></li> </ul> </details> ### Key Features <a name="key-features"></a> > - Add User name > - Add task > - Choose Business or Personal > - Choose completed task > - Delete task <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 Mac or PC - NPM (Node Package Manager) installed on your machine - Understanding of Vue.js - A web browser such as Google Chrome - A code editor such as Visual Studio Code with Git and Node.js installed. I apologize for any confusion. Here's an updated example with the correct information: ### Setup To set up the TodoGenius-app project, follow the steps below: 1. Clone this repository to your desired folder: ```sh git clone https://github.com/Lucas-Erkana/TodoGenius-app.git ``` 2. Navigate into the cloned folder: ```sh cd TodoGenius-app ``` ### Install 1. Install the dependencies with NPM: ```sh npm install ``` ### Run 1. Start the development server with: ```sh npm run dev ``` After running the `npm run dev` command, the development server will start, and you can access the TodoGenius-app by navigating to `http://localhost:5173` in your web browser. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Lucas Erkana** - GitHub: [@Lucask-Erkana](https://github.com/Lucask-Erkana) - Twitter: [@Lucas_David_22](https://twitter.com/@Lucas_David_22) - LinkedIn: [Lucas Erkana](https://www.linkedin.com/in/lucas-erkana/) - Frontend Mentor - [@Lucask-Erkana](https://www.frontendmentor.io/profile/Lucask-Erkana) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Add option to add a time and date** - [ ] **Edit current list of tasks** - [ ] **Sort according to task** - [ ] **Send notification to email for remainders 30 minutes away** <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/Lucas-Erkana/TodoGenius-app/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 leave a ⭐️ <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> - I would like to express my gratitude to [Tyler Potts](https://github.com/TylerPottsDev) for provided a detailed and helpful YouTube video for the construction of the TaskGenius app. Their video was instrumental in guiding me through the development process. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ❓ FAQ (OPTIONAL) <a name="faq"></a> > Add at least 2 questions new developers would ask when they decide to use your project. - **How can I deploy the TaskGenius app to a web server and make it accessible to others?** - To deploy the TaskGenius app, you have several options. One common approach is to use a hosting service like Heroku, AWS, or Azure. These services provide easy-to-use deployment options for web applications like TaskGenius. Typically, you'll need to push your project to a Git repository (e.g., GitHub) and then configure the hosting service to deploy the app automatically whenever you push changes. Each hosting service has its own documentation and guides on how to set up the deployment for web applications. - **How can I modify the TaskGenius app to fit my specific needs?** - Modifying the TaskGenius app involves modifying the existing code and adding your own features. Here are some steps you can take to customize the app: - Change Content: Update the text in the components to fit your specific needs. For example, you can update the task categories or add new ones. - Add Features: If you want to add new features to the app, you can create a new component or modify an existing one. For example, you can add a feature to set reminders for tasks or to share tasks with other users. - Styling: To change the appearance, you can modify the CSS styles in the index.css file or create a separate CSS file and import it into the components where you need custom styling. You can update colors, fonts, spacing, and other visual elements to match your preferences. I hope this helps! Let me know if you have any further questions or concerns. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The Vue.js project is a lightweight and efficient todo app for managing tasks. Users can add, edit, and remove tasks with ease while categorizing them for better organization. The app leverages local storage to save progress, making it an ideal solution for streamlining productivity.
css,html5,javascript,vue
2023-01-16T10:38:14Z
2023-08-26T07:21:41Z
null
2
3
9
0
0
11
null
MIT
CSS
anuj-das-10/Internet-Technologies
main
## ✅ Internet Technologies ![Internet-Technologies](https://socialify.git.ci/anuj-das-10/Internet-Technologies/image?description=1&descriptionEditable=CSC-C-502-L%20-%3E%20Internet%20Technologies%20LAB%20(Solutions)&forks=1&language=1&name=1&owner=1&pattern=Circuit%20Board&stargazers=1&theme=Dark) ### 🤔Not familiar with GitHub Interface? - 🔥Visit our Website: <a href="https://gcc-x-csd.github.io/"> GCC❌CSD </a> - 🔥Let's Connect! 👇 <br/> <br/> <a href="https://twitter.com/CyBeRNaTiCS_"> <img width="25px" src="https://www.vectorlogo.zone/logos/twitter/twitter-tile.svg" /> </a>&ensp; <a href="https://www.linkedin.com/in/anuj-das-10"> <img width="25px" src="https://www.vectorlogo.zone/logos/linkedin/linkedin-icon.svg" /> </a>&ensp; <a href="https://github.com/anuj-das-10"> <img width="25px" src="https://www.vectorlogo.zone/logos/github/github-icon.svg" /> </a>&ensp; <a href="https://www.instagram.com/lord_anuj_10_/"> <img width="25px" src="https://www.vectorlogo.zone/logos/instagram/instagram-icon.svg" /> </a>&ensp; <a href="https://www.facebook.com/lordanuj.10/"> <img width="25px" src="https://www.vectorlogo.zone/logos/facebook/facebook-official.svg" /> </a> *** <br/> ## 📜Practical Questions #### Q1) &ensp; Write a JAVA program to explore different methods of ArrayList class. - ###### [See Solution using Java](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JAVA/ArrayListMethods.java)✅ # #### Q2) &ensp; Write a JAVA program to Sort a given List of Integers using Collection Framework. - ###### [Using Collections.sort()](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JAVA/CollectionSort.java)✅ - ###### [Using Bubble Sort Algorithm](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JAVA/Sorting.java)✅ # #### Q3) &ensp; Write a JDBC program to connect Java Application Interface with DBMS to perform Database Management operations. - ###### [Simple JDBC Program](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JDBC/database_connectivity/src/database_connectivity/JDBC_Simple.java)✅ - ###### [Extended to Mini Project](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JDBC/database_connectivity/src/database_connectivity/JavaDataBaseConnectivity.java)✅ # #### Q4) &ensp; Write a JavaScript to calculate the Sum and Product of two numbers. - ###### [See Solution using JavaScript](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JS/sum_prod_of_two.js)✅ # #### Q5) &ensp; Write a JavaScript to find the Factorial of a given Integer using Function. - ###### [See Solution using JavaScript](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JS/factorial.js)✅ # #### Q6) &ensp; Write a JavaScript to print the Multiplication Table of a given Integer. - ###### [See Solution using JavaScript](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JS/multiplication_table.js)✅ # #### Q7) &ensp; Write a JavaScript to find the largest among the given three numbers. - ###### [See Solution using JavaScript](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JS/largest_of_three.js)✅ # #### Q8) &ensp; Write a JavaScript to enter a List of Positive Integers terminated by zero. Find the Sum and Average of the List. - ###### [See Solution using JavaScript](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JS/sum_and_avg_of_list.js)✅ # #### Q9) &ensp; Write a JavaScript to read 'n' Integers. Count the number of 0's (Zeroes), Positive and Negative Integers in the List. - ###### [See Solution using JavaScript](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JS/count_pve_nve_zeroes.js)✅ # #### Q10) &ensp; Write a simple JSP (Java Server Page) to print a message - "Hello World". - ###### [See Solution using JSP](https://github.com/anuj-das-10/Internet-Technologies/blob/main/JSP/hello_world/src/main/webapp/index.jsp)✅ # <br/> <br/> <br/> <br/> ## 🤖Join Community! <h4> - Stuck at any question?<br/> - Confusions regarding any solution provided? <br/> - Want to discuss something regarding above topics?<br/> - Want to connect with other students? </h4> - ### <img width="18px" src="https://www.vectorlogo.zone/logos/reactjs/reactjs-icon.svg" alt="join"> JOIN HERE !! &ensp;&ensp; &ensp;<a href="https://discord.gg/kEUXUv4W9f"> <img width="150px" src="https://www.vectorlogo.zone/logos/discordapp/discordapp-official.svg" alt="discord"> </a>&ensp; <br/> <br/> ## 🔁Connect With Me! <a href="https://twitter.com/CyBeRNaTiCS_"> <img width="30px" src="https://www.vectorlogo.zone/logos/twitter/twitter-tile.svg" /> </a>&ensp; <a href="https://www.linkedin.com/in/anuj-das-10"> <img width="30px" src="https://www.vectorlogo.zone/logos/linkedin/linkedin-icon.svg" /> </a>&ensp; <a href="https://github.com/anuj-das-10"> <img width="30px" src="https://www.vectorlogo.zone/logos/github/github-icon.svg" /> </a>&ensp; <a href="https://www.instagram.com/lord_anuj_10_/"> <img width="30px" src="https://www.vectorlogo.zone/logos/instagram/instagram-icon.svg" /> </a>&ensp; <a href="https://www.facebook.com/lordanuj.10/"> <img width="30px" src="https://www.vectorlogo.zone/logos/facebook/facebook-official.svg" /> </a> <br/> <br/> <h4 align="center">Give this Repository a STAR⭐</h4> <h5 align="center">(If you find this repository helpful) <br/> Thank You!!💞 <hr/> </h5> <h4 align="center">Made with 💖 by <a href="https://twitter.com/CyBeRNaTiCS_">Anuj Das</a></h4>
This Repository contains solution of all the Internet Technologies practical questions.
java,javascript,jsp,programming-languages,gurucharan-college,internet-technologies,practical-solutions,practicals,practice-programming,program
2023-01-05T08:24:39Z
2023-02-19T18:55:17Z
null
1
0
8
0
1
11
null
null
Java
AbdusSattar-70/portfolio
master
<a name="readme-top"></a> <div align="center"> <h3><b>Portfolio </b>. </h5> </div> <div align="center"> <h3><b>Mobible version screenshot</b></h3> <img src="images/Screenshot-1.png" alt="screenshoot" width="140" height="auto"/> <img src="images/Screenshot-2png.png" alt="screenshoot" width="140" height="auto"/> <img src="images/screencapture-4.png" alt="screenshoot" width="140" height="auto"/> </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 and presentation video](#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 --> ## 📖 Portfolio <a name="about-project"></a> **portfolio** is my first project for learning Git and GitHub workflows</b> <h5>This is my portfolio website that is made as a part of Microverse's task although I'll use it for my portfolio when will be completed.I create a complete mobile version and desktop version. It has four main sections headline, works, about me, and a contact form. Thanks ❤️ to my coding partner <b> MEHMET Selçuk Güler </b> for contributing to creating the mobile menu interactivity.<b> In this milestone, we have created mobile and desktop version popUp window using js ## 🛠 Built With <a name="built-with"></a> ## Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <b>This project only works client side right now.</b> <ul> <li>HTML</li> <li>CSS</li> <li>JS</li> </ul> </details> <!-- Features --> ## Key Features <a name="key-features"></a> - **Showcase developer achievements** <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://abdussattar-70.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 <a name="prerequisites"></a> In order to run this project you need: ### It would be best if you had some familiarity with `HTML`, `CSS`, and `JS`. - A Computer (MAC or PC) - code editor (VSCode,Atom etc...) - A browser (Chrome,Mozilla,Safari etc...) - Version Control System (Git and Github) # Setup <a name="setup"></a> Clone this repository to your desired folder: ``` bash git clone https://github.com/AbdusSattar-70/portfolio.git cd portfolio ``` # Install <a name="install"></a> Install this project with: ``` bash npm install ``` # Run tests <a name="run-tests"></a> To run tests, run the following command: - To check Styelint error:- ``` bash npx stylelint "\*_/_.{css,scss}" ``` - To check Eslint error:- ```bash npx exlint . ``` - To check webhint error:- ```bash npx hint . ``` # Deployment <a name="triangular_flag_on_post-deployment"></a> You can deploy this project using: ```bash npm run build ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> ## 👤 Abdus Sattar - GitHub: [AbdusSattar-70](https://github.com/AbdusSattar-70) - Twitter: [Abdus Sattar](https://twitter.com/Abdus_Sattar70) - LinkedIn: [Abdus Sattar](https://www.linkedin.com/in/abdus-sattar-a41a26215/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Preserve data in the browser** - [ ] **Display Data From API** - [ ] **POST Data to API** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- CONTRIBUTING --> ## 🤝 Contributing <a name="contributing"></a> Everybody is welcome to suggest, changes,Contributions, issues, and feature request in portfolio html css file. In order to do it, fork this repository, create a new branch and open a Pull Request from your branch. 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 ⭐️ and you can use it following [MIT](./LICENSE) license. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> Thanks ❤️ to my coding partner <b> @Santosh-Konappanavar </b> for contributing to creating the contact form section.Also Thanks ❤️ to my coding partner <b> @Baqar Abbas </b> and <b> @Shu Richmond </b> for contributing to checking web accessibility and implement. Thanks ❤️ to my coding partner <b> MEHMET Selçuk Güler </b> for contributing to creating the mobile menu interactivity. I would like to thank and appreciate who contributes this project. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is under [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This is my portfolio website that is made as a part of Microverse's task although I'll use it for my portfolio when will be completed.I create a complete mobile version and a desktop version. It has four main sections headline, works, about me, and a contact form.
css,html,javascript
2023-01-16T14:22:28Z
2023-07-21T19:24:40Z
null
6
38
160
0
1
10
null
MIT
CSS
lianshiwei/datavisualization.github.io
main
# 中国历年GDP和人口数据可视化 ## 演示地址:https://lianshiwei.github.io/datavisualization.github.io/#/ 源码使用vue编写,该仓库为build后的文件。
中国历年GDP和人口数据可视化
javascript,css,html,js
2023-01-07T09:54:52Z
2023-01-18T02:14:23Z
null
1
0
25
0
0
10
null
null
HTML
utsanjan/LockURL
main
<a href="https://lockurl.netlify.app/"><img src="https://bit.ly/3ZRfJEy"></a> # 🔒 LockURL - Password Protect Links [![Netlify Status](https://api.netlify.com/api/v1/badges/72e6b5dc-96f8-4c8c-af94-a9c626cd2db1/deploy-status)](https://app.netlify.com/sites/lockurl/deploys)‎ ‎ [![Buy Me A Coffee](https://img.shields.io/open-vsx/stars/redhat/java?color=D8B024&label=buy%20me%20a%20coffee&style=flat)](https://www.buymeacoffee.com/utsanjan)‎ ‎ [![](https://dcbadge.vercel.app/api/server/uavTPkr?style=flat)](https://discord.gg/ZuuWJm7MR3)‎ ‎ [![](https://img.shields.io/github/license/utsanjan/LockURL?logoColor=red&style=flat)](https://github.com/utsanjan/LockURL/blob/main/LICENSE)‎ ‎ [![](https://img.shields.io/github/languages/count/utsanjan/LockURL?style=flat)](https://github.com/utsanjan/LockURL/search?l=shell)‎ ‎ [![](https://img.shields.io/github/languages/top/utsanjan/LockURL?color=light%20green&style=flat)](https://github.com/utsanjan/LockURL)‎ ‎ <br> LockURL is a utility for encrypting and decrypting URLs. An encrypted URL will prompt the user for a password when they visit it. LockURL gets the original URL and routes users there if the password is valid. If not, an error message is shown. Additionally, users can add hints to show next to the password prompt. Each encrypted URL is contained within the link that the program creates. Users, therefore, have complete control over the data they generate via LockURL. Nothing is ever kept on the server. #### [✅ Click here to see working example of a LockURL link.](https://lockurl.netlify.app/#eyJ2IjoiMC4wLjEiLCJlIjoiSGZlcHBodFJvZjgrYm55ZlR6Qkx4RlJWMEdvdXUxRWxIUHFweStNaWg2RTVKU2F1YjQweDhRPT0iLCJoIjoiMSsxPT8g8J+YgyIsInMiOiIrSHNnd3FsSUZHMVk0c2lrcmY2TjVRPT0iLCJpIjoiU2h5RzNUdjJsdmljaWNKRyJ9) ## 🛠️ Usage Guide - Create a password protected link from [here](https://lockurl.netlify.app/). - Use the advanced options when creating a link to customise the encryption method. - By default, the initialization vector and salt are randomized for security, but this can be disabled, even though doing so is a vulnerability. - If you lose the password, it is almost impossible to recover the original link. The strong security guaranteed by encryption can be a blessing or a curse if you are not careful! - Currently, the only way to recover a lost password is by trying all possible options very slowly by brute force. An example application to brute force LockURL links in the browser can be found [here](https://lockurl.netlify.app/bruteforce/). - If you receive a LockURL link that you don't trust, decrypt it using the option given in the homepage. ## 📞 Contacts For Queries: [My Instagram Profile](https://www.instagram.com/utsanjan/) [Check Out My YouTube Channel](https://www.youtube.com/DopeSatan)
Password-protect links using Lock URL in the browser without installing any unnecessary extensions.
aes,decryption,encryption,javascript,static-website,encrypt-links,lock-url,bruteforce,password-protection,link-lock
2023-01-06T15:55:04Z
2023-09-19T18:15:37Z
null
1
0
143
0
2
10
null
MIT
HTML
ElHakikAmina/glowguru
main
# glowguru ![linkden](https://user-images.githubusercontent.com/112892620/214040386-89ef6520-a50f-4d5d-944f-3a5157014143.png) **glowguru** Is a website that sells cosmetics online. The website allows the admin to login, add, delete and modify a product also to search in the dashboard and disconnect. Visitors can see the home page and product details. Made with: html, css, bootstrap, php and javascript Here some screenShots Home Page: ![growfuruHomeWeb](https://user-images.githubusercontent.com/112892620/213891591-d9041dbd-4510-482a-a25b-10f02b386b73.png) Login: ![groguruLoginWeb](https://user-images.githubusercontent.com/112892620/213909920-f5a6843b-d482-401b-9e69-9d9467f78760.png) Product Details: ![growguruProductDetailsWeb](https://user-images.githubusercontent.com/112892620/213892301-610f24c2-d29a-4144-9315-30752c856ec1.png) Add Product: ![groguruAddProductWeb](https://user-images.githubusercontent.com/112892620/213893737-3def6dd2-80db-4cc4-889a-d116db6d95cb.png) Multiple Insert To The Database: ![groguruMultipleInsertWeb](https://user-images.githubusercontent.com/112892620/213893905-c33af430-358e-4f52-a9a7-d2e7f48c38e0.png) Dashboard: ![growguruDashboardWeb](https://user-images.githubusercontent.com/112892620/213894081-80c85a63-9a51-40cb-8558-6a1035346264.png) Blog: ![growguruBlogWeb](https://user-images.githubusercontent.com/112892620/213893975-faf58a8c-c94e-447a-b3aa-f8f55c8b5ba6.png) 404 Page: ![404](https://user-images.githubusercontent.com/112892620/213910560-cf983522-c81b-4626-b1ea-e98a3341c5ef.png) #################### Web Version #################### Home Page: ![growfuruHomeMobile](https://user-images.githubusercontent.com/112892620/213894160-c85e3574-fdec-4bba-be9a-00059674318d.png) Add Product: ![groguruAddProductmobile](https://user-images.githubusercontent.com/112892620/213909679-2336f27b-9c0e-41e9-a152-6c574d572ea9.png) Dashboard Mobile ![growguruDashboardMobile](https://user-images.githubusercontent.com/112892620/213910213-91af7b69-33f9-479a-b2d4-f568053da6e6.png) Blog: ![growguruBlogMobile](https://user-images.githubusercontent.com/112892620/213910450-561ea42a-f94e-4b93-b7a8-6bc1b383eca2.png) Product Details: ![groguruPdoductDetailsMobile](https://user-images.githubusercontent.com/112892620/213894349-ab2e1fc2-bbeb-40a0-afc0-9cf7a2730547.png) Login: ![groguruLoginMobile](https://user-images.githubusercontent.com/112892620/213909969-4ed84163-092f-4617-b816-4a4cd3012dfe.png)
null
css,mvc,php,boostrap,javascript,html
2023-01-16T20:10:21Z
2023-02-01T22:09:32Z
null
1
0
69
28
0
10
null
null
PHP
optionsx/chatgptisdown
master
# chatgptisdown [![npm version](https://badge.fury.io/js/chatgptisdown.svg)](https://badge.fury.io/js/chatgptisdown) [![npm downloads](https://img.shields.io/npm/dt/chatgptisdown)](https://www.npmjs.com/package/chatgptisdown) [![GitHub license](https://img.shields.io/github/license/optionsx/chatgptisdown)] wanna bypass/access chatgpt while it's down and then login/register to use their service? this is the package for you! discord:shêr#0196 ## Installation ```bash npm i chatgptisdown ``` ## Example ```js import { AccessChatGPT, getSessionToken } from "chatgptisdown"; await AccessChatGPT({timeout = 300}); // , by default it's 0 await getSessionToken({ closeBrowser = false }); // saves it to session_token.txt afterwards, by default it's false ``` ![POC](https://i.imgur.com/XYYWdJM.gif) ## License [MIT](https://choosealicense.com/licenses/mit/) ## Disclaimer ```txt This is for educational purposes only. I am not responsible for any misuse of this package. I am not affiliated with chatgpt in any way. This package is not meant to be used for malicious purposes. ```
ChatGPT is down? no problem
chatgpt,chatgpt-api,javascript,nodejs
2023-01-16T00:27:07Z
2023-01-25T20:07:48Z
null
3
2
34
0
1
10
null
MIT
JavaScript
Jolak5/life-with-Joseph
main
# life with Joseph <a name="readme-top"></a> <div align="center"> <img src="images/logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Life with Joseph</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Install](#install) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#triangular_flag_on_post-deployment) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [❓ FAQ](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [Life-with-Joseph] <a name="about-project"></a> This project is for my podcast website. It contains information about the topics I talk about and has sections about other speakers ## 🛠 Built With <a name="built-with"></a> HTML CSS Javascript ### Tech Stack <a name="tech-stack"></a> <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> > - [Live Demo Link](https://jolak5.github.io/life-with-Joseph/) <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: https://github.com/Jolak5/life-with-Joseph - IDE (FOR EXAMPLE: VSCODE, ...) - TERMINAL - GIT ### Setup Clone this repository to your desired folder: Example commands: ```sh git clone https://github.com/Jolak5/life-with-Joseph.git cd life-with-Joseph ``` ### Usage To contribute to this project, execute the following command: git push https://github.com/Jolak5/life-with-Joseph <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. 👤 kayode Olatunji - GitHub: [@githubhandle](https://github.com/Jolak5) - Twitter: [@twitterhandle](https://twitter.com/I_amBabakay) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/olatunji-kayode/) <p align="right">(<a href="#readme-top">back to top</a>)</p> <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> > Describe 1 - 3 features you will add to the project. - [ ] **[Background image for the header]** - [ ] **[Contact page]** - [ ] **[Animations]** <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 add it to your repository and visit it at any point... <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> Thanks to Cindy Shin for the design (https://www.behance.net/adagio07) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
This project is for a podcast website where listener can join the host in talking about several important topics
css,html,javascript
2023-01-02T15:25:27Z
2023-01-30T13:59:12Z
null
1
1
21
2
0
10
null
MIT
JavaScript
souravpl8092/Lenskart_Clone
master
<h1 align="center">✨✨Welcome to Lenskart_Clone✨✨</h1> <h3 align="center">💻Project Unique Name : Glasscart ✈️</h3> <br/> <h3 align="justify" width="80%">Lenskart.com is an Indian e-commerce company that sells eyeglasses, contact lenses, and sunglasses. The company was founded in 2010 by Peyush Bansal, Amit Chaudhary, and Sumeet Kapahi, and is based in Delhi. Lenskart has a wide variety of products and offers services such as free home trial and virtual try-on. The company has also has physical stores across India.</h3> <br/> ### Frontend Deployed URL 👉 [Click here](https://glassscart.vercel.app/) ### Backend API 👉 [Click here](https://harlequin-fawn-tutu.cyclic.app/) <br/> <h1 align="center">🖥️ Tech Stack</h1> <div align="center"><h3 align="center">Frontend</h3> <img src="https://img.shields.io/badge/html5-%23E34F26.svg?style=for-the-badge&logo=html5&logoColor=white" align="center" alt="html5"> <img src = "https://img.shields.io/badge/css3-%231572B6.svg?style=for-the-badge&logo=css3&logoColor=white" align="center" alt="css3"> <img src ="https://img.shields.io/badge/javascript-%23323330.svg?style=for-the-badge&logo=javascript&logoColor=%23F7DF1E" align="center" alt="javascript"> <img src="https://img.shields.io/badge/React-20232A?style=for-the-badge&logo=react&logoColor=61DAFB" align="center" alt="reactjs" /> <img src = "https://img.shields.io/badge/chakra ui-%234ED1C5.svg?style=for-the-badge&logo=chakraui&logoColor=white" align="center" alt="chakra-ui"/> <img src="https://img.shields.io/badge/Redux-593D88?style=for-the-badge&logo=redux&logoColor=white" align="center" alt="redux" /> <img src="https://img.shields.io/badge/React_Router-CA4245?style=for-the-badge&logo=react-router&logoColor=white" align="center" alt="react-router" /> </div> <div align="center"><h3 align="center">Backend</h3> <img src="https://img.shields.io/badge/Node.js-339933?style=for-the-badge&logo=nodedotjs&logoColor=white" align="center" alt="nodejs" /> <img src="https://img.shields.io/badge/Express.js-000000?style=for-the-badge&logo=express&logoColor=white" align="center" alt="expressjs"/> <img src="https://img.shields.io/badge/JWT-black?style=for-the-badge&logo=JSON%20web%20tokens" align="center" alt="jwt"/> <img src="https://img.shields.io/badge/MongoDB-4EA94B?style=for-the-badge&logo=mongodb&logoColor=white" align="center" alt="mongodb"/> </div> <div align="center"><h3 align="center">Tools</h3> <img src="https://img.shields.io/badge/Git-f44d27?style=for-the-badge&logo=git&logoColor=white" align="center" alt="git"/> <img src="https://img.shields.io/badge/GitHub-100000?style=for-the-badge&logo=github&logoColor=white" align="center" alt="github"/> <img src = "https://img.shields.io/badge/NPM-%23000000.svg?style=for-the-badge&logo=npm&logoColor=white" align="center" alt="npm"> <img src="https://img.shields.io/badge/Visual%20Studio-5C2D91.svg?style=for-the-badge&logo=visual-studio&logoColor=white" align="center" alt="vscode"/> <img src ="https://img.shields.io/badge/Postman-FF6C37?style=for-the-badge&logo=postman&logoColor=white" align="center" alt="postman"> </div> <div align="center"><h3 align="center">Deployed On:</h3> <img src="https://img.shields.io/badge/vercel-%23000000.svg?style=for-the-badge&logo=vercel&logoColor=white" alt="vercel"/> <img src="https://img.shields.io/badge/cyclic-5458F6?style=for-the-badge&logo=cyclic&logoColor=white" alt="cyclic" /> </div> </p> <br/> # Features - Account creation, login, signup and logout functionality. - Sign-up and log-in validations. - JWT (JSON Web Token) Authentication and BcryptJS Password Hashing - Product Filters Based on Gender, Colour, Shape, Glasses Frame - Product Sorting Based on Price - Product Filtering and Sorting work together - Products Pagination (Default 12 Products Per Page) - Cart Add and Remove Items - Cart Update Quantities - Wishlist Add/Remove Items - Order Summary - My Orders Section for details of all ordered item - From Wishlist to directly Add-to-Cart feature - Coupons are provided for the discount - Payment Gateway - User Authentication before placing an order - Data fetching from Backend - Responsive for all screen sizes <br/> # Let's Dive into What we have made ## Home Page : <h3>Go through the home page to know more about our website.</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/HvyRnSr.png" alt="Home page"/> </div> <br/> ## Navbar : <table> <tr> <td> <img src="https://i.imgur.com/NRf9CVc.png" alt="Navbar"> </td> <td> <img src="https://i.imgur.com/YnzGQIW.png" alt="Navbar"> </td> </tr> </table> <br/> ## Signup Page : <h3>For signup, user need to fill required details. If user is already exists then it will show you an error. So you can't register again with the same email. </h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/xIrPSpW.png" alt ="signup page" /> </div> <br/> ## Login Page : <h3>Users can login using their input credentials which provided while signup.</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/06ibc3k.png" alt ="signin page" /> </div> <br/> ## Product Page : <h3>Here users can Purchase their eyewear glasses .</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/MySQ7ay.png" alt="Product page 1"/> </div> <br/> ## Singal Product Page : <h3>Here users can see details information regarding of particular eyewear glass .</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/YFD4Mvl.png" alt="Product page 2"/> </div> <br/> ## Cart Page : <h3>Here users can see their added Product in the Cart .</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/nVyk6Ta.png" alt=" cart"> </div> <br/> ## Shipping Page : <h3>Here users can enter their shipping details .</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/BHLF8AH.png" alt="Shipping page"> </div> <br/> ## Checkout Page : <h3>Here users can checkout their Purchase .</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/G7dI2p0.png" alt="Flight checkout page"> </div> <br/> ## Payments Page : <h3>Here users can make the payment .</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/hKTmuLu.png" alt="Payment page"> </div> <br/> ## Confirmation Page : <h3>Here after payment users get confirmation for their purchase.</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/xQ408wP.png" alt="Confirmation page"> </div> <br/> ## Order History Page : <h3>Here users can see all of their purchases.</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/NtzcNeo.png" alt="Order History page"> </div> <br/> ## Wishlist Page : <h3>Here users can see their product which are added in Wishlist.</h3> <br/> <div align="center"> <img width="80%" src="https://i.imgur.com/IYJ2FLc.png" alt="Wishlist page"> </div> <br/> <br/> ## Admin Section <h3>Admin Section is responsible for maintaining and updating the data of the website .</h3> <br/> <table> <tr> <td> <img src="https://i.imgur.com/ARFXi8R.png" alt="Product-list"> </td> <td> <img src="https://i.imgur.com/Z0BdrJy.png" alt="Product-register"> </td> </tr> <tr> <td> <img src="https://i.imgur.com/UDUt1hR.png" alt="Product-edit"> </td> </tr> </table> ## Footer : <div align="center"> <img width="80%" src="https://i.imgur.com/cCXZ9vT.png" alt="Footer"> </div> <br/> <br/> # Languages Used : <ul dir="auto"> <ol dir="auto">◉ JavaScript : 99.2%</ol> <ol dir="auto">◉ Others : 0.8%</ol> </ul> ### This report is provided by the Github language used stats. So, this is the total percentage of the coding languages. <br/><br/> # Prerequisites : - Node.js - npm # Installing : 1. Clone the repository to your local machine 2. Navigate to the project directory 3. Run `npm install` to install the required dependencies 4. Run `npm start` to start the development server <br/><br/> # Our Team : <ul> <li><a href="https://github.com/souravpl8092">Sourav Paul (Team Lead)</a></li> <li><a href="https://github.com/raveenakale475">Raveena Ramesh Kale (Team Member)</a></li> <li><a href="https://github.com/govind-kumarr">Govind Kumar(Team Member)</a> </li> <li><a href="https://github.com/Devendra0192">Devendra Kumar (Team Member)</a></li> <li><a href="https://github.com/tirthorajbadhei">Tirthoraj Badhei (Team Member)</a></li> </ul> ### This is a collaborative project built by a team of 5 fullstack web developers and executed in 5 days. <br/><br/> # Team Work Efforts : First of all, we created a Slack and zoom group to establish communication between all the team members. Then we connected over zoom meet for further discussion about assigned project. In a zoom meet we divideed small parts of project to all the team-member. We discussed about past days work and present day work, if any one face issue all the team member helps to solve the problem. All push the data in Git-hub to their respective branch and merge them to main branch. Finally we make the presentation of the project. <br/><br/> # Our Learnings : On this journey we faced many issues, but we keep motivated each other with patience. - We all learned how to read and understand the code of other team members. - We learned how to write more efficient and clean code. - Even though We also learned how to plan a project and how to execute it step by step. - By this Project we have learned how to collaborate and communicate with team effectively and improving the productivity. - We also got a glimpse of using GitHub for the version control. <br/><br/> # Contributing ### We welcome contributions to the Lenskart Clone website. If you have an idea for a new feature or have found a bug, please open an issue in the repository. <br/> ## Show your support Give a ⭐️ if you like this project! <h1 align="center">✨Thank You✨</h1>
Lenskart.com is an Indian e-commerce company that sells eyeglasses, contact lenses, and sunglasses. Lenskart has a wide variety of products and offers services such as free home trial and virtual try-on.
chakra-ui,javascript,reactjs,expressjs,moongose,node-js,axios,cyclic,mongodb,bcyrpt
2023-01-14T07:14:46Z
2023-04-18T13:52:00Z
null
6
41
177
0
4
10
null
null
JavaScript
EhsanShahbazii/Udemy-NodeJS-Zero-To-Mastery
main
# NodeJS-Udemy-Course ![introduction](https://ehsan.storage.iran.liara.space/git-hub/Udemy-NodeJS-Zero-To-Mastery/introduction.png) Docs language: Farsi [NodeJS - The Complete Guide (MVC, REST APIs, GraphQL, Deno)](https://www.udemy.com/course/nodejs-the-complete-guide/) ## Chapters (Farsi) - ### [01 Introduction](01%20Introduction) > 2023/01/07 - ### [02 Optional_ JavaScript - A Quick Refresher](02%20Optional_%20JavaScript%20-%20A%20Quick%20Refresher) > 2023/01/11 - ### [03 Understanding the Basics](03%20Understanding%20the%20Basics) - [003 Creating a Node Server](03%20Understanding%20the%20Basics/003%20Creating%20a%20Node%20Server.md) > 2023/01/13 - [004 The Node Lifecycle & Event Loop](03%20Understanding%20the%20Basics/004%20The%20Node%20Lifecycle%20&%20Event%20Loop.md) - [006 Understanding Requests.md](03%20Understanding%20the%20Basics/006%20Understanding%20Requests.md) - [007 Sending Responses.md](03%20Understanding%20the%20Basics/007%20Sending%20Responses.md) - [009 Routing Requests.md](03%20Understanding%20the%20Basics/009%20Routing%20Requests.md) (here) > 2023/01/14 - [010 Redirecting Requests](03%20Understanding%20the%20Basics/010%20Redirecting%20Requests.md) - [011 Parsing Request Bodies](03%20Understanding%20the%20Basics/011%20Parsing%20Request%20Bodies.md) - [012 Understanding Event Driven Code Execution](03%20Understanding%20the%20Basics/012%20Understanding%20Event%20Driven%20Code%20Execution.md) - [013 Blocking and Non-Blocking Code](03%20Understanding%20the%20Basics/013%20Blocking%20and%20Non-Blocking%20Code.md) - [015 Using the Node Modules System](03%20Understanding%20the%20Basics/015%20Using%20the%20Node%20Modules%20System.md) > 2023/01/15 - ### [04 Improved Development Workflow and Debugging](04%20Improved%20Development%20Workflow%20and%20Debugging) > 2023/01/15 - ### [05 Working with Express.js](05%20Working%20with%20Express.js) - [003 Installing Express.js.md](05%20Working%20with%20Express.js/003%20Installing%20Express.js.md) - [004 Adding Middleware.md](05%20Working%20with%20Express.js/004%20Adding%20Middleware.md) - [005 How Middleware Works.md](05%20Working%20with%20Express.js/005%20How%20Middleware%20Works.md) - [006 Express.js - Looking Behind the Scenes.md](05%20Working%20with%20Express.js/006%20Express.js%20-%20Looking%20Behind%20the%20Scenes.md) - [007 Handling Different Routes.md](05%20Working%20with%20Express.js/007%20Handling%20Different%20Routes.md) - [008 Parsing Incoming Requests.md](05%20Working%20with%20Express.js/008%20Parsing%20Incoming%20Requests.md) - [009 Limiting Middleware Execution to POST Requests.md](05%20Working%20with%20Express.js/009%20Limiting%20Middleware%20Execution%20to%20POST%20Requests.md) - [010 Using Express Router.md](05%20Working%20with%20Express.js/010%20Using%20Express%20Router.md) - [011 Adding a 404 Error Page.md](05%20Working%20with%20Express.js/011%20Adding%20a%20404%20Error%20Page.md) - [012 Filtering Paths.md](05%20Working%20with%20Express.js/012%20Filtering%20Paths.md) > 2023/01/16 - [013 Creating HTML Pages.md](05%20Working%20with%20Express.js/013%20Creating%20HTML%20Pages.md) - [014 Serving HTML Pages.md](05%20Working%20with%20Express.js/014%20Serving%20HTML%20Pages.md) - [015 Returning a 404 Page.md](05%20Working%20with%20Express.js/015%20Returning%20a%20404%20Page.md) - [017 Using a Helper Function for Navigation.md](05%20Working%20with%20Express.js/017%20Using%20a%20Helper%20Function%20for%20Navigation.md) - [019 Serving Files Statically.md](05%20Working%20with%20Express.js/019%20Serving%20Files%20Statically.md) > 2023/01/20 - ### [06 Working with Dynamic Content & Adding Templating Engines](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines) - [002 Sharing Data Across Requests & Users.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/002%20Sharing%20Data%20Across%20Requests%20&%20Users.md) - [004 Installing & Implementing Pug.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/004%20Installing%20&%20Implementing%20Pug.md) - [005 Outputting Dynamic Content.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/005%20Outputting%20Dynamic%20Content.md) - [007 Converting HTML Files to Pug.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/007%20Converting%20HTML%20Files%20to%20Pug.md) > 2023/01/22 - [008 Adding a Layout.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/008%20Adding%20a%20Layout.md) - [009 Finishing the Pug Template.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/009%20Finishing%20the%20Pug%20Template.md) - [014 Working with EJS.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/014%20Working%20with%20EJS.md) - [015 Working on the Layout with Partials.md](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/015%20Working%20on%20the%20Layout%20with%20Partials.md) > 2023/01/25 - ### [07 The Model View Controller (MVC)](07%20The%20Model%20View%20Controller%20(MVC)) - [002 What is the MVC](07%20The%20Model%20View%20Controller%20(MVC)/002%20What%20is%20the%20MVC.md) - [003 Adding Controllers](07%20The%20Model%20View%20Controller%20(MVC)/003%20Adding%20Controllers.md) - [004 Finishing the Controllers](07%20The%20Model%20View%20Controller%20(MVC)/004%20Finishing%20the%20Controllers.md) - [005 Adding a Product Model](07%20The%20Model%20View%20Controller%20(MVC)/005%20Adding%20a%20Product%20Model.md) - [006 Storing Data in Files Via the Model](07%20The%20Model%20View%20Controller%20(MVC)/006%20Storing%20Data%20in%20Files%20Via%20the%20Model.md) - [007 Fetching Data from Files Via the Model](07%20The%20Model%20View%20Controller%20(MVC)/007%20Fetching%20Data%20from%20Files%20Via%20the%20Model.md) - [008 Refactoring the File Storage Code](07%20The%20Model%20View%20Controller%20(MVC)/008%20Refactoring%20the%20File%20Storage%20Code.md) > 2023/01/27 - ### [08 Optional_ Enhancing the App](08%20Optional_%20Enhancing%20the%20App) > 2023/01/29 - ### [09 Dynamic Routes & Advanced Models](09%20Dynamic%20Routes%20&%20Advanced%20Models) - [004 Adding the Product ID to the Path](09%20Dynamic%20Routes%20&%20Advanced%20Models/004%20Adding%20the%20Product%20ID%20to%20the%20Path.md) - [005 Extracting Dynamic Params](09%20Dynamic%20Routes%20&%20Advanced%20Models/005%20Extracting%20Dynamic%20Params.md) - [006 Loading Product Detail Data.md](09%20Dynamic%20Routes%20&%20Advanced%20Models/006%20Loading%20Product%20Detail%20Data.md) > 2023/01/31 - [007 Rendering the Product Detail View](09%20Dynamic%20Routes%20&%20Advanced%20Models/007%20Rendering%20the%20Product%20Detail%20View.md) > 2023/02/13 - [008 Passing Data with POST Requests](09%20Dynamic%20Routes%20&%20Advanced%20Models/008%20Passing%20Data%20with%20POST%20Requests.md) > 2023/02/21 ## Subtitles (Farsi) - [01 Introduction](01%20Introduction/Subtitles%20(Farsi)) - [02 Optional_ JavaScript - A Quick Refresher](02%20Optional_%20JavaScript%20-%20A%20Quick%20Refresher/Subtitles%20(Farsi)) - [03 Understanding the Basics](03%20Understanding%20the%20Basics/Subtitles%20(Farsi)) - [04 Improved Development Workflow and Debugging](04%20Improved%20Development%20Workflow%20and%20Debugging/Subtitles%20(Farsi)) - [05 Working with Express.js](05%20Working%20with%20Express.js/Subtitles%20(Farsi)) - [06 Working with Dynamic Content & Adding Templating Engines](06%20Working%20with%20Dynamic%20Content%20&%20Adding%20Templating%20Engines/Subtitles%20(Farsi)) - [07 The Model View Controller (MVC)](07%20The%20Model%20View%20Controller%20(MVC)/Subtitles%20(Farsi)) - [08 Optional_ Enhancing the App](08%20Optional_%20Enhancing%20the%20App/Subtitles%20(Farsi)) - [09 Dynamic Routes & Advanced Models](09%20Dynamic%20Routes%20&%20Advanced%20Models/Subtitles%20(Farsi))
💻NodeJS - The Complete Guide (MVC, REST APIs, GraphQL, Deno). Node.js course from zero to mastery from Udemy site.
deno,express,expressjs,graphql,javascript,js,mvc,mvc-architecture,node,nodejs
2023-01-14T19:26:44Z
2023-04-05T19:38:27Z
null
1
0
128
0
0
10
null
null
Brainfuck
DarkHorseCorder/React-Calculator
master
Calculator --- Created with *create-react-app*. See the [full create-react-app guide](https://github.com/facebookincubator/create-react-app/blob/master/packages/react-scripts/template/README.md). <img src="https://github.com/DarkHorseCorder/React-Calculator/blob/master/public/Screenshot_4.png"> Install --- `npm install` Usage --- `npm start`
Simple Calculator with React
calculator,calculator-application,calculator-javascript,calculator-react,javascript,react,reactjs
2023-01-15T06:47:13Z
2023-01-15T06:48:37Z
null
1
0
2
0
1
10
null
MIT
JavaScript
modernlearner/finetune-gpt3-for-code
master
# Fine Tune GPT3 for Code Dependencies: * [GPT-3 from OpenAI](https://github.com/openai/openai-node) * [yargs for command-line arguments](https://github.com/yargs/yargs) * [TypeScript for Compiler API](https://github.com/microsoft/TypeScript/wiki/Using-the-Compiler-API) * [dotenv for loading environment variables](https://github.com/motdotla/dotenv) ## Install and Setup ```shell npm install ``` You can store the api key in a `.env` file and control debug logging with the `DEBUG` environment variable. ``` OPENAI_API_KEY="YOUR_OPENAI_API_KEY_GOES_HERE" DEBUG="true" ``` ### Dataset and TypeScript/JavaScript Code Parser The dataset is in [`./dataset.csv`](./dataset.csv). To produce more completions for the dataset, you can use the parser which will parse TypeScript and JavaScript: ```shell # Parsing a directory of source code files node index.js parse ./input # Parsing the source code of finetune-gpt3-for-code node index.js parse ./index.js # Parsing individual source code files node index.js parse /path/to/typescript/file.ts node index.js parse /path/to/javascript/file.js ``` It will produce the following output that can be used to extend the dataset: ``` prompt,completion for loop,"for (var i = 0; i < 10; i ++) {" for loop,"for (var i = 0; i < 10; i ++) { console.log(i); }" print i,"console.log(i)" function for printHelloWorld with one argument,"function printHelloWorld(name) {" function for printHelloWorld with one argument,"function printHelloWorld(name) { console.log(`Hello ${name}`); }" ``` ## Running the Code Upload the dataset and create the fine-tuned model: ```shell node index.js ``` Alternative way to upload the dataset: ```shell node index.js upload ``` ### Listing the status of the fine-tuned models List the status of the fine-tuning until the `fine_tune_model` field is no longer null ```shell node index.js list ``` ### Creating a completion Use the fine tune id as the model when it is ready ```shell node index.js generate model-finetune-id prompt ``` ### Example Session ``` $ node index.js Fine tune id: id-123 $ node index.js list ft-nlBqfegq5AP1QkfLKOCvuz6u succeeded curie:ft-personal-2023-01-07-06-54-13 ft-l8B3FiHivRuMWxj8U1YvQKq2 running null $ node index.js generate curie:ft-personal-2023-01-07-06-54-13 "define apply effect" const yEff = (value) => ({ done: false, value }) $ node index.js generate curie:ft-personal-2023-01-07-06-54-13 "test api call saga" function* fetchProducts() { const products = yield call(Api $ node index.js generate curie:ft-personal-2023-01-07-06-54-13 "test api call saga" assert.deeplyEqual( iterator.next().value, $ node index.js list ft-nlBqfegq5AP1QkfLKOCvuz6u succeeded curie:ft-personal-2023-01-07-06-54-13 ft-l8B3FiHivRuMWxj8U1YvQKq2 succeeded davinci:ft-personal-2023-01-07-07-00-01 $ node index.js generate davinci:ft-personal-2023-01-07-07-00-01 "define apply effect" const arrayOfValues = { value: 5 } const expectedEffect = $ node index.js generate davinci:ft-personal-2023-01-07-07-00-01 "test api call saga" assert.deepEqual( import { cps } from 'redux $ node index.js generate davinci:ft-personal-2023-01-07-07-00-01 "test api call saga" assert.deepEqual( iterator.next(assert.isNot ``` ## Running the code using Docker ```shell # npm run-script docker:build docker build -t finetune-gpt3-for-code . # npm run-script docker:run docker run -it --rm --log-driver none --env-file .env -v $(pwd)/data:/data finetune-gpt3-for-code ```
Fine tuning GPT-3 using a dataset for generating code from prompts
fine-tuning,gpt,gpt-3,javascript,node-js,nodejs,openai-api
2023-01-07T07:08:26Z
2023-03-25T18:39:09Z
null
1
0
15
0
2
10
null
MIT
JavaScript
roniy68/event-management
master
<a name="readme-top"></a> <div align="center"> <img src="images/logo.jpg" alt="logo" width="140" height="auto" /> <br/> <h3><b>Event Management</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 Event-Management ](#-event-management--) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [Demonstration :](#demonstration-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [To check for css errors](#to-check-for-css-errors) - [To check for html errors](#to-check-for-html-errors) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [Designed by :](#designed-by-) - [Developed By:](#developed-by) - [❓ FAQ ](#-faq-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 Event-Management <a name="about-project"></a> > This Project is to create Event-Management for our Resume > <br><b> Module One day 2 Project [solo]</b> **Event-Management** is a template to build your Event-Management website beautiful. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> >HTML and CSS <details> <summary>Client</summary> <ul> <li><a href="https://w3school.com/">HTML</a></li> </ul> </details> <br> ### Key Features <a name="key-features"></a> > THIS IS A SIMPLE TEMPLATE APP FOR NOW <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> > Deployed Link Below: > soon will be available - [Live Demo Link](https://roniy68.github.io/event-management) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## Demonstration : > Watch this video: - Demonstraion: <br/> [![Watch the video](https://media.giphy.com/media/3oz8xNVZFhMdjNnoic/giphy.gif)](https://www.loom.com/share/dca16ee0b02741dd8e9e763f2d3e1c2b) <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> > An Event Management website where Engineers from different fields collaborate together. To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - NODE - ESlint set up ### Setup - install node and eslint ```sh npm install eslint npx eslint --init ``` <br> ### Install Install this project with: Clone this repository to your desired folder: commands: ```sh git clone https://github.com/roniy68/event-management.git cd hello-world npm install -y ``` <br><br> ### Usage To run the project, execute the following command: -install serve with : npm install -g serve ```sh serve -s . ``` # To check for css errors ```sh npx stylelint "**/*.{css,scss}" ``` # To check for html errors ```sh npx hint . ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Author** - GitHub: [@roniy68](https://github.com/roniy68) - Twitter: [@ahroniy](https://twitter.com/ahroniy) - LinkedIn: [LinkedIn](https://linkedin.com/in/ahroniy) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> > 1 - 3 features I will add to the project. - [ ] **javascript** - [ ] **frontend** - [ ] **backend** <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> > I need Support and Guidance to become a Developer. If you like this project... <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> ## Designed by : >[Cindy Shin from behance ](https://www.behance.net/adagio07) <br> ## Developed By: > [`Ahmed Hasan Rony`](https://www.linkedin.com/in/ahroniy) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ <a name="faq"></a> - **How you clone the repo?** - git clone **\<repo name\>** - **How you install node?** - https://radixweb.com/blog/installing-npm-and-nodejs-on-windows-and-mac <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>
Event Management Web page created with HTML-CSS-JS. Its Time to learn Linters
css,html,javascript
2023-01-02T18:49:44Z
2024-04-15T14:12:11Z
null
1
2
289
0
0
10
null
NOASSERTION
HTML
torobucci/My-Portfolio
main
<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! --> <h1 text-align="center"><b>My Portfolio</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 --> # 📖 My Portfolio <a name="about-project"> </a> **My Portfolio** is a project that adds about my recent works and about me to my portfolio. Here is a walkthrough [video](https://www.loom.com/share/f62ba52796aa44efa5656eefbec33875) about the project ## 🛠 Built With <a name="built-with"> Html Css JavaScript </a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://www.w3schools.com/css/default.asp">style.css</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - [ ] **My recent works intro** - [ ] **Recent works** - [ ] **About me section** - [ ] **Animations and transitions on buttons and project cards** <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://torobucci.github.io/My-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. fork the repository https://github.com/torobucci/My-Portfolio on github ### Prerequisites In order to run this project you need: Code editor eg. VScode Web browser eg. chrome ### Setup Clone this repository to your desired folder: cd hello-world git clone https://github.com/torobucci/My-Portfolio <!-- Example commands: ```sh cd my-folder git clone git@github.com:myaccount/my-project.git ``` ---> ### Install To install linter run the following command: npm install --save-dev hint@7.x ### Usage To run the project click the run button on your VScode. ### Run tests To run tests, run the following command: npx stylelint "**/*.{css,scss}" <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [@torobucii](https://github.com/torobucii) - Twitter: [@torobucii](https://twitter.com/@torobucii) - LinkedIn: [Kevin Toro](https://linkedin.com/in/KevinToro) 👤 **Author2** - GitHub: [@Unleashedicon](https://github.com/Unleashedicon) - Twitter: [@Unleashedicon](https://twitter.com/@Unleashedicon) - LinkedIn: [Unleashedicon](https://linkedin.com/in/Unleashedicon) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] Display of my sample works - [ ] About me - [ ] Resposive screen <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 [Hello-world issues](https/Hello-world/hello-world-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 hit the star button on our github repo <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank the Lets Code team that hepled us in every problem we had. <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/torobucci/Portfolio-finish-mobile-version/blob/main/MIT-LICENSE.txt) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
My Portfolio is a website with a clear demonstration of my skills, abilities and achievements
css3,html,javascript
2023-01-14T10:33:27Z
2023-10-19T16:24:26Z
null
3
15
98
0
0
10
null
MIT
CSS
erkamesen/basic-projects
main
# basic-projects Simple projects with Python, JavaScript, HTML, CSS ## Install: - Clone the repository: ``` git clone https://github.com/erkamesen/basic-projects.git ``` - Navigate to repo: ``` cd basic-projects/ ``` Projects I made with the knowledge i gained from the courses <br> ## Projects with README (Language - TR): - [Birthday Wisher](https://github.com/erkamesen/basic-projects/tree/main/Birthday%20Wisher%20-%20Py#birthday-wisher) - [Flashy](https://github.com/erkamesen/basic-projects/tree/main/Flashy%20-%20Py#flashy) - [IMDBTOP250](https://github.com/erkamesen/basic-projects/blob/main/IMDBTOP250%20-%20Py/README.md#imdbtop250) - [Password Manager](https://github.com/erkamesen/basic-projects/tree/main/Password%20Manager%20-%20Py#password-manager) - [Pomodoro](https://github.com/erkamesen/basic-projects/tree/main/Pomodoro%20-%20Py#pomodoro) - [Stock News Tracker](https://github.com/erkamesen/basic-projects/tree/main/Stock%20News%20Tracker%20-%20Py#stock-news-tracker) - [Youtube Video-Audio Downloader](https://github.com/erkamesen/basic-projects/blob/main/Youtube%20Video-MP3%20-%20Py/README.md#youtube-video-audio-downloader) - [ISS Tracker](https://github.com/erkamesen/basic-projects/tree/main/issoverhead%20-%20Py#iss-tracker) ## Projects with README (Language - EN): - [NonFollowers-Github](https://github.com/erkamesen/basic-projects/tree/main/NonFollowers(GitHub)%20-%20Py#github-follower-tracker) <img src="https://media.giphy.com/media/qgQUggAC3Pfv687qPC/giphy.gif" width="480" height="360">
Simple projects made with Python, JavaScript, HTML, CSS
css,html,javascript,python,nodejs
2023-01-16T00:02:39Z
2023-04-17T20:37:43Z
null
1
0
81
0
2
10
null
null
Python
PowerLevel9000/Dynamic-Event-Template
dev
<a name="readme-top"></a> <!-- the change --> <div align="center"> <img src="camp-logowithout.png" alt="logo" width="140" height="auto" /> <img src="./media/my-logo.png" alt="logo" width="140" height="auto" /> <br/> <h1><b>Summer Camp Event Page</b><br><br></h1> </div> <div align="center"> <img src="./event/all-devices-black.png" width ='100%'> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🧪 Linters And Deployment](#linters) - [🛠 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 ](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 Summer Camp Event Page <a name="about-project"></a> This Project is about the event going to be held in the march THE Summer Camp organized by SIA **Summer Camp Event Page** is just a introduction about the upcoming event this template is made for organizing various events . it is fully dynamic if you want to organize another event you just need to give data and instruction ## 🧪 Linters And Deployment <a name="linters"></a> [![Linters](https://github.com/PowerLevel9000/Dynamic-Event-Template/actions/workflows/linters.yml/badge.svg)](https://github.com/PowerLevel9000/Dynamic-Event-Template/actions/workflows/linters.yml) [![pages-build-deployment](https://github.com/PowerLevel9000/Dynamic-Event-Template/actions/workflows/pages/pages-build-deployment/badge.svg)](https://github.com/PowerLevel9000/Dynamic-Event-Template/actions/workflows/pages/pages-build-deployment) ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Documentation</summary> <ul> <li><a href="https://html.com">HTML</a></li> </ul> </details> <details> <summary>Styling</summary> <ul> <li><a href="https://www.w3.org">CSS</a></li> </ul> </details> <details> <summary>Dynamics And Logics</summary> <ul> <li><a href="https://michalsnik.github.io/aos/">JavaScript</a></li> </ul> </details> <details> <summary>Animation</summary> <ul> <li><a href="https://michalsnik.github.io/aos/">Aos.js</a></li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> Following features you should observe - **Animation on scroll** - **Navigation list hover** - **Pre Navigation bar is about me** - **Pre Navigation bar have Google Translator for our website** <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> This link will guide you to my project 💕💕😁 don't forget to take a look at my presentation video 😜😜 - [Live Demo Link](https://powerlevel9000.github.io/Dynamic-Event-Template/) - [Loom Video](https://www.loom.com/share/263ca564cb634bcca4b48ad1ea9870b7) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- GETTING STARTED --> ## 💻 Getting Started <a name="getting-started"></a> For getting started yu can fork this repo or clone it in desired directory and make sure to follow [Prerequisites](#prerequisites) correctly ### Prerequisites In order to edit this project you need: - Any text editor such as note pad and word pad - A web browser - Node js installed - An IDE #### Suggested IDE - Visual studio code `I prefer this one 🙃🙃` - Atom - Sublime - IntelliJ IDEA - Visual code ### Install ``` npm i ``` ### Setup Clone this repository to your desired folder: - click on index.html - open in the browser ### Usage Execute the following thing: - See project buttons - Navigation bar on desktop version ### Run tests > For now we don't have automated test but you can test it manually - Check whether animation is good - check all the link on social icons are working or not - also click on Adarsh in about page to mail me - also i want to add call me button give suggestion ### Deployment You can deploy this project using: - for this repo and use GitHub pages to deploy it <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Adarsh Pathak** - GitHub: [@PowerLevel9000](https://github.com/githubhandle) - Twitter: [@PowerLevel9002](https://twitter.com/PowerLevel9002?t=AIuSN7mTxk5a_MWpLolEjA&s=09) - LinkedIn: [@Adarsh Pathak](https://www.linkedin.com/in/adarsh-pathak-56a831256/) <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **Add more Pages** - [ ] **Dynamic everything so that it can be switchable for many websites** - [ ] **Registration Form** <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 my Project give it a Star ✨🌟 <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> This project design is reflection of Original design idea by ©️[Cindy Shin in Behance](https://www.behance.net/adagio07). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ <a name="faq"></a> > Ask Intreating questions to be here - **Question_1** When next event going to be held - Answer_1 All event information will be updated on website please check it regularly so tha you won't miss it 😉 <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 Project is about the event going to be held in the march THE Summer Camp organized by SIA Summer Camp Event Page is just a introduction about the upcoming event this template is made for organizing various events . it is fully dynamic if you want to organize another event you just need to give data and instruction
javascript,css3,html5
2023-01-09T02:45:32Z
2023-06-05T04:23:37Z
null
1
5
56
0
0
10
null
null
CSS
soheee-bae/Gatsby-Clean-Blog-Starter
main
<img src="./assets/images/Starter-Light.png" > <img src="./assets/images/Starter-Dark.png" > ## :eyes: Check this out as well! There is an updated version of this blog template : [Gatsby-Image-Blog-Starter](https://github.com/soheee-bae/Gatsby-Image-Blog-Starter) <br/> ## 🚀 Demo https://gatsby-clean-blog-starter.netlify.app/ <br/> ## :fire: Quick Start ### 1. Create a Gatsby site Use the Gatsby CLI ([install instructions](https://www.gatsbyjs.com/docs/tutorial/part-0/#gatsby-cli)) to create a new site, specifying the gatsby-clean-blog starter. ``` npx gatsby new gatsby-clean-blog-starter https://github.com/soheee-bae/Gatsby-Clean-Blog-Starter ``` > if you are not using `npx`, following [Gatsby Getting Started](https://www.gatsbyjs.com/docs/quick-start/) ``` npm install -g gatsby-cli gatsby new gatsby-clean-blog-starter https://github.com/soheee-bae/Gatsby-Clean-Blog-Starter ``` ### 2. Start developing Navigate into your new site's directory and start it up. ``` cd gatsby-clean-blog-starter/ gatsby develop ``` ### 3. Open the source code and start editing! Your site is now running at `http://localhost:8000`! Note: You'll also see a second link: `http://localhost:8000/___graphql`. This is a tool you can use to experiment with querying your data. Learn more about using this tool in the [Gatsby Tutorial](https://www.gatsbyjs.com/docs/tutorial/part-4/#use-graphiql-to-explore-the-data-layer-and-write-graphql-queries). ### 4. Add your content You can write contents to blog in `/content` directory. As you add a new directory, it will be listed as new category in the navbar! ### 5. Fix meta data You can fix meta data in `/gatsby-metaconfig.js` file. ## :yellow_heart: Customize ### :computer: Gatsby config ``` root ├── gatsby-config.js ├── gatsby-metaconfig.js └── gatsby-node.js ``` ### :file_folder: Folder structure ``` src ├── components // components with styling ├── constants // collections of string global variables ├── layout // layout for home and post ├── pages // 404 page, about page, home page ├── hooks ├── styles ├── utils └── templates └── blog-post.js // blog template ``` ### :art: Style You can customize color, font, breakpoints and height / width of layout in `src/styles` directory. ``` src/styles ├── _breakpoints.scss ├── _colors.scss ├── _mixins.scss ├── _size.scss └── _typography.scss ``` ### :mag: Tip (Things you can customize!) - Profile image : replace file in `/assets/images/moon.jpeg`. - Pagination : set sibling count (of the current page) and page size (number of posts per page) in `src/constants/page.js`. - Resize layout : You can resize layout (e.g. `height of footer`) in `src/styles/_size.scss`. - Change color : All colors that have been used in this blog are in `src/styles/_color.scss`. You can simply change hex code color from `src/styles/_color.scss`! - Post thumbnail : You can display or hide (`title, subtitle, date, content`) by setting the option from `src/constants/contentItem.js`!
:pencil2: Gatsby starter for personal blog
css3,gatsby,graphql,html5,react,javascript
2023-01-11T09:46:13Z
2024-03-10T18:50:16Z
null
2
7
116
0
5
10
null
0BSD
JavaScript
Shaheryar0054/Awesome-Book-ES6
main
<a name="readme-top"></a> # 📗 Table of Contents - [📖 About the Project](#In this project we build simple Book list application that can add and remove the Books) - [🛠 Built With](#build-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 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 (OPTIONAL)](#faq) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 [Awesome-Book-with-ES6] <a name="about-project"></a> > Describe your project in 1 or 2 sentences. **[Awesome-Book-with-ES6]** In this project we build simple application that have ability to add and remove books ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> > Describe the tech stack and include only the relevant sections that apply to your project. <details> <summary>Client</summary> <ul> <li><a href="https://www.w3schools.com/html/">HTML</a></li> </ul> <ul> <li><a href="https://reactjs.org/">Javascript</a></li> </ul> </details> ### Key Features <a name="key-features"></a> > Describe between 1-3 key features of the application. - **[Used ES6 syntax ]** - **[Used arrow function]** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> > Add a link to your deployed project. - [Live Demo Link]() <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 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: - Browser - git - code editor ### Setup To get a local copy up and running follow these simple example steps. - Clone the repository using: ``` https://github.com/Shaheryar0054/Awesome-Book-ES6 ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> > Mention all of the collaborators of this project. 👤 **Authors** 👤 **Shaheryar Abid** - GitHub: [@shaheryar0054](https://github.com/Shaheryar0054) - Twitter: [@sharya0310](https://twitter.com/home) - LinkedIn: [@shaheryar](https://www.linkedin.com/in/shaheryar-abid-8758121b3/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> > Describe 1 - 3 features you will add to the project. - [Used ES6 syntax] **[new_feature_1]** - [Used Arrow function] **[new_feature_2]** - [displaying data on screen ] **[new_feature_3]** <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/Shaheryar0054/Awesome-Book-ES6/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> > Write a message to encourage readers to support your project If you like this project please give me star rating <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> > Give credit to everyone who inspired your codebase. - Thanks to the Microverse team for the great curriculum. - Thanks to the Code Reviewer(s) for the insightful feedback. - A great thanks to My coding partner(s), morning session team, and standup team for their contributions. - Hat tip to anyone whose code was used. <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>
This is an awesome single page library application that stores the names of authors and titles of books entered into the input field, this project was built with HTML, CSS & JavaScript
javascript
2023-01-16T17:27:38Z
2023-01-17T16:10:58Z
null
1
2
6
0
1
10
null
MIT
JavaScript
BahirHakimy/My-Portfolio
main
<a name="readme-top"></a> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Usage](#usage) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 My Portfolio <a name="about-project"></a> **My Portfolio** is my portfolio website, its currently under development and I will add more features as I go forward in the program. ## 🛠 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> <details> <summary>Server</summary> <ul> <li>Will be added later</li> </ul> </details> <details> <summary>Database</summary> <ul> <li>Will be added later</li> </ul> </details> <!-- Features --> ### Key Features <a name="key-features"></a> - **Beautifull UI** - **Mobile-first** - **Responsive** - **SEO and Accessibility Friendly** <p align="right"><a href="#readme-top">👆</a></p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://bahirhakimy.github.io/My-Portfolio/) <p align="right"><a href="#readme-top">👆</a></p> <!-- Getting Started --> ## 💻 Getting Started <a name="getting-started"></a> To run the project locally, follow these steps. ### Prerequisites In order to run this project you need: -Install [Git](https://git-scm.com/) -Install a code editor, I suggest [VsCode](https://code.visualstudio.com/) ### Setup Clone the repo into your local machine: git clone github.com/BahirHakimy/My-Portfolio.git ### Usage You can open the `index.html` file using a web browser or using VsCode extension [Live Server](https://marketplace.visualstudio.com/items?itemName=ritwickdey.LiveServer) <p align="right"><a href="#readme-top">👆</a></p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **BahirHakimi** - GitHub: [:heart:](https://github.com/bahirhakimy) - Twitter: [:heart:](https://twitter.com/bahirhakimy) - LinkedIn: [:heart:](https://linkedin.com/in/bahirhakimy) 👤 **Muhammad Davlatov** - GitHub: [Muhammad0602](https://github.com/Muhammad0602) - Twitter: [Muhammad Davlatov](https://twitter.com/MuhammadDavla20) - LinkedIn: [Muhammad Davlatov](https://www.linkedin.com/in/muhammad-davlatov-6a8536254/) 👤 **[Alejandro-Bernal-M]** - GitHub: [Muhammad0602](https://github.com/Alejandro-Bernal-M) <p align="right"><a href="#readme-top">👆</a></p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - **Project Detail** - **Multiple color themes** <p align="right"><a href="#readme-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">👆</a></p> <!-- Show your support --> ## ⭐️ Show your support <a name="support"></a> If you like this project leave a start for it. <p align="right"><a href="#readme-top">👆</a></p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank Microverse for helping me in my journey to become a Fullstack developer 🌹 <p align="right"><a href="#readme-top">👆</a></p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right"><a href="#readme-top">👆</a></p>
My portfolio website contains all projects I have completed so far, It has an excellent responsive design, multiple color themes, and smooth animations, it is still not finished and is under development
css,html,javascript
2023-01-11T18:38:22Z
2023-08-24T11:14:43Z
null
4
11
78
3
0
10
null
MIT
HTML
shasherazi/toDoList
main
<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 - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [📝 License](#license) <!-- PROJECT DESCRIPTION --> # 📖 To Do List <a name="about-project"></a> **To Do List** is a simple web application that allows users to add and remove tasks from a list. The user can also edit the tasks. ## 🛠 Built With <a name="built-with"></a> - HTML - CSS - JavaScript <!-- Features --> ### Key Features <a name="key-features"></a> - **Add new task** - **Mark task as complete/incomplete** - **Delete completed tasks** <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://shasherazi.github.io/toDoList/) <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 There are no prerequisites for this project. ### Setup Clone this repository to your desired folder: ```sh cd toDoList git clone https://github.com/shasherazi/toDoList.git ``` <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [@shasherazi](https://github.com/shasherazi) - Twitter: [@shasherazi](https://twitter.com/shasherazi) - LinkedIn: [shasherazi](https://linkedin.com/in/shasherazi) <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> 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 then give it a star ⭐️. <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
To Do List is a simple web application built with JavaScript that allows users to add, remove and edit tasks from a list.
javascript,webpack
2023-01-16T14:28:38Z
2023-01-27T08:16:42Z
null
2
7
41
2
1
10
null
MIT
JavaScript
yuvenalmash/shyn-tv
development
<a name="readme-top"></a> <div align="center"> <img src="https://github.com/microverseinc/readme-template/blob/master/murple_logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>API-based-webapp</b></h3> </div> # 📗 Table of Contents - [� Table of Contents](#-table-of-contents) - [📖 API-based-webapp ](#-api-based-webapp-) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [🚀 Video Representation ](#-video-representation-) - [💻 Getting Started ](#-getting-started-) - [Visit And Open Files](#visit-and-open-files) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) # 📖 API-based-webapp <a name="about-project"></a> **API-based-webapp** is a Show/Movies web application. It majorly displays different Shows and movies from the TVmaze API. The homepage shows a list of Shows/Movies you can like. The popup window shows more data on the Show/Movie selected and the user can comment on it too.<br> The project has two user interfaces: - Homepage : The interface displays the following; - A set of Shows/Movies all gotten from [TVmaze API](https://www.tvmaze.com/api) - Likes interaction that displays number of likes for the Show/Movie. The user interface is derived from the[Involvement Api](https://www.notion.so/Involvement-API-869e60b5ad104603aa6db59e08150270) - Popup window : The interface displays the following; - Image of the selected Show/Movie. - Details and plot summary of the Show/Movie selected. - Comment Section. The user comments are displayed on the page. This was also gotten from the[Involvement Api](https://www.notion.so/Involvement-API-869e60b5ad104603aa6db59e08150270) ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> > This project was developed using html, css & javascript. <details> <summary>Client</summary> <ul> <li><a href="https://html.com/">HTML</a></li> <li><a href="https://developer.mozilla.org/en-US/docs/Web/CSS">CSS</a></li> <li><a href="https://www.javascript.com/">JavaScript</a></li> <li><a href="https://webpack.js.org/">Webpack</a></li> <li><a href="https://jestjs.io/">Jest</a></li> </ul> </details> <details> <summary>API</summary> <ul> <li><a href="https://www.notion.so/Involvement-API-869e60b5ad104603aa6db59e08150270">Involvement API</a></li> <li><a href="https://www.tvmaze.com/api">TVmaze API</a></li> </ul> </details> ### Key Features <a name="key-features"></a> > Below are the key features of the website: - **Used TVmaze API for Show/Movies details and pictures** - **Used Involvement API for likes and comments interaction** - **Used webpack** - **Add counter tests with jest** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://yuvenalmash.github.io/API-based-webapp/dist/ ) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Video Representation <a name="video-rep"></a> - [Video Representation Link](https://drive.google.com/file/d/1OIBT3r2wCdjgWJ58tcUXIdAkCMSnopYg/view?usp=sharing) <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 simple example steps. 1. Clone this repository or download the Zip folder: **``git clone https://github.com/yuvenalmash/API-based-webapp.git``** 2. Navigate to the location of the folder in your machine: **``you@your-Pc-name:~$ cd <folder>``** ### Visit And Open Files 1-Visit Repo [Visit Repo](https://github.com/yuvenalmash/API-based-webapp) 2-Download Repo [Download Repo](https://github.com/yuvenalmash/API-based-webapp/archive/refs/heads/main.zip) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Yuvenal Njoroge** - GitHub: [@githubhandle](https://github.com/yuvenalmash) - Twitter: [@twitterhandle](https://twitter.com/_Juvenal_) - LinkedIn: [LinkedIn](https://linkedin.com/in/yuvenal-njoroge) 👤 **Adeshina Adenuga** - GitHub: [@githubhandle](https://github.com/nuga0909) - Twitter: [@twitterhandle](https://twitter.com/nuga0909) - LinkedIn: [LinkedIn](linkedin.com/in/adeshina-adenuga-282036171) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> > Implement full schedule and search tab functionalities. <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/yuvenalmash/API-based-webapp/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 a ⭐️. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> - Project from [Microverse](https://www.microverse.org/?grsf=i6yi2m) html, css & Javascript module <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>
Shyntv is a web applictaion using tvmaze API to get shows and display them. It also uses an interaction API to handle likes and comments.
api-rest,javascript,ui-design,webpack,css
2023-01-02T14:31:57Z
2023-02-09T23:18:36Z
null
2
20
131
0
1
10
null
MIT
JavaScript
NatachaKey/travel-calculator--vanilla-JS
master
# Simple travel calculator built with Vanilla JS, HTML5, CSS3 and GSAP animations.
Simple travel calculator built with Vanilla JS, HTML5, CSS3 and GSAP animations.
css3,gsap,html5,javascript
2023-01-09T12:12:09Z
2023-01-09T12:13:32Z
null
1
1
70
0
1
9
null
NOASSERTION
HTML
roniy68/book-list
main
<a name="readme-top"></a> <div align="center"> <img src="readme-assets/murple_logo.png" alt="logo" width="140" height="auto" /> <br/> <h3><b>Book List</b></h3> </div> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 book-list ](#-book-list--) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [To check for css errors](#to-check-for-css-errors) - [To check for html errors](#to-check-for-html-errors) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [Designed by :](#designed-by-) - [Developed By:](#developed-by) - [❓ FAQ ](#-faq-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 book-list <a name="about-project"></a> > This Project is to create book-list for our Resume > <br><b> Module One day 2 Project [solo]</b> **book-list** is a template to build your book-list website beautiful. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> >HTML and CSS <details> <summary>Client</summary> <ul> <li><a href="https://w3school.com/">HTML</a></li> </ul> </details> <br> ### Key Features <a name="key-features"></a> > THIS IS A SIMPLE TEMPLATE APP FOR NOW <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LIVE DEMO --> ## 🚀 Live Demo <a name="live-demo"></a> > Deployed Link Below: > soon will be available - [Live Demo Link](https://roniy68.github.io/book-list) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> > An Book List website where Engineers from different fields collaborate together. To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: - NODE - ESlint set up ### Setup - install node and eslint ```sh npm install eslint npx eslint --init ``` <br> ### Install Install this project with: Clone this repository to your desired folder: commands: ```sh git clone https://github.com/roniy68/book-list.git cd hello-world npm install -y ``` <br><br> ### Usage To run the project, execute the following command: -install serve with : npm install -g serve ```sh serve -s . ``` # To check for css errors ```sh npx stylelint "**/*.{css,scss}" ``` # To check for html errors ```sh npx hint . ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Ram Kumar Karuppusamy** - GitHub: [ram1117](https://github.com/ram1117) 👤 **Ahmed Hasan Rony** - GitHub: [@roniy68](https://github.com/roniy68) - Twitter: [@ahroniy](https://twitter.com/ahroniy) - LinkedIn: [LinkedIn](https://linkedin.com/in/ahroniy) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> > 1 - 3 features I will add to the project. - [ ] **javascript** - [ ] **frontend** - [ ] **backend** <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> > I need Support and Guidance to become a Developer. If you like this project... <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> ## Designed by : >[Microverse](https://www.microverse.org) <br> ## Developed By: > [`Ahmed Hasan Rony`](https://www.linkedin.com/in/ahroniy) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FAQ (optional) --> ## ❓ FAQ <a name="faq"></a> - **How you clone the repo?** - git clone **\<repo name\>** - **How you install node?** - https://radixweb.com/blog/installing-npm-and-nodejs-on-windows-and-mac <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./readme-assets/MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
A book List App created with ES6. Its a basic setup for webpack & es6
css,es6,html,javascript
2023-01-09T07:43:40Z
2024-04-15T14:09:20Z
null
2
5
307
1
1
9
null
NOASSERTION
JavaScript
YasinDehfuli/Flappy-Bird
master
# VueJs Flappy bird [![GitHub license](https://img.shields.io/github/license/YasinDehfuli/Login-Page)](https://github.com/YasinDehfuli/Login-Page/blob/master/LICENSE) ![Author](https://img.shields.io/badge/author-Nisay-blue.svg) [![Twitter](https://img.shields.io/twitter/url/https/github.com/YasinDehfuli/Login-Page/.svg?style=social)](https://twitter.com/YasinDehfuli) Flappy Bird Game With VueJs Framework : ) <div align="center"> <img src="flappy.jpg"> </div> # Installation To Install VueJs Use This Link : https://vuejs.org/guide/quick-start.html # Features - VueJs 3.0 - 1 Pages included (index) - No custom classes - Easy to use - Cross-browser compatibility (Chrome, Firefox, Opera, IE11, Safari) - and more ... # Report Some Bugs Find a Bug? Please, [create an issue](https://github.com/YasinDehfuli/Flappy-Bird/issues) and we'll fix it together for a better template. # Contribution Contribution are always welcome and recommended! Here is how: - Fork the repository ([here is the guide](https://help.github.com/articles/fork-a-repo/)). - Clone to your machine git clone https://github.com/YOUR_USERNAME/Flappy-Bird.git - Make your changes - Create a pull request # License [GNU License](http://opensource.org/licenses/GNU) --- <div align="center">Designed By <b>Nisay</b>! ❤️</div>
Flappy bird , Vue.js & JavaScript Game.🐦
flappy-bird,game,javascript,js,jsgames
2023-01-09T15:36:08Z
2023-02-19T12:23:57Z
null
1
0
6
0
0
9
null
null
Vue
YasinDehfuli/To-Do-List
main
# Vue.js Todo List Simple Vue.js Todo List - By Jeffrey Way Step by Step Vue.js 3 Course + How to run App Automaticly : + `npm install` + `npm run start` + How to run App Manualy : + `npm install` + `npx serve` + `npx json-server assets/components/db.json` <hr> <div align="center" width="400px"> https://github.com/YasinDehfuli/To-Do-List/assets/110921275/104b74a7-7392-4203-a2f8-5ace5dda0054 </div>
Vue.js To Do List
javascript,todolist,vue3,tailwindcss
2023-01-09T10:53:35Z
2023-10-11T07:07:44Z
null
1
0
16
0
0
9
null
AGPL-3.0
JavaScript
Saman-Safaei/music-player
main
# Music Player a simple music player with selectable musics ## List of musics - The Callisto Protocol - Lost Again - The Hellsinger - Main Menu Music - The Hellsinger - Through You ## Links [Click to visite the music player](https://saman-safaei.github.io/music-player) ## Screenshots ![screenshot](./assets/screenshots/screenshot1.png) ![screenshot](./assets/screenshots/screenshot2.png)
a simple music player with 3 musics
bem-css,css,html,javascript
2023-01-01T16:45:57Z
2023-03-05T16:46:34Z
null
1
0
34
0
0
9
null
null
CSS
JEETAHIRWAR/react-todo-app
gh-pages
![React Todo App](https://user-images.githubusercontent.com/102626329/213927022-90ff940e-9c1b-474d-a71a-bda61f3eb972.png) # React Todo App. A complete todo application with all features. **live demo: [https://jeetahirwar.github.io/react-todo-app/](https://jeetahirwar.github.io/react-todo-app/)** --- ### Made with ❤️ by [Jeet Ahirwar](https://www.instagram.com/_jeet__007_/) Like my work and want to support me? --- ## Project Description In the project, we will be creating a Complete Todo Application with all features. We will do all the CRUD operations. We will use `React.js` and to manage our states, we will use `Redux`. Also, we will learn to make simple animations using `Framer Motion`. This will be a completely `beginner` friendly app. Hope you enjoy it. ## What we are going to learn/use - [React](https://reactjs.org/) - [React Redux](https://redux.js.org/) - [Framer Motion](https://framer.com/motion/) - [React icons](https://react-icons.netlify.com/) - [React Hot Toast](https://react-hot-toast.com/) - More... ## Requirements - Basic ReactJs knowledge - Basic HTML, CSS knowledge ## Starter files You can find all the starter files in `starter-files` branch. You can go to the `starter-files` branch and `download zip` the starter files or You can clone the project and git checkout to `starter-files` branch. ## Getting Started The recommended way to get started with the project is to follow the You will find all the step-by-step guides. Or you can start the project on your own by following the guide below. After getting the starter files, you need to go the file directory and run ```shell npm install ``` and after that start the dev server. ```shell npm start ``` ## Tools Used 1. Favicon: [Flaticon.com](https://www.flaticon.com/) 1. Code Editor: [VS Code](https://code.visualstudio.com/) --- ## FAQ ### Q: Who the project is for? The project is for the people who wanna get more skilled in `ReactJs`. --- ## Feedback If you have any feedback, please reach out to us at [@_jeet__007_](https://www.instagram.com/_jeet__007_/) ## License [MIT](https://choosealicense.com/licenses/mit/) Happy Coding! 🚀
A complete Todo application with all features.
redux,framer-motion,javascript,reactjs
2023-01-04T13:11:53Z
2023-09-30T17:12:10Z
null
1
0
4
0
0
9
null
MIT
HTML
raidensakura/kofi-discord-notification
main
# kofi-discord-notification [![Netlify Status](https://api.netlify.com/api/v1/badges/028bea5f-00d6-4679-bbff-456f4251e01d/deploy-status)](https://app.netlify.com/sites/kofi-discord-notification/deploys) Serverless Express app running on Netlify functions to send Ko-fi notification to Discord. [![ko-fi](https://ko-fi.com/img/githubbutton_sm.svg)](https://ko-fi.com/P5P6D65UW) ## Why? Ko-fi currently has Discord Integration which only does role assignment but not message notification on donation. I found [a Node.js script](https://github.com/eramsorgr/kofi-discord-alerts) to achieve this goal but unfortunately it needed a constantly running server environment, as well as your own domain to avoid exposing the server IP address. Hence, I modified it to make it run on [Netlify Functions](https://functions.netlify.com/), and you also get a free Netlify subdomain. You can also deploy this simple script on an already existing Netlify website if you have one, just remember to include the extra dependencies in your main `package.json` and update your env variables. ## How? 1. Click this button<br><br>[![Deploy to Netlify](https://www.netlify.com/img/deploy/button.svg)](https://app.netlify.com/start/deploy?repository=https://github.com/raidensakura/kofi-discord-notification) 2. Fill your environmental variables<br><br>![Screenshot 2023-01-01 200539](https://user-images.githubusercontent.com/38610216/210170197-b7f31dd5-3c81-40eb-8997-6990250bcf04.png) 3. Save & Deploy 4. Access your function at: `https://<your_domain>.netlify.app/.netlify/functions/kofi`<br><br>![image](https://user-images.githubusercontent.com/38610216/210170195-3eca1cfb-fa5c-4763-ba17-567900688876.png) 5. [Edit your Webhook URL on Ko-fi](https://ko-fi.com/manage/webhooks) 6. [Test your webhook](https://ko-fi.com/manage/webhooks#postSingleDonationTestMessageBtn)<br><br>![image](https://user-images.githubusercontent.com/38610216/210170513-42bb56e7-1559-4088-80d1-c261f295af3d.png) ## Where? - Discord Webhook URL (Under channel settings):<br><br>![image](https://user-images.githubusercontent.com/38610216/210170804-02a5a3fe-b3db-4cca-b006-201bbe0fa518.png) - [Ko-fi Token](https://ko-fi.com/manage/webhooks?src=sidemenu) (Under advanced):<br><br>![Screenshot 2023-01-01 204241](https://user-images.githubusercontent.com/38610216/210170905-0e274abc-74f4-46ee-9e3b-cd87a5cadcdf.png) ## Help Feel free to reach out to me on [Discord](https://dsc.gg/transience) or [Create an issue](https://github.com/raidensakura/kofi-discord-notification/issues/new)
Serverless Express app running on Netlify Functions to send Ko-fi donation to Discord
discord,embed,express-js,javascript,ko-fi,webhook,nodejs,api,netlify-functions
2023-01-01T10:29:38Z
2023-05-24T13:27:25Z
null
1
0
22
0
0
9
null
MIT
JavaScript
Caknoooo/chatgpt3-openai-api
main
# Chat GPT Open-AI_Api Here I will explain how to make a popular gpt chat using the help of node.js ![image](https://user-images.githubusercontent.com/92671053/210306472-a6fa18f9-1574-4632-979c-3d717f8d9cc2.png) # Installation ## Client Server Here will explain how to install and run it ``` 1. Create new Folder 2. npm create vite@latest client --template vanilla > vanilla > Javascript 3. cd client 4. npm install 5. npm run dev ``` After running the command, next is ``` 1. Delete file counter.js 2. Ganti nama file main.js -> script.js 3. Download assets https://drive.google.com/file/d/1RhtfgrDaO7zoHIJgTUOZKYGdzTFJpe7V/view 4. In folder assets, copy and paste file Favicon.ico to public and delete Vite.svg ``` later the temporary client folder is as follows ![2](https://user-images.githubusercontent.com/92671053/210300655-36069fef-478c-4b97-a6f4-c519ae24ccf9.PNG) In the ``index.html`` file the code is as follows ```html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8" /> <link rel="icon" type="image/svg+xml" href="favicon.ico" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <title>Your AI</title> <link rel="stylesheet" href="style.css" /> </head> <body> <div id="app"> <div id="chat_container"> </div> <form> <textarea name="prompt" rows="1" cols="1" placeholder="Ask codex..."></textarea> <button type="submit"><img src="assets/send.svg" alt="send" /> </form> </div> <script type="module" src="script.js"></script> </body> </html> ``` in file ``style.css`` code is as follows ```css @import url("https://fonts.googleapis.com/css2?family=Alegreya+Sans:wght@100;300;400;500;700;800;900&display=swap"); * { margin: 0; padding: 0; box-sizing: border-box; font-family: "Alegreya Sans", sans-serif; } body { background: #343541; } #app { width: 100vw; height: 100vh; background: #343541; display: flex; flex-direction: column; align-items: center; justify-content: space-between; } #chat_container { flex: 1; width: 100%; height: 100%; overflow-y: scroll; display: flex; flex-direction: column; gap: 10px; -ms-overflow-style: none; scrollbar-width: none; padding-bottom: 20px; scroll-behavior: smooth; } /* hides scrollbar */ #chat_container::-webkit-scrollbar { display: none; } .wrapper { width: 100%; padding: 15px; } .ai { background: #40414F; } .chat { width: 100%; max-width: 1280px; margin: 0 auto; display: flex; flex-direction: row; align-items: flex-start; gap: 10px; } .profile { width: 36px; height: 36px; border-radius: 5px; background: #5436DA; display: flex; justify-content: center; align-items: center; } .ai .profile { background: #10a37f; } .profile img { width: 60%; height: 60%; object-fit: contain; } .message { flex: 1; color: #dcdcdc; font-size: 20px; max-width: 100%; overflow-x: scroll; /* * white space refers to any spaces, tabs, or newline characters that are used to format the CSS code * specifies how white space within an element should be handled. It is similar to the "pre" value, which tells the browser to treat all white space as significant and to preserve it exactly as it appears in the source code. * The pre-wrap value allows the browser to wrap long lines of text onto multiple lines if necessary. * The default value for the white-space property in CSS is "normal". This tells the browser to collapse multiple white space characters into a single space, and to wrap text onto multiple lines as needed to fit within its container. */ white-space: pre-wrap; -ms-overflow-style: none; scrollbar-width: none; } /* hides scrollbar */ .message::-webkit-scrollbar { display: none; } form { width: 100%; max-width: 1280px; margin: 0 auto; padding: 10px; background: #40414F; display: flex; flex-direction: row; gap: 10px; } textarea { width: 100%; color: #fff; font-size: 18px; padding: 10px; background: transparent; border-radius: 5px; border: none; outline: none; } button { outline: 0; border: 0; cursor: pointer; background: transparent; } form img { width: 30px; height: 30px; } ``` in file script.js code is as follows ```js import bot from './assets/bot.svg' import user from './assets/user.svg' const form = document.querySelector('form') const chatContainer = document.querySelector('#chat_container') let loadInterval function loader(element) { element.textContent = '' loadInterval = setInterval(() => { // Update the text content of the loading indicator element.textContent += '.'; // If the loading indicator has reached three dots, reset it if (element.textContent === '....') { element.textContent = ''; } }, 300); } function typeText(element, text) { let index = 0 let interval = setInterval(() => { if (index < text.length) { element.innerHTML += text.charAt(index) index++ } else { clearInterval(interval) } }, 20) } // generate unique ID for each message div of bot // necessary for typing text effect for that specific reply // without unique ID, typing text will work on every element function generateUniqueId() { const timestamp = Date.now(); const randomNumber = Math.random(); const hexadecimalString = randomNumber.toString(16); return `id-${timestamp}-${hexadecimalString}`; } function chatStripe(isAi, value, uniqueId) { return ( ` <div class="wrapper ${isAi && 'ai'}"> <div class="chat"> <div class="profile"> <img src=${isAi ? bot : user} alt="${isAi ? 'bot' : 'user'}" /> </div> <div class="message" id=${uniqueId}>${value}</div> </div> </div> ` ) } const handleSubmit = async (e) => { e.preventDefault() const data = new FormData(form) // user's chatstripe chatContainer.innerHTML += chatStripe(false, data.get('prompt')) // to clear the textarea input form.reset() // bot's chatstripe const uniqueId = generateUniqueId() chatContainer.innerHTML += chatStripe(true, " ", uniqueId) // to focus scroll to the bottom chatContainer.scrollTop = chatContainer.scrollHeight; // specific message div const messageDiv = document.getElementById(uniqueId) // messageDiv.innerHTML = "..." loader(messageDiv) const response = await fetch('http://localhost:5000', { method: 'POST', headers: { 'Content-Type': 'application/json', }, body: JSON.stringify({ prompt: data.get('prompt') }) }) clearInterval(loadInterval) messageDiv.innerHTML = " " if (response.ok) { const data = await response.json(); const parsedData = data.bot.trim() // trims any trailing spaces/'\n' typeText(messageDiv, parsedData) } else { const err = await response.text() messageDiv.innerHTML = "Something went wrong"; alert(err); } } form.addEventListener('submit', handleSubmit) form.addEventListener('keyup', (e) => { if (e.keyCode === 13) { handleSubmit(e) } }) ``` Run ``npm run dev`` and look at the result ## Server Side Now, I will explain how to install and run on the server side ``` 1. Create folder -> server 2. Open your terminal 3. cd server 4. npm init -y 5. npm install cors dotenv nodemon openai 6. npm install express 7. Create file .env ``` later the temporary server side folder is as follows ![image](https://user-images.githubusercontent.com/92671053/210457082-b59e080f-37a1-43fa-ae0b-45d9c7533078.png) And all the files are ![image](https://user-images.githubusercontent.com/92671053/210458270-f2c6f244-68e2-4639-9075-52c420394b9f.png) In the .env file you will fill in the API token obtained from [openAi](https://openai.com/api/) To get the token API, the steps are as follows ``` 1. Create an account 2. Press your profile, then look for [View API Keys] 3. Search for API Keys 4. Create a new secret key 5. Copy the token, then put it in your .env file ``` Then open your ``package.json`` file, replace it as follows ```json { "name": "server", "version": "1.0.0", "description": "", "type": "module", "scripts": { "server": "nodemon server" }, "keywords": [], "author": "", "license": "ISC", "dependencies": { "cors": "^2.8.5", "dotenv": "^16.0.3", "express": "^4.18.2", "nodemon": "^2.0.20", "openai": "^3.1.0" } } ``` Then open your ``server.js`` file, and fill it as follows ```js import express from 'express'; import * as dotenv from 'dotenv'; import cors from 'cors'; import { Configuration, OpenAIApi } from 'openai'; dotenv.config(); const configuration = new Configuration({ apiKey: process.env.OPENAI_API_KEY, }); console.log(process.env.OPENAI_API_KEY); const openAi = new OpenAIApi(configuration); const app = express(); app.use(cors()); app.use(express.json()); app.get('/', async(req, res) => { res.status(200).send({ message: "Welcome", }) }); app.post('/', async(req, res) => { try { const prompt = req.body.prompt; const respone = await openAi.createCompletion({ model: "text-davinci-003", prompt: `${prompt}`, temperature: 0, max_tokens: 3000, top_p: 1, frequency_penalty: 0.5, presence_penalty: 0, }); res.status(200).send({ bot: respone.data.choices[0].text }); } catch (error) { console.log(error); res.status(500).send(error || 'Something went wrong'); } }); app.listen(5000, () => console.log('AI server started on http://localhost:5000')) ``` # How To Run? After following the tutorial above, here's how to run it For Client ``` 1. Open terminal 2. cd client 3. npm run dev ``` For Server ``` 1. Open terminal 2. cd server 3. npm run server ``` ## Reference - **[Javascript Mastery](https://www.youtube.com/watch?v=2FeymQoKvrk&t=2662s)** - **[openAI_API](https://beta.openai.com/overview)**
🟢 This repository explains how to use javascript code into chatgpt which is currently being talked about with the help of the open AI API
chatgpt-api,javascript,openai
2023-01-03T00:55:03Z
2023-01-12T14:33:08Z
null
1
0
9
0
0
9
null
MIT
JavaScript
Hariharan107/Messi_X
main
This an AI chatbot which works just like ChatGPT. This is mobile responsive 📲 Technologies Used:Vanilla JavaScript, NodeJS,Codex API # Desktop-view ![image](https://user-images.githubusercontent.com/111693417/212560844-40837b4f-c2a9-4888-8d7f-9bd1e15cdf30.png) # Mobile-View ![removed top](https://user-images.githubusercontent.com/111693417/215325572-51d6bb9a-39d1-4862-b5e7-261e82a6ebb7.jpg)
Website Link :
api,codex,javascript,nodejs,rest-api
2023-01-15T12:01:21Z
2023-01-29T12:36:14Z
null
1
0
16
1
2
9
null
null
JavaScript
Hanieh-Sadeghi/ToDo-App-Windows11
banfshesadeghi/_Web
# ToDo-App-Windows11 #cs_internship ToDo App
#cs_internship ToDo App
css3,html5,javascript
2023-01-09T12:27:31Z
2023-09-23T14:00:31Z
null
1
0
28
0
0
9
null
null
CSS
chandankumar1425/FistryCry-Clone
main
Welcome to firstCry.com I have tried to clone the website of firstcry.com I have made it from html css and javascript ![read](https://user-images.githubusercontent.com/118505620/213979757-876edb45-390c-4883-9d0d-cf465eb722dd.png) ![21](https://user-images.githubusercontent.com/118505620/213980083-51682c48-12c4-4a94-ba75-2dff41b37c39.png) ![22](https://user-images.githubusercontent.com/118505620/213980218-423627bc-350a-4f71-bf79-3c7e2151dd68.png) ![23](https://user-images.githubusercontent.com/118505620/213984587-55abe3f5-5b08-49b3-95e7-0e2c452c98f8.png) ![24](https://user-images.githubusercontent.com/118505620/213984679-163e7470-3365-49cc-919a-d547726bfb02.png) ![25](https://user-images.githubusercontent.com/118505620/213984915-1d906c4d-4795-41ee-9c21-7ebfbe2fa533.png)
Firstcry is an e-commerce website thatsells a variety of children's products likeappeal clothing, grooming, toys, etc.
css,html,javascript
2023-01-15T05:34:58Z
2023-06-29T12:05:35Z
null
2
8
31
0
0
9
null
null
HTML
g-makarov/react-nested-dropdown
main
# react-nested-dropdown A simple and customizable nested dropdown component for React. <a href="https://www.npmjs.com/package/react-nested-dropdown"> <img alt="npm version" src="https://img.shields.io/npm/v/react-nested-dropdown.svg?style=flat-square" /> </a> <a href="https://www.npmjs.com/package/react-nested-dropdown"> <img alt="npm downloads" src="https://img.shields.io/npm/dm/react-nested-dropdown.svg?style=flat-square" /> </a> <a href="https://bundlephobia.com/package/react-nested-dropdown"> <img alt="npm minified bundle size" src="https://img.shields.io/bundlephobia/min/react-nested-dropdown?style=flat-square"> </a> <a href="https://bundlephobia.com/package/react-nested-dropdown"> <img alt="npm gzip minified bundle size" src="https://img.shields.io/bundlephobia/minzip/react-nested-dropdown?style=flat-square"> </a> <br> <br> <img src="https://raw.githubusercontent.com/g-makarov/react-nested-dropdown/main/screenshots/1.png" width="966"> ## Features - Custom trigger element - Dropdown item with submenu - Multi level submenu support - Specific props to each dropdown item - Auto positioning of dropdown menu - Written in TypeScript 🤙 If you find this library useful, why not <a href="https://www.buymeacoffee.com/gmakarov" target="_blank"><img src="https://cdn.buymeacoffee.com/buttons/v2/default-yellow.png" alt="Buy Me A Coffee" width="160" height="40"></a> ## Installation ```bash # using npm npm install react-nested-dropdown # using pnpm pnpm install react-nested-dropdown # using yarn yarn add react-nested-dropdown ``` ## Basic usage ```tsx import React from 'react'; import { Dropdown } from 'react-nested-dropdown'; import 'react-nested-dropdown/dist/styles.css'; const items = [ { label: 'Option 1', onSelect: () => console.log('Option 1 selected'), }, { label: 'Option 2', items: [ { label: 'Option 2.1', onSelect: () => console.log('Option 2.1 selected'), }, { label: 'Option 2.2', onSelect: () => console.log('Option 2.2 selected'), }, ], }, ]; export const App = () => { return ( <Dropdown items={items} containerWidth="300px"> {({ isOpen, onClick }) => ( <button type="button" onClick={onClick}> {isOpen ? 'Close dropdown' : 'Open dropdown'} </button> )} </Dropdown> ); }; ``` ## `Dropdown` props | Prop | Type | Default | Description | | ---------------- | -------------------------------------------------------------------------- | ------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | | `items` | `DropdownItem[]` | `[]` | An array of dropdown items to render in the menu. | | `containerWidth` | `number` or `string` | `300` | The width of the dropdown menu container. Can be a number for pixels or a string for any valid CSS width value. | | `onSelect` | `(value: any, option: DropdownItem) => void` | `null` | A callback function that is called when an option is selected. It is passed the value of the selected option and the option object itself. | | `children` | `(params: { onClick: () => void, isOpen: boolean }) => React.ReactElement` | `null` | A function that returns a React element to be used as the trigger for the dropdown menu. The function is passed an object with an `onClick` function to open and close the dropdown, and an `isOpen` boolean to indicate the current open state of the dropdown. | | `className` | `string` | `null` | A custom class name to be applied to the root element of the component. | | `renderOption` | `(option: DropdownItem) => React.ReactElement` | `null` | A function that returns a React element for rendering each option in the dropdown menu. It is passed the option object for the current item. | | `closeOnScroll` | `boolean` | `true` | If set to `true`, the dropdown menu will close when the page is scrolled. | ## `DropdownItem` interface | Prop | Type | Default | Description | | --------------------- | -------------------- | ----------- | ---------------------------------------------------------------------------------------------------------------- | | `label` | `string` | `''` | The label to display for the item. | | `iconBefore` | `React.ReactNode` | `null` | An optional icon to display before the label. | | `iconAfter` | `React.ReactNode` | `null` | An optional icon to display after the label. | | `items` | `DropdownItem[]` | `null` | An optional array of nested items to create a submenu. | | `itemsContainerWidth` | `number` or `string` | `150` | The width of the sub items menu container. Can be a number for pixels or a string for any valid CSS width value. | | `value` | `any` | `undefined` | An optional value for the item. This value will be in `Dropdown`'s callback `onSelect` as first argument. | | `onSelect` | `() => void` | `null` | An optional callback function to be called when the item is selected. | | `disabled` | `boolean` | `false` | Whether the item should be disabled and unable to be selected. | | `className` | `string` | `null` | An optional class name to be applied to the item element. |
A simple and customizable nested dropdown component for React.
context,dropdown,javascript,menu,multi-level,nested,react,react-component,select,submenu
2023-01-02T17:22:49Z
2024-02-19T17:54:13Z
null
1
1
31
1
1
9
null
MIT
TypeScript
hazae41/fleche
main
<div align="center"> <img src="https://user-images.githubusercontent.com/4405263/219943458-f5fa0f94-8dfd-4f8e-9fb5-df780a600dd4.png" /> </div> ```bash npm i @hazae41/fleche ``` [**Node Package 📦**](https://www.npmjs.com/package/@hazae41/fleche) ## Features ### Goals - 100% TypeScript and ESM - Zero-copy reading and writing - Transport agnostic (TCP, TLS, Tor) - Supports backpressure ### HTTP - HTTP 1.1 - Native Gzip and Deflate compression - Compatible with code using `fetch` - Reusable underlying connection ### WebSocket - Relies on the above HTTP - Powered by WebAssembly - Same API than native - Only 0.3ms slower than native ### [Upcoming features](https://github.com/sponsors/hazae41) - More HTTP 1.1 features - HTTP 2, HTTP 3 (QUIC) ## Usage ```tsx import { Opaque, Writable } from "@hazae41/binary" import { fetch } from "@hazae41/fleche" function example(stream: ReadableWritablePair<Opaque, Writable>) { /** * Fetch using the underlying TCP or TLS stream */ const res = await fetch("https://example.com", { stream }) if (!res.ok) throw new Error(await res.text()) return await res.json() } ``` ```tsx import { Opaque, Writable } from "@hazae41/binary" import { WebSocket } from "@hazae41/fleche" function example(stream: ReadableWritablePair<Opaque, Writable>) { const socket = new WebSocket("wss://example.com") /** * Pipe TCP or TLS input to WebSocket input */ stream.readable .pipeTo(socket.inner.writable, { preventCancel: true }) .catch(() => {}) /** * Pipe WebSocket output to TCP or TLS output */ socket.inner.readable .pipeTo(stream.writable, { preventClose: true, preventAbort: true }) .catch(() => {}) await new Promise((ok, err) => { socket.addEventListener("open", ok) socket.addEventListener("error", err) }) socket.addEventListener("message", e => console.log(e.data)) socket.send("Hello world") }
Zero-copy HTTP protocol for the web 🏎️ (JS + WebAssembly)
browser,deno,gzip,http,javascript,protocol,quic,rpc,typescript,webassembly
2023-01-07T17:55:10Z
2024-04-03T10:18:15Z
2023-12-23T22:15:12Z
1
0
354
0
2
9
null
null
TypeScript
saluumaa/Saluma-s-Portfolio
main
<a name="readme-top"></a> <div align="center"> <h3><b>My Personal Portfolio</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) # 📖 [Personal Portfolio] <a name="about-project"></a> >Personal portfolio is a website to demonstrate my works and projects that I have done. **[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/Saluma-s-Portfolio/) <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>
This portfolio entails my projects and works I have done, It demonstrates my ability as a software develper
css,html,javascript,portfolio
2023-01-11T18:00:01Z
2023-10-26T16:38:59Z
null
4
12
97
3
0
9
null
MIT
HTML
NatachaKey/relax-app
master
# Relax app made with vanilla js, particlesjs, gsap animation.
Simple relax app made with vanilla js, particlesjs, gsap animation.
css3,gsap,html5,javascript
2023-01-10T00:24:13Z
2023-01-10T00:26:00Z
null
1
0
75
0
0
9
null
NOASSERTION
JavaScript
Avneesh002/Fashion-square
main
null
Fashion square (Limeroad clone) is an E-commerce website where one can buy clothes and other products.
axios,chakra-ui,css,firebase,html,reactjs,redux,javascript
2023-01-14T10:08:55Z
2023-03-22T04:37:54Z
null
7
28
142
0
3
9
null
null
JavaScript
mrharsh06/Namaste_react
main
# Namaste React (Akshay Saini) Documentation ## Chapter 1 - Inception ### Question 1: What is Emmet? Ans: Emmet is the plug-in that are used by different text editors to improve the workflow in the code. It is particularly used By HTML,CSS.Here we create a shortcut of multiple line code Which we can use in Future. For example:Boilerplate code of HTML which is used by Exclamation mark and tab in VS Code. ````HTML <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <meta http-equiv="X-UA-Compatible" content="ie=edge"> <title>HTML 5 Boilerplate</title> <link rel="stylesheet" href="style.css"> </head> <body> <script src="index.js"></script> </body> </html> ```` ### Question 2: What is CDN? Ans: CDN Stands for content Delivery Network.It is the system of Distributed Server that deliver web content on the user geographical Location.It also increases the performance and reliability of the system. It reduce latency ### Question 3: What is CrossOrigin? Ans: It allows you to send request to the multiple servers.It is recommended to use crossorigin when you are using react by CDN links. ```sh <script crossorigin="anonymous|use-credentials"> ``` ### Question 4: What is DOM? Ans: Document Object Model allows us to change the elements of HTML and CSS.We can change the tag wby using javascript eaisly using some commands like getElementbyId.Although it takes to update which might slow your speed. Virtual Dom is used by React as it takes less time to change.It creates virtual tree and compare with reliabilityDom tree and rendered (reload) only that parts or node of the virtual tree. After comparing the tree with Actual tree and It found shortest path to go to that node and then it reload it takes less time to update the Element. ### Question 5: Difference between a Library and Framework? A: A library is a collection of packages that perform specific operations whereas a framework contains the basic flow and architecture of an application. The major difference between them is the complexity. Libraries contain a number of methods that a developer can just call whenever they write code. React js is library and Angular is Framework. The framework provides the flow of a software application and tells the developer what it needs and calls the code provided by the developer as required. If a library is used, the application calls the code from the library. ### Question 6: Why is React known as React? A: React is named React because of its ability to react to changes in data. React is called React because it was designed to be a declarative, efficient, and flexible JavaScript library for building user interfaces. The name "React" was chosen because the library was designed to allow developers to "react" to changes in state and data within an application, and to update the user interface in a declarative and efficient manner. React is a JavaScript-based UI development library. Facebook and an open-source developer community run it. ### Question 7: What is difference between React and ReactDOM? A: React is a JavaScript library for building User Interfaces whereas ReactDOM is also JavaScript library that allows React to interact with the DOM. The react package contains React.createElement(), React.Component, React.Children, and other helpers related to elements and component classes. You can think of these as the isomorphic or universal helpers that you need to build components. The react-dom package contains ReactDOM.render(), and in react-dom/server we have server-side rendering support with ReactDOMServer.renderToString() and ReactDOMServer.renderToStaticMarkup(). ### Question 8: What is difference between react.development.js and react.production.js files via CDN? A: Development is the stage of an application before it's made public while production is the term used for the same application when it's made public. Development build is several times (maybe 3-5x) slower than the production build. ### Question 9: What is async and defer? A: Async - The async attribute is a boolean attribute. The script is downloaded in parallel(in the background) to parsing the page, and executed as soon as it is available (do not block HTML DOM construction during downloading process ) and don’t wait for anything. ### _Syntax_ ```sh <script src="demo_async.js" async></script> ``` Defer - The defer attribute is a boolean attribute. The script is downloaded in parallel(in the background) to parsing the page, and executed after the page has finished parsing(when browser finished DOM construction). The defer attribute tells the browser not to wait for the script. Instead, the browser will continue to process the HTML, build DOM. ### _Syntax_ ```sh <script src="demo_defer.js" defer></script> ``` ## Chapter 2 - Igniting our app # 🔗 Let's Connect [![linkedin](https://img.shields.io/badge/linkedin-0A66C2?style=for-the-badge&logo=linkedin&logoColor=white)](https://www.linkedin.com/in/harsh-chaudhary-563b47199/) [![twitter](https://img.shields.io/badge/twitter-1DA1F2?style=for-the-badge&logo=twitter&logoColor=white)](https://twitter.com/mrharsh06)
Namaste React Course offered by Akshay Saini. Here I Document all the learnings provided during the course.
javascript,jsx,parcel-bundler,react-router,react-router-dom,reactdom,reactjs
2023-01-14T18:24:49Z
2023-01-31T20:14:27Z
null
1
0
18
0
1
8
null
null
JavaScript
PrantoshB/Math-Magicians
dev
<a name="readme-top"></a> <div align="center"> <h3><b>Math Magicians</b></h3> </div> # 📗 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) - [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) <!-- PROJECT DESCRIPTION --> # 📖 Math Magician <a name="about-project"></a> <b>Math Magicians</b> is a website for Mathematics lovers. The website is built with React JS. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://reactjs.org/">React.js</a></li> </ul> </details> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://prantoshb.github.io/Math-Magicians/) <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: - [x] A web browser like Google Chrome. - [x] A code editor like Visual Studio Code with Git and Node.js. You can check if Git is installed by running the following command in the terminal. ``` $ git --version ``` Likewise for Node.js and npm for package installation. ``` $ node --version && npm --version ``` ### Setup Clone this repository using the GitHub link provided below. ### Install In the terminal, go to your file directory and run this command. ``` $ git clone https://github.com/PrantoshB/Math-Magicians.git ``` ### Usage Kindly modify the files as needed. 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. ### Run tests To run tests, run the following command: ``` $ npm test ``` ### Deployment You can deploy this project using: ``` $ npm run deploy ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Prantosh Biswas** - GitHub: [@PrantoshB](https://github.com/PrantoshB) - Twitter: [@prantalks](https://twitter.com/prantalks) - LinkedIn: [Prantosh Biswas](https://linkedin.com/in/prantosh) <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> Give a ⭐️ if you like this project! <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - [ ] Style the web application for better User Experience. - [ ] Add API to fetch the Mathematical quotes. - [ ] Change the dummy text in Homepage with real information. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Simple React Application that allows users to calculate using the in-built calculator
javascript,microverse,react,reactjs
2023-01-09T11:39:17Z
2023-02-03T14:41:43Z
null
2
8
50
0
0
8
null
null
JavaScript
Trast00/stack-block-game
dev
<a name="readme-top"></a> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 Stack-block-game ](#-stack-block-game-) - [🛠 Built With ](#-built-with-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Setup](#setup) - [Install](#install) - [Usage](#usage) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [📝 License ](#-license-) # 📖 Stack-block-game <a name="about-project"></a> **Stack-block-game** is a little game where the goal is to stack a maximum number of block. Blocks will shrink if there are not stacked perfectly. This game is developped with React. ## 🛠 Built With <a name="built-with"></a> - HTML - CSS - JavaScript - React JS ### Key Features <a name="key-features"></a> - **Interactive animation stop on mouse click** - **3D game with CSS** - **Block add, remove, shrunk** - **Mobile and destok version** <p align="right">(<a href="#readme-top">back to top</a>)</p> ## Preview <details> <summary>Preview</summary> ![image](https://github.com/Trast00/stack-block-game/assets/74411135/3e6276fc-b8f4-4bed-9095-045518c56365) ![image](https://github.com/Trast00/stack-block-game/assets/74411135/dea9a9af-98ba-4ce6-b79a-702e7874a816) </details> ## 🚀 Live Demo <a name="live-demo"></a> [Live demo available](https://trast00-stack-block-game.netlify.app/) ## 💻 Getting Started <a name="getting-started"></a> To get a local copy up and running, follow these steps. ### Setup Clone this repository to your desired folder: ```sh cd my-folder git clone git@github.com:myaccount/my-project.git ``` ### Install Install this project with: ```sh cd my-project npm install ``` ### Usage To run the project, execute the following command: ```sh npm run build npm start ``` ## 👥 Authors <a name="authors"></a> 👤 **Dicko Allasane** - GitHub: [@githubhandle](https://github.com/Trast00) - Twitter: [@twitterhandle](https://twitter.com/AllassaneDicko0/) - LinkedIn: [LinkedIn](https://www.linkedin.com/in/allassane-dicko-744aaa224) ## 🔭 Future Features <a name="future-features"></a> - [x] **Make the design 3d** - [ ] **Add animation for the menu** - [ ] **Make the game embeddable** <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/Trast00/math-magicians/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> ## ⭐️ Show your support <a name="support"></a> Give a ⭐️ if you like this project! It's help a lot <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank: - [Online Tutorials](https://www.youtube.com/watch?v=j1Wr-jiodpo): For teaching me to make 3d design for block <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>
Stack-block-game is a little game where the goal is to stack a maximum number of block. Blocks will shrink if there are not stacked perfectly. This game is developped with React.
css,game,javascript,react,reactjs
2023-01-11T11:35:54Z
2023-07-18T10:11:22Z
null
1
7
48
4
0
8
null
MIT
JavaScript
October45/piscine-js
master
null
JavaScript Piscine repository for grit:lab school on Åland (01-edu)
01-edu,excercises,javascript,learning,learning-by-doing,piscine,gritlab,piscine-js,javascript-piscine,piscine-javascript
2023-01-11T21:33:01Z
2023-01-27T06:44:21Z
null
1
0
34
0
1
8
null
null
JavaScript
jaenfigueroa/PokeZone
main
<div align='center'> # PokeZone This project is a Pokémon-themed website created with React.js and the PokeAPI API. <img src="https://img.shields.io/github/stars/jaenfigueroa/PokeZone"> <img src="https://img.shields.io/github/forks/jaenfigueroa/PokeZone"> <img src="https://img.shields.io/github/issues-pr/jaenfigueroa/PokeZone"> <img src="https://img.shields.io/github/issues/jaenfigueroa/PokeZone"> </div> ## 📷 Screenshots <img src="https://i.ibb.co/SJvHwmP/buscador4.png" style="width: 100%" /> <img src="https://i.ibb.co/NmdzNKm/total4.png" style="width: 100%" /> <img src="https://i.ibb.co/vD0YNvt/largo4.png" style="width: 100%" /> ## Tecnologias Usadas <img src="https://skillicons.dev/icons?i=react,typescript,javascript,html,css,sass"></img> ## Features Users can: <img src="https://octodex.github.com/images/inspectocat.jpg" style="width: 25%" align="right"> - Search for a Pokémon by name and get suggestions based on the matches. - Navigate through a list of over 800 Pokémon cards, divided into pages, each card showing the name, ID, and types of the Pokémon. - Mark or unmark a card as a favorite by clicking the star in the top right corner. - View detailed information about the Pokémon by clicking on a card, divided into 5 sections: - General: name, types, and a brief description. - Dimensions: weight and height. - Statistics: HP, attack, defense, special attack, special defense, and speed. - Appearance variations: default, female, shiny, and shiny female. - Evolution process. - Access the favorites section, where the user's marked favorite cards are stored, showing the name, ID, and types, and allowing them to rearrange the cards as they please. - Change the language of the web application at any time from the footer, choosing between 3 languages: Spanish, English, and Portuguese. The language will be saved for the next session. ## Technologies and frameworks - Languages: HTML, CSS, JavaScript - Libraries and APIs: React.js, PokeAPI API - Fonts: Source Code Pro - Colors - Primary: #6246ea - Secondary: #d1d1e9 - White: #fffffe - Black1: #010101 - Black2: #2b2c34 - Gray1: #72757e - Gray2: #94a1b2 ## 📥 Installation and configuration To download and test the project on your local environment, follow these steps: 1. Make sure you have Node.js and npm installed on your system. 2. Download or clone the repository onto your computer. 3. In the terminal, access the project directory and run `npm install` to install all the dependencies. 4. Run `npm start` to start the development server. 5. Open your browser and go to `http://localhost:3000` to view the app. ## 📦 Dependencies - react - react-dom - react-router-dom - react-spinners - sortablejs - i18next ## 🌎 Deployment on netlify and website You can try and interact with the website [here](https://pokezone-jaenfigueroa.netlify.app/). ## 🎓 New concepts mastered and applied - Use of react-router-dom: BrowserRouter, HashRouter, Routes, Route, Navigate, NavLink - Hooks: useState, useEffect, useParams, useNavigate, useRef, useTranslation - Libraries: sortablejs, i18next ## 💼 More projects - Portfolio: www.jaenfigueroa.com ## 👥 Contact - Email: contact@jaenfigueroa.com - Github: @jaenfigueroa - Linkedin: @jaenfigueroa - Whatsapp: +51 995780916
This project is a Pokémon-themed website created with React.js and the PokeAPI API.
html5,reactjs,css3,javascript,i18next,pokeapi-informaton
2023-01-02T00:10:27Z
2023-10-09T13:14:59Z
2023-01-08T16:49:00Z
1
14
209
0
2
8
null
null
TypeScript
billymohajeri/Capstone-Project-02
dev
<a name="readme-top"></a> <div align="center"> <img src="./logo.png" alt="logo" width="250" height="auto" /> <br/> </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) - [🎥 Presentation](#video-link) - [💻 Getting Started](#getting-started) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📺 Presentation](#presentation) - [📝 License](#license) # StarWars Movies Collection <a name="about-project"></a> In this project, My partner and I recreated a simple wireframe template for a Movie Site. This simple web page was built using Webpack, fetching data from APIs and serving it by a Webpack dev server. <div align="center"> <img src="./app_screenshot/homepage.png" alt="logo" width="650" height="auto" /> <br/> <img src="./app_screenshot/modal.png" alt="logo" width="250" height="auto" /> <br/> </div> ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> # Major languages - HTML - CSS - JS - Jest ## Technologies used: - Webpack - VSCode - git - GitHub - Gitflow - [Movies API](https://search.imdbot.workers.dev) - [Involvement API](https://us-central1-involvement-api.cloudfunctions.net/capstoneApi/apps/) ### Key Features <a name="key-features"></a> - Like a movie - Create a comment for a movie <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> [Live Demo Link](https://billymohajeri.github.io/Capstone-Project-02/dist/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📺 Presentation <a name="video-link"></a> [Presentation about this project](https://drive.google.com/file/d/1hF0MsWRuWlcS675bkk-NotW1CzaY-anz/view?usp=share_link) <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: - Code Editor: VS Code - Web Browser - Node - Git ### Setup - Clone the repository - Change the directory into the project folder Example commands: ```sh git clone git@github.com:billymohajeri/Capstone-Project-02.git cd Capstone-Project-02/ ``` ### Install Install this project with: Example command: `npm install` ### Usage To run the project, execute the following command: `npm run build` `npm start` ### Run tests To run tests, run the following command: Example command: `npm test` <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Billy Mohajeri** - GitHub: [@BillyMohajeri](https://github.com/billymohajeri) - Twitter: [@BillyMohajeri](https://twitter.com/BillyMohajeri) - LinkedIn: [@BillyMohajeri](https://www.linkedin.com/in/billymohajeri) 👤 **Emmanuella Adu** - GitHub: [@elarhadu](https://github.com/elarhadu/) - Twitter: [@elarh\_](https://twitter.com/elarh_) - LinkedIn: [Emmanuella Adu](https://www.linkedin.com/in/emmanuella-adu/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - Add a mobile version - Add a search for other movies or series options <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, you can support me by giving a ⭐. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> We want to thank all of our code reviewers for giving us constructive feedback. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE/MIT.md) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
The Star Wars Movies Collection is an app that pulls from the API and shows movies details. Users can like movies and add comments for them. Built with HTML5, CSS3, JavaScript, Jest and Webpack.
css,html,javascript,jest,webpack
2023-01-01T22:21:13Z
2024-05-09T21:39:15Z
null
2
13
83
22
1
8
null
null
JavaScript
BibhabenduMukherjee/Blogging
main
# Next.js + Tailwind CSS Example This example shows how to use [Tailwind CSS](https://tailwindcss.com/) [(v3.2)](https://tailwindcss.com/blog/tailwindcss-v3-2) with Next.js. It follows the steps outlined in the official [Tailwind docs](https://tailwindcss.com/docs/guides/nextjs). ## Deploy your own Deploy the example using [Vercel](https://vercel.com?utm_source=github&utm_medium=readme&utm_campaign=next-example) or preview live with [StackBlitz](https://stackblitz.com/github/vercel/next.js/tree/canary/examples/with-tailwindcss) [![Deploy with Vercel](https://vercel.com/button)](https://vercel.com/new/git/external?repository-url=https://github.com/vercel/next.js/tree/canary/examples/with-tailwindcss&project-name=with-tailwindcss&repository-name=with-tailwindcss) ## How to use Execute [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app) with [npm](https://docs.npmjs.com/cli/init), [Yarn](https://yarnpkg.com/lang/en/docs/cli/create/), or [pnpm](https://pnpm.io) to bootstrap the example: ```bash npx create-next-app --example with-tailwindcss with-tailwindcss-app ``` ```bash yarn create next-app --example with-tailwindcss with-tailwindcss-app ``` ```bash pnpm create next-app --example with-tailwindcss with-tailwindcss-app ``` Deploy it to the cloud with [Vercel](https://vercel.com/new?utm_source=github&utm_medium=readme&utm_campaign=next-example) ([Documentation](https://nextjs.org/docs/deployment)).
Working On it | A modern Blog site | Build using next JS | using CDN for fastest Content deliver | SWR (state while revalidation) | Secure content Studio Path | Real time Post making with admin surveillance )
javascript,typescript,next-auth,nextjs,nodejs,sanity,sanity-studio
2023-01-08T04:46:47Z
2023-07-01T15:21:47Z
null
1
0
31
0
1
8
null
null
TypeScript
BCAPATHSHALA/ChatGPT-App-Clone
main
# ChatGPT App Clone ## what is chatGPT? ChatGPT is an AI chatbot system that OpenAI released in November to show off and test what a very large, powerful AI system can accomplish. You can ask it countless questions and often will get an answer that's useful. For example, you can ask it encyclopedia questions like, "Explaining Newton's laws of motion." ### In short, what is chatGPT? ChatGPT is all overall social media web based application ### Features of ChatGPT This technology uses deep learning to produce human-like text that can respond to everything from stories, Mathematical solutions to theoretical essays. ChatGPT can remember earlier comments in a conversation and recount them to the user with its unique memory. #### I have built ChatGPT App Clone AI using these technologies: 1. HTML 2. CSS 3. JS 4. ViteJS 5. NodeJS 6. ExpressJS 7. OpenAI API 8. Cors #### HTML HTML allows users to create and structure sections, headings, links, paragraphs, and more, on a website using various tags and elements. #### CSS CSS makes the front-end of a website shine and it creates a great user experience. #### JS Handle events with javascript #### ViteJS Vite.js is a rapid development tool for modern web projects. #### NodeJS Node. js is single-threaded, we use it primarily for non-blocking, event-driven servers. We can also use Node. js for traditional websites and back-end API services, as it was designed with real-time, push-based architectures in mind. In short, NodeJS is used for server side. #### ExpressJS Having an API that handles the storage and movement of data is a requirement for any full-stack application, and Express makes the server creation process fast and easy. #### OpenAI API OpenAI is a research laboratory based in San Francisco, California. Our mission is to ensure that artificial general intelligence benefits all of humanity. #### Cors library CORS is a way to whitelist requests to your web server from certain locations, by specifying response headers like 'Access-Control-Allow-Origin'. It's an important protocol for making cross-domain requests possible, in cases where there's a legitimate need to do so.
ChatGPT is all overall social media web based application
cors,css,expressjs,html,html-css-javascript,javascript,nodejs,openai,vitejs,chatgpt-api
2023-01-01T06:36:50Z
2023-03-02T14:04:39Z
null
1
0
5
1
3
8
null
null
JavaScript
aandrew-me/odicto
main
# OdictO - An Offline English dictionary for Desktop OdictO is a simple Desktop (Cross Platform) offline dictionary app. This app has been made with Tauri using Nextjs. WordNet 2021 edition has been used for definitions. Still under development Screenshots ![odicto_dark](https://user-images.githubusercontent.com/66430340/212386847-e325f210-5a99-4c71-86e9-22e4f7f76b36.jpg) ![odicto_light](https://user-images.githubusercontent.com/66430340/212386884-eb3de1d1-6a53-4d2b-a492-7ce67b1e68a7.jpg)
An offline English dictionary app for desktop
desktop,dictionary,english,javascript,linux,macos,nextjs,react,rust,tauri
2023-01-10T07:47:49Z
2023-02-02T06:14:25Z
2023-02-02T05:42:57Z
1
0
51
0
2
8
null
null
JavaScript
Chetan-KK/Windows-10-Clone
main
# Windows-10-Clone ## anyone can contribute, let's make it awesome 🌎 demo Link: https://chetan-kk.github.io/Windows-10-Clone <br/> A fun practice project to clone the Windows 10 interface using React.js. ## Features - Imitates the look and feel of the Windows 10 operating system. - Includes some of the common features of Windows 10 such as the taskbar, start menu, and desktop icons. - Built using React.js for a smooth and responsive user experience. <br/> ### How to Run 1. Clone the repository to your local machine using <br/> `git clone https://github.com/Chetan-KK/Windows-10-Clone.git` <br/> 2. Navigate to the project directory and install the dependencies using <br/> `npm install` <br/> 3. Start the development server using <br/> `npm run dev` <br/> 4. Open `http://localhost:3000` in your browser to view the project <br/> <br/> ## Tech stack - React.js - CSS - Javascript ## Future Addons - Adding ability to launch apps - Replicating the Window functionalities like draggable, resizeable, minimize and maximize - Adding more functionalities to StartMenu - Enhance the look and feel. ## Contributing **If you're interested in contributing to this project, please open an issue or create a pull request.** - make sure to make changes on new branch ## License This project is licensed under the [MIT License](https://github.com/Chetan-KK/Windows-10-Clone/blob/main/LICENCE). #git-code
Windows 10 clone open source practice project with React js
opensource,reactjs,fun,project,gitglobe,hacktoberfest,gitcode-practice,javascript
2023-01-11T09:06:02Z
2023-12-09T13:51:43Z
null
3
9
37
8
10
8
null
MIT
JavaScript
dsasmblr/x-tolerator
main
# X Tolerator This [Tampermonkey](https://www.tampermonkey.net/) script does the following things: 1. Gets rid of the "For You" tab functionality and renames it to "Nah, dog". 2. Gets rid of the "Trending Now" section and replaces it with "Trending Mrow". 3. Rids your feed of ads. 4. Gets rid of the "Subscribe to Premium" aside in the sidebar. I've made it simple to remove any features you don't want from this script. Simply comment out any of the function calls for features you're not interested in! Currently, those are: noAds(); setMrow(); setNahDog(); For example, if you comment out `setMrow()` (ex. `// setMrow()`), then you'll see the "Trending Now" section as you normally would. This script will surely break at some point, but I'll sporadically keep it updated so long as I personally use X on the desktop!
This Tampermonkey script makes X a more tolerable experience.
javascript,twitter,tampermonkey,x
2023-01-15T05:27:22Z
2023-10-07T03:06:06Z
null
1
0
17
0
1
8
null
Unlicense
JavaScript
darshancoder/Advance-auto-Parts-Clone
master
<h1 align="center">PistonService.com</h1> <h3 align="center">It's a MERN Stack E-commerce web application with all the major functionalities</h3> <br /> <h2 align="center">🖥️ Tech Stack</h2> <h4 align="center">Frontend:</h4> <p align="center"> <img src="https://img.shields.io/badge/React-20232A?style=for-the-badge&logo=react&logoColor=61DAFB" alt="reactjs" /> <img src="https://img.shields.io/badge/Redux-593D88?style=for-the-badge&logo=redux&logoColor=white" alt="redux" /> <img src="https://img.shields.io/badge/Chakra%20UI-3bc7bd?style=for-the-badge&logo=chakraui&logoColor=white" alt="chakra-ui" /> <img src="https://img.shields.io/badge/JavaScript-323330?style=for-the-badge&logo=javascript&logoColor=F7DF1E" alt="javascript" /> <img src="https://img.shields.io/badge/Rest_API-02303A?style=for-the-badge&logo=react-router&logoColor=white" alt="restAPI" /> <img src="https://img.shields.io/badge/CSS3-1572B6?style=for-the-badge&logo=css3&logoColor=white" alt="css3" /> <img src="https://img.shields.io/badge/HTML5-E34F26?style=for-the-badge&logo=html5&logoColor=white" alt="html5" /> </p> <h4 align="center">Backend:</h4> <p align="center"> <img src="https://img.shields.io/badge/Node.js-339933?style=for-the-badge&logo=nodedotjs&logoColor=white" alt="nodejs" /> <img src="https://img.shields.io/badge/Express.js-000000?style=for-the-badge&logo=express&logoColor=white" alt="expressjs" /> <img src="https://img.shields.io/badge/MongoDB-4EA94B?style=for-the-badge&logo=mongodb&logoColor=white" alt="mongodb" /> </p> <h4 align="center">Deployed On:</h4> <p align="center"> <img src="https://img.shields.io/badge/Netlify-00C7B7?style=for-the-badge&logo=netlify&logoColor=white" alt="vercel" /> <img src="https://img.shields.io/badge/Render-430098?style=for-the-badge&logo=heroku&logoColor=white" alt="heroku" /> </p> <h3 align="center"><a href="https://majestic-cobbler-7ab732.netlify.app"><strong>Want to see live preview »</strong></a></h3> <h3 align="center"><a href="https://drive.google.com/file/d/1fk2AzuJ1lPopo7l0sENVVTTIdQNEsIwx/view"><strong>Demo Video »</strong></a></h3> <br /> <p align="center"> <br />&#10023; <a href="#Demo">View Demo</a> &#10023; <a href="#Getting-Started">Getting Started</a> &#10023; <a href="#Install">Installing</a> &#10023; <a href="#Contact">Author</a> &#10023; </p> It’s Group project where we've used MERN stack to make the Piston Service with our creativity along with frontend and backend integration its Fully Responsive e-commerce web application that allows you to buy shoes & clothes online. It has a variety of categories, just visit the product listing page and you will see all the products, apply filters as per your need and in just a few clicks you can buy any products from the website. This project is just for educational purpose. ![Screenshot (762)](https://user-images.githubusercontent.com/92500563/213981682-106a05ca-1f41-4b97-ac6d-597f82d224f0.png) <br /> ## Screens - Homepage / Landing Page - Product Listing Page with all categories - Product Description Page - Cart Management Page - Checkout with Address Management Page - Login / Logout Page - Order Summary Page - Single Product Page <br /> ## 🚀 Admin Features - All Statistics and Revenue Generated - All Users Data - Can Delete Product From DB - Can Add Product to DB ## 🚀 User Features - Login and Signup User Account - Product Sorting Based on Price, Rating and Name - My Orders Section for details of all ordered item - Wishlist Add and Remove Items - Cart Add and Remove Items - Cart Update Quantities - Address Management - Order Summary <br /> ## Glimpses of PistonService.com 🙈 : ## Some Pages of Our Website ![Screenshot (763)](https://user-images.githubusercontent.com/92500563/213993873-eeb57a30-e0f6-483a-a9b7-ab6a740b7686.png) <br/><br/> ![Screenshot (765)](https://user-images.githubusercontent.com/92500563/213995227-7d9ad9da-78a8-4e9a-8b02-32f1a76aabe8.png) <br/><br/> ![Screenshot (766)](https://user-images.githubusercontent.com/92500563/213995232-2120a7fe-3636-4268-b04b-17384347b5f7.png) <br/> <br/> ## Admin Panel ![Screenshot (761)](https://user-images.githubusercontent.com/92500563/213993897-be290725-a4d8-4147-b71b-ff03a95bdd3c.png) <br/> <br /> ### Tools used on this project - Visual Studio Code - Vite-JS template ## Authors - [@Darshan Kale](https://www.linkedin.com/in/darshan-kale-264335171/) - [@Yogesh Yadav](https://www.linkedin.com/in/yadav-yogesh-583471233/) - [@Sandeep Prajapati](https://www.linkedin.com/in/sandeep-prajapati64/) - [@Deepak Mane](https://www.linkedin.com/in/manedeepak/) - [@Gaurav Suthar](https://www.linkedin.com/in/gaurav-suthar-4249aa246/) © 2023 Darshan Kale ## Show your support Give a ⭐️ if you like this project!
The website,shop.advanceautopart.com/, allows customers to search for and purchase products online, as well as access information on store locations, hours, and services.
javascript,mern,project,shop,store,vehicle
2023-01-16T17:15:12Z
2023-02-01T10:41:01Z
null
5
50
128
0
7
8
null
null
JavaScript
sgratzl/chartjs-chart-funnel
main
# Chart.js Funnel [![License: MIT][mit-image]][mit-url] [![NPM Package][npm-image]][npm-url] [![Github Actions][github-actions-image]][github-actions-url] Chart.js module for charting funnel plots. This plugin extends with a new char type `funnel`. A Funnel chart is a variant of a bar chart where the bar shrinks on one side to the size of the next bar. In addition, they are usually centered giving the visual impression of a funnel. ![funnel chart](https://user-images.githubusercontent.com/4129778/212717664-b3c63b7f-022b-4a39-953c-9d6e45265f7c.png) Works great with https://github.com/chartjs/chartjs-plugin-datalabels ![funnel chart with labels](https://user-images.githubusercontent.com/4129778/212717832-5932802e-01d2-4da4-82eb-c4f9d3d1eebe.png) ## Related Plugins Check out also my other chart.js plugins: - [chartjs-chart-boxplot](https://github.com/sgratzl/chartjs-chart-boxplot) for rendering boxplots and violin plots - [chartjs-chart-error-bars](https://github.com/sgratzl/chartjs-chart-error-bars) for rendering errors bars to bars and line charts - [chartjs-chart-geo](https://github.com/sgratzl/chartjs-chart-geo) for rendering map, bubble maps, and choropleth charts - [chartjs-chart-graph](https://github.com/sgratzl/chartjs-chart-graph) for rendering graphs, trees, and networks - [chartjs-chart-pcp](https://github.com/sgratzl/chartjs-chart-pcp) for rendering parallel coordinate plots - [chartjs-chart-venn](https://github.com/sgratzl/chartjs-chart-venn) for rendering venn and euler diagrams - [chartjs-chart-wordcloud](https://github.com/sgratzl/chartjs-chart-wordcloud) for rendering word clouds - [chartjs-plugin-hierarchical](https://github.com/sgratzl/chartjs-plugin-hierarchical) for rendering hierarchical categorical axes which can be expanded and collapsed ## Install ```bash npm install chart.js chartjs-chart-funnel ``` ## Usage see [Examples](https://www.sgratzl.com/chartjs-chart-funnel/examples/) and [![Open in CodePen][codepen]](https://codepen.io/sgratzl/pen/eYjEXQW) ## Styling Trapezoid Elements are Bar elements and provide the same coloring options. In addition, see [TrapezoidElementOptions](https://github.com/sgratzl/chartjs-chart-funnel/blob/main/src/elements/TrapezoidElement.tjs#L11-L27) custom option with respect to shrinking behavior. In addition, the FunnelController has the following options [FunnelController](https://github.com/sgratzl/chartjs-chart-funnel/blob/main/src/controllers/FunnelController.tjs#L24-L30) to customize the alignment of the chart. ### ESM and Tree Shaking The ESM build of the library supports tree shaking thus having no side effects. As a consequence the chart.js library won't be automatically manipulated nor new controllers automatically registered. One has to manually import and register them. Variant A: ```js import Chart, { LinearScale, CategoryScale } from 'chart.js'; import { FunnelController, TrapezoidElement } from 'chartjs-chart-funnel'; // register controller in chart.js and ensure the defaults are set Chart.register(FunnelController, TrapezoidElement, LinearScale, CategoryScale); const chart = new Chart(document.getElementById('canvas').getContext('2d'), { type: 'funnel', data: { labels: ['Step 1', 'Step 2', 'Step 3', 'Step 4'], datasets: [ { data: [0.7, 0.66, 0.61, 0.01], }, ], }, }); ``` Variant B: ```js import { FunnelChart } from 'chartjs-chart-funnel'; const chart = new FunnelChart(document.getElementById('canvas').getContext('2d'), { data: { //... }, }); ``` ## Development Environment ```sh npm i -g yarn yarn install yarn sdks vscode ``` ### Building ```sh yarn install yarn build ``` [mit-image]: https://img.shields.io/badge/License-MIT-yellow.svg [mit-url]: https://opensource.org/licenses/MIT [npm-image]: https://badge.fury.io/js/chartjs-chart-funnel.svg [npm-url]: https://npmjs.org/package/chartjs-chart-funnel [github-actions-image]: https://github.com/sgratzl/chartjs-chart-funnel/workflows/ci/badge.svg [github-actions-url]: https://github.com/sgratzl/chartjs-chart-funnel/actions [codepen]: https://img.shields.io/badge/CodePen-open-blue?logo=codepen
Chart.js Funnel chart
chartjs,chartjs-plugin,funnel-chart,funnel-plots,javascript,typescript
2023-01-16T15:11:42Z
2024-03-14T02:37:30Z
2024-03-14T02:37:30Z
1
35
78
1
6
8
null
MIT
TypeScript
ryasmi/baseroo
main
null
🦘 Converts positive & negative float values from one base to another between 2-64. Started in 2015. Published in 2023.
base64,javascript,typescript
2023-01-05T16:10:18Z
2024-05-23T08:44:00Z
2024-01-19T14:39:22Z
1
477
501
4
1
8
null
MIT
TypeScript
iamdevmarcos/useLocalStorage
main
# useLocalStorage A simple and effective React Hook to manage the localStorage <img height="100%" width="460" alt="hook preview" src="https://raw.githubusercontent.com/iamdevmarcos/useLocalStorage/main/assets/preview.gif" /> ## Links - [Github](https://github.com/iamdevmarcos/useLocalStorage) - [NPM](https://www.npmjs.com/package/@marcosdev.me/uselocalstorage) ## Installation This module is distributed via [npm](https://www.npmjs.com/package/@marcosdev.me/uselocalstorage) which is bundled with node and should be installed as one of your project's `dependencies`. ## Important The hook provides some functions to better and improve your developer experience: - `getStorageItem`: get an item from LocalStorage - `setStorageItem`: register an item on the LocalStorage - `removeStorageItem`: remove an item from the LocalStorage - `clearStorage`: clear all values in the LocalStorage ## Example ```jsx import React from 'react' import { useLocalStorage } from 'useLocalStorage' const App = () => { const { getStorageItem, setStorageItem, removeStorageItem, clearStorage } = useLocalStorage() return ( <div> <h1>Example:</h1> <button onClick={() => setStorageItem('username', 'Marcos Mendes')}> Register username </button> <br /> <br /> <button onClick={() => removeStorageItem('username')}> Remove username </button> <hr /> <button onClick={() => clearStorage()}> Delete all items in localStorage </button> </div> ) } export default App ``` ## Issues Looking to contribute? Look for the [Good First Issue](https://github.com/iamdevmarcos/useLocalStorage/issues) label. ### 🐛 Bugs Please file an issue for bugs, missing documentation, or unexpected behavior. ### 💡 Feature Requests Please file an issue to suggest new features. Vote on feature requests by adding a 👍. This helps maintainers prioritize what to work on. ## LICENSE [MIT](LICENSE)
A simple and effective React Hook to manage the localStorage ⚡️
hooks,javascript,npm-package
2023-01-11T21:08:59Z
2023-01-19T09:34:49Z
null
1
0
19
0
1
8
null
MIT
TypeScript
dev-mamun/laravel-chirper
master
<p align="center"><a href="https://laravel.com" target="_blank"> <img src="https://dev-mamun.github.io/laravel-chirper/public/chirpers.png" width="600"></a></p> <p align="center"> Develop User base open discussion using Laravel </p> ## About This This is a demo project, develop using PHP Framework Laravel. ### Features - Add - Edit - Delete - Login - Registration ## License This is open-sourced software licensed under the [MIT license](https://opensource.org/licenses/MIT).
null
bootstrap,javascript,laravel,php
2023-01-05T15:45:21Z
2023-01-06T05:59:49Z
null
1
0
3
0
0
8
null
null
JavaScript
Sukanya3096/Namaste-React
master
# Namaste-React This project contains the assignment of namaste react course. Day 1 Theory: https://github.com/Sukanya3096/Namaste-React/blob/master/Day1/theory.txt Day 3 Theory: https://github.com/Sukanya3096/Namaste-React/blob/master/Day3/theory.txt Day 4 Theory: https://github.com/Sukanya3096/Namaste-React/blob/master/Day4/theory.txt Day 5 Theory: https://github.com/Sukanya3096/Namaste-React/blob/master/Food%20ordering%20App/theory-assignments/Day5.txt Day 6 Theory: https://github.com/Sukanya3096/Namaste-React/blob/master/Food%20ordering%20App/theory-assignments/Day6.txt A food ordering app is being developed using react : https://github.com/Sukanya3096/Namaste-React/tree/master/Food%20ordering%20App To enable location features, please add your Google API Key in the code. Food Ordering App: https://github.com/Sukanya3096/Namaste-React/assets/49310523/21c6e6e4-eca5-4c9c-8dad-057b9ac79f13
Repository for namaste react course assignments.
javascript,react,react-course,react-theory
2023-01-01T19:07:35Z
2023-11-17T03:55:42Z
null
1
0
52
0
4
8
null
null
JavaScript
Solana-Workshops/NFT-Minter
main
# NFT Minter ## 🎬 Recorded Sessions | Link | Instructor | Event | | ---- | ---------- | ----- | | [<img src="https://raw.githubusercontent.com/Solana-Workshops/.github/main/.docs/youtube-icon.png" alt="youtube" width="20" align="center"/> Recording](https://youtu.be/Fx7NTkn6IGc) | Joe Caulfield | N/A | ## 📗 Learn This workshop makes use of Metaplex's new JS SDK for managing NFTs and tokens! You can find the docs and source code for the SDK [here](https://github.com/metaplex-foundation/js). ### About the Solana dApp Scaffold This workshop, like many others in the Solana Workshops collection, is built using the dApp Scaffold. This scaffold provides a huge handful of out-of-the-box NextJS configs and functionality to get up & running fast with building a dApp on Solana. Amongst other things, this scaffold gives you: * Wallet connection support for popular wallets * Airdrop functionality & components * User SOL balance store * Navbar & Footer * Basic NextJS file structure layout ### About the Metaplex JS SDK This new SDK brings with it some awesome abstractions around common NFT functions like uploading images & metadata to Arweave, creating NFTs and Editions, and minting NFTs to a user. You can see Metaplex is making use of an object called `Metaplex` which handles all of the configs and some core operations with Arweave. Once you set up the `Metaplex` instance, you can use it's modules like `nfts()` to interact with Solana and manage assets! ### The `nfts()` Module The module for NFTs can be used to create and also query NFT data on Solana. In this demo, we are going to just use `nfts()` to create and mint NFTs, and also upload metadata to Arweave, but you can expand on this module to also render the user's owned NFTs and their associated metadata/image. ### Creating a Metaplex NFT Collection There are a number of ways you can create a Collection with Metaplex for your NFTs. Ultimately, you just need to create a Collection account using the Metaplex on-chain program. However you accomplish this, you can use that account's address to dictate what collection any new NFT belongs to. An easy way to create new collections on Metaplex is to go to their [Create Collection Portal](https://collections.metaplex.com/) and follow the steps on-screen to create a new collection!
Mint your own custom NFT on Solana!
beginner,interactive,metadata,nfts,client,javascript,metaplex
2023-01-05T14:21:10Z
2023-02-21T18:00:42Z
null
1
0
3
0
1
8
null
null
TypeScript
Muhammad0602/Portfolio-mobile-first
main
# Portfolio-mobile-first <a name="readme-top"></a> <div align="center"> <h3><b> My Portfolio README</b></h3> </div> # 📗 Table of Contents - [📖 About the Project](#about-project) - [🛠 Built With](#built-with) - [Tech Stack](#tech-stack) - [Key Features](#key-features) - [🚀 Live Demo](#live-demo) - [💻 Getting Started](#getting-started) - [Setup](#setup) - [Prerequisites](#prerequisites) - [Usage](#usage) - [👥 Authors](#authors) - [🔭 Future Features](#future-features) - [🤝 Contributing](#contributing) - [⭐️ Show your support](#support) - [🙏 Acknowledgements](#acknowledgements) - [📝 License](#license) # 📖 Portfolio-mobile-first <a name="about-project"></a> My portfolio website showcases my work and projects in a clean and visually appealing way. Built using CSS, HTML, and JS, it offers a user-friendly experience for visitors to easily navigate and view my skills and abilities. I regularly update it with new projects and designs, so be sure to check back often for the latest additions! ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <details> <summary>Client</summary> <ul> <li><a href="https://reactjs.org/">HTML</a></li> <li><a href="https://reactjs.org/">CSS</a></li> </ul> </details> ### Key Features <a name="key-features"></a> - Responsive. - Time tracking. - Beautifull UI. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🚀 Live Demo <a name="live-demo"></a> - [Live Demo Link](https://muhammad0602.github.io/Portfolio-mobile-first/) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 💻 Getting Started <a name="getting-started"></a> ### Before doing anything, I would recommend you to watch this video to get a better understanding of this project. https://www.loom.com/share/f1235440c84247f4846005e6717ccbe6 To get a local copy up and running, follow these steps. ### Prerequisites In order to run this project you need: -Install Git -Install NPM -Install a code editor ### Setup Clone this repository to your desired folder: git clone github.com/Muhammad0602/Portfolio-mobile-first.git ### Usage To run the project, execute the following command: open the project by launching the Live Server plugging in visual studio code(or your code editor) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 👥 Authors <a name="authors"></a> 👤 **Muhammad Davlatov** - GitHub: [Muhammad0602](https://github.com/Muhammad0602) - Twitter: [Muhammad Davlatov](https://twitter.com/MuhammadDavla20) - LinkedIn: [Muhammad Davlatov](https://www.linkedin.com/in/muhammad-davlatov-6a8536254/) 👤 **Bahir Hakimi** - GitHub: [BahirHakimy](https://github.com/BahirHakimy) - Twitter: [bahir hakimy](https://www.twitter.com/bahir_hakimy) - LinkedIn: [bahir hakimy](https://www.linkedin.com/in/bahir-hakimy) 👤 **Malcom Charles** - GitHub: [Malcom Charles](https://github.com/Malcom-Charlie) 👤 **Nestor Oro** - GitHub: [Nestor Oro](https://github.com/blueberry1312) <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🔭 Future Features <a name="future-features"></a> - I am working on the desktop version of the project, and soon God willing I'll deploy it. - I am working to make it responsive, so it works on any screensize. <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 follow me in github, and support it in a way you wish. <p align="right">(<a href="#readme-top">back to top</a>)</p> ## 🙏 Acknowledgments <a name="acknowledgements"></a> I would like to thank everyone who helped me to finish this project, without whom it would be very difficult. <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>
My portfolio website showcases my work and projects in a clean and visually appealing way. Built using CSS, HTML, and JS, it offers a user-friendly experience for visitors to easily navigate and view my skills and abilities. I regularly update it with new projects and designs, so be sure to check back often for the latest additions!
css,html,javascript
2023-01-12T12:57:09Z
2023-09-01T15:11:55Z
null
4
12
156
0
0
8
null
MIT
CSS
AnastasiaLunina/inspired-ecommerce
main
## JS app for underwear store In process ## Commands ### Start dev server ```shell npm run start ``` ### Bundle app for development ```shell npm run build-dev ``` ### Bundle app for production ```shell npm run build-prod ``` ### Clear dist ```shell npm run clear ```
E-commerce JS app
javascript
2023-01-09T05:28:41Z
2023-01-20T03:17:13Z
null
2
1
20
0
0
8
null
null
JavaScript
omar-diop/ads-gpt
main
# Ads GPT Ads GPT is a free and open source Google Chrome extension that helps marketing professionals and entrepreneurs generate headlines and body text for Facebook ads with ease. With Ads GPT, you can quickly create captivating and targeted ads that will improve your presence on Facebook. ## Features - Generate headlines and body text for Facebook ads starting from a simple product or service description provided by the user. - User-friendly interface to help you create ads with ease. - Ability to generate captivating and targeted ads that will improve your presence on Facebook. ## Installation There are two ways to install Ads GPT: ### From the Chrome Web Store To install Ads GPT from the Chrome Web Store, follow these steps: Go to the Chrome Web Store. 1. Search for "Ads GPT". 2. Click on the "Add to Chrome" button. 3. When prompted, click on "Add Extension" to install Ads GPT. 4. Once installed, you can access Ads GPT from the Chrome menu or by clicking on the Ads GPT icon in the Chrome toolbar. ### As an Unpacked Extension To install Ads GPT as an unpacked extension, follow these steps: 1. Clone or download the source code from the GitHub repository. 2. Go to the "chrome://extensions" URL in Google Chrome. 3. Turn on the "Developer mode" toggle switch. 4. Click on the "Load unpacked" button. 5. Select the directory where you have cloned or extracted the source code. 6. Once installed, you can access Ads GPT from the Chrome menu or by clicking on the Ads GPT icon in the Chrome toolbar. ## Contribute Ads GPT is an open source project and we welcome contributions from the community. If you encounter any issues or have ideas for improvements, please report them on [GitHub](https://github.com/omar-diop/ads-copy-genius/issues). ## License Ads GPT is licensed under the [**MIT** License](/LICENSE.md) by Omar Diop.
AI powered browser extension that allows you to create headlines and body texts for Facebook Ads
chatgpt,css,davinci-resolve,facebook,facebook-ads,javascript,openai-api,text-generation
2023-01-14T18:04:43Z
2024-05-09T13:16:45Z
2023-02-16T09:26:58Z
1
0
22
0
3
8
null
MIT
JavaScript
tariqsulley/ceng
master
# ceng A Web App For KNUST engineering students to submit their ceng topics and reports for review. ![WhatsApp Image 2023-09-14 at 10 22 05](https://github.com/tariqsulley/ceng/assets/32623579/5e287d51-ad14-4697-abcb-dd541961eed9) ![WhatsApp Image 2023-09-14 at 10 22 05 (1)](https://github.com/tariqsulley/ceng/assets/32623579/fb96a70e-e4fe-4ede-9916-1b147a0b583c) ![WhatsApp Image 2023-09-14 at 10 22 05 (3)](https://github.com/tariqsulley/ceng/assets/32623579/e1a9b81c-0e8c-4ab3-b697-8895f0db3772) ![WhatsApp Image 2023-09-14 at 10 22 05 (2)](https://github.com/tariqsulley/ceng/assets/32623579/70a258ac-991c-4dd7-874e-584eaa92f029)
A Web App For KNUST engineering students to submit their ceng topics and reports for review.
css,firebase,javascript,react
2023-01-06T18:07:48Z
2023-09-14T10:25:18Z
null
1
0
122
0
0
8
null
null
JavaScript
Kluzko/Visualization-of-sorting-alogrithms
master
# Sorting Algorithms Visualization This project uses d3.js and TypeScript to create visualizations of the following sorting algorithms: - Bubble sort - Selection sort - Insertion sort - Merge sort - Quick sort - Radix sort - Bucket sort # Website demonstartion ![](https://github.com/Kluzko/Visualization-of-sorting-alogrithms/blob/master/static/website-demonstration.gif) You can visit the website here https://kluzko.github.io/Visualization-of-sorting-alogrithms # In progress - first thing to change is make visualization more responsive so I can add bigger number of numbers (maybe 2500) - add slider to adjust animation speed ( now is as fast as possible ) # Run the project If you want to run project localy on your computer these are the steps: 1. Clone the repository 2. Run `npm install` to install the necessary dependencies 3. Run `npm run dev` then visit http://localhost:5173/ # Usage Select an algorithm from the dropdown menu and hit the "start" button to see the visualization in action. You can also change the amount of data so far from 50 to 500 numbers. # Speed comparsion on the website > **Warning** > This comparsion is only based on test on this website if you really want to test speed of this alogrithms you should delete `await delay()` witch is crucial for performance of vizualisation. > For example with delay **Radix Sort** for **500 numbers** is **22.15s** but without this delay you get **0.75s** ! > So this is just to show you the speed comparison with these slowdowns. Values are the average of 5 tests | **Algoritms** | **50 numbers** | **100 numbers** | **250 numbers** | **500 numbers** | | :----------------: | :------------: | :-------------: | :-------------: | :-------------: | | **Bubble Sort** | ≈ 9.34s | ≈ 40.24s  | ≈ 198.56s | ≈ 1310.26s | | **Selection Sort** | ≈ 0.76s | ≈ 1.55s | ≈ 3.88s | ≈ 7.81s | | **Insertion Sort** | ≈ 0.76s | ≈ 1.54s | ≈ 3.89s | ≈ 7.81s | | **Merge Sort** | ≈ 2.33s | ≈ 3.08s | ≈ 8.17s | ≈ 19.68s | | **Quick Sort** | ≈ 1.66s | ≈ 2.54s | ≈ 7.57s | ≈ 14.45s | | **Radix Sort** | ≈ 1.48s | ≈ 2.88s | ≈ 12.80s | ≈ 22.15s | | **Bucket Sort** | ≈ 0.79s | ≈ 1.49s | ≈ 4.04s | ≈ 6.70s | > **Note** > These values may vary depending on your computer it also depends on how sorted numbers you get. But as you can see **Bubble Sort** is very inefficent alogrithm. # See LEARN.md for more information To gain a deeper understanding of the sorting algorithms implemented in this project, please refer to the ![LEARN.md](https://github.com/Kluzko/Visualization-of-sorting-alogrithms/blob/master/LEARN.md) file. # Contributions If you find any issue, please open an issue or pull request. Also if you want to add any new algorithm or improve the existing algorithm please let me know.
Visualization of popular sorting alogrithms using typescript and d3.js
d3js,javascript,sorting-algorithms,sorting-visualization,typescript,vizualisation,learn
2023-01-12T21:11:16Z
2023-01-20T16:49:35Z
null
1
0
41
0
3
8
null
MIT
TypeScript
yuvenalmash/math-magicians
development
<a name="readme-top"></a> <!-- TABLE OF CONTENTS --> # 📗 Table of Contents - [📗 Table of Contents](#-table-of-contents) - [📖 Math Magicians](#-math-magicians) - [🛠 Built With ](#-built-with-) - [Tech Stack ](#tech-stack-) - [Key Features ](#key-features-) - [🚀 Live Demo ](#-live-demo-) - [💻 Getting Started ](#-getting-started-) - [Prerequisites](#prerequisites) - [Setup](#setup) - [Usage](#usage) - [Run tests](#run-tests) - [Deployment](#deployment) - [👥 Authors ](#-authors-) - [🔭 Future Features ](#-future-features-) - [🤝 Contributing ](#-contributing-) - [⭐️ Show your support ](#️-show-your-support-) - [🙏 Acknowledgments ](#-acknowledgments-) - [📝 License ](#-license-) <!-- PROJECT DESCRIPTION --> # 📖 Math Magicians **Math magicians** is a website for all fans of mathematics. It is a single page app (SPA) that allows users to make simple calculations and read random math-related quotes. ## 🛠 Built With <a name="built-with"></a> ### Tech Stack <a name="tech-stack"></a> <ul> <li><a href="https://reactjs.org/">React.js</a></li> </ul> <!-- Features --> ### Key Features <a name="key-features"></a> - **Calculator** <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://yuvenalmash.github.io/math-magicians/) <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: - Install NPM: ```sh $ sudo apt install npm ``` ### Setup Clone this repository to your desired folder: - Clone the repository to your folder ```sh $ git clone https://github.com/yuvenalmash/math-magicians.git ``` - While in the cloned repository folder, install node packages ```sh $ npm install ``` ### Usage To run the project, execute the following command: - Run local server ```sh $ npm start ``` ### Run tests ```sh npm run test ``` ### Deployment ```sh npm run deploy ``` <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- AUTHORS --> ## 👥 Authors <a name="authors"></a> 👤 **Author1** - GitHub: [@yuvenalmash](https://github.com/yuvenalmash) - Twitter: [@_Juvenal_](https://twitter.com/_Juvenal_) - LinkedIn: [yuvenal-njoroge](https://linkedin.com/in/yuvenal-njoroge) <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- FUTURE FEATURES --> ## 🔭 Future Features <a name="future-features"></a> - [ ] **get an API for the daily quote** <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/yuvenalmash/react-todo/issues). <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- SUPPORT --> ## ⭐️ Show your support <a name="support"></a> If you like this project give it a star <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- ACKNOWLEDGEMENTS --> ## 🙏 Acknowledgments <a name="acknowledgements"></a> > Give credit to everyone who inspired your codebase. I would like to thank... <p align="right">(<a href="#readme-top">back to top</a>)</p> <!-- LICENSE --> ## 📝 License <a name="license"></a> This project is [MIT](./LICENSE) licensed. <p align="right">(<a href="#readme-top">back to top</a>)</p>
Math magicians is a website for all fans of mathematics. It is a single page app (SPA) that allows users to make simple calculations and read random math-related quotes.
javascript,reactjs
2023-01-09T14:35:03Z
2023-01-19T14:55:56Z
null
1
7
49
0
0
8
null
MIT
JavaScript
Sandun-Induranga/Internet-Speed-Checker
master
# Internet Speed Checker *********Technologies********* <br> * HTML * CSS * JavaScript * Bootstrap * jQuery <br> <br> Website Link - https://sandun-induranga.github.io/Internet-Speed-Checker/ ![image](https://user-images.githubusercontent.com/88975401/210199897-199ed1db-7133-4cec-b2a9-e335c8212ace.png)
null
ajax,bootstrap,css,html,javascript,jquery
2023-01-01T15:29:32Z
2023-01-12T18:54:08Z
null
1
0
23
0
0
8
null
null
HTML
gaurav62472744/Myntra.com_clone
main
<h1 align="center" id="title">Wardrobe</h1> <p id="description">Wardrobe is an e-commerce online website for the best fashion products of all categories for the consumer. User can buy products at best deals and offers.<br><br><b>This is a collaborative project of 4 members</b><br><br>- Gaurav Singh (Team Lead)<br>- Jitendra Kumar <br>- Aman Kumar <br>- Sanket TJ </p> <h2>🌐See Live</h2> [https://halting-title-3346.vercel.app/](https://halting-title-3346.vercel.app/) [https://650ac0a63c0761379a614223--dazzling-trifle-f9b78e.netlify.app/](https://650ac0a63c0761379a614223--dazzling-trifle-f9b78e.netlify.app/) <h2>Project Screenshots:</h2> ## Home Page ![halting-title-3346 vercel app_ (1)](https://user-images.githubusercontent.com/110033104/214221619-2f1f8726-78a6-4de3-9e11-58aba50b8b4d.png) ## Product Page ![halting-title-3346 vercel app_productlist (1)](https://user-images.githubusercontent.com/110033104/214222238-3ba7bdf8-feba-42a1-946e-bbec868730cf.png) <h2>🛠️ Installation Steps:</h2> <p>1. Clone the repo</p> ``` git clone https://github.com/gaurav62472744/halting-title-3346.git ``` <p>2. Install NPM packages</p> ``` npm install ``` <p>3. View on browser at localhost:3000</p> ``` npm start ``` <h2>💻 Tech Stack</h2> Technologies used in the project: * React Js * Redux * Chakra Ui * JavaScript <h2>Special Thanks 😊</h2> <p>Thanks Masai School for giving us this opportunity to show and deploy our skills to explore ideas and learn new things about project-making </p>
Wardrobe is an e-commerce online website for the best fashion products of all categories for the consumer. User can buy products at best deals and offers.
chakra-ui,css3,html,javascript,react,redux,redux-thunk
2023-01-16T19:41:21Z
2023-09-20T09:52:44Z
null
5
47
120
1
1
8
null
null
JavaScript
Bipin579/paytmmall.com
main
<h1 align="center" id="title">Paytm mall</h1> <p id="description">Paytm Mall - India's Leading Online Shopping Experience, Brought to You by Paytm. Online shopping with Paytm Mall is quick, convenient and trouble-free. You can shop for the desired product right from the comfort of your home and get them delivered straight to your doorstep.<br><br><b>This is a collaborative project of 4 members</b><br><br>- Bipin Singh (Team Lead)<br>- Satyam Kumar<br>- Abhay Kumar<br>- Ritik Singh</p> <h2>Screenshots</h2> ![Screenshot (42)](https://user-images.githubusercontent.com/110052834/216414046-97f55929-e61c-42fd-a714-807eb9024b73.png) ![Screenshot (43)](https://user-images.githubusercontent.com/110052834/216414236-15dbbc52-4059-4f91-88bf-411e5563d8cc.png) ![Screenshot (45)](https://user-images.githubusercontent.com/110052834/216414336-b027b484-88a5-4a76-8559-69763da93ccb.png) ![Screenshot (46)](https://user-images.githubusercontent.com/110052834/216414433-c94090ae-3f8f-4111-92ad-565963e68961.png) ![Screenshot (47)](https://user-images.githubusercontent.com/110052834/216414613-3919edcc-fbcd-4e96-8697-6c9fbd175c80.png) ![Screenshot (48)](https://user-images.githubusercontent.com/110052834/216414749-ca5f352d-9006-4c39-bc3c-822500498856.png) ![Screenshot (49)](https://user-images.githubusercontent.com/110052834/216414846-8f66a410-c0d9-4eea-99a1-1f70bec8545a.png) ![Screenshot (44)](https://user-images.githubusercontent.com/110052834/216414932-c30793da-e547-438f-9dce-5ca07ba3b9ac.png) <h2>🌐See Live</h2> [https://paytm-mall-clone-eight.vercel.app/](https://paytm-mall-clone-eight.vercel.app/) <h2>🛠️ Installation Steps:</h2> <p>1. Clone the repo</p> ``` git clone https://github.com/Bipin579/tasteful-pump-9576.git ``` <p>2. Install NPM packages</p> ``` npm install ``` <p>3. View on browser at localhost:3000</p> ``` npm start ``` <h2>💻 Tech Stack</h2> Technologies used in the project: * React Js * Redux * Chakra Ui * JavaScript <h2>Special Thanks 😊</h2> <p>Thanks Masai School for giving us this opportunity to show and deploy our skills to explore ideas and learn new things about project-making </p>
Paytm Mall - India's Leading Online Shopping Experience, Brought to You by Paytm. Online shopping with Paytm Mall is quick, convenient and trouble-free.
chakra-ui,css3,html5,javascript,reactjs,redux,redux-thunk
2023-01-16T16:45:42Z
2023-03-04T12:38:08Z
null
7
30
99
0
0
8
null
null
JavaScript